Unnamed: 0 int64 0 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 1 853 | labels stringlengths 4 898 | body stringlengths 2 262k | index stringclasses 13 values | text_combine stringlengths 96 262k | label stringclasses 2 values | text stringlengths 96 250k | binary_label int64 0 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
61,473 | 7,470,848,024 | IssuesEvent | 2018-04-03 07:12:00 | nerdalize/nerd | https://api.github.com/repos/nerdalize/nerd | closed | copy-paste of session.json fails | Design Required Research Required | When I was trying to copy my session.json to a remote server I kept getting errors like:
```
2017/06/22 12:48:38 outputter.go:147: [DEBUG] Underlying error: invalid character '\n' in string literal
failed to parse config file
```
-- this is very hard to debug. Actually base64 encoding it, copy and decoding it made it work. But it's funny.
Make a +1 here if you come accross this error again. | 1.0 | copy-paste of session.json fails - When I was trying to copy my session.json to a remote server I kept getting errors like:
```
2017/06/22 12:48:38 outputter.go:147: [DEBUG] Underlying error: invalid character '\n' in string literal
failed to parse config file
```
-- this is very hard to debug. Actually base64 encoding it, copy and decoding it made it work. But it's funny.
Make a +1 here if you come accross this error again. | non_build | copy paste of session json fails when i was trying to copy my session json to a remote server i kept getting errors like outputter go underlying error invalid character n in string literal failed to parse config file this is very hard to debug actually encoding it copy and decoding it made it work but it s funny make a here if you come accross this error again | 0 |
124,907 | 10,329,242,659 | IssuesEvent | 2019-09-02 11:40:55 | vaadin/vaadin-checkbox | https://api.github.com/repos/vaadin/vaadin-checkbox | closed | It's not clear from the API docs what is label | DX tests finding docs | Mention that label is generated from the light DOM content. | 1.0 | It's not clear from the API docs what is label - Mention that label is generated from the light DOM content. | non_build | it s not clear from the api docs what is label mention that label is generated from the light dom content | 0 |
287,965 | 8,823,593,381 | IssuesEvent | 2019-01-02 14:13:39 | bounswe/bounswe2018group1 | https://api.github.com/repos/bounswe/bounswe2018group1 | closed | Memory feed from latest to oldest challenge | Backend Position: Review Needed Priority: Low Type: Enhancement | As it currently stands, our capabilities of retrieving memory feed is limited to sorting and paging. We also need to be able to filter the memories according to some fields such as date, so that providing a memory feed that goes from latest to oldest memories is trivial. In the otherwise case, where we don't have the option to filter (according to the memory posting dates), it becomes considerably harder to "catch up" with the ever increasing global memory feed. | 1.0 | Memory feed from latest to oldest challenge - As it currently stands, our capabilities of retrieving memory feed is limited to sorting and paging. We also need to be able to filter the memories according to some fields such as date, so that providing a memory feed that goes from latest to oldest memories is trivial. In the otherwise case, where we don't have the option to filter (according to the memory posting dates), it becomes considerably harder to "catch up" with the ever increasing global memory feed. | non_build | memory feed from latest to oldest challenge as it currently stands our capabilities of retrieving memory feed is limited to sorting and paging we also need to be able to filter the memories according to some fields such as date so that providing a memory feed that goes from latest to oldest memories is trivial in the otherwise case where we don t have the option to filter according to the memory posting dates it becomes considerably harder to catch up with the ever increasing global memory feed | 0 |
217,785 | 16,888,892,815 | IssuesEvent | 2021-06-23 06:37:21 | mozilla-mobile/fenix | https://api.github.com/repos/mozilla-mobile/fenix | closed | Running SyncIntegration UI tests locally can fail, but pass on Firebase | eng:ui-test wontfix | When debugging test failures from a PR, we found that running these tests fail locally but worked fine in Firebase. Are there docs where we can find out what the test environment is required to have tests pass? Should that environment come based into the test framework?
Apologises if there is documentation and I couldn't find it - please close this issue if so. | 1.0 | Running SyncIntegration UI tests locally can fail, but pass on Firebase - When debugging test failures from a PR, we found that running these tests fail locally but worked fine in Firebase. Are there docs where we can find out what the test environment is required to have tests pass? Should that environment come based into the test framework?
Apologises if there is documentation and I couldn't find it - please close this issue if so. | non_build | running syncintegration ui tests locally can fail but pass on firebase when debugging test failures from a pr we found that running these tests fail locally but worked fine in firebase are there docs where we can find out what the test environment is required to have tests pass should that environment come based into the test framework apologises if there is documentation and i couldn t find it please close this issue if so | 0 |
74,220 | 20,069,913,378 | IssuesEvent | 2022-02-04 04:35:28 | isl-org/Open3D | https://api.github.com/repos/isl-org/Open3D | closed | Open3D cmake package confuses the linker | build/install issue | **IMPORTANT: Please use the following template to report the bug.**
_____
**Describe the bug**
Linking to `Open3D::Open3D` confuses the linker. Given a certain combination of libraries, it complains about undefined references.
**To Reproduce**
I built Open3D from source according to the docs. It is installed system wide. It does not matter whether it is built as static or shared.
I am able to reproduce the issue with a simple project. There are four files with dummy contents:
```
lib.h
lib.cpp
main.cpp
CMakelists.txt
```
With the following contents:
```cpp
// lib.h
#include <string>
void foo(std::string bar);
```
```cpp
// lib.cpp
#include "lib.h"
void foo(std::string bar) {}
```
```cpp
// main.cpp
#include "lib.h"
int main(int argc, char **argv) {
foo("");
return 0;
}
```
``` cmake
# CMakeLists.txt
cmake_minimum_required(VERSION 3.18)
project(o3debug)
set(CMAKE_CXX_STANDARD 17)
find_package(Open3D)
add_library(lib SHARED lib.cpp)
add_executable(main main.cpp)
target_link_libraries(main lib Open3D::Open3D)
```
Note that the only use of `Open3D` is during linkage.
Assuming that one is next to these four files, do the following to reproduce the error:
```
mkdir build && cd build
cmake ..
make
```
```
Scanning dependencies of target lib
[ 25%] Building CXX object CMakeFiles/lib.dir/lib.cpp.o
[ 50%] Linking CXX shared library liblib.so
[ 50%] Built target lib
Scanning dependencies of target main
[ 75%] Building CXX object CMakeFiles/main.dir/main.cpp.o
[100%] Linking CXX executable main
/usr/bin/ld: CMakeFiles/main.dir/main.cpp.o: in function `main':
main.cpp:(.text+0x4e): undefined reference to `foo(std::string)'
collect2: error: ld returned 1 exit status
make[2]: *** [CMakeFiles/main.dir/build.make:105: main] Error 1
make[1]: *** [CMakeFiles/Makefile2:124: CMakeFiles/main.dir/all] Error 2
make: *** [Makefile:103: all] Error 2
```
Removing the `Open3D::Open3D` from the `target_link_libraries` resolves the issue. Swapping the link order does not help.
Interestingly, getting rid of `#include<string>` and changing `bar` to `int` from `std::string` also resolves the issue.
Thus I concluded that I have no idea what is going on and turned here for help :)
**Expected behavior**
I expect the project to build normally.
**Environment (please complete the following information):**
- Operating system: Ubuntu20
- Python version: (bindings disabled)
- Open3D version: 0.11.2
- Is this remote workstation?: no
- How did you install Open3D?: source
- Compiler version (if built from source): gcc9.3, tried 8.0 as well
**Additional info**
For completeness, here's the output of `cmake`
```
-- The C compiler identification is GNU 9.3.0
-- The CXX compiler identification is GNU 9.3.0
-- Detecting C compiler ABI info
-- Detecting C compiler ABI info - done
-- Check for working C compiler: /usr/bin/cc - skipped
-- Detecting C compile features
-- Detecting C compile features - done
-- Detecting CXX compiler ABI info
-- Detecting CXX compiler ABI info - done
-- Check for working CXX compiler: /usr/bin/c++ - skipped
-- Detecting CXX compile features
-- Detecting CXX compile features - done
CMake Deprecation Warning at /usr/local/lib/cmake/Open3D/Open3DConfig.cmake:18 (cmake_policy):
The OLD behavior for policy CMP0072 will be removed from a future version
of CMake.
The cmake-policies(7) manual explains that the OLD behaviors of all
policies are deprecated and that a policy should be set to OLD only under
specific short-term circumstances. Projects should be ported to the NEW
behavior and not rely on setting a policy to OLD.
Call Stack (most recent call first):
CMakeLists.txt:5 (find_package)
-- Looking for pthread.h
-- Looking for pthread.h - found
-- Performing Test CMAKE_HAVE_LIBC_PTHREAD
-- Performing Test CMAKE_HAVE_LIBC_PTHREAD - Failed
-- Looking for pthread_create in pthreads
-- Looking for pthread_create in pthreads - not found
-- Looking for pthread_create in pthread
-- Looking for pthread_create in pthread - found
-- Found Threads: TRUE
-- Found Open3D: /usr/local/lib/cmake/Open3D/Open3DConfig.cmake (found version "0.11.2")
-- Configuring done
-- Generating done
-- Build files have been written to: /somewhere/o3debug/build
```
| 1.0 | Open3D cmake package confuses the linker - **IMPORTANT: Please use the following template to report the bug.**
_____
**Describe the bug**
Linking to `Open3D::Open3D` confuses the linker. Given a certain combination of libraries, it complains about undefined references.
**To Reproduce**
I built Open3D from source according to the docs. It is installed system wide. It does not matter whether it is built as static or shared.
I am able to reproduce the issue with a simple project. There are four files with dummy contents:
```
lib.h
lib.cpp
main.cpp
CMakelists.txt
```
With the following contents:
```cpp
// lib.h
#include <string>
void foo(std::string bar);
```
```cpp
// lib.cpp
#include "lib.h"
void foo(std::string bar) {}
```
```cpp
// main.cpp
#include "lib.h"
int main(int argc, char **argv) {
foo("");
return 0;
}
```
``` cmake
# CMakeLists.txt
cmake_minimum_required(VERSION 3.18)
project(o3debug)
set(CMAKE_CXX_STANDARD 17)
find_package(Open3D)
add_library(lib SHARED lib.cpp)
add_executable(main main.cpp)
target_link_libraries(main lib Open3D::Open3D)
```
Note that the only use of `Open3D` is during linkage.
Assuming that one is next to these four files, do the following to reproduce the error:
```
mkdir build && cd build
cmake ..
make
```
```
Scanning dependencies of target lib
[ 25%] Building CXX object CMakeFiles/lib.dir/lib.cpp.o
[ 50%] Linking CXX shared library liblib.so
[ 50%] Built target lib
Scanning dependencies of target main
[ 75%] Building CXX object CMakeFiles/main.dir/main.cpp.o
[100%] Linking CXX executable main
/usr/bin/ld: CMakeFiles/main.dir/main.cpp.o: in function `main':
main.cpp:(.text+0x4e): undefined reference to `foo(std::string)'
collect2: error: ld returned 1 exit status
make[2]: *** [CMakeFiles/main.dir/build.make:105: main] Error 1
make[1]: *** [CMakeFiles/Makefile2:124: CMakeFiles/main.dir/all] Error 2
make: *** [Makefile:103: all] Error 2
```
Removing the `Open3D::Open3D` from the `target_link_libraries` resolves the issue. Swapping the link order does not help.
Interestingly, getting rid of `#include<string>` and changing `bar` to `int` from `std::string` also resolves the issue.
Thus I concluded that I have no idea what is going on and turned here for help :)
**Expected behavior**
I expect the project to build normally.
**Environment (please complete the following information):**
- Operating system: Ubuntu20
- Python version: (bindings disabled)
- Open3D version: 0.11.2
- Is this remote workstation?: no
- How did you install Open3D?: source
- Compiler version (if built from source): gcc9.3, tried 8.0 as well
**Additional info**
For completeness, here's the output of `cmake`
```
-- The C compiler identification is GNU 9.3.0
-- The CXX compiler identification is GNU 9.3.0
-- Detecting C compiler ABI info
-- Detecting C compiler ABI info - done
-- Check for working C compiler: /usr/bin/cc - skipped
-- Detecting C compile features
-- Detecting C compile features - done
-- Detecting CXX compiler ABI info
-- Detecting CXX compiler ABI info - done
-- Check for working CXX compiler: /usr/bin/c++ - skipped
-- Detecting CXX compile features
-- Detecting CXX compile features - done
CMake Deprecation Warning at /usr/local/lib/cmake/Open3D/Open3DConfig.cmake:18 (cmake_policy):
The OLD behavior for policy CMP0072 will be removed from a future version
of CMake.
The cmake-policies(7) manual explains that the OLD behaviors of all
policies are deprecated and that a policy should be set to OLD only under
specific short-term circumstances. Projects should be ported to the NEW
behavior and not rely on setting a policy to OLD.
Call Stack (most recent call first):
CMakeLists.txt:5 (find_package)
-- Looking for pthread.h
-- Looking for pthread.h - found
-- Performing Test CMAKE_HAVE_LIBC_PTHREAD
-- Performing Test CMAKE_HAVE_LIBC_PTHREAD - Failed
-- Looking for pthread_create in pthreads
-- Looking for pthread_create in pthreads - not found
-- Looking for pthread_create in pthread
-- Looking for pthread_create in pthread - found
-- Found Threads: TRUE
-- Found Open3D: /usr/local/lib/cmake/Open3D/Open3DConfig.cmake (found version "0.11.2")
-- Configuring done
-- Generating done
-- Build files have been written to: /somewhere/o3debug/build
```
| build | cmake package confuses the linker important please use the following template to report the bug describe the bug linking to confuses the linker given a certain combination of libraries it complains about undefined references to reproduce i built from source according to the docs it is installed system wide it does not matter whether it is built as static or shared i am able to reproduce the issue with a simple project there are four files with dummy contents lib h lib cpp main cpp cmakelists txt with the following contents cpp lib h include void foo std string bar cpp lib cpp include lib h void foo std string bar cpp main cpp include lib h int main int argc char argv foo return cmake cmakelists txt cmake minimum required version project set cmake cxx standard find package add library lib shared lib cpp add executable main main cpp target link libraries main lib note that the only use of is during linkage assuming that one is next to these four files do the following to reproduce the error mkdir build cd build cmake make scanning dependencies of target lib building cxx object cmakefiles lib dir lib cpp o linking cxx shared library liblib so built target lib scanning dependencies of target main building cxx object cmakefiles main dir main cpp o linking cxx executable main usr bin ld cmakefiles main dir main cpp o in function main main cpp text undefined reference to foo std string error ld returned exit status make error make error make error removing the from the target link libraries resolves the issue swapping the link order does not help interestingly getting rid of include and changing bar to int from std string also resolves the issue thus i concluded that i have no idea what is going on and turned here for help expected behavior i expect the project to build normally environment please complete the following information operating system python version bindings disabled version is this remote workstation no how did you install source compiler version if built from source tried as well additional info for completeness here s the output of cmake the c compiler identification is gnu the cxx compiler identification is gnu detecting c compiler abi info detecting c compiler abi info done check for working c compiler usr bin cc skipped detecting c compile features detecting c compile features done detecting cxx compiler abi info detecting cxx compiler abi info done check for working cxx compiler usr bin c skipped detecting cxx compile features detecting cxx compile features done cmake deprecation warning at usr local lib cmake cmake cmake policy the old behavior for policy will be removed from a future version of cmake the cmake policies manual explains that the old behaviors of all policies are deprecated and that a policy should be set to old only under specific short term circumstances projects should be ported to the new behavior and not rely on setting a policy to old call stack most recent call first cmakelists txt find package looking for pthread h looking for pthread h found performing test cmake have libc pthread performing test cmake have libc pthread failed looking for pthread create in pthreads looking for pthread create in pthreads not found looking for pthread create in pthread looking for pthread create in pthread found found threads true found usr local lib cmake cmake found version configuring done generating done build files have been written to somewhere build | 1 |
298,302 | 9,198,462,852 | IssuesEvent | 2019-03-07 12:42:20 | CMDT/TimeSeriesDataCapture | https://api.github.com/repos/CMDT/TimeSeriesDataCapture | closed | Credentials are hardcoded in SPWA | High Priority bug spwa version_0_1_5 | **Current Behaviour**
All credentials used by SPWA are hard coded
**Expected Behaviour**
Credentials should be retrieved from config file, which is generated when SPWA is served
| 1.0 | Credentials are hardcoded in SPWA - **Current Behaviour**
All credentials used by SPWA are hard coded
**Expected Behaviour**
Credentials should be retrieved from config file, which is generated when SPWA is served
| non_build | credentials are hardcoded in spwa current behaviour all credentials used by spwa are hard coded expected behaviour credentials should be retrieved from config file which is generated when spwa is served | 0 |
87,021 | 25,010,043,025 | IssuesEvent | 2022-11-03 14:39:44 | tokiwa-software/fuzion | https://api.github.com/repos/tokiwa-software/fuzion | opened | CI: show details of failed tests | enhancement build infrastructure | right now we only see:
```
testing interpreter: ............_.................#....._..............._..........._......._ 67/73 tests passed, 5 skipped, 1 failed.
./build/tests/javaBase/: failed
make: *** [Makefile:415: run_tests_int] Error 1
Error: Process completed with exit code 2.
``` | 1.0 | CI: show details of failed tests - right now we only see:
```
testing interpreter: ............_.................#....._..............._..........._......._ 67/73 tests passed, 5 skipped, 1 failed.
./build/tests/javaBase/: failed
make: *** [Makefile:415: run_tests_int] Error 1
Error: Process completed with exit code 2.
``` | build | ci show details of failed tests right now we only see testing interpreter tests passed skipped failed build tests javabase failed make error error process completed with exit code | 1 |
278,253 | 24,138,349,920 | IssuesEvent | 2022-09-21 13:08:49 | terrapower/armi | https://api.github.com/repos/terrapower/armi | closed | Results of ZnO linear expansion seem wrong | bug testing | Look at the existing unit test for linear expansion of zinc oxide:
https://github.com/terrapower/armi/blob/f0d27e7405bde450b1ba01825c95783080974c53/armi/materials/tests/test_materials.py#L1620-L1627
Surely that is wrong? | 1.0 | Results of ZnO linear expansion seem wrong - Look at the existing unit test for linear expansion of zinc oxide:
https://github.com/terrapower/armi/blob/f0d27e7405bde450b1ba01825c95783080974c53/armi/materials/tests/test_materials.py#L1620-L1627
Surely that is wrong? | non_build | results of zno linear expansion seem wrong look at the existing unit test for linear expansion of zinc oxide surely that is wrong | 0 |
515,664 | 14,966,891,264 | IssuesEvent | 2021-01-27 15:05:35 | webcompat/web-bugs | https://api.github.com/repos/webcompat/web-bugs | closed | onlyfans.com - video or audio doesn't play | browser-mobile-safari os-ios priority-normal | <!-- @browser: Mobile Safari 14.0.1 -->
<!-- @ua_header: Mozilla/5.0 (iPhone; CPU iPhone OS 14_3 like Mac OS X) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/14.0.1 Mobile/15E148 Safari/604.1 -->
<!-- @reported_with: unknown -->
<!-- @public_url: https://github.com/webcompat/web-bugs/issues/66297 -->
**URL**: https://onlyfans.com/99511467/razorbaby_
**Browser / Version**: Mobile Safari 14.0.1
**Operating System**: iOS 14.3
**Tested Another Browser**: Yes Safari
**Problem type**: Video or audio doesn't play
**Description**: The video or audio does not play
**Steps to Reproduce**:
<details>
<summary>Browser Configuration</summary>
<ul>
<li>None</li>
</ul>
</details>
_From [webcompat.com](https://webcompat.com/) with ❤️_ | 1.0 | onlyfans.com - video or audio doesn't play - <!-- @browser: Mobile Safari 14.0.1 -->
<!-- @ua_header: Mozilla/5.0 (iPhone; CPU iPhone OS 14_3 like Mac OS X) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/14.0.1 Mobile/15E148 Safari/604.1 -->
<!-- @reported_with: unknown -->
<!-- @public_url: https://github.com/webcompat/web-bugs/issues/66297 -->
**URL**: https://onlyfans.com/99511467/razorbaby_
**Browser / Version**: Mobile Safari 14.0.1
**Operating System**: iOS 14.3
**Tested Another Browser**: Yes Safari
**Problem type**: Video or audio doesn't play
**Description**: The video or audio does not play
**Steps to Reproduce**:
<details>
<summary>Browser Configuration</summary>
<ul>
<li>None</li>
</ul>
</details>
_From [webcompat.com](https://webcompat.com/) with ❤️_ | non_build | onlyfans com video or audio doesn t play url browser version mobile safari operating system ios tested another browser yes safari problem type video or audio doesn t play description the video or audio does not play steps to reproduce browser configuration none from with ❤️ | 0 |
112,843 | 17,104,054,998 | IssuesEvent | 2021-07-09 15:05:47 | brogers588/Java_Demo | https://api.github.com/repos/brogers588/Java_Demo | opened | CVE-2019-17571 (High) detected in log4j-1.2.13.jar | security vulnerability | ## CVE-2019-17571 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>log4j-1.2.13.jar</b></p></summary>
<p>Log4j</p>
<p>Library home page: <a href="http://logging.apache.org/log4j/">http://logging.apache.org/log4j/</a></p>
<p>Path to dependency file: Java_Demo/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/log4j/log4j/1.2.13/log4j-1.2.13.jar</p>
<p>
Dependency Hierarchy:
- slf4j-log4j12-1.5.0.jar (Root Library)
- :x: **log4j-1.2.13.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/brogers588/Java_Demo/commit/057e2c009e307c82b86a18912147951b456bf408">057e2c009e307c82b86a18912147951b456bf408</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>
Included in Log4j 1.2 is a SocketServer class that is vulnerable to deserialization of untrusted data which can be exploited to remotely execute arbitrary code when combined with a deserialization gadget when listening to untrusted network traffic for log data. This affects Log4j versions up to 1.2 up to 1.2.17.
<p>Publish Date: 2019-12-20
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-17571>CVE-2019-17571</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>9.8</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: 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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-17571">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-17571</a></p>
<p>Release Date: 2019-12-20</p>
<p>Fix Resolution: org.apache.logging.log4j:log4j-core:2.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"log4j","packageName":"log4j","packageVersion":"1.2.13","packageFilePaths":["/pom.xml"],"isTransitiveDependency":true,"dependencyTree":"org.slf4j:slf4j-log4j12:1.5.0;log4j:log4j:1.2.13","isMinimumFixVersionAvailable":true,"minimumFixVersion":"org.apache.logging.log4j:log4j-core:2.0"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2019-17571","vulnerabilityDetails":"Included in Log4j 1.2 is a SocketServer class that is vulnerable to deserialization of untrusted data which can be exploited to remotely execute arbitrary code when combined with a deserialization gadget when listening to untrusted network traffic for log data. This affects Log4j versions up to 1.2 up to 1.2.17.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-17571","cvss3Severity":"high","cvss3Score":"9.8","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> --> | True | CVE-2019-17571 (High) detected in log4j-1.2.13.jar - ## CVE-2019-17571 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>log4j-1.2.13.jar</b></p></summary>
<p>Log4j</p>
<p>Library home page: <a href="http://logging.apache.org/log4j/">http://logging.apache.org/log4j/</a></p>
<p>Path to dependency file: Java_Demo/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/log4j/log4j/1.2.13/log4j-1.2.13.jar</p>
<p>
Dependency Hierarchy:
- slf4j-log4j12-1.5.0.jar (Root Library)
- :x: **log4j-1.2.13.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/brogers588/Java_Demo/commit/057e2c009e307c82b86a18912147951b456bf408">057e2c009e307c82b86a18912147951b456bf408</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>
Included in Log4j 1.2 is a SocketServer class that is vulnerable to deserialization of untrusted data which can be exploited to remotely execute arbitrary code when combined with a deserialization gadget when listening to untrusted network traffic for log data. This affects Log4j versions up to 1.2 up to 1.2.17.
<p>Publish Date: 2019-12-20
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-17571>CVE-2019-17571</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>9.8</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: 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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-17571">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-17571</a></p>
<p>Release Date: 2019-12-20</p>
<p>Fix Resolution: org.apache.logging.log4j:log4j-core:2.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"log4j","packageName":"log4j","packageVersion":"1.2.13","packageFilePaths":["/pom.xml"],"isTransitiveDependency":true,"dependencyTree":"org.slf4j:slf4j-log4j12:1.5.0;log4j:log4j:1.2.13","isMinimumFixVersionAvailable":true,"minimumFixVersion":"org.apache.logging.log4j:log4j-core:2.0"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2019-17571","vulnerabilityDetails":"Included in Log4j 1.2 is a SocketServer class that is vulnerable to deserialization of untrusted data which can be exploited to remotely execute arbitrary code when combined with a deserialization gadget when listening to untrusted network traffic for log data. This affects Log4j versions up to 1.2 up to 1.2.17.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-17571","cvss3Severity":"high","cvss3Score":"9.8","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> --> | non_build | cve high detected in jar cve high severity vulnerability vulnerable library jar library home page a href path to dependency file java demo pom xml path to vulnerable library home wss scanner repository jar dependency hierarchy jar root library x jar vulnerable library found in head commit a href found in base branch master vulnerability details included in is a socketserver class that is vulnerable to deserialization of untrusted data which can be exploited to remotely execute arbitrary code when combined with a deserialization gadget when listening to untrusted network traffic for log data this affects versions up to up to 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 high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution org apache logging core isopenpronvulnerability true ispackagebased true isdefaultbranch true packages istransitivedependency true dependencytree org isminimumfixversionavailable true minimumfixversion org apache logging core basebranches vulnerabilityidentifier cve vulnerabilitydetails included in is a socketserver class that is vulnerable to deserialization of untrusted data which can be exploited to remotely execute arbitrary code when combined with a deserialization gadget when listening to untrusted network traffic for log data this affects versions up to up to vulnerabilityurl | 0 |
815,470 | 30,556,598,553 | IssuesEvent | 2023-07-20 12:08:33 | unep-grid/mapx | https://api.github.com/repos/unep-grid/mapx | closed | Sharing manager: add an option to enable/disable the globe mode button | priority 1 | - [ ] add an option to enable/disable the globe mode button in the menu bar when sharing a view in static mode
Other option:
The globe mode button is disabled automatically if the "Limit map panning to current extent" option is enabled. | 1.0 | Sharing manager: add an option to enable/disable the globe mode button - - [ ] add an option to enable/disable the globe mode button in the menu bar when sharing a view in static mode
Other option:
The globe mode button is disabled automatically if the "Limit map panning to current extent" option is enabled. | non_build | sharing manager add an option to enable disable the globe mode button add an option to enable disable the globe mode button in the menu bar when sharing a view in static mode other option the globe mode button is disabled automatically if the limit map panning to current extent option is enabled | 0 |
16,735 | 6,274,580,626 | IssuesEvent | 2017-07-18 02:49:37 | gregswindle/generator-apiproxy | https://api.github.com/repos/gregswindle/generator-apiproxy | closed | feat(subgenerator:bitbucket): init bitbucket repo for project | Points: 2 Priority: High Status: Available Type: Build Type: Feature | ## User story
<!--- Provide a general summary of the issue in the Title above -->
<!---
If you're reporting a defect/bug, delete this section and uncomment
everything under the DEFECTS section below.
-->
As a {role},
I must/need/want/should {do something}
In order to {achieve business value}.
<!---
Write each criterion in the present tense. Criteria should express the
Developer Portal's behavior once the requirement have been met and all
tests pass with full coverage.
-->
## Acceptance criteria
- [ ] 1. {criterion-one}
- [ ] 2. {criterion-two}
- [ ] 3. {criterion-three}
- [ ] 4. {criterion-four}
<!-- DEFECTS -->
<!--- If you're describing a bug, tell us what should happen -->
<!-- ## Expected Behavior -->
<!-- ## Current Behavior -->
<!--- If describing a bug, tell us what happens instead of the expected behavior -->
<!--- If suggesting a change/improvement, explain the difference from current behavior -->
<!-- ## Possible Solution -->
<!--- Not obligatory, but suggest a fix/reason for the bug, -->
<!--- or ideas how to implement the addition or change -->
<!-- ## Steps to Reproduce (for bugs) -->
<!--- Provide a link to a live example, or an unambiguous set of steps to -->
<!--- reproduce this bug. Include code to reproduce, if relevant -->
<!-- 1.
2.
3.
4. -->
<!-- ## Context -->
<!--- How has this issue affected you? What are you trying to accomplish? -->
<!--- Providing context helps us come up with a solution that is most useful in the real world -->
<!-- ## Your Environment -->
<!--- Include as many relevant details about the environment you experienced the Type: Defect in -->
<!-- * Version used:
* Environment name and version (e.g. Chrome 39, node.js 5.4):
* Operating System and version (desktop or mobile):
* Link to your project: -->
[eslint-plugin-dev-env-url]: http://eslint.org/docs/developer-guide/development-environment
| 1.0 | feat(subgenerator:bitbucket): init bitbucket repo for project - ## User story
<!--- Provide a general summary of the issue in the Title above -->
<!---
If you're reporting a defect/bug, delete this section and uncomment
everything under the DEFECTS section below.
-->
As a {role},
I must/need/want/should {do something}
In order to {achieve business value}.
<!---
Write each criterion in the present tense. Criteria should express the
Developer Portal's behavior once the requirement have been met and all
tests pass with full coverage.
-->
## Acceptance criteria
- [ ] 1. {criterion-one}
- [ ] 2. {criterion-two}
- [ ] 3. {criterion-three}
- [ ] 4. {criterion-four}
<!-- DEFECTS -->
<!--- If you're describing a bug, tell us what should happen -->
<!-- ## Expected Behavior -->
<!-- ## Current Behavior -->
<!--- If describing a bug, tell us what happens instead of the expected behavior -->
<!--- If suggesting a change/improvement, explain the difference from current behavior -->
<!-- ## Possible Solution -->
<!--- Not obligatory, but suggest a fix/reason for the bug, -->
<!--- or ideas how to implement the addition or change -->
<!-- ## Steps to Reproduce (for bugs) -->
<!--- Provide a link to a live example, or an unambiguous set of steps to -->
<!--- reproduce this bug. Include code to reproduce, if relevant -->
<!-- 1.
2.
3.
4. -->
<!-- ## Context -->
<!--- How has this issue affected you? What are you trying to accomplish? -->
<!--- Providing context helps us come up with a solution that is most useful in the real world -->
<!-- ## Your Environment -->
<!--- Include as many relevant details about the environment you experienced the Type: Defect in -->
<!-- * Version used:
* Environment name and version (e.g. Chrome 39, node.js 5.4):
* Operating System and version (desktop or mobile):
* Link to your project: -->
[eslint-plugin-dev-env-url]: http://eslint.org/docs/developer-guide/development-environment
| build | feat subgenerator bitbucket init bitbucket repo for project user story if you re reporting a defect bug delete this section and uncomment everything under the defects section below as a role i must need want should do something in order to achieve business value write each criterion in the present tense criteria should express the developer portal s behavior once the requirement have been met and all tests pass with full coverage acceptance criteria criterion one criterion two criterion three criterion four version used environment name and version e g chrome node js operating system and version desktop or mobile link to your project | 1 |
81,666 | 23,526,969,878 | IssuesEvent | 2022-08-19 11:51:18 | adoptium/temurin-build | https://api.github.com/repos/adoptium/temurin-build | opened | Capture all findings for reproducible builds | reproducible-build | To have an issue where we can list all the difficulties and findings when we try to work out how to make reproducible builds.
| 1.0 | Capture all findings for reproducible builds - To have an issue where we can list all the difficulties and findings when we try to work out how to make reproducible builds.
| build | capture all findings for reproducible builds to have an issue where we can list all the difficulties and findings when we try to work out how to make reproducible builds | 1 |
73,500 | 19,700,612,505 | IssuesEvent | 2022-01-12 16:17:22 | spacetelescope/hstcal | https://api.github.com/repos/spacetelescope/hstcal | closed | WAF incompatible with Python 3.7 | build | I get the following when trying to configure hstcal:
```
raceback (most recent call last):
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Node.py", line 295, in ant_iter
raise StopIteration
StopIteration
The above exception was the direct cause of the following exception:
Traceback (most recent call last):
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Scripting.py", line 120, in waf_entry_point
run_commands()
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Scripting.py", line 177, in run_commands
parse_options()
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Scripting.py", line 150, in parse_options
Context.create_context('options').execute()
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Options.py", line 149, in execute
super(OptionsContext,self).execute()
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Context.py", line 88, in execute
self.recurse([os.path.dirname(g_module.root_path)])
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Context.py", line 129, in recurse
user_function(self)
File "/home/jnoss/dev/hstcal/wscript", line 48, in options
opt.load('compiler_c')
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Context.py", line 85, in load
fun(self)
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Tools/compiler_c.py", line 40, in options
opt.load_special_tools('c_*.py',ban=['c_dumbpreproc.py'])
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Context.py", line 319, in load_special_tools
lst=self.root.find_node(waf_dir).find_node('waflib/extras').ant_glob(var)
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Node.py", line 344, in ant_glob
ret=[x for x in self.ant_iter(accept=accept,pats=[to_pat(incl),to_pat(excl)],maxdepth=kw.get('maxdepth',25),dir=dir,src=src,remove=kw.get('remove',True))]
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Node.py", line 344, in <listcomp>
ret=[x for x in self.ant_iter(accept=accept,pats=[to_pat(incl),to_pat(excl)],maxdepth=kw.get('maxdepth',25),dir=dir,src=src,remove=kw.get('remove',True))]
RuntimeError: generator raised StopIteration
```
A quick Google yields a similar issue https://github.com/pypa/setuptools/issues/1285 which states [here](https://github.com/pypa/setuptools/issues/1285#issuecomment-370560419)
> The issue is an intentional regression introduced in Python 3.7 as part of [PEP 479](https://www.python.org/dev/peps/pep-0479).
I had a quick search over the [WAF issues](https://gitlab.com/ita1024/waf/issues) and couldn't see anything related, this may have not been fixed.
Anyone else getting deja vu with this issue? | 1.0 | WAF incompatible with Python 3.7 - I get the following when trying to configure hstcal:
```
raceback (most recent call last):
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Node.py", line 295, in ant_iter
raise StopIteration
StopIteration
The above exception was the direct cause of the following exception:
Traceback (most recent call last):
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Scripting.py", line 120, in waf_entry_point
run_commands()
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Scripting.py", line 177, in run_commands
parse_options()
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Scripting.py", line 150, in parse_options
Context.create_context('options').execute()
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Options.py", line 149, in execute
super(OptionsContext,self).execute()
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Context.py", line 88, in execute
self.recurse([os.path.dirname(g_module.root_path)])
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Context.py", line 129, in recurse
user_function(self)
File "/home/jnoss/dev/hstcal/wscript", line 48, in options
opt.load('compiler_c')
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Context.py", line 85, in load
fun(self)
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Tools/compiler_c.py", line 40, in options
opt.load_special_tools('c_*.py',ban=['c_dumbpreproc.py'])
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Context.py", line 319, in load_special_tools
lst=self.root.find_node(waf_dir).find_node('waflib/extras').ant_glob(var)
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Node.py", line 344, in ant_glob
ret=[x for x in self.ant_iter(accept=accept,pats=[to_pat(incl),to_pat(excl)],maxdepth=kw.get('maxdepth',25),dir=dir,src=src,remove=kw.get('remove',True))]
File "/home/jnoss/dev/hstcal/.waf3-1.9.9-9d160c52ab497577bf419cd4334f62b4/waflib/Node.py", line 344, in <listcomp>
ret=[x for x in self.ant_iter(accept=accept,pats=[to_pat(incl),to_pat(excl)],maxdepth=kw.get('maxdepth',25),dir=dir,src=src,remove=kw.get('remove',True))]
RuntimeError: generator raised StopIteration
```
A quick Google yields a similar issue https://github.com/pypa/setuptools/issues/1285 which states [here](https://github.com/pypa/setuptools/issues/1285#issuecomment-370560419)
> The issue is an intentional regression introduced in Python 3.7 as part of [PEP 479](https://www.python.org/dev/peps/pep-0479).
I had a quick search over the [WAF issues](https://gitlab.com/ita1024/waf/issues) and couldn't see anything related, this may have not been fixed.
Anyone else getting deja vu with this issue? | build | waf incompatible with python i get the following when trying to configure hstcal raceback most recent call last file home jnoss dev hstcal waflib node py line in ant iter raise stopiteration stopiteration the above exception was the direct cause of the following exception traceback most recent call last file home jnoss dev hstcal waflib scripting py line in waf entry point run commands file home jnoss dev hstcal waflib scripting py line in run commands parse options file home jnoss dev hstcal waflib scripting py line in parse options context create context options execute file home jnoss dev hstcal waflib options py line in execute super optionscontext self execute file home jnoss dev hstcal waflib context py line in execute self recurse file home jnoss dev hstcal waflib context py line in recurse user function self file home jnoss dev hstcal wscript line in options opt load compiler c file home jnoss dev hstcal waflib context py line in load fun self file home jnoss dev hstcal waflib tools compiler c py line in options opt load special tools c py ban file home jnoss dev hstcal waflib context py line in load special tools lst self root find node waf dir find node waflib extras ant glob var file home jnoss dev hstcal waflib node py line in ant glob ret maxdepth kw get maxdepth dir dir src src remove kw get remove true file home jnoss dev hstcal waflib node py line in ret maxdepth kw get maxdepth dir dir src src remove kw get remove true runtimeerror generator raised stopiteration a quick google yields a similar issue which states the issue is an intentional regression introduced in python as part of i had a quick search over the and couldn t see anything related this may have not been fixed anyone else getting deja vu with this issue | 1 |
21,281 | 6,997,164,655 | IssuesEvent | 2017-12-16 11:12:12 | jupyterlab/jupyterlab | https://api.github.com/repos/jupyterlab/jupyterlab | closed | JupyterLab builds and runs in dev-mode but generates extension errors in production mode. | tag:Build System type:Bug | Installing jupyterlab works OK: `pip3 install https://github.com/jupyterlab/jupyterlab/zipball/master`
However, at runtime, CSS is not correctly loaded (what text appears, appears unstyled, and window decorations, such as the "OK" button in dialogs, do not appear), and there is the following message in the Javascript console: `thememanager.js:166 Stylesheet failed to load: /lab/api/themes/@jupyterlab/theme-light-extension/index.css`
This suggests to me that the themes are not being correctly packed into the zipball, which in turn suggests that they're being left out during the build process at some point.
`pip install -e .` in the checked-out source directory is reported to work fine by @afshin . | 1.0 | JupyterLab builds and runs in dev-mode but generates extension errors in production mode. - Installing jupyterlab works OK: `pip3 install https://github.com/jupyterlab/jupyterlab/zipball/master`
However, at runtime, CSS is not correctly loaded (what text appears, appears unstyled, and window decorations, such as the "OK" button in dialogs, do not appear), and there is the following message in the Javascript console: `thememanager.js:166 Stylesheet failed to load: /lab/api/themes/@jupyterlab/theme-light-extension/index.css`
This suggests to me that the themes are not being correctly packed into the zipball, which in turn suggests that they're being left out during the build process at some point.
`pip install -e .` in the checked-out source directory is reported to work fine by @afshin . | build | jupyterlab builds and runs in dev mode but generates extension errors in production mode installing jupyterlab works ok install however at runtime css is not correctly loaded what text appears appears unstyled and window decorations such as the ok button in dialogs do not appear and there is the following message in the javascript console thememanager js stylesheet failed to load lab api themes jupyterlab theme light extension index css this suggests to me that the themes are not being correctly packed into the zipball which in turn suggests that they re being left out during the build process at some point pip install e in the checked out source directory is reported to work fine by afshin | 1 |
184,752 | 32,038,928,594 | IssuesEvent | 2023-09-22 17:34:52 | activist-org/activist | https://api.github.com/repos/activist-org/activist | opened | Create sign in/sign up tooltip | feature help wanted good first issue design | ### Terms
- [X] I have searched [open and closed feature requests](https://github.com/activist-org/activist/issues?q=is%3Aissue+label%3Afeature)
- [X] I agree to follow activist's [Code of Conduct](https://github.com/activist-org/activist/blob/main/.github/CODE_OF_CONDUCT.md)
### Description
This issue would be to create a component `TooltipSignIn.vue` that would prompt the user that they need to sign in or sign up. The designs for this can be found [on Figma](https://www.figma.com/file/I9McFfaLu1RiiWp5IP3YjE/activist_public_designs?type=design&node-id=2037%3A3102&mode=design&t=QtIT1amRX0lQy9zG-1) and can further be seen below:

This component would comprise of a text, two `BtnLabeled` components, would need a shodow and would further be reactive to light and dark mode 😊 What would be even better would be if we could create a base tooltip component that then can be changed based on a passed text and buttons to a `<slot>`, which I'd be happy to discuss with the potential contributor!
### Contribution
This is a great `good first issue` for someone who'd like to make a first component for us, and can also be picked up by a member of the community if they're looking for something to work on 😊 Happy to support someone who has interest in working on this! | 1.0 | Create sign in/sign up tooltip - ### Terms
- [X] I have searched [open and closed feature requests](https://github.com/activist-org/activist/issues?q=is%3Aissue+label%3Afeature)
- [X] I agree to follow activist's [Code of Conduct](https://github.com/activist-org/activist/blob/main/.github/CODE_OF_CONDUCT.md)
### Description
This issue would be to create a component `TooltipSignIn.vue` that would prompt the user that they need to sign in or sign up. The designs for this can be found [on Figma](https://www.figma.com/file/I9McFfaLu1RiiWp5IP3YjE/activist_public_designs?type=design&node-id=2037%3A3102&mode=design&t=QtIT1amRX0lQy9zG-1) and can further be seen below:

This component would comprise of a text, two `BtnLabeled` components, would need a shodow and would further be reactive to light and dark mode 😊 What would be even better would be if we could create a base tooltip component that then can be changed based on a passed text and buttons to a `<slot>`, which I'd be happy to discuss with the potential contributor!
### Contribution
This is a great `good first issue` for someone who'd like to make a first component for us, and can also be picked up by a member of the community if they're looking for something to work on 😊 Happy to support someone who has interest in working on this! | non_build | create sign in sign up tooltip terms i have searched i agree to follow activist s description this issue would be to create a component tooltipsignin vue that would prompt the user that they need to sign in or sign up the designs for this can be found and can further be seen below this component would comprise of a text two btnlabeled components would need a shodow and would further be reactive to light and dark mode 😊 what would be even better would be if we could create a base tooltip component that then can be changed based on a passed text and buttons to a which i d be happy to discuss with the potential contributor contribution this is a great good first issue for someone who d like to make a first component for us and can also be picked up by a member of the community if they re looking for something to work on 😊 happy to support someone who has interest in working on this | 0 |
22,226 | 7,134,188,965 | IssuesEvent | 2018-01-22 19:58:47 | quikserve/Captain-Awesome | https://api.github.com/repos/quikserve/Captain-Awesome | opened | Godfather's request 1/24/18 | Databuilding New Button |
Breakfast rolls priced at 2.99
Discount key labeled 2 for 22 with a negative 5.98 Key labeled {CBR- Large} print on register tape Chicken Bacon Ranch Pizza price 15.99 Key labeled {CBR-Mini} print on register tape Chicken Bacon Ranch Pizza price 4.99
| 1.0 | Godfather's request 1/24/18 -
Breakfast rolls priced at 2.99
Discount key labeled 2 for 22 with a negative 5.98 Key labeled {CBR- Large} print on register tape Chicken Bacon Ranch Pizza price 15.99 Key labeled {CBR-Mini} print on register tape Chicken Bacon Ranch Pizza price 4.99
| build | godfather s request breakfast rolls priced at discount key labeled for with a negative key labeled cbr large print on register tape chicken bacon ranch pizza price key labeled cbr mini print on register tape chicken bacon ranch pizza price | 1 |
33,016 | 15,761,456,446 | IssuesEvent | 2021-03-31 10:00:25 | wazuh/wazuh-qa | https://api.github.com/repos/wazuh/wazuh-qa | opened | Performance tests: improve the deploy of the simulated agents | performance type/enhancement | The current implementation of this deployment adds a huge overhead in the pipeline because it is in charge of deploying the instances where the simulated agents will run, the toolset, and run the simulated agents.
We must move this deployment to Fargate to get rid of the instances deployment and the installation of the toolset. Using Fargate we can define a Docker image that will run the simulated agents, making it completely transparent to the pipeline.
**Tasks**
- [ ] Create the ECS cluster.
- [ ] Create a new Docker image to run the simulated agents.
- [ ] Create a new ECS task to run it:
- [ ] Create the task.
- [ ] Analyze the behavior of the Docker and establish the best hardware resources for it.
- [ ] Refactor the pipeline.
| True | Performance tests: improve the deploy of the simulated agents - The current implementation of this deployment adds a huge overhead in the pipeline because it is in charge of deploying the instances where the simulated agents will run, the toolset, and run the simulated agents.
We must move this deployment to Fargate to get rid of the instances deployment and the installation of the toolset. Using Fargate we can define a Docker image that will run the simulated agents, making it completely transparent to the pipeline.
**Tasks**
- [ ] Create the ECS cluster.
- [ ] Create a new Docker image to run the simulated agents.
- [ ] Create a new ECS task to run it:
- [ ] Create the task.
- [ ] Analyze the behavior of the Docker and establish the best hardware resources for it.
- [ ] Refactor the pipeline.
| non_build | performance tests improve the deploy of the simulated agents the current implementation of this deployment adds a huge overhead in the pipeline because it is in charge of deploying the instances where the simulated agents will run the toolset and run the simulated agents we must move this deployment to fargate to get rid of the instances deployment and the installation of the toolset using fargate we can define a docker image that will run the simulated agents making it completely transparent to the pipeline tasks create the ecs cluster create a new docker image to run the simulated agents create a new ecs task to run it create the task analyze the behavior of the docker and establish the best hardware resources for it refactor the pipeline | 0 |
7,480 | 3,985,384,254 | IssuesEvent | 2016-05-07 20:58:28 | scipy/scipy | https://api.github.com/repos/scipy/scipy | closed | Building scipy on PA-RISC (Trac #1018) | Build issues defect Migrated from Trac prio-normal | _Original ticket http://projects.scipy.org/scipy/ticket/1018 on 2009-10-13 by trac user dpeterson, assigned to unknown._
The following was sent to me via e-mail from Burkhard Neinhues:
The following patches are against scipy 0.70 and are necessary to build on PA-RISC HP-UX. The following environment was used:
# settings for optimised math libs
export SCIPY_FCONFIG="config_fc --fcompiler=hpux"
export LAPACK=/opt/mlib/lib/pa20_64/liblapack.sl
export BLAS=/opt/mlib/lib/pa20_64/libveclib.sl
For HP-UX I had to remove the inline stuff as the compiler rejected the code.
However, the results of the test matrix (see attachment test.out) don't look that nice. What am I missing here?
The patches are attached, as is output from a test run.
| 1.0 | Building scipy on PA-RISC (Trac #1018) - _Original ticket http://projects.scipy.org/scipy/ticket/1018 on 2009-10-13 by trac user dpeterson, assigned to unknown._
The following was sent to me via e-mail from Burkhard Neinhues:
The following patches are against scipy 0.70 and are necessary to build on PA-RISC HP-UX. The following environment was used:
# settings for optimised math libs
export SCIPY_FCONFIG="config_fc --fcompiler=hpux"
export LAPACK=/opt/mlib/lib/pa20_64/liblapack.sl
export BLAS=/opt/mlib/lib/pa20_64/libveclib.sl
For HP-UX I had to remove the inline stuff as the compiler rejected the code.
However, the results of the test matrix (see attachment test.out) don't look that nice. What am I missing here?
The patches are attached, as is output from a test run.
| build | building scipy on pa risc trac original ticket on by trac user dpeterson assigned to unknown the following was sent to me via e mail from burkhard neinhues the following patches are against scipy and are necessary to build on pa risc hp ux the following environment was used settings for optimised math libs export scipy fconfig config fc fcompiler hpux export lapack opt mlib lib liblapack sl export blas opt mlib lib libveclib sl for hp ux i had to remove the inline stuff as the compiler rejected the code however the results of the test matrix see attachment test out don t look that nice what am i missing here the patches are attached as is output from a test run | 1 |
53,147 | 13,127,362,970 | IssuesEvent | 2020-08-06 10:12:55 | tensorflow/tensorflow | https://api.github.com/repos/tensorflow/tensorflow | opened | Build Failure of version 2.3.0 in macOS, MacPorts | type:build/install | Version 2.3.0 fails to build on macOS.
First issue, `Action failed to execute: java.io.IOException: Cannot run program… error=24, Too many open files`:
```
ERROR: /opt/local/var/macports/build/_opt_local_ports_python_py-tensorflow/py37-tensorflow/work/tensorflow-tensorflow-b36436b/tensorflow/core/common_runtime/BUILD:328:11: C++ compilation of rule '//tensorflow/core/common_runtime:collective_executor_mgr' failed (Exit -1): wrapped_clang failed: error executing command
(cd /opt/local/var/macports/build/_opt_local_ports_python_py-tensorflow/py37-tensorflow/work/e3571a779784f9da03a7824d69817047/execroot/org_tensorflow && \
exec env - \
APPLE_SDK_PLATFORM=MacOSX \
APPLE_SDK_VERSION_OVERRIDE=10.15 \
PATH=/opt/local/bin:/opt/local/sbin:/bin:/sbin:/usr/bin:/usr/sbin \
XCODE_VERSION_OVERRIDE=11.6.0.11E708 \
external/local_config_cc/wrapped_clang '-D_FORTIFY_SOURCE=1' -fstack-protector -fcolor-diagnostics -Wall -Wthread-safety -Wself-assign -fno-omit-frame-pointer -g0 -O2 '-D_FORTIFY_SOURCE=1' -DNDEBUG '-std=c++11' -iquote . -iquote bazel-out/host/bin -iquote external/com_google_absl -iquote bazel-out/host/bin/external/com_google_absl -iquote external/eigen_archive -iquote bazel-out/host/bin/external/eigen_archive -iquote external/local_config_sycl -iquote bazel-out/host/bin/external/local_config_sycl -iquote external/nsync -iquote bazel-out/host/bin/external/nsync -iquote external/gif -iquote bazel-out/host/bin/external/gif -iquote external/libjpeg_turbo -iquote bazel-out/host/bin/external/libjpeg_turbo -iquote external/com_google_protobuf -iquote bazel-out/host/bin/external/com_google_protobuf -iquote external/com_googlesource_code_re2 -iquote bazel-out/host/bin/external/com_googlesource_code_re2 -iquote external/farmhash_archive -iquote bazel-out/host/bin/external/farmhash_archive -iquote external/fft2d -iquote bazel-out/host/bin/external/fft2d -iquote external/highwayhash -iquote bazel-out/host/bin/external/highwayhash -iquote external/zlib -iquote bazel-out/host/bin/external/zlib -iquote external/double_conversion -iquote bazel-out/host/bin/external/double_conversion -isystem external/eigen_archive -isystem bazel-out/host/bin/external/eigen_archive -isystem external/nsync/public -isystem bazel-out/host/bin/external/nsync/public -isystem external/gif -isystem bazel-out/host/bin/external/gif -isystem external/com_google_protobuf/src -isystem bazel-out/host/bin/external/com_google_protobuf/src -isystem external/farmhash_archive/src -isystem bazel-out/host/bin/external/farmhash_archive/src -isystem external/zlib -isystem bazel-out/host/bin/external/zlib -isystem external/double_conversion -isystem bazel-out/host/bin/external/double_conversion -MD -MF bazel-out/host/bin/tensorflow/core/common_runtime/_objs/collective_executor_mgr/collective_executor_mgr.d -D__CLANG_SUPPORT_DYN_ANNOTATION__ -DEIGEN_MPL2_ONLY '-DEIGEN_MAX_ALIGN_BYTES=64' '-DEIGEN_HAS_TYPE_TRAITS=0' '-frandom-seed=bazel-out/host/bin/tensorflow/core/common_runtime/_objs/collective_executor_mgr/collective_executor_mgr.o' -isysroot __BAZEL_XCODE_SDKROOT__ -F__BAZEL_XCODE_SDKROOT__/System/Library/Frameworks -F__BAZEL_XCODE_DEVELOPER_DIR__/Platforms/MacOSX.platform/Developer/Library/Frameworks '-mmacosx-version-min=10.15' -g0 '-march=x86-64' -g0 '-std=c++14' -DEIGEN_AVOID_STL_ARRAY -Iexternal/gemmlowp -Wno-sign-compare '-ftemplate-depth=900' -fno-exceptions '-DTENSORFLOW_USE_XLA=1' -no-canonical-prefixes -Wno-builtin-macro-redefined '-D__DATE__="redacted"' '-D__TIMESTAMP__="redacted"' '-D__TIME__="redacted"' -c tensorflow/core/common_runtime/collective_executor_mgr.cc -o bazel-out/host/bin/tensorflow/core/common_runtime/_objs/collective_executor_mgr/collective_executor_mgr.o)
Execution platform: @local_execution_config_platform//:platform. Note: Remote connection/protocol failed with: execution failed
Action failed to execute: java.io.IOException: Cannot run program "/opt/local/var/macports/build/_opt_local_ports_python_py-tensorflow/py37-tensorflow/work/install/1eb24b6f9fb447fbef56fd6c7521f126/process-wrapper" (in directory "/opt/local/var/macports/build/_opt_local_ports_python_py-tensorflow/py37-tensorflow/work/e3571a779784f9da03a7824d69817047/execroot/org_tensorflow"): error=24, Too many open files
Target //tensorflow/tools/pip_package:build_pip_package failed to build
```
This is with system settings:
```bash
$ ulimit -n
65536
$ launchctl limit maxfiles
maxfiles 65536 200000
```
Starting the build again, another issue is encountered, apparently arising from https://github.com/tensorflow/tensorflow/pull/40654.
Second issue, `error: no matching function for call to object of type '(lambda at tensorflow/python/lib/core/bfloat16.cc:637:25)`:
```
:info:build tensorflow/python/lib/core/bfloat16.cc:678:8: error: no matching function for call to object of type '(lambda at tensorflow/python/lib/core/bfloat16.cc:637:25)'
:info:build if (!register_ufunc("less_equal", CompareUFunc<Bfloat16LeFunctor>,
:info:build ^~~~~~~~~~~~~~
:info:build tensorflow/python/lib/core/bfloat16.cc:637:25: note: candidate function not viable: no overload of 'CompareUFunc' matching 'PyUFuncGenericFunction' (aka 'void (*)(char **, const long *, const long *, void *)') for 2nd argument
:info:build auto register_ufunc = [&](const char* name, PyUFuncGenericFunction fn,
:info:build ^
:info:build tensorflow/python/lib/core/bfloat16.cc:682:8: error: no matching function for call to object of type '(lambda at tensorflow/python/lib/core/bfloat16.cc:637:25)'
:info:build if (!register_ufunc("greater_equal", CompareUFunc<Bfloat16GeFunctor>,
:info:build ^~~~~~~~~~~~~~
```
macOS 10.15.6 19G73
Xcode 11.6 11E708
Related:
* https://trac.macports.org/ticket/60960
* https://github.com/macports/macports-ports/pull/7575
* https://github.com/tensorflow/tensorflow/pull/40654
| 1.0 | Build Failure of version 2.3.0 in macOS, MacPorts - Version 2.3.0 fails to build on macOS.
First issue, `Action failed to execute: java.io.IOException: Cannot run program… error=24, Too many open files`:
```
ERROR: /opt/local/var/macports/build/_opt_local_ports_python_py-tensorflow/py37-tensorflow/work/tensorflow-tensorflow-b36436b/tensorflow/core/common_runtime/BUILD:328:11: C++ compilation of rule '//tensorflow/core/common_runtime:collective_executor_mgr' failed (Exit -1): wrapped_clang failed: error executing command
(cd /opt/local/var/macports/build/_opt_local_ports_python_py-tensorflow/py37-tensorflow/work/e3571a779784f9da03a7824d69817047/execroot/org_tensorflow && \
exec env - \
APPLE_SDK_PLATFORM=MacOSX \
APPLE_SDK_VERSION_OVERRIDE=10.15 \
PATH=/opt/local/bin:/opt/local/sbin:/bin:/sbin:/usr/bin:/usr/sbin \
XCODE_VERSION_OVERRIDE=11.6.0.11E708 \
external/local_config_cc/wrapped_clang '-D_FORTIFY_SOURCE=1' -fstack-protector -fcolor-diagnostics -Wall -Wthread-safety -Wself-assign -fno-omit-frame-pointer -g0 -O2 '-D_FORTIFY_SOURCE=1' -DNDEBUG '-std=c++11' -iquote . -iquote bazel-out/host/bin -iquote external/com_google_absl -iquote bazel-out/host/bin/external/com_google_absl -iquote external/eigen_archive -iquote bazel-out/host/bin/external/eigen_archive -iquote external/local_config_sycl -iquote bazel-out/host/bin/external/local_config_sycl -iquote external/nsync -iquote bazel-out/host/bin/external/nsync -iquote external/gif -iquote bazel-out/host/bin/external/gif -iquote external/libjpeg_turbo -iquote bazel-out/host/bin/external/libjpeg_turbo -iquote external/com_google_protobuf -iquote bazel-out/host/bin/external/com_google_protobuf -iquote external/com_googlesource_code_re2 -iquote bazel-out/host/bin/external/com_googlesource_code_re2 -iquote external/farmhash_archive -iquote bazel-out/host/bin/external/farmhash_archive -iquote external/fft2d -iquote bazel-out/host/bin/external/fft2d -iquote external/highwayhash -iquote bazel-out/host/bin/external/highwayhash -iquote external/zlib -iquote bazel-out/host/bin/external/zlib -iquote external/double_conversion -iquote bazel-out/host/bin/external/double_conversion -isystem external/eigen_archive -isystem bazel-out/host/bin/external/eigen_archive -isystem external/nsync/public -isystem bazel-out/host/bin/external/nsync/public -isystem external/gif -isystem bazel-out/host/bin/external/gif -isystem external/com_google_protobuf/src -isystem bazel-out/host/bin/external/com_google_protobuf/src -isystem external/farmhash_archive/src -isystem bazel-out/host/bin/external/farmhash_archive/src -isystem external/zlib -isystem bazel-out/host/bin/external/zlib -isystem external/double_conversion -isystem bazel-out/host/bin/external/double_conversion -MD -MF bazel-out/host/bin/tensorflow/core/common_runtime/_objs/collective_executor_mgr/collective_executor_mgr.d -D__CLANG_SUPPORT_DYN_ANNOTATION__ -DEIGEN_MPL2_ONLY '-DEIGEN_MAX_ALIGN_BYTES=64' '-DEIGEN_HAS_TYPE_TRAITS=0' '-frandom-seed=bazel-out/host/bin/tensorflow/core/common_runtime/_objs/collective_executor_mgr/collective_executor_mgr.o' -isysroot __BAZEL_XCODE_SDKROOT__ -F__BAZEL_XCODE_SDKROOT__/System/Library/Frameworks -F__BAZEL_XCODE_DEVELOPER_DIR__/Platforms/MacOSX.platform/Developer/Library/Frameworks '-mmacosx-version-min=10.15' -g0 '-march=x86-64' -g0 '-std=c++14' -DEIGEN_AVOID_STL_ARRAY -Iexternal/gemmlowp -Wno-sign-compare '-ftemplate-depth=900' -fno-exceptions '-DTENSORFLOW_USE_XLA=1' -no-canonical-prefixes -Wno-builtin-macro-redefined '-D__DATE__="redacted"' '-D__TIMESTAMP__="redacted"' '-D__TIME__="redacted"' -c tensorflow/core/common_runtime/collective_executor_mgr.cc -o bazel-out/host/bin/tensorflow/core/common_runtime/_objs/collective_executor_mgr/collective_executor_mgr.o)
Execution platform: @local_execution_config_platform//:platform. Note: Remote connection/protocol failed with: execution failed
Action failed to execute: java.io.IOException: Cannot run program "/opt/local/var/macports/build/_opt_local_ports_python_py-tensorflow/py37-tensorflow/work/install/1eb24b6f9fb447fbef56fd6c7521f126/process-wrapper" (in directory "/opt/local/var/macports/build/_opt_local_ports_python_py-tensorflow/py37-tensorflow/work/e3571a779784f9da03a7824d69817047/execroot/org_tensorflow"): error=24, Too many open files
Target //tensorflow/tools/pip_package:build_pip_package failed to build
```
This is with system settings:
```bash
$ ulimit -n
65536
$ launchctl limit maxfiles
maxfiles 65536 200000
```
Starting the build again, another issue is encountered, apparently arising from https://github.com/tensorflow/tensorflow/pull/40654.
Second issue, `error: no matching function for call to object of type '(lambda at tensorflow/python/lib/core/bfloat16.cc:637:25)`:
```
:info:build tensorflow/python/lib/core/bfloat16.cc:678:8: error: no matching function for call to object of type '(lambda at tensorflow/python/lib/core/bfloat16.cc:637:25)'
:info:build if (!register_ufunc("less_equal", CompareUFunc<Bfloat16LeFunctor>,
:info:build ^~~~~~~~~~~~~~
:info:build tensorflow/python/lib/core/bfloat16.cc:637:25: note: candidate function not viable: no overload of 'CompareUFunc' matching 'PyUFuncGenericFunction' (aka 'void (*)(char **, const long *, const long *, void *)') for 2nd argument
:info:build auto register_ufunc = [&](const char* name, PyUFuncGenericFunction fn,
:info:build ^
:info:build tensorflow/python/lib/core/bfloat16.cc:682:8: error: no matching function for call to object of type '(lambda at tensorflow/python/lib/core/bfloat16.cc:637:25)'
:info:build if (!register_ufunc("greater_equal", CompareUFunc<Bfloat16GeFunctor>,
:info:build ^~~~~~~~~~~~~~
```
macOS 10.15.6 19G73
Xcode 11.6 11E708
Related:
* https://trac.macports.org/ticket/60960
* https://github.com/macports/macports-ports/pull/7575
* https://github.com/tensorflow/tensorflow/pull/40654
| build | build failure of version in macos macports version fails to build on macos first issue action failed to execute java io ioexception cannot run program… error too many open files error opt local var macports build opt local ports python py tensorflow tensorflow work tensorflow tensorflow tensorflow core common runtime build c compilation of rule tensorflow core common runtime collective executor mgr failed exit wrapped clang failed error executing command cd opt local var macports build opt local ports python py tensorflow tensorflow work execroot org tensorflow exec env apple sdk platform macosx apple sdk version override path opt local bin opt local sbin bin sbin usr bin usr sbin xcode version override external local config cc wrapped clang d fortify source fstack protector fcolor diagnostics wall wthread safety wself assign fno omit frame pointer d fortify source dndebug std c iquote iquote bazel out host bin iquote external com google absl iquote bazel out host bin external com google absl iquote external eigen archive iquote bazel out host bin external eigen archive iquote external local config sycl iquote bazel out host bin external local config sycl iquote external nsync iquote bazel out host bin external nsync iquote external gif iquote bazel out host bin external gif iquote external libjpeg turbo iquote bazel out host bin external libjpeg turbo iquote external com google protobuf iquote bazel out host bin external com google protobuf iquote external com googlesource code iquote bazel out host bin external com googlesource code iquote external farmhash archive iquote bazel out host bin external farmhash archive iquote external iquote bazel out host bin external iquote external highwayhash iquote bazel out host bin external highwayhash iquote external zlib iquote bazel out host bin external zlib iquote external double conversion iquote bazel out host bin external double conversion isystem external eigen archive isystem bazel out host bin external eigen archive isystem external nsync public isystem bazel out host bin external nsync public isystem external gif isystem bazel out host bin external gif isystem external com google protobuf src isystem bazel out host bin external com google protobuf src isystem external farmhash archive src isystem bazel out host bin external farmhash archive src isystem external zlib isystem bazel out host bin external zlib isystem external double conversion isystem bazel out host bin external double conversion md mf bazel out host bin tensorflow core common runtime objs collective executor mgr collective executor mgr d d clang support dyn annotation deigen only deigen max align bytes deigen has type traits frandom seed bazel out host bin tensorflow core common runtime objs collective executor mgr collective executor mgr o isysroot bazel xcode sdkroot f bazel xcode sdkroot system library frameworks f bazel xcode developer dir platforms macosx platform developer library frameworks mmacosx version min march std c deigen avoid stl array iexternal gemmlowp wno sign compare ftemplate depth fno exceptions dtensorflow use xla no canonical prefixes wno builtin macro redefined d date redacted d timestamp redacted d time redacted c tensorflow core common runtime collective executor mgr cc o bazel out host bin tensorflow core common runtime objs collective executor mgr collective executor mgr o execution platform local execution config platform platform note remote connection protocol failed with execution failed action failed to execute java io ioexception cannot run program opt local var macports build opt local ports python py tensorflow tensorflow work install process wrapper in directory opt local var macports build opt local ports python py tensorflow tensorflow work execroot org tensorflow error too many open files target tensorflow tools pip package build pip package failed to build this is with system settings bash ulimit n launchctl limit maxfiles maxfiles starting the build again another issue is encountered apparently arising from second issue error no matching function for call to object of type lambda at tensorflow python lib core cc info build tensorflow python lib core cc error no matching function for call to object of type lambda at tensorflow python lib core cc info build if register ufunc less equal compareufunc info build info build tensorflow python lib core cc note candidate function not viable no overload of compareufunc matching pyufuncgenericfunction aka void char const long const long void for argument info build auto register ufunc const char name pyufuncgenericfunction fn info build info build tensorflow python lib core cc error no matching function for call to object of type lambda at tensorflow python lib core cc info build if register ufunc greater equal compareufunc info build macos xcode related | 1 |
54,118 | 13,254,847,688 | IssuesEvent | 2020-08-20 09:55:25 | GoogleCloudPlatform/nodejs-docs-samples | https://api.github.com/repos/GoogleCloudPlatform/nodejs-docs-samples | opened | run/logging-manual: retains "message" property for display text failed | buildcop: issue priority: p1 type: bug | Note: #1674 was also for this test, but it was closed more than 10 days ago. So, I didn't mark it flaky.
----
commit: 0e65e147e4c164d850f3bb908ca05bc4161baa8b
buildURL: [Build Status](https://source.cloud.google.com/results/invocations/1cd6df52-a4f3-48c2-93bc-f5dc6102238f), [Sponge](http://sponge2/1cd6df52-a4f3-48c2-93bc-f5dc6102238f)
status: failed
<details><summary>Test output</summary><br><pre>Cannot read property 'data' of undefined
TypeError: Cannot read property 'data' of undefined
at Context.<anonymous> (test/system.test.js:99:24)
at processImmediate (internal/timers.js:456:21)</pre></details> | 1.0 | run/logging-manual: retains "message" property for display text failed - Note: #1674 was also for this test, but it was closed more than 10 days ago. So, I didn't mark it flaky.
----
commit: 0e65e147e4c164d850f3bb908ca05bc4161baa8b
buildURL: [Build Status](https://source.cloud.google.com/results/invocations/1cd6df52-a4f3-48c2-93bc-f5dc6102238f), [Sponge](http://sponge2/1cd6df52-a4f3-48c2-93bc-f5dc6102238f)
status: failed
<details><summary>Test output</summary><br><pre>Cannot read property 'data' of undefined
TypeError: Cannot read property 'data' of undefined
at Context.<anonymous> (test/system.test.js:99:24)
at processImmediate (internal/timers.js:456:21)</pre></details> | build | run logging manual retains message property for display text failed note was also for this test but it was closed more than days ago so i didn t mark it flaky commit buildurl status failed test output cannot read property data of undefined typeerror cannot read property data of undefined at context test system test js at processimmediate internal timers js | 1 |
80,449 | 23,209,758,621 | IssuesEvent | 2022-08-02 09:06:39 | reapit/foundations | https://api.github.com/repos/reapit/foundations | opened | App Builder should support additional content components | feature front-end app-builder | **Background context or User story:**
_Additional presentational components to be added to the component library, to include (TBC):_
- PersistentNotification
- Icon
- Title, SubTitle, SmallText, BodyText
- Card
| 1.0 | App Builder should support additional content components - **Background context or User story:**
_Additional presentational components to be added to the component library, to include (TBC):_
- PersistentNotification
- Icon
- Title, SubTitle, SmallText, BodyText
- Card
| build | app builder should support additional content components background context or user story additional presentational components to be added to the component library to include tbc persistentnotification icon title subtitle smalltext bodytext card | 1 |
8,798 | 4,327,162,897 | IssuesEvent | 2016-07-26 09:29:55 | CartoDB/cartodb | https://api.github.com/repos/CartoDB/cartodb | closed | Disable analysis apply button if there are no changes | Builder EASY feature | Should be sufficient to listen to form model changes and check the [`formModel.hasChanged()`](http://backbonejs.org/#Model-hasChanged) in the controls-view and set the `is-disabled` flag accordingly. | 1.0 | Disable analysis apply button if there are no changes - Should be sufficient to listen to form model changes and check the [`formModel.hasChanged()`](http://backbonejs.org/#Model-hasChanged) in the controls-view and set the `is-disabled` flag accordingly. | build | disable analysis apply button if there are no changes should be sufficient to listen to form model changes and check the in the controls view and set the is disabled flag accordingly | 1 |
1,715 | 2,603,970,002 | IssuesEvent | 2015-02-24 19:00:00 | chrsmith/nishazi6 | https://api.github.com/repos/chrsmith/nishazi6 | opened | 沈阳龟头上有小疙瘩怎么回事 | auto-migrated Priority-Medium Type-Defect | ```
沈阳龟头上有小疙瘩怎么回事〓沈陽軍區政治部醫院性病〓TE
L:024-31023308〓成立于1946年,68年專注于性傳播疾病的研究和�
��療。位于沈陽市沈河區二緯路32號。是一所與新中國同建立�
��輝煌的歷史悠久、設備精良、技術權威、專家云集,是預防
、保健、醫療、科研康復為一體的綜合性醫院。是國家首批��
�立甲等部隊醫院、全國首批醫療規范定點單位,是第四軍醫�
��學、東南大學等知名高等院校的教學醫院。曾被中國人民解
放軍空軍后勤部衛生部評為衛生工作先進單位,先后兩次榮��
�集體二等功。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 7:26 | 1.0 | 沈阳龟头上有小疙瘩怎么回事 - ```
沈阳龟头上有小疙瘩怎么回事〓沈陽軍區政治部醫院性病〓TE
L:024-31023308〓成立于1946年,68年專注于性傳播疾病的研究和�
��療。位于沈陽市沈河區二緯路32號。是一所與新中國同建立�
��輝煌的歷史悠久、設備精良、技術權威、專家云集,是預防
、保健、醫療、科研康復為一體的綜合性醫院。是國家首批��
�立甲等部隊醫院、全國首批醫療規范定點單位,是第四軍醫�
��學、東南大學等知名高等院校的教學醫院。曾被中國人民解
放軍空軍后勤部衛生部評為衛生工作先進單位,先后兩次榮��
�集體二等功。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 7:26 | non_build | 沈阳龟头上有小疙瘩怎么回事 沈阳龟头上有小疙瘩怎么回事〓沈陽軍區政治部醫院性病〓te l: 〓 , � ��療。 。是一所與新中國同建立� ��輝煌的歷史悠久、設備精良、技術權威、專家云集,是預防 、保健、醫療、科研康復為一體的綜合性醫院。是國家首批�� �立甲等部隊醫院、全國首批醫療規范定點單位,是第四軍醫� ��學、東南大學等知名高等院校的教學醫院。曾被中國人民解 放軍空軍后勤部衛生部評為衛生工作先進單位,先后兩次榮�� �集體二等功。 original issue reported on code google com by gmail com on jun at | 0 |
497,809 | 14,394,166,387 | IssuesEvent | 2020-12-03 00:38:44 | celo-org/celo-monorepo | https://api.github.com/repos/celo-org/celo-monorepo | closed | Integration support for feeless attestation | Priority: P1 commit epic feature wallet | ### What's important about this?
Feeless attestation is a blocker for GA. We want to be sure the integration with the wallet is optimal.
### Definition of "done"
Feeless attestation is integrated and fully functional.
### What's involved in doing this work?
- Help review PR related to feeless attestation
- Give input when needed
- Help write unit/e2e tests needed
- Thorough test of each delivered PR related to feeless attestation
### Open questions
- ? | 1.0 | Integration support for feeless attestation - ### What's important about this?
Feeless attestation is a blocker for GA. We want to be sure the integration with the wallet is optimal.
### Definition of "done"
Feeless attestation is integrated and fully functional.
### What's involved in doing this work?
- Help review PR related to feeless attestation
- Give input when needed
- Help write unit/e2e tests needed
- Thorough test of each delivered PR related to feeless attestation
### Open questions
- ? | non_build | integration support for feeless attestation what s important about this feeless attestation is a blocker for ga we want to be sure the integration with the wallet is optimal definition of done feeless attestation is integrated and fully functional what s involved in doing this work help review pr related to feeless attestation give input when needed help write unit tests needed thorough test of each delivered pr related to feeless attestation open questions | 0 |
1,875 | 2,603,972,800 | IssuesEvent | 2015-02-24 19:00:41 | chrsmith/nishazi6 | https://api.github.com/repos/chrsmith/nishazi6 | opened | 沈阳阴茎长小水泡 | auto-migrated Priority-Medium Type-Defect | ```
沈阳阴茎长小水泡〓沈陽軍區政治部醫院性病〓TEL:024-3102330
8〓成立于1946年,68年專注于性傳播疾病的研究和治療。位于�
��陽市沈河區二緯路32號。是一所與新中國同建立共輝煌的歷�
��悠久、設備精良、技術權威、專家云集,是預防、保健、醫
療、科研康復為一體的綜合性醫院。是國家首批公立甲等部��
�醫院、全國首批醫療規范定點單位,是第四軍醫大學、東南�
��學等知名高等院校的教學醫院。曾被中國人民解放軍空軍后
勤部衛生部評為衛生工作先進單位,先后兩次榮立集體二等��
�。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 8:02 | 1.0 | 沈阳阴茎长小水泡 - ```
沈阳阴茎长小水泡〓沈陽軍區政治部醫院性病〓TEL:024-3102330
8〓成立于1946年,68年專注于性傳播疾病的研究和治療。位于�
��陽市沈河區二緯路32號。是一所與新中國同建立共輝煌的歷�
��悠久、設備精良、技術權威、專家云集,是預防、保健、醫
療、科研康復為一體的綜合性醫院。是國家首批公立甲等部��
�醫院、全國首批醫療規范定點單位,是第四軍醫大學、東南�
��學等知名高等院校的教學醫院。曾被中國人民解放軍空軍后
勤部衛生部評為衛生工作先進單位,先后兩次榮立集體二等��
�。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 8:02 | non_build | 沈阳阴茎长小水泡 沈阳阴茎长小水泡〓沈陽軍區政治部醫院性病〓tel: 〓 , 。位于� �� 。是一所與新中國同建立共輝煌的歷� ��悠久、設備精良、技術權威、專家云集,是預防、保健、醫 療、科研康復為一體的綜合性醫院。是國家首批公立甲等部�� �醫院、全國首批醫療規范定點單位,是第四軍醫大學、東南� ��學等知名高等院校的教學醫院。曾被中國人民解放軍空軍后 勤部衛生部評為衛生工作先進單位,先后兩次榮立集體二等�� �。 original issue reported on code google com by gmail com on jun at | 0 |
72,735 | 19,456,717,216 | IssuesEvent | 2021-12-23 00:10:50 | pytorch/pytorch | https://api.github.com/repos/pytorch/pytorch | closed | libonnx.a not found | module: onnx module: build triaged module: android | I'm trying to build pytorch for android. When I do follow all the steps written here https://github.com/cedrickchee/pytorch-android, it successfully compiled then I copy all the jnis and cpps libs. When I run `./gradlew assembleDebug` to actually run the project I got an error that saying I have no libcaffe2.a but I red that libcaffe2.a has ben replaced with libtorch.a then I replace the libcaffe2.a on app/CMakesLists.txt with libtorch.a. I then rerun the `gradlew assembleDebug` but now I'm getting new error that saying I got no libonnx.a on my jniLibs folder. I checked and its true, seems like when I compile the pytorch android it didn't successfully generate the libonnx.a for me. How do I get the right libonnx.a file?
Thanks for the help. | 1.0 | libonnx.a not found - I'm trying to build pytorch for android. When I do follow all the steps written here https://github.com/cedrickchee/pytorch-android, it successfully compiled then I copy all the jnis and cpps libs. When I run `./gradlew assembleDebug` to actually run the project I got an error that saying I have no libcaffe2.a but I red that libcaffe2.a has ben replaced with libtorch.a then I replace the libcaffe2.a on app/CMakesLists.txt with libtorch.a. I then rerun the `gradlew assembleDebug` but now I'm getting new error that saying I got no libonnx.a on my jniLibs folder. I checked and its true, seems like when I compile the pytorch android it didn't successfully generate the libonnx.a for me. How do I get the right libonnx.a file?
Thanks for the help. | build | libonnx a not found i m trying to build pytorch for android when i do follow all the steps written here it successfully compiled then i copy all the jnis and cpps libs when i run gradlew assembledebug to actually run the project i got an error that saying i have no a but i red that a has ben replaced with libtorch a then i replace the a on app cmakeslists txt with libtorch a i then rerun the gradlew assembledebug but now i m getting new error that saying i got no libonnx a on my jnilibs folder i checked and its true seems like when i compile the pytorch android it didn t successfully generate the libonnx a for me how do i get the right libonnx a file thanks for the help | 1 |
438,412 | 30,641,208,887 | IssuesEvent | 2023-07-24 22:13:15 | FusionAuth/fusionauth-issues | https://api.github.com/repos/FusionAuth/fusionauth-issues | closed | javascript/gatsby integration tutorial and example app | documentation | We want to promote the [Using OAuth and PKCE to Add Authentication to Your Gatsby Site](https://fusionauth.io/blog/2020/06/25/using-oauth-and-pkce-to-add-authentication-to-your-gatsby-site) blog post into an integration tutorial that will be hooked into our main documentation and maintained over time. In addition to this, we want to produce a standard example app for javascript/gatsby.
Blog post: https://fusionauth.io/blog/2020/06/25/using-oauth-and-pkce-to-add-authentication-to-your-gatsby-site
Webapp tutorial guidelines: https://github.com/FusionAuth/fusionauth-site/blob/master/DocsDevREADME.md#webapps
Example app guidelines: TBD | 1.0 | javascript/gatsby integration tutorial and example app - We want to promote the [Using OAuth and PKCE to Add Authentication to Your Gatsby Site](https://fusionauth.io/blog/2020/06/25/using-oauth-and-pkce-to-add-authentication-to-your-gatsby-site) blog post into an integration tutorial that will be hooked into our main documentation and maintained over time. In addition to this, we want to produce a standard example app for javascript/gatsby.
Blog post: https://fusionauth.io/blog/2020/06/25/using-oauth-and-pkce-to-add-authentication-to-your-gatsby-site
Webapp tutorial guidelines: https://github.com/FusionAuth/fusionauth-site/blob/master/DocsDevREADME.md#webapps
Example app guidelines: TBD | non_build | javascript gatsby integration tutorial and example app we want to promote the blog post into an integration tutorial that will be hooked into our main documentation and maintained over time in addition to this we want to produce a standard example app for javascript gatsby blog post webapp tutorial guidelines example app guidelines tbd | 0 |
80,570 | 23,246,845,255 | IssuesEvent | 2022-08-03 21:07:34 | robhagemans/pcbasic | https://api.github.com/repos/robhagemans/pcbasic | closed | dependency libSDL2 not built for Apple Silicon | build issue mac | Sorry to pile on the Mac issues, but might as well capture this one for completeness...
Installing from `pip install pcbasic` won't run from the CLI, giving this:
> /Users/incanus/.pyenv/versions/3.10.3/lib/python3.10/site-packages/pcbasic/interface/sdl2.py:163: DLLWarning:
> OSError("dlopen(/Users/incanus/.pyenv/versions/3.10.3/lib/python3.10/site-packages/pcbasic/lib/darwin/libSDL2.dylib,
> 0x0006): tried: '/Users/incanus/.pyenv/versions/3.10.3/lib/python3.10/site-packages/pcbasic/lib/darwin/libSDL2.dylib'
> **(mach-o file, but is an incompatible architecture (have (x86_64), need (arm64e)))")**
> warnings.warn(repr(exc), DLLWarning)
> [16:41:37.0755] INFO: Could not initialise video plugin `sdl2`: Module `sdl2` not found
> [16:41:37.0756] ERROR: Failed to initialise any video plugin.
(emphasis added)
I will try to get to the bottom of this as well. | 1.0 | dependency libSDL2 not built for Apple Silicon - Sorry to pile on the Mac issues, but might as well capture this one for completeness...
Installing from `pip install pcbasic` won't run from the CLI, giving this:
> /Users/incanus/.pyenv/versions/3.10.3/lib/python3.10/site-packages/pcbasic/interface/sdl2.py:163: DLLWarning:
> OSError("dlopen(/Users/incanus/.pyenv/versions/3.10.3/lib/python3.10/site-packages/pcbasic/lib/darwin/libSDL2.dylib,
> 0x0006): tried: '/Users/incanus/.pyenv/versions/3.10.3/lib/python3.10/site-packages/pcbasic/lib/darwin/libSDL2.dylib'
> **(mach-o file, but is an incompatible architecture (have (x86_64), need (arm64e)))")**
> warnings.warn(repr(exc), DLLWarning)
> [16:41:37.0755] INFO: Could not initialise video plugin `sdl2`: Module `sdl2` not found
> [16:41:37.0756] ERROR: Failed to initialise any video plugin.
(emphasis added)
I will try to get to the bottom of this as well. | build | dependency not built for apple silicon sorry to pile on the mac issues but might as well capture this one for completeness installing from pip install pcbasic won t run from the cli giving this users incanus pyenv versions lib site packages pcbasic interface py dllwarning oserror dlopen users incanus pyenv versions lib site packages pcbasic lib darwin dylib tried users incanus pyenv versions lib site packages pcbasic lib darwin dylib mach o file but is an incompatible architecture have need warnings warn repr exc dllwarning info could not initialise video plugin module not found error failed to initialise any video plugin emphasis added i will try to get to the bottom of this as well | 1 |
53,339 | 13,261,440,866 | IssuesEvent | 2020-08-20 19:54:20 | icecube-trac/tix4 | https://api.github.com/repos/icecube-trac/tix4 | closed | [DOMLauncher] fix/remove the TODOs (Trac #1201) | Migrated from Trac combo simulation defect | The TODOs should either be done or have tickets filed for them. We can track tickets, but not TODOs.
```text
private/DOMLauncher/PMTResponseSimulator.cxx: //TODO: store these constants somewhere else
private/DOMLauncher/PMTResponseSimulator.cxx: //TODO: it might be a good idea to turn this off and fall back on
private/DOMLauncher/PMTResponseSimulator.cxx: //TODO: use actual calibration data for the DOM in question
private/test/PMTResponseSimulatorTests.cxx: //TODO: should make a more deliberate choice of allowed ranges
private/test/PMTResponseSimulatorTests.cxx://TODO: Test jitter distribution with hit merging
private/test/PMTResponseSimulatorTests.cxx:/* TODO: rewrite this test
resources/docs/PMTRes.rst:TODO: Where does the earlyAfterPulseWeight parameterization come from?
resources/docs/PMTRes.rst:TODO: Is there an actual reference for Tom F.'s parameterization constants besides the pmt-simulator source code?
```
<details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/1201">https://code.icecube.wisc.edu/projects/icecube/ticket/1201</a>, reported by david.schultzand owned by sflis</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2016-03-18T21:14:03",
"_ts": "1458335643235016",
"description": "The TODOs should either be done or have tickets filed for them. We can track tickets, but not TODOs.\n\n{{{\nprivate/DOMLauncher/PMTResponseSimulator.cxx:\t//TODO: store these constants somewhere else\nprivate/DOMLauncher/PMTResponseSimulator.cxx:\t\t//TODO: it might be a good idea to turn this off and fall back on\nprivate/DOMLauncher/PMTResponseSimulator.cxx:\t\t//TODO: use actual calibration data for the DOM in question\nprivate/test/PMTResponseSimulatorTests.cxx:\t//TODO: should make a more deliberate choice of allowed ranges\nprivate/test/PMTResponseSimulatorTests.cxx://TODO: Test jitter distribution with hit merging\nprivate/test/PMTResponseSimulatorTests.cxx:/* TODO: rewrite this test\nresources/docs/PMTRes.rst:TODO: Where does the earlyAfterPulseWeight parameterization come from?\nresources/docs/PMTRes.rst:TODO: Is there an actual reference for Tom F.'s parameterization constants besides the pmt-simulator source code?\n}}}",
"reporter": "david.schultz",
"cc": "cweaver",
"resolution": "invalid",
"time": "2015-08-19T18:59:39",
"component": "combo simulation",
"summary": "[DOMLauncher] fix/remove the TODOs",
"priority": "critical",
"keywords": "",
"milestone": "",
"owner": "sflis",
"type": "defect"
}
```
</p>
</details>
| 1.0 | [DOMLauncher] fix/remove the TODOs (Trac #1201) - The TODOs should either be done or have tickets filed for them. We can track tickets, but not TODOs.
```text
private/DOMLauncher/PMTResponseSimulator.cxx: //TODO: store these constants somewhere else
private/DOMLauncher/PMTResponseSimulator.cxx: //TODO: it might be a good idea to turn this off and fall back on
private/DOMLauncher/PMTResponseSimulator.cxx: //TODO: use actual calibration data for the DOM in question
private/test/PMTResponseSimulatorTests.cxx: //TODO: should make a more deliberate choice of allowed ranges
private/test/PMTResponseSimulatorTests.cxx://TODO: Test jitter distribution with hit merging
private/test/PMTResponseSimulatorTests.cxx:/* TODO: rewrite this test
resources/docs/PMTRes.rst:TODO: Where does the earlyAfterPulseWeight parameterization come from?
resources/docs/PMTRes.rst:TODO: Is there an actual reference for Tom F.'s parameterization constants besides the pmt-simulator source code?
```
<details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/1201">https://code.icecube.wisc.edu/projects/icecube/ticket/1201</a>, reported by david.schultzand owned by sflis</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2016-03-18T21:14:03",
"_ts": "1458335643235016",
"description": "The TODOs should either be done or have tickets filed for them. We can track tickets, but not TODOs.\n\n{{{\nprivate/DOMLauncher/PMTResponseSimulator.cxx:\t//TODO: store these constants somewhere else\nprivate/DOMLauncher/PMTResponseSimulator.cxx:\t\t//TODO: it might be a good idea to turn this off and fall back on\nprivate/DOMLauncher/PMTResponseSimulator.cxx:\t\t//TODO: use actual calibration data for the DOM in question\nprivate/test/PMTResponseSimulatorTests.cxx:\t//TODO: should make a more deliberate choice of allowed ranges\nprivate/test/PMTResponseSimulatorTests.cxx://TODO: Test jitter distribution with hit merging\nprivate/test/PMTResponseSimulatorTests.cxx:/* TODO: rewrite this test\nresources/docs/PMTRes.rst:TODO: Where does the earlyAfterPulseWeight parameterization come from?\nresources/docs/PMTRes.rst:TODO: Is there an actual reference for Tom F.'s parameterization constants besides the pmt-simulator source code?\n}}}",
"reporter": "david.schultz",
"cc": "cweaver",
"resolution": "invalid",
"time": "2015-08-19T18:59:39",
"component": "combo simulation",
"summary": "[DOMLauncher] fix/remove the TODOs",
"priority": "critical",
"keywords": "",
"milestone": "",
"owner": "sflis",
"type": "defect"
}
```
</p>
</details>
| non_build | fix remove the todos trac the todos should either be done or have tickets filed for them we can track tickets but not todos text private domlauncher pmtresponsesimulator cxx todo store these constants somewhere else private domlauncher pmtresponsesimulator cxx todo it might be a good idea to turn this off and fall back on private domlauncher pmtresponsesimulator cxx todo use actual calibration data for the dom in question private test pmtresponsesimulatortests cxx todo should make a more deliberate choice of allowed ranges private test pmtresponsesimulatortests cxx todo test jitter distribution with hit merging private test pmtresponsesimulatortests cxx todo rewrite this test resources docs pmtres rst todo where does the earlyafterpulseweight parameterization come from resources docs pmtres rst todo is there an actual reference for tom f s parameterization constants besides the pmt simulator source code migrated from json status closed changetime ts description the todos should either be done or have tickets filed for them we can track tickets but not todos n n nprivate domlauncher pmtresponsesimulator cxx t todo store these constants somewhere else nprivate domlauncher pmtresponsesimulator cxx t t todo it might be a good idea to turn this off and fall back on nprivate domlauncher pmtresponsesimulator cxx t t todo use actual calibration data for the dom in question nprivate test pmtresponsesimulatortests cxx t todo should make a more deliberate choice of allowed ranges nprivate test pmtresponsesimulatortests cxx todo test jitter distribution with hit merging nprivate test pmtresponsesimulatortests cxx todo rewrite this test nresources docs pmtres rst todo where does the earlyafterpulseweight parameterization come from nresources docs pmtres rst todo is there an actual reference for tom f s parameterization constants besides the pmt simulator source code n reporter david schultz cc cweaver resolution invalid time component combo simulation summary fix remove the todos priority critical keywords milestone owner sflis type defect | 0 |
165,747 | 26,221,408,370 | IssuesEvent | 2023-01-04 15:07:05 | briangormanly/agora | https://api.github.com/repos/briangormanly/agora | closed | All other "website" pages need to enforce 1400px max-width for content | UI Design Review Launch | All the sign-in related pages
user public profile
manage user profile etc. | 1.0 | All other "website" pages need to enforce 1400px max-width for content - All the sign-in related pages
user public profile
manage user profile etc. | non_build | all other website pages need to enforce max width for content all the sign in related pages user public profile manage user profile etc | 0 |
87,644 | 25,170,950,433 | IssuesEvent | 2022-11-11 03:10:55 | intel/media-driver | https://api.github.com/repos/intel/media-driver | closed | [Bug]: | Build | ### Which component impacted?
Build
### Is it regression? Good in old configuration?
Yes, it's good in old version
### What happened?
In Ubuntu22.04, when build "media_driver"/master (988c748aeee57), met below error:
===build info=====:
[ 48%] Building CXX object media_driver/CMakeFiles/iHD_drv_video_VP.dir/__/media_softlet/agnostic/Xe_M_plus/Xe_LPM_plus/vp/hal/pipeline/vp_pipeline_adapter_xe_lpm_plus.cpp.o
In file included from repo/media-driver/media_softlet/agnostic/Xe_M_plus/Xe_LPM_plus_base/vp/hal/feature_manager/vp_feature_manager_xe_lpm_plus_base.cpp:30:
repo/media-driver/media_softlet/agnostic/Xe_M_plus/Xe_LPM_plus_base/hw/mhw_vebox_xe_lpm_plus_base_next_impl.h: In member function ‘virtual MOS_STATUS mhw::vebox::xe_lpm_plus_next::Impl::AddVeboxTilingConvert(PMOS_COMMAND_BUFFER, PMHW_VEBOX_SURFACE_PARAMS, PMHW_VEBOX_SURFACE_PARAMS)’:
repo/media-driver/media_softlet/agnostic/Xe_M_plus/Xe_LPM_plus_base/hw/mhw_vebox_xe_lpm_plus_base_next_impl.h:2714:22: error: ‘MEMORY_OBJECT_CONTROL_STATE’ {aka ‘union MEMORY_OBJECT_CONTROL_STATE_REC’} has no member named ‘XE_LPG’; did you mean ‘XE_HP’?
2714 | .XE_LPG.Index;
| ^~~~~~
| XE_HP
### What's the usage scenario when you are seeing the problem?
Transcode for media delivery
### What impacted?
_No response_
### Debug Information
_No response_
### Do you want to contribute a patch to fix the issue?
_No response_ | 1.0 | [Bug]: - ### Which component impacted?
Build
### Is it regression? Good in old configuration?
Yes, it's good in old version
### What happened?
In Ubuntu22.04, when build "media_driver"/master (988c748aeee57), met below error:
===build info=====:
[ 48%] Building CXX object media_driver/CMakeFiles/iHD_drv_video_VP.dir/__/media_softlet/agnostic/Xe_M_plus/Xe_LPM_plus/vp/hal/pipeline/vp_pipeline_adapter_xe_lpm_plus.cpp.o
In file included from repo/media-driver/media_softlet/agnostic/Xe_M_plus/Xe_LPM_plus_base/vp/hal/feature_manager/vp_feature_manager_xe_lpm_plus_base.cpp:30:
repo/media-driver/media_softlet/agnostic/Xe_M_plus/Xe_LPM_plus_base/hw/mhw_vebox_xe_lpm_plus_base_next_impl.h: In member function ‘virtual MOS_STATUS mhw::vebox::xe_lpm_plus_next::Impl::AddVeboxTilingConvert(PMOS_COMMAND_BUFFER, PMHW_VEBOX_SURFACE_PARAMS, PMHW_VEBOX_SURFACE_PARAMS)’:
repo/media-driver/media_softlet/agnostic/Xe_M_plus/Xe_LPM_plus_base/hw/mhw_vebox_xe_lpm_plus_base_next_impl.h:2714:22: error: ‘MEMORY_OBJECT_CONTROL_STATE’ {aka ‘union MEMORY_OBJECT_CONTROL_STATE_REC’} has no member named ‘XE_LPG’; did you mean ‘XE_HP’?
2714 | .XE_LPG.Index;
| ^~~~~~
| XE_HP
### What's the usage scenario when you are seeing the problem?
Transcode for media delivery
### What impacted?
_No response_
### Debug Information
_No response_
### Do you want to contribute a patch to fix the issue?
_No response_ | build | which component impacted build is it regression good in old configuration yes it s good in old version what happened in when build media driver master met below error build info building cxx object media driver cmakefiles ihd drv video vp dir media softlet agnostic xe m plus xe lpm plus vp hal pipeline vp pipeline adapter xe lpm plus cpp o in file included from repo media driver media softlet agnostic xe m plus xe lpm plus base vp hal feature manager vp feature manager xe lpm plus base cpp repo media driver media softlet agnostic xe m plus xe lpm plus base hw mhw vebox xe lpm plus base next impl h in member function ‘virtual mos status mhw vebox xe lpm plus next impl addveboxtilingconvert pmos command buffer pmhw vebox surface params pmhw vebox surface params ’ repo media driver media softlet agnostic xe m plus xe lpm plus base hw mhw vebox xe lpm plus base next impl h error ‘memory object control state’ aka ‘union memory object control state rec’ has no member named ‘xe lpg’ did you mean ‘xe hp’ xe lpg index xe hp what s the usage scenario when you are seeing the problem transcode for media delivery what impacted no response debug information no response do you want to contribute a patch to fix the issue no response | 1 |
304,312 | 26,266,646,179 | IssuesEvent | 2023-01-06 13:11:40 | Kuadrant/testsuite | https://api.github.com/repos/Kuadrant/testsuite | opened | improve HF agents configuration from testsuite | test-case | **Summary**
Currently are HF agents configured automatically from test-specific fixtures. In some cases, it is needed to add extra options for agents. The goal of this issue is to extend current behavior to contain also extra agents options.
**Documentation**
Similar implementation as used in 3scale tests -> https://github.com/3scale-qe/3scale-tests/tree/main/testsuite/tests/performance
| 1.0 | improve HF agents configuration from testsuite - **Summary**
Currently are HF agents configured automatically from test-specific fixtures. In some cases, it is needed to add extra options for agents. The goal of this issue is to extend current behavior to contain also extra agents options.
**Documentation**
Similar implementation as used in 3scale tests -> https://github.com/3scale-qe/3scale-tests/tree/main/testsuite/tests/performance
| non_build | improve hf agents configuration from testsuite summary currently are hf agents configured automatically from test specific fixtures in some cases it is needed to add extra options for agents the goal of this issue is to extend current behavior to contain also extra agents options documentation similar implementation as used in tests | 0 |
272,784 | 29,795,087,644 | IssuesEvent | 2023-06-16 01:09:59 | billmcchesney1/pacbot | https://api.github.com/repos/billmcchesney1/pacbot | closed | CVE-2022-24773 (Medium) detected in node-forge-0.10.0.tgz - autoclosed | Mend: dependency security vulnerability | ## CVE-2022-24773 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>node-forge-0.10.0.tgz</b></p></summary>
<p>JavaScript implementations of network transports, cryptography, ciphers, PKI, message digests, and various utilities.</p>
<p>Library home page: <a href="https://registry.npmjs.org/node-forge/-/node-forge-0.10.0.tgz">https://registry.npmjs.org/node-forge/-/node-forge-0.10.0.tgz</a></p>
<p>Path to dependency file: /webapp/package.json</p>
<p>Path to vulnerable library: /webapp/node_modules/node-forge/package.json</p>
<p>
Dependency Hierarchy:
- cli-1.6.8.tgz (Root Library)
- webpack-dev-server-2.11.5.tgz
- selfsigned-1.10.8.tgz
- :x: **node-forge-0.10.0.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/billmcchesney1/pacbot/commit/acf9a0620c1a37cee4f2896d71e1c3731c5c7b06">acf9a0620c1a37cee4f2896d71e1c3731c5c7b06</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>
Forge (also called `node-forge`) is a native implementation of Transport Layer Security in JavaScript. Prior to version 1.3.0, RSA PKCS#1 v1.5 signature verification code does not properly check `DigestInfo` for a proper ASN.1 structure. This can lead to successful verification with signatures that contain invalid structures but a valid digest. The issue has been addressed in `node-forge` version 1.3.0. There are currently no known workarounds.
<p>Publish Date: 2022-03-18
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-24773>CVE-2022-24773</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.3</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: 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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-24773">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-24773</a></p>
<p>Release Date: 2022-03-18</p>
<p>Fix Resolution: node-forge - 1.3.0</p>
</p>
</details>
<p></p>
| True | CVE-2022-24773 (Medium) detected in node-forge-0.10.0.tgz - autoclosed - ## CVE-2022-24773 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>node-forge-0.10.0.tgz</b></p></summary>
<p>JavaScript implementations of network transports, cryptography, ciphers, PKI, message digests, and various utilities.</p>
<p>Library home page: <a href="https://registry.npmjs.org/node-forge/-/node-forge-0.10.0.tgz">https://registry.npmjs.org/node-forge/-/node-forge-0.10.0.tgz</a></p>
<p>Path to dependency file: /webapp/package.json</p>
<p>Path to vulnerable library: /webapp/node_modules/node-forge/package.json</p>
<p>
Dependency Hierarchy:
- cli-1.6.8.tgz (Root Library)
- webpack-dev-server-2.11.5.tgz
- selfsigned-1.10.8.tgz
- :x: **node-forge-0.10.0.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/billmcchesney1/pacbot/commit/acf9a0620c1a37cee4f2896d71e1c3731c5c7b06">acf9a0620c1a37cee4f2896d71e1c3731c5c7b06</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>
Forge (also called `node-forge`) is a native implementation of Transport Layer Security in JavaScript. Prior to version 1.3.0, RSA PKCS#1 v1.5 signature verification code does not properly check `DigestInfo` for a proper ASN.1 structure. This can lead to successful verification with signatures that contain invalid structures but a valid digest. The issue has been addressed in `node-forge` version 1.3.0. There are currently no known workarounds.
<p>Publish Date: 2022-03-18
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-24773>CVE-2022-24773</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.3</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: 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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-24773">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-24773</a></p>
<p>Release Date: 2022-03-18</p>
<p>Fix Resolution: node-forge - 1.3.0</p>
</p>
</details>
<p></p>
| non_build | cve medium detected in node forge tgz autoclosed cve medium severity vulnerability vulnerable library node forge tgz javascript implementations of network transports cryptography ciphers pki message digests and various utilities library home page a href path to dependency file webapp package json path to vulnerable library webapp node modules node forge package json dependency hierarchy cli tgz root library webpack dev server tgz selfsigned tgz x node forge tgz vulnerable library found in head commit a href found in base branch master vulnerability details forge also called node forge is a native implementation of transport layer security in javascript prior to version rsa pkcs signature verification code does not properly check digestinfo for a proper asn structure this can lead to successful verification with signatures that contain invalid structures but a valid digest the issue has been addressed in node forge version there are currently no known workarounds 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 low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution node forge | 0 |
77,926 | 7,609,469,126 | IssuesEvent | 2018-05-01 00:41:03 | rancher/rancher | https://api.github.com/repos/rancher/rancher | closed | Custom Cluster: Worker nodes not deleting properly. | kind/bug priority/0 status/to-test version/2.0 | Rancher Version:
Master 4/27/18
Steps:
Create a custom cluster, with at least one node with only the worker role.
Delete the node via UI from the cluster.
Results:
Node is still listed within the cluster.
Workloads attempt to create pods on deleted nodes.


| 1.0 | Custom Cluster: Worker nodes not deleting properly. - Rancher Version:
Master 4/27/18
Steps:
Create a custom cluster, with at least one node with only the worker role.
Delete the node via UI from the cluster.
Results:
Node is still listed within the cluster.
Workloads attempt to create pods on deleted nodes.


| non_build | custom cluster worker nodes not deleting properly rancher version master steps create a custom cluster with at least one node with only the worker role delete the node via ui from the cluster results node is still listed within the cluster workloads attempt to create pods on deleted nodes | 0 |
44,386 | 13,055,292,082 | IssuesEvent | 2020-07-30 01:13:32 | Mohib-hub/concord-plugins | https://api.github.com/repos/Mohib-hub/concord-plugins | opened | CVE-2020-11023 (Medium) detected in jquery-3.1.1.min.js | security vulnerability | ## CVE-2020-11023 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jquery-3.1.1.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.1/jquery.min.js</a></p>
<p>Path to dependency file: /tmp/ws-scm/concord-plugins/tasks/terraform/examples/approval/forms/approvalForm/index.html</p>
<p>Path to vulnerable library: /concord-plugins/tasks/terraform/examples/approval/forms/approvalForm/index.html</p>
<p>
Dependency Hierarchy:
- :x: **jquery-3.1.1.min.js** (Vulnerable Library)
</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 jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing <option> elements from untrusted sources - even after sanitizing it - to one of jQuery's DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.
<p>Publish Date: 2020-04-29
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023>CVE-2020-11023</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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-11023">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-11023</a></p>
<p>Release Date: 2020-04-29</p>
<p>Fix Resolution: jquery - 3.5.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.1.1","isTransitiveDependency":false,"dependencyTree":"jquery:3.1.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0"}],"vulnerabilityIdentifier":"CVE-2020-11023","vulnerabilityDetails":"In jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing \u003coption\u003e elements from untrusted sources - even after sanitizing it - to one of jQuery\u0027s DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> --> | True | CVE-2020-11023 (Medium) detected in jquery-3.1.1.min.js - ## CVE-2020-11023 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jquery-3.1.1.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.1.1/jquery.min.js</a></p>
<p>Path to dependency file: /tmp/ws-scm/concord-plugins/tasks/terraform/examples/approval/forms/approvalForm/index.html</p>
<p>Path to vulnerable library: /concord-plugins/tasks/terraform/examples/approval/forms/approvalForm/index.html</p>
<p>
Dependency Hierarchy:
- :x: **jquery-3.1.1.min.js** (Vulnerable Library)
</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 jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing <option> elements from untrusted sources - even after sanitizing it - to one of jQuery's DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.
<p>Publish Date: 2020-04-29
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023>CVE-2020-11023</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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-11023">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-11023</a></p>
<p>Release Date: 2020-04-29</p>
<p>Fix Resolution: jquery - 3.5.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.1.1","isTransitiveDependency":false,"dependencyTree":"jquery:3.1.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0"}],"vulnerabilityIdentifier":"CVE-2020-11023","vulnerabilityDetails":"In jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing \u003coption\u003e elements from untrusted sources - even after sanitizing it - to one of jQuery\u0027s DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> --> | non_build | cve medium detected in jquery min js cve medium severity vulnerability vulnerable library jquery min js javascript library for dom operations library home page a href path to dependency file tmp ws scm concord plugins tasks terraform examples approval forms approvalform index html path to vulnerable library concord plugins tasks terraform examples approval forms approvalform index html dependency hierarchy x jquery min js vulnerable library vulnerability details in jquery versions greater than or equal to and before passing html containing elements from untrusted sources even after sanitizing it to one of jquery s dom manipulation methods i e html append and others may execute untrusted code this problem is patched in jquery 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 jquery isopenpronvulnerability false ispackagebased true isdefaultbranch true packages vulnerabilityidentifier cve vulnerabilitydetails in jquery versions greater than or equal to and before passing html containing elements from untrusted sources even after sanitizing it to one of jquery dom manipulation methods i e html append and others may execute untrusted code this problem is patched in jquery vulnerabilityurl | 0 |
294,334 | 22,147,358,009 | IssuesEvent | 2022-06-03 13:25:11 | AgentschapPlantentuinMeise/DoeDat-Projects_Templates | https://api.github.com/repos/AgentschapPlantentuinMeise/DoeDat-Projects_Templates | opened | VLIZ Mercator - Pisces: Project title | documentation | We've received final project titles via the description:
Dutch: Mercator opleidingsschip expeditie data - Pisces (vissen)
English: Mercator training ship expedition data - Pisces (fish)
French: Données sur les expéditions du navire-école Mercator - Pisces (poissons)
German: Daten der Schulschiff Mercator-Expeditionen - Pisces (Fische) | 1.0 | VLIZ Mercator - Pisces: Project title - We've received final project titles via the description:
Dutch: Mercator opleidingsschip expeditie data - Pisces (vissen)
English: Mercator training ship expedition data - Pisces (fish)
French: Données sur les expéditions du navire-école Mercator - Pisces (poissons)
German: Daten der Schulschiff Mercator-Expeditionen - Pisces (Fische) | non_build | vliz mercator pisces project title we ve received final project titles via the description dutch mercator opleidingsschip expeditie data pisces vissen english mercator training ship expedition data pisces fish french données sur les expéditions du navire école mercator pisces poissons german daten der schulschiff mercator expeditionen pisces fische | 0 |
84,147 | 10,352,543,131 | IssuesEvent | 2019-09-05 09:28:39 | 7bridges-eu/shelob | https://api.github.com/repos/7bridges-eu/shelob | opened | Update README | documentation enhancement | The project has changed a lot since the first draft of the README. It must be updated. | 1.0 | Update README - The project has changed a lot since the first draft of the README. It must be updated. | non_build | update readme the project has changed a lot since the first draft of the readme it must be updated | 0 |
22,480 | 4,806,951,695 | IssuesEvent | 2016-11-02 20:01:44 | Azure/Azure-Functions | https://api.github.com/repos/Azure/Azure-Functions | closed | Add a brief overview of how bindings work in Bindings and Triggers ref topic | documentation feature GA:must-have(P0) | From Mathew Charles:
I’m answering questions often (like this one this morning http://stackoverflow.com/questions/38006649/configuring-notification-tag-for-azure-function) on parameter binding. I’m wondering if we have overview doc anywhere on how binding works in general. Another possibility would be for us to indicate in the templates/bindings somehow that binding parameters are supported for various properties, but I don’t want a bunch of duplication.
I expected to see a little overview section in https://azure.microsoft.com/en-us/documentation/articles/functions-triggers-bindings/. I think it would make sense to have something on that page that gives an overview of %% and {} binding functionality that applies to all the various bindings. | 1.0 | Add a brief overview of how bindings work in Bindings and Triggers ref topic - From Mathew Charles:
I’m answering questions often (like this one this morning http://stackoverflow.com/questions/38006649/configuring-notification-tag-for-azure-function) on parameter binding. I’m wondering if we have overview doc anywhere on how binding works in general. Another possibility would be for us to indicate in the templates/bindings somehow that binding parameters are supported for various properties, but I don’t want a bunch of duplication.
I expected to see a little overview section in https://azure.microsoft.com/en-us/documentation/articles/functions-triggers-bindings/. I think it would make sense to have something on that page that gives an overview of %% and {} binding functionality that applies to all the various bindings. | non_build | add a brief overview of how bindings work in bindings and triggers ref topic from mathew charles i’m answering questions often like this one this morning on parameter binding i’m wondering if we have overview doc anywhere on how binding works in general another possibility would be for us to indicate in the templates bindings somehow that binding parameters are supported for various properties but i don’t want a bunch of duplication i expected to see a little overview section in i think it would make sense to have something on that page that gives an overview of and binding functionality that applies to all the various bindings | 0 |
66,882 | 16,745,456,507 | IssuesEvent | 2021-06-11 14:59:09 | grafana/grafana | https://api.github.com/repos/grafana/grafana | closed | Unable to do apt update on Debian 10 with Grafana repository | area/backend priority/important-soon type/bug type/build-packaging | ```
Get:6 https://packages.grafana.com/oss/deb stable/main amd64 Packages [22.2 kB]
Err:6 https://packages.grafana.com/oss/deb stable/main amd64 Packages
File has unexpected size (22262 != 22216). Mirror sync in progress? [IP: 2a04:4e42:4c::729 443]
Hashes of expected file:
- Filesize:22216 [weak]
- SHA512:f24db43b3572f6c5c556939cd349e2ded94defb17eb7ca1afcf22de7c9df54145839ff17ef86c8fee2ff72c8fa5beedbec7a49d2d7f72063101949e5bae24615
- SHA256:6ead907c843edeffa74b5e94b388981c180c4501d8b594fcd56be1cc62437f4a
- SHA1:5a7fcbd5e05eaac245babb25b531d6980cea936b [weak]
- MD5Sum:610876d8f36eca70808fbcf3f485a9fc [weak]
Release file created at: Tue, 01 Jun 2021 12:10:01 +0000
Hit:7 https://deb.torproject.org/torproject.org buster InRelease
Reading package lists... Done
E: Failed to fetch https://packages.grafana.com/oss/deb/dists/stable/main/binary-amd64/Packages.bz2 File has unexpected size (22262 != 22216). Mirror sync in progress? [IP: 2a04:4e42:4c::729 443]
Hashes of expected file:
- Filesize:22216 [weak]
- SHA512:f24db43b3572f6c5c556939cd349e2ded94defb17eb7ca1afcf22de7c9df54145839ff17ef86c8fee2ff72c8fa5beedbec7a49d2d7f72063101949e5bae24615
- SHA256:6ead907c843edeffa74b5e94b388981c180c4501d8b594fcd56be1cc62437f4a
- SHA1:5a7fcbd5e05eaac245babb25b531d6980cea936b [weak]
- MD5Sum:610876d8f36eca70808fbcf3f485a9fc [weak]
Release file created at: Tue, 01 Jun 2021 12:10:01 +0000
E: Some index files failed to download. They have been ignored, or old ones used instead.
```
I forced IPv4 and got this as well. | 1.0 | Unable to do apt update on Debian 10 with Grafana repository - ```
Get:6 https://packages.grafana.com/oss/deb stable/main amd64 Packages [22.2 kB]
Err:6 https://packages.grafana.com/oss/deb stable/main amd64 Packages
File has unexpected size (22262 != 22216). Mirror sync in progress? [IP: 2a04:4e42:4c::729 443]
Hashes of expected file:
- Filesize:22216 [weak]
- SHA512:f24db43b3572f6c5c556939cd349e2ded94defb17eb7ca1afcf22de7c9df54145839ff17ef86c8fee2ff72c8fa5beedbec7a49d2d7f72063101949e5bae24615
- SHA256:6ead907c843edeffa74b5e94b388981c180c4501d8b594fcd56be1cc62437f4a
- SHA1:5a7fcbd5e05eaac245babb25b531d6980cea936b [weak]
- MD5Sum:610876d8f36eca70808fbcf3f485a9fc [weak]
Release file created at: Tue, 01 Jun 2021 12:10:01 +0000
Hit:7 https://deb.torproject.org/torproject.org buster InRelease
Reading package lists... Done
E: Failed to fetch https://packages.grafana.com/oss/deb/dists/stable/main/binary-amd64/Packages.bz2 File has unexpected size (22262 != 22216). Mirror sync in progress? [IP: 2a04:4e42:4c::729 443]
Hashes of expected file:
- Filesize:22216 [weak]
- SHA512:f24db43b3572f6c5c556939cd349e2ded94defb17eb7ca1afcf22de7c9df54145839ff17ef86c8fee2ff72c8fa5beedbec7a49d2d7f72063101949e5bae24615
- SHA256:6ead907c843edeffa74b5e94b388981c180c4501d8b594fcd56be1cc62437f4a
- SHA1:5a7fcbd5e05eaac245babb25b531d6980cea936b [weak]
- MD5Sum:610876d8f36eca70808fbcf3f485a9fc [weak]
Release file created at: Tue, 01 Jun 2021 12:10:01 +0000
E: Some index files failed to download. They have been ignored, or old ones used instead.
```
I forced IPv4 and got this as well. | build | unable to do apt update on debian with grafana repository get stable main packages err stable main packages file has unexpected size mirror sync in progress hashes of expected file filesize release file created at tue jun hit buster inrelease reading package lists done e failed to fetch file has unexpected size mirror sync in progress hashes of expected file filesize release file created at tue jun e some index files failed to download they have been ignored or old ones used instead i forced and got this as well | 1 |
1,536 | 2,776,680,639 | IssuesEvent | 2015-05-04 23:23:41 | facebook/osquery | https://api.github.com/repos/facebook/osquery | closed | RHEL Build Cannot Find Boost Libraries | build/test infrastructure linux | Running into the issue below while building on the newest master on rhel6.5.4. Seems like CMake can't find the boost_unit_test_framework lib:
```
$ make -j 2
cd build/rhel6 && cmake ../.. && \
CTEST_OUTPUT_ON_FAILURE=1 make --no-print-directory --jobserver-fds=3,4 -j
CMake Warning at CMakeLists.txt:109 (message):
Requested dependencies may have changed, run: make deps
-- Building for RHEL
-- Found components for DL
-- Found readline library
CMake Error at /usr/local/share/cmake-3.2/Modules/FindBoost.cmake:1182 (message):
Unable to find the requested Boost libraries.
Boost version: 1.55.0
Boost include path: /usr/local/include
Could not find the following static Boost libraries:
boost_unit_test_framework
Some (but not all) of the required Boost libraries were found. You may
need to install these additional Boost libraries. Alternatively, set
BOOST_LIBRARYDIR to the directory containing Boost libraries or BOOST_ROOT
to the location of Boost.
Call Stack (most recent call first):
third-party/cpp-netlib/CMakeLists.txt:43 (find_package)
CMake Error at third-party/cpp-netlib/CMakeLists.txt:114 (export):
export given target "cppnetlib-client-connections" which is not built by
this project.
-- Looking for include files libunwind.h, unwind.h
-- Looking for include files libunwind.h, unwind.h - not found
-- Found RocksDB
-- Thrift version 0.9.1
-- Found library dependency /usr/local/lib/libboost_thread.a
-- Found library dependency /usr/lib64/librt.so
-- Found library dependency /usr/local/lib/libboost_system.a
-- Found library dependency /usr/local/lib/libboost_filesystem.a
-- Found library dependency /usr/local/lib/libboost_regex.a
-- Found library dependency /usr/local/lib/libyara.a
-- Found library dependency /usr/lib64/libudev.so
-- Found library dependency /usr/lib64/libblkid.a
-- Found library dependency /usr/lib64/libudev.so
-- Found library dependency /usr/lib64/libuuid.a
-- Configuring incomplete, errors occurred!
See also "~/osquery/build/rhel6/CMakeFiles/CMakeOutput.log".
See also "~/osquery/build/rhel6/CMakeFiles/CMakeError.log".
make: *** [all] Error 1
``` | 1.0 | RHEL Build Cannot Find Boost Libraries - Running into the issue below while building on the newest master on rhel6.5.4. Seems like CMake can't find the boost_unit_test_framework lib:
```
$ make -j 2
cd build/rhel6 && cmake ../.. && \
CTEST_OUTPUT_ON_FAILURE=1 make --no-print-directory --jobserver-fds=3,4 -j
CMake Warning at CMakeLists.txt:109 (message):
Requested dependencies may have changed, run: make deps
-- Building for RHEL
-- Found components for DL
-- Found readline library
CMake Error at /usr/local/share/cmake-3.2/Modules/FindBoost.cmake:1182 (message):
Unable to find the requested Boost libraries.
Boost version: 1.55.0
Boost include path: /usr/local/include
Could not find the following static Boost libraries:
boost_unit_test_framework
Some (but not all) of the required Boost libraries were found. You may
need to install these additional Boost libraries. Alternatively, set
BOOST_LIBRARYDIR to the directory containing Boost libraries or BOOST_ROOT
to the location of Boost.
Call Stack (most recent call first):
third-party/cpp-netlib/CMakeLists.txt:43 (find_package)
CMake Error at third-party/cpp-netlib/CMakeLists.txt:114 (export):
export given target "cppnetlib-client-connections" which is not built by
this project.
-- Looking for include files libunwind.h, unwind.h
-- Looking for include files libunwind.h, unwind.h - not found
-- Found RocksDB
-- Thrift version 0.9.1
-- Found library dependency /usr/local/lib/libboost_thread.a
-- Found library dependency /usr/lib64/librt.so
-- Found library dependency /usr/local/lib/libboost_system.a
-- Found library dependency /usr/local/lib/libboost_filesystem.a
-- Found library dependency /usr/local/lib/libboost_regex.a
-- Found library dependency /usr/local/lib/libyara.a
-- Found library dependency /usr/lib64/libudev.so
-- Found library dependency /usr/lib64/libblkid.a
-- Found library dependency /usr/lib64/libudev.so
-- Found library dependency /usr/lib64/libuuid.a
-- Configuring incomplete, errors occurred!
See also "~/osquery/build/rhel6/CMakeFiles/CMakeOutput.log".
See also "~/osquery/build/rhel6/CMakeFiles/CMakeError.log".
make: *** [all] Error 1
``` | build | rhel build cannot find boost libraries running into the issue below while building on the newest master on seems like cmake can t find the boost unit test framework lib make j cd build cmake ctest output on failure make no print directory jobserver fds j cmake warning at cmakelists txt message requested dependencies may have changed run make deps building for rhel found components for dl found readline library cmake error at usr local share cmake modules findboost cmake message unable to find the requested boost libraries boost version boost include path usr local include could not find the following static boost libraries boost unit test framework some but not all of the required boost libraries were found you may need to install these additional boost libraries alternatively set boost librarydir to the directory containing boost libraries or boost root to the location of boost call stack most recent call first third party cpp netlib cmakelists txt find package cmake error at third party cpp netlib cmakelists txt export export given target cppnetlib client connections which is not built by this project looking for include files libunwind h unwind h looking for include files libunwind h unwind h not found found rocksdb thrift version found library dependency usr local lib libboost thread a found library dependency usr librt so found library dependency usr local lib libboost system a found library dependency usr local lib libboost filesystem a found library dependency usr local lib libboost regex a found library dependency usr local lib libyara a found library dependency usr libudev so found library dependency usr libblkid a found library dependency usr libudev so found library dependency usr libuuid a configuring incomplete errors occurred see also osquery build cmakefiles cmakeoutput log see also osquery build cmakefiles cmakeerror log make error | 1 |
24,149 | 12,225,144,031 | IssuesEvent | 2020-05-03 03:13:04 | peterstace/simplefeatures | https://api.github.com/repos/peterstace/simplefeatures | closed | Add benchmark for a GEOS intersection | geos performance | We would like to see what the impact of the current WKB marshal/unmarshal approach is for GEOS operations. This will help us evaluate the performance of other approaches, such as building the geometries using the C API directly.
The benchmark can just be two polygons that intersect, with increasing number of points in each polygon, e.g. 10, 100, 100, 10000.
We could also add a benchmarak on a "no-op" GEOS operation. This should help to isolate the WKB marshal/unmarshal times. | True | Add benchmark for a GEOS intersection - We would like to see what the impact of the current WKB marshal/unmarshal approach is for GEOS operations. This will help us evaluate the performance of other approaches, such as building the geometries using the C API directly.
The benchmark can just be two polygons that intersect, with increasing number of points in each polygon, e.g. 10, 100, 100, 10000.
We could also add a benchmarak on a "no-op" GEOS operation. This should help to isolate the WKB marshal/unmarshal times. | non_build | add benchmark for a geos intersection we would like to see what the impact of the current wkb marshal unmarshal approach is for geos operations this will help us evaluate the performance of other approaches such as building the geometries using the c api directly the benchmark can just be two polygons that intersect with increasing number of points in each polygon e g we could also add a benchmarak on a no op geos operation this should help to isolate the wkb marshal unmarshal times | 0 |
61,269 | 14,621,056,933 | IssuesEvent | 2020-12-22 20:52:48 | SmartBear/idea-collaborator-plugin | https://api.github.com/repos/SmartBear/idea-collaborator-plugin | opened | WS-2018-0125 (Medium) detected in jackson-core-2.5.0.jar | security vulnerability | ## WS-2018-0125 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-core-2.5.0.jar</b></p></summary>
<p>Core Jackson abstractions, basic JSON streaming API implementation</p>
<p>Library home page: <a href="https://github.com/FasterXML/jackson">https://github.com/FasterXML/jackson</a></p>
<p>Path to vulnerable library: idea-collaborator-plugin/client/lib/jackson-core-2.5.0.jar,idea-collaborator-plugin/collaborator-0_7-BETA/collaborator/lib/jackson-core-2.5.0.jar,idea-collaborator-plugin/collabplugin/collaborator/collaborator/lib/jackson-core-2.5.0.jar</p>
<p>
Dependency Hierarchy:
- :x: **jackson-core-2.5.0.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/SmartBear/idea-collaborator-plugin/commit/3e67fb2d437ffeadf07751b7979f4e35dbc282a2">3e67fb2d437ffeadf07751b7979f4e35dbc282a2</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>
OutOfMemoryError when writing BigDecimal In Jackson Core before version 2.7.7.
When enabled the WRITE_BIGDECIMAL_AS_PLAIN setting, Jackson will attempt to write out the whole number, no matter how large the exponent.
<p>Publish Date: 2016-08-25
<p>URL: <a href=https://github.com/FasterXML/jackson-core/issues/315>WS-2018-0125</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>5.5</b>)</summary>
<p>
Base Score Metrics not available</p>
</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/FasterXML/jackson-core/releases/tag/jackson-core-2.7.7">https://github.com/FasterXML/jackson-core/releases/tag/jackson-core-2.7.7</a></p>
<p>Release Date: 2016-08-25</p>
<p>Fix Resolution: com.fasterxml.jackson.core:jackson-core:2.7.7</p>
</p>
</details>
<p></p>
***
<!-- REMEDIATE-OPEN-PR-START -->
- [ ] Check this box to open an automated fix PR
<!-- REMEDIATE-OPEN-PR-END -->
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-core","packageVersion":"2.5.0","isTransitiveDependency":false,"dependencyTree":"com.fasterxml.jackson.core:jackson-core:2.5.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"com.fasterxml.jackson.core:jackson-core:2.7.7"}],"vulnerabilityIdentifier":"WS-2018-0125","vulnerabilityDetails":"OutOfMemoryError when writing BigDecimal In Jackson Core before version 2.7.7.\nWhen enabled the WRITE_BIGDECIMAL_AS_PLAIN setting, Jackson will attempt to write out the whole number, no matter how large the exponent.","vulnerabilityUrl":"https://github.com/FasterXML/jackson-core/issues/315","cvss2Severity":"medium","cvss2Score":"5.5","extraData":{}}</REMEDIATE> --> | True | WS-2018-0125 (Medium) detected in jackson-core-2.5.0.jar - ## WS-2018-0125 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-core-2.5.0.jar</b></p></summary>
<p>Core Jackson abstractions, basic JSON streaming API implementation</p>
<p>Library home page: <a href="https://github.com/FasterXML/jackson">https://github.com/FasterXML/jackson</a></p>
<p>Path to vulnerable library: idea-collaborator-plugin/client/lib/jackson-core-2.5.0.jar,idea-collaborator-plugin/collaborator-0_7-BETA/collaborator/lib/jackson-core-2.5.0.jar,idea-collaborator-plugin/collabplugin/collaborator/collaborator/lib/jackson-core-2.5.0.jar</p>
<p>
Dependency Hierarchy:
- :x: **jackson-core-2.5.0.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/SmartBear/idea-collaborator-plugin/commit/3e67fb2d437ffeadf07751b7979f4e35dbc282a2">3e67fb2d437ffeadf07751b7979f4e35dbc282a2</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>
OutOfMemoryError when writing BigDecimal In Jackson Core before version 2.7.7.
When enabled the WRITE_BIGDECIMAL_AS_PLAIN setting, Jackson will attempt to write out the whole number, no matter how large the exponent.
<p>Publish Date: 2016-08-25
<p>URL: <a href=https://github.com/FasterXML/jackson-core/issues/315>WS-2018-0125</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>5.5</b>)</summary>
<p>
Base Score Metrics not available</p>
</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/FasterXML/jackson-core/releases/tag/jackson-core-2.7.7">https://github.com/FasterXML/jackson-core/releases/tag/jackson-core-2.7.7</a></p>
<p>Release Date: 2016-08-25</p>
<p>Fix Resolution: com.fasterxml.jackson.core:jackson-core:2.7.7</p>
</p>
</details>
<p></p>
***
<!-- REMEDIATE-OPEN-PR-START -->
- [ ] Check this box to open an automated fix PR
<!-- REMEDIATE-OPEN-PR-END -->
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-core","packageVersion":"2.5.0","isTransitiveDependency":false,"dependencyTree":"com.fasterxml.jackson.core:jackson-core:2.5.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"com.fasterxml.jackson.core:jackson-core:2.7.7"}],"vulnerabilityIdentifier":"WS-2018-0125","vulnerabilityDetails":"OutOfMemoryError when writing BigDecimal In Jackson Core before version 2.7.7.\nWhen enabled the WRITE_BIGDECIMAL_AS_PLAIN setting, Jackson will attempt to write out the whole number, no matter how large the exponent.","vulnerabilityUrl":"https://github.com/FasterXML/jackson-core/issues/315","cvss2Severity":"medium","cvss2Score":"5.5","extraData":{}}</REMEDIATE> --> | non_build | ws medium detected in jackson core jar ws medium severity vulnerability vulnerable library jackson core jar core jackson abstractions basic json streaming api implementation library home page a href path to vulnerable library idea collaborator plugin client lib jackson core jar idea collaborator plugin collaborator beta collaborator lib jackson core jar idea collaborator plugin collabplugin collaborator collaborator lib jackson core jar dependency hierarchy x jackson core jar vulnerable library found in head commit a href found in base branch master vulnerability details outofmemoryerror when writing bigdecimal in jackson core before version when enabled the write bigdecimal as plain setting jackson will attempt to write out the whole number no matter how large the exponent publish date url a href cvss score details base score metrics not available suggested fix type upgrade version origin a href release date fix resolution com fasterxml jackson core jackson core check this box to open an automated fix pr isopenpronvulnerability false ispackagebased true isdefaultbranch true packages vulnerabilityidentifier ws vulnerabilitydetails outofmemoryerror when writing bigdecimal in jackson core before version nwhen enabled the write bigdecimal as plain setting jackson will attempt to write out the whole number no matter how large the exponent vulnerabilityurl | 0 |
188,475 | 22,046,488,045 | IssuesEvent | 2022-05-30 02:44:01 | dbankws-test/clumsy-bird | https://api.github.com/repos/dbankws-test/clumsy-bird | opened | CVE-2019-11358 (Medium) detected in jquery-1.3.2.min.js | security vulnerability | ## CVE-2019-11358 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jquery-1.3.2.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/1.3.2/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/1.3.2/jquery.min.js</a></p>
<p>Path to dependency file: /node_modules/underscore.string/test/test.html</p>
<p>Path to vulnerable library: /node_modules/underscore.string/test/test_underscore/vendor/jquery.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-1.3.2.min.js** (Vulnerable Library)
<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>
jQuery before 3.4.0, as used in Drupal, Backdrop CMS, and other products, mishandles jQuery.extend(true, {}, ...) because of Object.prototype pollution. If an unsanitized source object contained an enumerable __proto__ property, it could extend the native Object.prototype.
<p>Publish Date: 2019-04-20
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-11358>CVE-2019-11358</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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-11358">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-11358</a></p>
<p>Release Date: 2019-04-20</p>
<p>Fix Resolution: 3.4.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"1.3.2","packageFilePaths":["/node_modules/underscore.string/test/test.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:1.3.2","isMinimumFixVersionAvailable":true,"minimumFixVersion":"3.4.0","isBinary":false}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2019-11358","vulnerabilityDetails":"jQuery before 3.4.0, as used in Drupal, Backdrop CMS, and other products, mishandles jQuery.extend(true, {}, ...) because of Object.prototype pollution. If an unsanitized source object contained an enumerable __proto__ property, it could extend the native Object.prototype.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-11358","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> --> | True | CVE-2019-11358 (Medium) detected in jquery-1.3.2.min.js - ## CVE-2019-11358 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jquery-1.3.2.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/1.3.2/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/1.3.2/jquery.min.js</a></p>
<p>Path to dependency file: /node_modules/underscore.string/test/test.html</p>
<p>Path to vulnerable library: /node_modules/underscore.string/test/test_underscore/vendor/jquery.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-1.3.2.min.js** (Vulnerable Library)
<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>
jQuery before 3.4.0, as used in Drupal, Backdrop CMS, and other products, mishandles jQuery.extend(true, {}, ...) because of Object.prototype pollution. If an unsanitized source object contained an enumerable __proto__ property, it could extend the native Object.prototype.
<p>Publish Date: 2019-04-20
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-11358>CVE-2019-11358</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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-11358">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-11358</a></p>
<p>Release Date: 2019-04-20</p>
<p>Fix Resolution: 3.4.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"1.3.2","packageFilePaths":["/node_modules/underscore.string/test/test.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:1.3.2","isMinimumFixVersionAvailable":true,"minimumFixVersion":"3.4.0","isBinary":false}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2019-11358","vulnerabilityDetails":"jQuery before 3.4.0, as used in Drupal, Backdrop CMS, and other products, mishandles jQuery.extend(true, {}, ...) because of Object.prototype pollution. If an unsanitized source object contained an enumerable __proto__ property, it could extend the native Object.prototype.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-11358","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> --> | non_build | cve medium detected in jquery min js cve medium severity vulnerability vulnerable library jquery min js javascript library for dom operations library home page a href path to dependency file node modules underscore string test test html path to vulnerable library node modules underscore string test test underscore vendor jquery js dependency hierarchy x jquery min js vulnerable library found in base branch master vulnerability details jquery before as used in drupal backdrop cms and other products mishandles jquery extend true because of object prototype pollution if an unsanitized source object contained an enumerable proto property it could extend the native object prototype 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 isopenpronvulnerability false ispackagebased true isdefaultbranch true packages istransitivedependency false dependencytree jquery isminimumfixversionavailable true minimumfixversion isbinary false basebranches vulnerabilityidentifier cve vulnerabilitydetails jquery before as used in drupal backdrop cms and other products mishandles jquery extend true because of object prototype pollution if an unsanitized source object contained an enumerable proto property it could extend the native object prototype vulnerabilityurl | 0 |
280,051 | 21,192,603,974 | IssuesEvent | 2022-04-08 19:18:40 | ENG4000-Team-A/capstone-project | https://api.github.com/repos/ENG4000-Team-A/capstone-project | closed | Preliminary business case | documentation High Level 1 | - preliminary justification of the as-built system as a product or service to meet an identified stakeholder need, using a preliminary cost-benefit, or strength-weakness-opportunity-threat analysis | 1.0 | Preliminary business case - - preliminary justification of the as-built system as a product or service to meet an identified stakeholder need, using a preliminary cost-benefit, or strength-weakness-opportunity-threat analysis | non_build | preliminary business case preliminary justification of the as built system as a product or service to meet an identified stakeholder need using a preliminary cost benefit or strength weakness opportunity threat analysis | 0 |
77,402 | 21,787,314,063 | IssuesEvent | 2022-05-14 10:45:42 | PaddlePaddle/Paddle | https://api.github.com/repos/PaddlePaddle/Paddle | opened | HOST_NAME_MAX in gloo is undefined | status/new-issue type/build | ### 问题描述 Issue Description
```
./paddlepaddle/src/build/third_party/gloo/src/extern_gloo/gloo/transport/tcp/device.cc: In Funktion »std::shared_ptr<gloo::transport::Device> gloo::transport::tcp::CreateDevice(const attr&)«:
./paddlepaddle/src/build/third_party/gloo/src/extern_gloo/gloo/transport/tcp/device.cc:152:39: Fehler: Aggregat »std::array<char, 64> hostname« hat unvollständigen Typ und kann nicht definiert werden
152 | std::array<char, HOST_NAME_MAX> hostname;
| ^~~~~~~~
```
### 版本&环境信息 Version & Environment Information
****************************************
Paddle version: None
Paddle With CUDA: None
OS: Arch Linux rolling
Python version: 3.10.4
CUDA version: None
cuDNN version: None.None.None
Nvidia driver version: None
**************************************** | 1.0 | HOST_NAME_MAX in gloo is undefined - ### 问题描述 Issue Description
```
./paddlepaddle/src/build/third_party/gloo/src/extern_gloo/gloo/transport/tcp/device.cc: In Funktion »std::shared_ptr<gloo::transport::Device> gloo::transport::tcp::CreateDevice(const attr&)«:
./paddlepaddle/src/build/third_party/gloo/src/extern_gloo/gloo/transport/tcp/device.cc:152:39: Fehler: Aggregat »std::array<char, 64> hostname« hat unvollständigen Typ und kann nicht definiert werden
152 | std::array<char, HOST_NAME_MAX> hostname;
| ^~~~~~~~
```
### 版本&环境信息 Version & Environment Information
****************************************
Paddle version: None
Paddle With CUDA: None
OS: Arch Linux rolling
Python version: 3.10.4
CUDA version: None
cuDNN version: None.None.None
Nvidia driver version: None
**************************************** | build | host name max in gloo is undefined 问题描述 issue description paddlepaddle src build third party gloo src extern gloo gloo transport tcp device cc in funktion »std shared ptr gloo transport tcp createdevice const attr « paddlepaddle src build third party gloo src extern gloo gloo transport tcp device cc fehler aggregat »std array hostname« hat unvollständigen typ und kann nicht definiert werden std array hostname 版本 环境信息 version environment information paddle version none paddle with cuda none os arch linux rolling python version cuda version none cudnn version none none none nvidia driver version none | 1 |
39,913 | 10,420,413,850 | IssuesEvent | 2019-09-16 00:15:44 | rust-lang/rust | https://api.github.com/repos/rust-lang/rust | closed | Does not build with `extended` on | A-rustbuild A-save-analysis C-bug I-ICE T-compiler | I have `extended = true` set in `config.toml`, but this seems to be causing the build to fail (master HEAD at time of writing), where it wasn't before.
```
$ ./x.py -i build
Updating only changed submodules
Updating submodule src/tools/clippy
Submodule path 'src/tools/clippy': checked out 'c5b39a5917ffc0f1349b6e414fa3b874fdcf8429'
Submodules updated in 1.15 seconds
Finished dev [unoptimized] target(s) in 0.0 secs
Building stage0 std artifacts (x86_64-apple-darwin -> x86_64-apple-darwin)
Compiling core v0.0.0 (file:///Users/alex/Software/rust/src/libcore)
Compiling unwind v0.0.0 (file:///Users/alex/Software/rust/src/libunwind)
Compiling build_helper v0.1.0 (file:///Users/alex/Software/rust/src/build_helper)
Compiling compiler_builtins v0.0.0 (file:///Users/alex/Software/rust/src/rustc/compiler_builtins_shim)
Compiling rustc_tsan v0.0.0 (file:///Users/alex/Software/rust/src/librustc_tsan)
Compiling rustc_asan v0.0.0 (file:///Users/alex/Software/rust/src/librustc_asan)
Compiling alloc_jemalloc v0.0.0 (file:///Users/alex/Software/rust/src/liballoc_jemalloc)
Compiling std v0.0.0 (file:///Users/alex/Software/rust/src/libstd)
Compiling libc v0.0.0 (file:///Users/alex/Software/rust/src/rustc/libc_shim)
Compiling alloc v0.0.0 (file:///Users/alex/Software/rust/src/liballoc)
Compiling std_unicode v0.0.0 (file:///Users/alex/Software/rust/src/libstd_unicode)
Compiling alloc_system v0.0.0 (file:///Users/alex/Software/rust/src/liballoc_system)
Compiling panic_abort v0.0.0 (file:///Users/alex/Software/rust/src/libpanic_abort)
Compiling panic_unwind v0.0.0 (file:///Users/alex/Software/rust/src/libpanic_unwind)
Finished release [optimized] target(s) in 50.30 secs
Copying stage0 std from stage0 (x86_64-apple-darwin -> x86_64-apple-darwin / x86_64-apple-darwin)
Building stage0 test artifacts (x86_64-apple-darwin -> x86_64-apple-darwin)
Compiling getopts v0.2.17
Compiling term v0.0.0 (file:///Users/alex/Software/rust/src/libterm)
Compiling test v0.0.0 (file:///Users/alex/Software/rust/src/libtest)
Finished release [optimized] target(s) in 8.28 secs
Copying stage0 test from stage0 (x86_64-apple-darwin -> x86_64-apple-darwin / x86_64-apple-darwin)
Building stage0 compiler artifacts (x86_64-apple-darwin -> x86_64-apple-darwin)
Compiling libc v0.2.40
Compiling stable_deref_trait v1.0.0
Compiling smallvec v0.6.0
Compiling cfg-if v0.1.2
Compiling bitflags v1.0.1
Compiling serialize v0.0.0 (file:///Users/alex/Software/rust/src/libserialize)
Compiling rustc_target v0.0.0 (file:///Users/alex/Software/rust/src/librustc_target)
Compiling unicode-width v0.1.4
Compiling scoped-tls v0.1.1
Compiling termcolor v0.3.6
Compiling syntax v0.0.0 (file:///Users/alex/Software/rust/src/libsyntax)
Compiling rustc v0.0.0 (file:///Users/alex/Software/rust/src/librustc)
Compiling remove_dir_all v0.5.1
Compiling rustc-demangle v0.1.7
Compiling byteorder v1.2.2
Compiling graphviz v0.0.0 (file:///Users/alex/Software/rust/src/libgraphviz)
Compiling lazy_static v1.0.0
Compiling rustc-serialize v0.3.24
Compiling rustc_metadata v0.0.0 (file:///Users/alex/Software/rust/src/librustc_metadata)
Compiling fmt_macros v0.0.0 (file:///Users/alex/Software/rust/src/libfmt_macros)
Compiling lazy_static v0.2.11
Compiling rustc_incremental v0.0.0 (file:///Users/alex/Software/rust/src/librustc_incremental)
Compiling quick-error v1.2.1
Compiling rustc_platform_intrinsics v0.0.0 (file:///Users/alex/Software/rust/src/librustc_platform_intrinsics)
Compiling ar v0.3.1
Compiling rustc_driver v0.0.0 (file:///Users/alex/Software/rust/src/librustc_driver)
Compiling log v0.4.1
Compiling owning_ref v0.3.3
Compiling rand v0.4.2
Compiling atty v0.2.8
Compiling log_settings v0.1.1
Compiling humantime v1.1.1
Compiling backtrace v0.3.6
Compiling miniz-sys v0.1.10
Compiling ena v0.9.2
Compiling rustc_cratesio_shim v0.0.0 (file:///Users/alex/Software/rust/src/librustc_cratesio_shim)
Compiling jobserver v0.1.11
Compiling env_logger v0.5.8
Compiling rustc_apfloat v0.0.0 (file:///Users/alex/Software/rust/src/librustc_apfloat)
Compiling parking_lot_core v0.2.14
Compiling tempdir v0.3.7
Compiling flate2 v1.0.1
Compiling parking_lot v0.5.5
Compiling rustc_data_structures v0.0.0 (file:///Users/alex/Software/rust/src/librustc_data_structures)
Compiling rls-span v0.4.0
Compiling rls-data v0.15.0
Compiling syntax_pos v0.0.0 (file:///Users/alex/Software/rust/src/libsyntax_pos)
Compiling arena v0.0.0 (file:///Users/alex/Software/rust/src/libarena)
Compiling rustc_errors v0.0.0 (file:///Users/alex/Software/rust/src/librustc_errors)
Compiling proc_macro v0.0.0 (file:///Users/alex/Software/rust/src/libproc_macro)
Compiling rustc_const_math v0.0.0 (file:///Users/alex/Software/rust/src/librustc_const_math)
Compiling syntax_ext v0.0.0 (file:///Users/alex/Software/rust/src/libsyntax_ext)
Compiling rustc_typeck v0.0.0 (file:///Users/alex/Software/rust/src/librustc_typeck)
Compiling rustc_mir v0.0.0 (file:///Users/alex/Software/rust/src/librustc_mir)
Compiling rustc_allocator v0.0.0 (file:///Users/alex/Software/rust/src/librustc_allocator)
Compiling rustc_traits v0.0.0 (file:///Users/alex/Software/rust/src/librustc_traits)
Compiling rustc_resolve v0.0.0 (file:///Users/alex/Software/rust/src/librustc_resolve)
Compiling rustc_plugin v0.0.0 (file:///Users/alex/Software/rust/src/librustc_plugin)
Compiling rustc_privacy v0.0.0 (file:///Users/alex/Software/rust/src/librustc_privacy)
Compiling rustc_save_analysis v0.0.0 (file:///Users/alex/Software/rust/src/librustc_save_analysis)
Compiling rustc_lint v0.0.0 (file:///Users/alex/Software/rust/src/librustc_lint)
Compiling rustc_trans_utils v0.0.0 (file:///Users/alex/Software/rust/src/librustc_trans_utils)
Compiling rustc_borrowck v0.0.0 (file:///Users/alex/Software/rust/src/librustc_borrowck)
Compiling rustc_passes v0.0.0 (file:///Users/alex/Software/rust/src/librustc_passes)
Compiling rustc-main v0.0.0 (file:///Users/alex/Software/rust/src/rustc)
Finished release [optimized] target(s) in 694.18 secs
Copying stage0 rustc from stage0 (x86_64-apple-darwin -> x86_64-apple-darwin / x86_64-apple-darwin)
Building stage0 codegen artifacts (x86_64-apple-darwin -> x86_64-apple-darwin, llvm)
Compiling build_helper v0.1.0 (file:///Users/alex/Software/rust/src/build_helper)
Compiling rustc_trans v0.0.0 (file:///Users/alex/Software/rust/src/librustc_trans)
Compiling cc v1.0.10
Compiling num_cpus v1.8.0
Compiling rustc_llvm v0.0.0 (file:///Users/alex/Software/rust/src/librustc_llvm)
Finished release [optimized] target(s) in 67.70 secs
Assembling stage1 compiler (x86_64-apple-darwin)
Building stage1 std artifacts (x86_64-apple-darwin -> x86_64-apple-darwin)
Compiling core v0.0.0 (file:///Users/alex/Software/rust/src/libcore)
Compiling unwind v0.0.0 (file:///Users/alex/Software/rust/src/libunwind)
Compiling compiler_builtins v0.0.0 (file:///Users/alex/Software/rust/src/rustc/compiler_builtins_shim)
Compiling alloc_jemalloc v0.0.0 (file:///Users/alex/Software/rust/src/liballoc_jemalloc)
Compiling rustc_asan v0.0.0 (file:///Users/alex/Software/rust/src/librustc_asan)
Compiling rustc_tsan v0.0.0 (file:///Users/alex/Software/rust/src/librustc_tsan)
Compiling std v0.0.0 (file:///Users/alex/Software/rust/src/libstd)
error: internal compiler error: librustc/ty/context.rs:275: node unknown node (id=1) with HirId::owner DefId(0/0:0 ~ core[7c27]) cannot be placed in TypeckTables with local_id_root DefId(0/0:1840 ~ core[7c27]::panicking[0]::panic_fmt[0])
thread 'main' panicked at 'Box<Any>', librustc_errors/lib.rs:546:9
note: Run with `RUST_BACKTRACE=1` for a backtrace.
error: aborting due to previous error
note: the compiler unexpectedly panicked. this is a bug.
note: we would appreciate a bug report: https://github.com/rust-lang/rust/blob/master/CONTRIBUTING.md#bug-reports
note: rustc 1.27.0-dev running on x86_64-apple-darwin
note: compiler flags: -Z save-analysis -Z osx-rpath-install-name -Z force-unstable-if-unmarked -C opt-level=2 -C prefer-dynamic -C debug-assertions=y -C codegen-units=8 -C link-args=-Wl,-rpath,@loader_path/../lib --crate-type lib
note: some of the compiler flags provided by cargo are hidden
error: Could not compile `core`.
Caused by:
process didn't exit successfully: `/Users/alex/Software/rust/build/bootstrap/debug/rustc --crate-name core libcore/lib.rs --error-format json --crate-type lib --emit=dep-info,link -C opt-level=2 -C metadata=be5db4a71f87466b -C extra-filename=-be5db4a71f87466b --out-dir /Users/alex/Software/rust/build/x86_64-apple-darwin/stage1-std/x86_64-apple-darwin/release/deps --target x86_64-apple-darwin -L dependency=/Users/alex/Software/rust/build/x86_64-apple-darwin/stage1-std/x86_64-apple-darwin/release/deps -L dependency=/Users/alex/Software/rust/build/x86_64-apple-darwin/stage1-std/release/deps` (exit code: 101)
command did not execute successfully: "/Users/alex/Software/rust/build/x86_64-apple-darwin/stage0/bin/cargo" "build" "--target" "x86_64-apple-darwin" "-j" "8" "--release" "--features" "panic-unwind jemalloc backtrace" "--manifest-path" "/Users/alex/Software/rust/src/libstd/Cargo.toml" "--message-format" "json"
expected success, got: exit code: 101
thread 'main' panicked at 'cargo must succeed', bootstrap/compile.rs:1091:9
note: Run with `RUST_BACKTRACE=1` for a backtrace.
failed to run: /Users/alex/Software/rust/build/bootstrap/debug/bootstrap -i build
Build completed unsuccessfully in 0:15:41
```
Is this a bug in the build process?
I'm on macOS 10.13.4, incidentally. | 1.0 | Does not build with `extended` on - I have `extended = true` set in `config.toml`, but this seems to be causing the build to fail (master HEAD at time of writing), where it wasn't before.
```
$ ./x.py -i build
Updating only changed submodules
Updating submodule src/tools/clippy
Submodule path 'src/tools/clippy': checked out 'c5b39a5917ffc0f1349b6e414fa3b874fdcf8429'
Submodules updated in 1.15 seconds
Finished dev [unoptimized] target(s) in 0.0 secs
Building stage0 std artifacts (x86_64-apple-darwin -> x86_64-apple-darwin)
Compiling core v0.0.0 (file:///Users/alex/Software/rust/src/libcore)
Compiling unwind v0.0.0 (file:///Users/alex/Software/rust/src/libunwind)
Compiling build_helper v0.1.0 (file:///Users/alex/Software/rust/src/build_helper)
Compiling compiler_builtins v0.0.0 (file:///Users/alex/Software/rust/src/rustc/compiler_builtins_shim)
Compiling rustc_tsan v0.0.0 (file:///Users/alex/Software/rust/src/librustc_tsan)
Compiling rustc_asan v0.0.0 (file:///Users/alex/Software/rust/src/librustc_asan)
Compiling alloc_jemalloc v0.0.0 (file:///Users/alex/Software/rust/src/liballoc_jemalloc)
Compiling std v0.0.0 (file:///Users/alex/Software/rust/src/libstd)
Compiling libc v0.0.0 (file:///Users/alex/Software/rust/src/rustc/libc_shim)
Compiling alloc v0.0.0 (file:///Users/alex/Software/rust/src/liballoc)
Compiling std_unicode v0.0.0 (file:///Users/alex/Software/rust/src/libstd_unicode)
Compiling alloc_system v0.0.0 (file:///Users/alex/Software/rust/src/liballoc_system)
Compiling panic_abort v0.0.0 (file:///Users/alex/Software/rust/src/libpanic_abort)
Compiling panic_unwind v0.0.0 (file:///Users/alex/Software/rust/src/libpanic_unwind)
Finished release [optimized] target(s) in 50.30 secs
Copying stage0 std from stage0 (x86_64-apple-darwin -> x86_64-apple-darwin / x86_64-apple-darwin)
Building stage0 test artifacts (x86_64-apple-darwin -> x86_64-apple-darwin)
Compiling getopts v0.2.17
Compiling term v0.0.0 (file:///Users/alex/Software/rust/src/libterm)
Compiling test v0.0.0 (file:///Users/alex/Software/rust/src/libtest)
Finished release [optimized] target(s) in 8.28 secs
Copying stage0 test from stage0 (x86_64-apple-darwin -> x86_64-apple-darwin / x86_64-apple-darwin)
Building stage0 compiler artifacts (x86_64-apple-darwin -> x86_64-apple-darwin)
Compiling libc v0.2.40
Compiling stable_deref_trait v1.0.0
Compiling smallvec v0.6.0
Compiling cfg-if v0.1.2
Compiling bitflags v1.0.1
Compiling serialize v0.0.0 (file:///Users/alex/Software/rust/src/libserialize)
Compiling rustc_target v0.0.0 (file:///Users/alex/Software/rust/src/librustc_target)
Compiling unicode-width v0.1.4
Compiling scoped-tls v0.1.1
Compiling termcolor v0.3.6
Compiling syntax v0.0.0 (file:///Users/alex/Software/rust/src/libsyntax)
Compiling rustc v0.0.0 (file:///Users/alex/Software/rust/src/librustc)
Compiling remove_dir_all v0.5.1
Compiling rustc-demangle v0.1.7
Compiling byteorder v1.2.2
Compiling graphviz v0.0.0 (file:///Users/alex/Software/rust/src/libgraphviz)
Compiling lazy_static v1.0.0
Compiling rustc-serialize v0.3.24
Compiling rustc_metadata v0.0.0 (file:///Users/alex/Software/rust/src/librustc_metadata)
Compiling fmt_macros v0.0.0 (file:///Users/alex/Software/rust/src/libfmt_macros)
Compiling lazy_static v0.2.11
Compiling rustc_incremental v0.0.0 (file:///Users/alex/Software/rust/src/librustc_incremental)
Compiling quick-error v1.2.1
Compiling rustc_platform_intrinsics v0.0.0 (file:///Users/alex/Software/rust/src/librustc_platform_intrinsics)
Compiling ar v0.3.1
Compiling rustc_driver v0.0.0 (file:///Users/alex/Software/rust/src/librustc_driver)
Compiling log v0.4.1
Compiling owning_ref v0.3.3
Compiling rand v0.4.2
Compiling atty v0.2.8
Compiling log_settings v0.1.1
Compiling humantime v1.1.1
Compiling backtrace v0.3.6
Compiling miniz-sys v0.1.10
Compiling ena v0.9.2
Compiling rustc_cratesio_shim v0.0.0 (file:///Users/alex/Software/rust/src/librustc_cratesio_shim)
Compiling jobserver v0.1.11
Compiling env_logger v0.5.8
Compiling rustc_apfloat v0.0.0 (file:///Users/alex/Software/rust/src/librustc_apfloat)
Compiling parking_lot_core v0.2.14
Compiling tempdir v0.3.7
Compiling flate2 v1.0.1
Compiling parking_lot v0.5.5
Compiling rustc_data_structures v0.0.0 (file:///Users/alex/Software/rust/src/librustc_data_structures)
Compiling rls-span v0.4.0
Compiling rls-data v0.15.0
Compiling syntax_pos v0.0.0 (file:///Users/alex/Software/rust/src/libsyntax_pos)
Compiling arena v0.0.0 (file:///Users/alex/Software/rust/src/libarena)
Compiling rustc_errors v0.0.0 (file:///Users/alex/Software/rust/src/librustc_errors)
Compiling proc_macro v0.0.0 (file:///Users/alex/Software/rust/src/libproc_macro)
Compiling rustc_const_math v0.0.0 (file:///Users/alex/Software/rust/src/librustc_const_math)
Compiling syntax_ext v0.0.0 (file:///Users/alex/Software/rust/src/libsyntax_ext)
Compiling rustc_typeck v0.0.0 (file:///Users/alex/Software/rust/src/librustc_typeck)
Compiling rustc_mir v0.0.0 (file:///Users/alex/Software/rust/src/librustc_mir)
Compiling rustc_allocator v0.0.0 (file:///Users/alex/Software/rust/src/librustc_allocator)
Compiling rustc_traits v0.0.0 (file:///Users/alex/Software/rust/src/librustc_traits)
Compiling rustc_resolve v0.0.0 (file:///Users/alex/Software/rust/src/librustc_resolve)
Compiling rustc_plugin v0.0.0 (file:///Users/alex/Software/rust/src/librustc_plugin)
Compiling rustc_privacy v0.0.0 (file:///Users/alex/Software/rust/src/librustc_privacy)
Compiling rustc_save_analysis v0.0.0 (file:///Users/alex/Software/rust/src/librustc_save_analysis)
Compiling rustc_lint v0.0.0 (file:///Users/alex/Software/rust/src/librustc_lint)
Compiling rustc_trans_utils v0.0.0 (file:///Users/alex/Software/rust/src/librustc_trans_utils)
Compiling rustc_borrowck v0.0.0 (file:///Users/alex/Software/rust/src/librustc_borrowck)
Compiling rustc_passes v0.0.0 (file:///Users/alex/Software/rust/src/librustc_passes)
Compiling rustc-main v0.0.0 (file:///Users/alex/Software/rust/src/rustc)
Finished release [optimized] target(s) in 694.18 secs
Copying stage0 rustc from stage0 (x86_64-apple-darwin -> x86_64-apple-darwin / x86_64-apple-darwin)
Building stage0 codegen artifacts (x86_64-apple-darwin -> x86_64-apple-darwin, llvm)
Compiling build_helper v0.1.0 (file:///Users/alex/Software/rust/src/build_helper)
Compiling rustc_trans v0.0.0 (file:///Users/alex/Software/rust/src/librustc_trans)
Compiling cc v1.0.10
Compiling num_cpus v1.8.0
Compiling rustc_llvm v0.0.0 (file:///Users/alex/Software/rust/src/librustc_llvm)
Finished release [optimized] target(s) in 67.70 secs
Assembling stage1 compiler (x86_64-apple-darwin)
Building stage1 std artifacts (x86_64-apple-darwin -> x86_64-apple-darwin)
Compiling core v0.0.0 (file:///Users/alex/Software/rust/src/libcore)
Compiling unwind v0.0.0 (file:///Users/alex/Software/rust/src/libunwind)
Compiling compiler_builtins v0.0.0 (file:///Users/alex/Software/rust/src/rustc/compiler_builtins_shim)
Compiling alloc_jemalloc v0.0.0 (file:///Users/alex/Software/rust/src/liballoc_jemalloc)
Compiling rustc_asan v0.0.0 (file:///Users/alex/Software/rust/src/librustc_asan)
Compiling rustc_tsan v0.0.0 (file:///Users/alex/Software/rust/src/librustc_tsan)
Compiling std v0.0.0 (file:///Users/alex/Software/rust/src/libstd)
error: internal compiler error: librustc/ty/context.rs:275: node unknown node (id=1) with HirId::owner DefId(0/0:0 ~ core[7c27]) cannot be placed in TypeckTables with local_id_root DefId(0/0:1840 ~ core[7c27]::panicking[0]::panic_fmt[0])
thread 'main' panicked at 'Box<Any>', librustc_errors/lib.rs:546:9
note: Run with `RUST_BACKTRACE=1` for a backtrace.
error: aborting due to previous error
note: the compiler unexpectedly panicked. this is a bug.
note: we would appreciate a bug report: https://github.com/rust-lang/rust/blob/master/CONTRIBUTING.md#bug-reports
note: rustc 1.27.0-dev running on x86_64-apple-darwin
note: compiler flags: -Z save-analysis -Z osx-rpath-install-name -Z force-unstable-if-unmarked -C opt-level=2 -C prefer-dynamic -C debug-assertions=y -C codegen-units=8 -C link-args=-Wl,-rpath,@loader_path/../lib --crate-type lib
note: some of the compiler flags provided by cargo are hidden
error: Could not compile `core`.
Caused by:
process didn't exit successfully: `/Users/alex/Software/rust/build/bootstrap/debug/rustc --crate-name core libcore/lib.rs --error-format json --crate-type lib --emit=dep-info,link -C opt-level=2 -C metadata=be5db4a71f87466b -C extra-filename=-be5db4a71f87466b --out-dir /Users/alex/Software/rust/build/x86_64-apple-darwin/stage1-std/x86_64-apple-darwin/release/deps --target x86_64-apple-darwin -L dependency=/Users/alex/Software/rust/build/x86_64-apple-darwin/stage1-std/x86_64-apple-darwin/release/deps -L dependency=/Users/alex/Software/rust/build/x86_64-apple-darwin/stage1-std/release/deps` (exit code: 101)
command did not execute successfully: "/Users/alex/Software/rust/build/x86_64-apple-darwin/stage0/bin/cargo" "build" "--target" "x86_64-apple-darwin" "-j" "8" "--release" "--features" "panic-unwind jemalloc backtrace" "--manifest-path" "/Users/alex/Software/rust/src/libstd/Cargo.toml" "--message-format" "json"
expected success, got: exit code: 101
thread 'main' panicked at 'cargo must succeed', bootstrap/compile.rs:1091:9
note: Run with `RUST_BACKTRACE=1` for a backtrace.
failed to run: /Users/alex/Software/rust/build/bootstrap/debug/bootstrap -i build
Build completed unsuccessfully in 0:15:41
```
Is this a bug in the build process?
I'm on macOS 10.13.4, incidentally. | build | does not build with extended on i have extended true set in config toml but this seems to be causing the build to fail master head at time of writing where it wasn t before x py i build updating only changed submodules updating submodule src tools clippy submodule path src tools clippy checked out submodules updated in seconds finished dev target s in secs building std artifacts apple darwin apple darwin compiling core file users alex software rust src libcore compiling unwind file users alex software rust src libunwind compiling build helper file users alex software rust src build helper compiling compiler builtins file users alex software rust src rustc compiler builtins shim compiling rustc tsan file users alex software rust src librustc tsan compiling rustc asan file users alex software rust src librustc asan compiling alloc jemalloc file users alex software rust src liballoc jemalloc compiling std file users alex software rust src libstd compiling libc file users alex software rust src rustc libc shim compiling alloc file users alex software rust src liballoc compiling std unicode file users alex software rust src libstd unicode compiling alloc system file users alex software rust src liballoc system compiling panic abort file users alex software rust src libpanic abort compiling panic unwind file users alex software rust src libpanic unwind finished release target s in secs copying std from apple darwin apple darwin apple darwin building test artifacts apple darwin apple darwin compiling getopts compiling term file users alex software rust src libterm compiling test file users alex software rust src libtest finished release target s in secs copying test from apple darwin apple darwin apple darwin building compiler artifacts apple darwin apple darwin compiling libc compiling stable deref trait compiling smallvec compiling cfg if compiling bitflags compiling serialize file users alex software rust src libserialize compiling rustc target file users alex software rust src librustc target compiling unicode width compiling scoped tls compiling termcolor compiling syntax file users alex software rust src libsyntax compiling rustc file users alex software rust src librustc compiling remove dir all compiling rustc demangle compiling byteorder compiling graphviz file users alex software rust src libgraphviz compiling lazy static compiling rustc serialize compiling rustc metadata file users alex software rust src librustc metadata compiling fmt macros file users alex software rust src libfmt macros compiling lazy static compiling rustc incremental file users alex software rust src librustc incremental compiling quick error compiling rustc platform intrinsics file users alex software rust src librustc platform intrinsics compiling ar compiling rustc driver file users alex software rust src librustc driver compiling log compiling owning ref compiling rand compiling atty compiling log settings compiling humantime compiling backtrace compiling miniz sys compiling ena compiling rustc cratesio shim file users alex software rust src librustc cratesio shim compiling jobserver compiling env logger compiling rustc apfloat file users alex software rust src librustc apfloat compiling parking lot core compiling tempdir compiling compiling parking lot compiling rustc data structures file users alex software rust src librustc data structures compiling rls span compiling rls data compiling syntax pos file users alex software rust src libsyntax pos compiling arena file users alex software rust src libarena compiling rustc errors file users alex software rust src librustc errors compiling proc macro file users alex software rust src libproc macro compiling rustc const math file users alex software rust src librustc const math compiling syntax ext file users alex software rust src libsyntax ext compiling rustc typeck file users alex software rust src librustc typeck compiling rustc mir file users alex software rust src librustc mir compiling rustc allocator file users alex software rust src librustc allocator compiling rustc traits file users alex software rust src librustc traits compiling rustc resolve file users alex software rust src librustc resolve compiling rustc plugin file users alex software rust src librustc plugin compiling rustc privacy file users alex software rust src librustc privacy compiling rustc save analysis file users alex software rust src librustc save analysis compiling rustc lint file users alex software rust src librustc lint compiling rustc trans utils file users alex software rust src librustc trans utils compiling rustc borrowck file users alex software rust src librustc borrowck compiling rustc passes file users alex software rust src librustc passes compiling rustc main file users alex software rust src rustc finished release target s in secs copying rustc from apple darwin apple darwin apple darwin building codegen artifacts apple darwin apple darwin llvm compiling build helper file users alex software rust src build helper compiling rustc trans file users alex software rust src librustc trans compiling cc compiling num cpus compiling rustc llvm file users alex software rust src librustc llvm finished release target s in secs assembling compiler apple darwin building std artifacts apple darwin apple darwin compiling core file users alex software rust src libcore compiling unwind file users alex software rust src libunwind compiling compiler builtins file users alex software rust src rustc compiler builtins shim compiling alloc jemalloc file users alex software rust src liballoc jemalloc compiling rustc asan file users alex software rust src librustc asan compiling rustc tsan file users alex software rust src librustc tsan compiling std file users alex software rust src libstd error internal compiler error librustc ty context rs node unknown node id with hirid owner defid core cannot be placed in typecktables with local id root defid core panicking panic fmt thread main panicked at box librustc errors lib rs note run with rust backtrace for a backtrace error aborting due to previous error note the compiler unexpectedly panicked this is a bug note we would appreciate a bug report note rustc dev running on apple darwin note compiler flags z save analysis z osx rpath install name z force unstable if unmarked c opt level c prefer dynamic c debug assertions y c codegen units c link args wl rpath loader path lib crate type lib note some of the compiler flags provided by cargo are hidden error could not compile core caused by process didn t exit successfully users alex software rust build bootstrap debug rustc crate name core libcore lib rs error format json crate type lib emit dep info link c opt level c metadata c extra filename out dir users alex software rust build apple darwin std apple darwin release deps target apple darwin l dependency users alex software rust build apple darwin std apple darwin release deps l dependency users alex software rust build apple darwin std release deps exit code command did not execute successfully users alex software rust build apple darwin bin cargo build target apple darwin j release features panic unwind jemalloc backtrace manifest path users alex software rust src libstd cargo toml message format json expected success got exit code thread main panicked at cargo must succeed bootstrap compile rs note run with rust backtrace for a backtrace failed to run users alex software rust build bootstrap debug bootstrap i build build completed unsuccessfully in is this a bug in the build process i m on macos incidentally | 1 |
81,802 | 23,577,143,066 | IssuesEvent | 2022-08-23 02:41:42 | 06b/house | https://api.github.com/repos/06b/house | opened | Seal your attic hatch | Building Roof/Attic/Ceiling HVAC | Weather strip and insulate your home's attic hatch or door to help keep your home more comfortable and save energy. You can do this with weatherizing materials and insulation or with a pre-made attic cover. | 1.0 | Seal your attic hatch - Weather strip and insulate your home's attic hatch or door to help keep your home more comfortable and save energy. You can do this with weatherizing materials and insulation or with a pre-made attic cover. | build | seal your attic hatch weather strip and insulate your home s attic hatch or door to help keep your home more comfortable and save energy you can do this with weatherizing materials and insulation or with a pre made attic cover | 1 |
711,670 | 24,472,231,136 | IssuesEvent | 2022-10-07 21:24:23 | projectdiscovery/nuclei | https://api.github.com/repos/projectdiscovery/nuclei | closed | Adding simple value-sharing mechanism between templates | Priority: High Status: Completed Type: Enhancement | <!--
1. Please make sure to provide a detailed description with all the relevant information that might be required to start working on this feature.
2. In case you are not sure about your request or whether the particular feature is already supported or not, please start a discussion instead.
3. GitHub Discussion: https://github.com/projectdiscovery/nuclei/discussions/categories/ideas
4. Join our discord server at https://discord.gg/projectdiscovery to discuss the idea on the #nuclei channel.
-->
### Please describe your feature request:
A mechanism to define and share values between other templates during scan time using extractors, the idea is is to have information saved and accessible globally during the scan time regardless of the type of templates, which enabled to write complex workflows using a combination of multi-type templates, i.e read values from DNS template to be used in HTTP or network.
### Describe the use case of this feature:
- Write a template to "login into the website" and store the session in a global variable and reuse the same session to run multiple other authenticated templates.
- Run DNS template, get some values to use with other HTTP templates or Network templates.
Example templates:-
<details>
<summary> Login Template </summary>
```yaml
id: wordpress-login
info:
name: Test RAW Template
author: pdteam
severity: info
requests:
- raw:
- |
GET / HTTP/1.1
Host: {{Hostname}}
- |
POST /wp-login.php HTTP/1.1
Host: {{Hostname}}
Content-Type: application/x-www-form-urlencoded
log=wordpress&pwd=Hacker%40321&rememberme=forever&wp-submit=Log+In
matchers-condition: and
matchers:
- type: word
name: wordpress-login
part: header
words:
- "/wp-admin/"
extractors:
- type: regex
name: session
internal: true
part: header
regex:
- "wordpress_[a-z0-9]+=([A-Za-z0-9%]+)"
```
</details>
<details>
<summary> Authenthicated Template </summary>
```yaml
id: admin
info:
name: Test RAW Template
author: pdteam
severity: info
requests:
- raw:
- |
GET /wp-admin/ HTTP/1.1
Host: {{Hostname}}
Cookie: {{kb_get("wordpress-login:session", Input)}}
matchers:
- type: word
name: admin-dashboard
words:
- "Dashboard"
```
</details> | 1.0 | Adding simple value-sharing mechanism between templates - <!--
1. Please make sure to provide a detailed description with all the relevant information that might be required to start working on this feature.
2. In case you are not sure about your request or whether the particular feature is already supported or not, please start a discussion instead.
3. GitHub Discussion: https://github.com/projectdiscovery/nuclei/discussions/categories/ideas
4. Join our discord server at https://discord.gg/projectdiscovery to discuss the idea on the #nuclei channel.
-->
### Please describe your feature request:
A mechanism to define and share values between other templates during scan time using extractors, the idea is is to have information saved and accessible globally during the scan time regardless of the type of templates, which enabled to write complex workflows using a combination of multi-type templates, i.e read values from DNS template to be used in HTTP or network.
### Describe the use case of this feature:
- Write a template to "login into the website" and store the session in a global variable and reuse the same session to run multiple other authenticated templates.
- Run DNS template, get some values to use with other HTTP templates or Network templates.
Example templates:-
<details>
<summary> Login Template </summary>
```yaml
id: wordpress-login
info:
name: Test RAW Template
author: pdteam
severity: info
requests:
- raw:
- |
GET / HTTP/1.1
Host: {{Hostname}}
- |
POST /wp-login.php HTTP/1.1
Host: {{Hostname}}
Content-Type: application/x-www-form-urlencoded
log=wordpress&pwd=Hacker%40321&rememberme=forever&wp-submit=Log+In
matchers-condition: and
matchers:
- type: word
name: wordpress-login
part: header
words:
- "/wp-admin/"
extractors:
- type: regex
name: session
internal: true
part: header
regex:
- "wordpress_[a-z0-9]+=([A-Za-z0-9%]+)"
```
</details>
<details>
<summary> Authenthicated Template </summary>
```yaml
id: admin
info:
name: Test RAW Template
author: pdteam
severity: info
requests:
- raw:
- |
GET /wp-admin/ HTTP/1.1
Host: {{Hostname}}
Cookie: {{kb_get("wordpress-login:session", Input)}}
matchers:
- type: word
name: admin-dashboard
words:
- "Dashboard"
```
</details> | non_build | adding simple value sharing mechanism between templates please make sure to provide a detailed description with all the relevant information that might be required to start working on this feature in case you are not sure about your request or whether the particular feature is already supported or not please start a discussion instead github discussion join our discord server at to discuss the idea on the nuclei channel please describe your feature request a mechanism to define and share values between other templates during scan time using extractors the idea is is to have information saved and accessible globally during the scan time regardless of the type of templates which enabled to write complex workflows using a combination of multi type templates i e read values from dns template to be used in http or network describe the use case of this feature write a template to login into the website and store the session in a global variable and reuse the same session to run multiple other authenticated templates run dns template get some values to use with other http templates or network templates example templates login template yaml id wordpress login info name test raw template author pdteam severity info requests raw get http host hostname post wp login php http host hostname content type application x www form urlencoded log wordpress pwd hacker rememberme forever wp submit log in matchers condition and matchers type word name wordpress login part header words wp admin extractors type regex name session internal true part header regex wordpress authenthicated template yaml id admin info name test raw template author pdteam severity info requests raw get wp admin http host hostname cookie kb get wordpress login session input matchers type word name admin dashboard words dashboard | 0 |
37,176 | 9,975,004,725 | IssuesEvent | 2019-07-09 12:04:53 | avast/retdec | https://api.github.com/repos/avast/retdec | closed | Fails to build with Xcode 10 on macOS Mojave, openssl and yaracpp issue | D-help-wanted O-macos P-build | I've been trying to get this to build with Xcode 10 on macOS Mojave, but it seems to be running into trouble with 2 of the dependencies.
```
CMake Error at /Users/user/Software/RetDec/0.7/retdec-master/build/deps/openssl/openssl/src/openssl-stamp/openssl-build-Release.cmake:16 (message):
Command failed: 2
'make' '-j8'
See also
/Users/user/Software/RetDec/0.7/retdec-master/build/deps/openssl/openssl/src/openssl-stamp/openssl-build-*.log
make[2]: *** [deps/openssl/openssl/src/openssl-stamp/openssl-build] Error 1
make[1]: *** [deps/openssl/CMakeFiles/openssl.dir/all] Error 2
make[1]: *** Waiting for unfinished jobs....
```
...
```
CMake Error at /Users/user/Software/RetDec/0.7/retdec-master/build/external/src/yaracpp-project-stamp/yaracpp-project-build-Release.cmake:16 (message):
Command failed: 2
'/Applications/Xcode.app/Contents/Developer/usr/bin/make'
See also
/Users/user/Software/RetDec/0.7/retdec-master/build/external/src/yaracpp-project-stamp/yaracpp-project-build-*.log
make[2]: *** [external/src/yaracpp-project-stamp/yaracpp-project-build] Error 1
make[1]: *** [deps/yaracpp/CMakeFiles/yaracpp-project.dir/all] Error 2
```
Attached are the log files detailing the errors.
[openssl-build-err.log](https://github.com/avast-tl/retdec/files/2665301/openssl-build-err.log)
[yaracpp-project-build-err.log](https://github.com/avast-tl/retdec/files/2665302/yaracpp-project-build-err.log)
Based on the log file info, I suspect this issue may be related to Apple dropping support for 32-bit code.
| 1.0 | Fails to build with Xcode 10 on macOS Mojave, openssl and yaracpp issue - I've been trying to get this to build with Xcode 10 on macOS Mojave, but it seems to be running into trouble with 2 of the dependencies.
```
CMake Error at /Users/user/Software/RetDec/0.7/retdec-master/build/deps/openssl/openssl/src/openssl-stamp/openssl-build-Release.cmake:16 (message):
Command failed: 2
'make' '-j8'
See also
/Users/user/Software/RetDec/0.7/retdec-master/build/deps/openssl/openssl/src/openssl-stamp/openssl-build-*.log
make[2]: *** [deps/openssl/openssl/src/openssl-stamp/openssl-build] Error 1
make[1]: *** [deps/openssl/CMakeFiles/openssl.dir/all] Error 2
make[1]: *** Waiting for unfinished jobs....
```
...
```
CMake Error at /Users/user/Software/RetDec/0.7/retdec-master/build/external/src/yaracpp-project-stamp/yaracpp-project-build-Release.cmake:16 (message):
Command failed: 2
'/Applications/Xcode.app/Contents/Developer/usr/bin/make'
See also
/Users/user/Software/RetDec/0.7/retdec-master/build/external/src/yaracpp-project-stamp/yaracpp-project-build-*.log
make[2]: *** [external/src/yaracpp-project-stamp/yaracpp-project-build] Error 1
make[1]: *** [deps/yaracpp/CMakeFiles/yaracpp-project.dir/all] Error 2
```
Attached are the log files detailing the errors.
[openssl-build-err.log](https://github.com/avast-tl/retdec/files/2665301/openssl-build-err.log)
[yaracpp-project-build-err.log](https://github.com/avast-tl/retdec/files/2665302/yaracpp-project-build-err.log)
Based on the log file info, I suspect this issue may be related to Apple dropping support for 32-bit code.
| build | fails to build with xcode on macos mojave openssl and yaracpp issue i ve been trying to get this to build with xcode on macos mojave but it seems to be running into trouble with of the dependencies cmake error at users user software retdec retdec master build deps openssl openssl src openssl stamp openssl build release cmake message command failed make see also users user software retdec retdec master build deps openssl openssl src openssl stamp openssl build log make error make error make waiting for unfinished jobs cmake error at users user software retdec retdec master build external src yaracpp project stamp yaracpp project build release cmake message command failed applications xcode app contents developer usr bin make see also users user software retdec retdec master build external src yaracpp project stamp yaracpp project build log make error make error attached are the log files detailing the errors based on the log file info i suspect this issue may be related to apple dropping support for bit code | 1 |
100,723 | 30,762,440,779 | IssuesEvent | 2023-07-29 22:03:00 | elementor/elementor | https://api.github.com/repos/elementor/elementor | closed | ⛔ 🐞 Bug Report: Screen Size (768px - 1024px) not respecting 1 Product/row | type/responsive product/pro type/layout component/loop-builder | ### Prerequisites
- [X] I have searched for similar issues in both open and closed tickets and cannot find a duplicate.
- [ ] The issue still exists against the latest stable version of Elementor.
### Description
While resizing my tablet browser size, I noticed that my Products per Row (set to 1) were jumping to 2 products/row. This ONLY seems to display on screensizes of 768px-1024px.
I have 1 Product per Row set here:
Appearance > Customize > Woo > Products Per Row
<img width="307" alt="image" src="https://github.com/elementor/elementor/assets/6146508/43772976-0dc3-45e1-8df5-f59c39d9e374">
Unless there's some other Elementor setting that I've misconfigured, I've been unable to find a resolution.
INCORRECT @ 768px-1024px:
<img width="641" alt="image" src="https://github.com/elementor/elementor/assets/6146508/9a2abace-ff65-49b2-b015-4ba306a377bd">
CORRECT @ =>1025px, =<767px:
<img width="803" alt="image" src="https://github.com/elementor/elementor/assets/6146508/b2939f0b-b227-4d2b-b075-0ffd4d563fe6">
<img width="287" alt="image" src="https://github.com/elementor/elementor/assets/6146508/a936dbb0-c5de-43b1-a5fb-35aeceb0ecf4">
### Steps to reproduce
1) Visit: Appearance > Customize > Woo > Products Per Row
2) Set 1 Product per Row
3) Resize the browser window, on any desktop or tablet, to screen width of 768px-1024px
### Isolating the problem
- [ ] This bug happens with only Elementor plugin active (and Elementor Pro).
- [X] This bug happens with a Blank WordPress theme active ([Hello theme](https://wordpress.org/themes/hello-elementor/)).
- [X] I can reproduce this bug consistently following the steps above.
### System Info
<details>
<summary>System Info</summary>
````txt
== Server Environment ==
Operating System: Linux
Software: nginx/1.24.0
MySQL version: managed by https://aws.amazon.com/rds/ v10.6.11
PHP Version: 8.0.29
PHP Memory Limit: 128M
PHP Max Input Vars: 20000
PHP Max Post Size: 100M
GD Installed: Yes
ZIP Installed: Yes
Write Permissions: All right
Elementor Library: Connected
== WordPress Environment ==
Version: 6.2.2
Site URL: https://humphreysusa.com
Home URL: https://humphreysusa.com
WP Multisite: No
Max Upload Size: 100 MB
Memory limit: 1024M
Max Memory limit: 2048M
Permalink Structure: /%postname%/
Language: en-US
Timezone: America/New_York
Admin Email: [REDACTED]
Debug Mode: Active
== Theme ==
Name: Hello Elementor Child
Version: 2.0.0
Author: Elementor Team
Child Theme: Yes
Parent Theme Name: Hello Elementor
Parent Theme Version: 2.8.1
Parent Theme Author: Elementor Team
== User ==
Role: administrator
WP Profile lang: en_US
User Agent: Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/114.0.0.0 Safari/537.36
== Active Plugins ==
Admin Columns Pro
Version: 6.2.2
Author: AdminColumns.com
Advanced Custom Fields PRO
Version: 6.1.7
Author: WP Engine
Booster Plus for WooCommerce
Version: 7.0.0
Author: Pluggabl LLC
Cloudflare
Version: 4.12.0
Author: Cloudflare, Inc.
Contact Form 7
Version: 5.7.7
Author: Takayuki Miyoshi
Cookie banner plugin for WordPress – Cookiebot CMP by Usercentrics
Version: 4.2.12
Author: Usercentrics A/S
Crocoblock Wizard
Version: 1.2.8
Author: Crocoblock
Elementor
Version: 3.15.0-dev2
Author: Elementor.com
Elementor Beta (Developer Edition)
Version: 1.1.1
Author: Elementor.com
Elementor Pro
Version: 3.15.0-beta1
Author: Elementor.com
Enable Media Replace
Version: 4.1.2
Author: ShortPixel
Envato Market
Version: 2.0.8
Author: Envato
Facebook for WooCommerce
Version: 3.0.27
Author: Facebook
Forminator Pro
Version: 1.24.6
Author: WPMU DEV
Google Listings and Ads
Version: 2.4.11
Author: WooCommerce
Gravity Forms
Version: 2.7.7
Author: Gravity Forms
Gravity Forms Partial Entries Add-On
Version: 1.7
Author: Gravity Forms
Gravity Forms reCAPTCHA Add-On
Version: 1.1
Author: Gravity Forms
GTM4WP
Version: 1.16.2
Author: Thomas Geiger
Integrate Elementor Form with Mailster
Version: 1.2.1
Author: Fernando A. Perrella
JetBlocks For Elementor
Version: 1.3.6
Author: Crocoblock
JetCompareWishlist For Elementor
Version: 1.5.4
Author: Crocoblock
JetElements For Elementor
Version: 2.6.11
Author: Crocoblock
JetEngine
Version: 3.2.2
Author: Crocoblock
JetEngine - Custom visibility conditions
Version: 1.1.2
Author: Crocoblock
JetEngine - dynamic tables builder
Version: 1.0.7
Author: Crocoblock
JetFormBuilder User Login Action
Version: 2.0.0
Author: Crocoblock
JetMenu
Version: 2.4.0
Author: Crocoblock
JetPlugins Dynamic Data Addon
Version: 1.3.1
Author: Crocoblock
JetProductGallery
Version: 2.1.12
Author: Crocoblock
JetSmartFilters
Version: 3.1.2
Author: Crocoblock
JetStyleManager
Version: 1.3.6
Author: Crocoblock
JetThemeCore
Version: 2.0.7
Author: Crocoblock
JetTricks
Version: 1.4.4
Author: Crocoblock
JetWooBuilder For Elementor
Version: 2.1.5
Author: Crocoblock
Mailchimp Importer for Mailster
Version: 2.0
Author: EverPress
Mailster - Email Newsletter Plugin for WordPress (Premium)
Version: 3.3.7
Author: EverPress
Mailster AmazonSES Integration
Version: 2.12.0
Author: EverPress
Mailster for WooCommerce
Version: 1.7.1
Author: EverPress
Mailster Google Analytics
Version: 1.4.0
Author: EverPress
Mailster Live!
Version: 2.0
Author: EverPress
Mailster reCaptcha
Version: 2.0.0
Author: EverPress
Nginx Helper
Version: 2.2.3
Author: rtCamp
Performance Lab
Version: 2.4.0
Author: WordPress Performance Team
RafflePress Pro
Version: 1.11.4
Author: RafflePress
Rank Math SEO
Version: 1.0.118
Author: Rank Math
Rank Math SEO PRO
Version: 3.0.39
Author: Rank Math
Site Kit by Google
Version: 1.104.0
Author: Google
Slider Revolution
Version: 6.6.14
Author: ThemePunch
Styles & Layouts Gravity Forms
Version: 4.3.11
Author: Sushil Kumar
SVG Support
Version: 2.5.5
Author: Benbodhi
User Role Editor
Version: 4.63.3
Author: Vladimir Garagulya
User Switching
Version: 1.7.0
Author: John Blackbourn & contributors
Warp iMagick - Image Compressor
Version: 1.10.4.1
Author: ddur
WooCommerce
Version: 7.8.2
Author: Automattic
WooCommerce - ShipStation Integration
Version: 4.3.7
Author: WooCommerce
WooCommerce CyberSource Gateway
Version: 2.6.0
Author: SkyVerge
WooCommerce Product Batch Numbers
Version: 3.0.0
Author: WP Overnight
WooCommerce Product Batch Numbers WPAI Add-on
Version: 1.0.0
Author: WP Overnight
WooCommerce Product Bundles
Version: 6.22.1
Author: WooCommerce
WP All Export - ACF Export Add-On Pro
Version: 1.0.5
Author: Soflyy
WP All Export - User Export Add-On Pro
Version: 1.0.7
Author: Soflyy
WP All Export - WooCommerce Export Add-On Pro
Version: 1.0.6
Author: Soflyy
WP All Export Pro
Version: 1.8.3
Author: Soflyy
WP All Import - ACF Add-On
Version: 3.3.8
Author: Soflyy
WP All Import - User Import Add-On Pro
Version: 1.1.8
Author: Soflyy
WP All Import - WooCommerce Import Add-On Pro
Version: 3.3.5
Author: Soflyy
WP All Import Pro
Version: 4.8.0
Author: Soflyy
WP Mail SMTP Pro
Version: 3.8.1
Author: WP Mail SMTP
WPMU DEV Dashboard
Version: 4.11.18
Author: WPMU DEV
WP Sheet Editor - CMB2
Version: 1.0.1
Author: WP Sheet Editor
WP Sheet Editor - Custom Tables
Version: 1.2.7
Author: WP Sheet Editor
WP Sheet Editor - Facebook for WooCommerce
Version: 1.0.1
Author: WP Sheet Editor
WP Sheet Editor - Media Library
Version: 1.10.4
Author: WP Sheet Editor
WP Sheet Editor - Taxonomy Terms Pro
Version: 1.7.5
Author: WP Sheet Editor
WP Sheet Editor - Users (Premium)
Version: 1.5.24
Author: WP Sheet Editor
WP Sheet Editor - WooCommerce Coupons (Premium)
Version: 1.3.39
Author: WP Sheet Editor
WP Sheet Editor - WooCommerce Orders Pro
Version: 1.3.4
Author: WP Sheet Editor
WP Sheet Editor - WooCommerce Products (Premium)
Version: 1.8.3
Author: WP Sheet Editor
Yoast Duplicate Post
Version: 4.5
Author: Enrico Battocchi & Team Yoast
== Features ==
Custom Fonts: 0
Custom Icons: 0
== Integrations ==
google_maps: Active
recaptcha: Active
recaptcha_v3: Active
woocommerce: Active
== Elementor Experiments ==
Optimized DOM Output: Active
Improved Asset Loading: Active
Improved CSS Loading: Active
Inline Font Icons: Active
Additional Custom Breakpoints: Active
admin_menu_rearrangement: Inactive by default
Flexbox Container: Active
Upgrade Swiper Library: Active
Grid Container: Active
Default to New Theme Builder: Active
Hello Theme Header & Footer: Active
Editor Top Bar: Inactive by default
Landing Pages: Active
Nested Elements: Active
Lazy Load Background Images: Active
Global Style Guide: Active by default
Page Transitions: Active
Notes: Active
Loop: Active
Form Submissions: Active
Scroll Snap: Active
Menu: Active
Taxonomy Filter: Inactive by default
== Log ==
Log: showing 11 of 112023-07-10 08:55:41 [info] Elementor data updater process has been queued. [array (
'plugin' => 'Elementor',
'from' => '3.14.1',
'to' => '3.15.0-dev2',
)]
2023-07-10 08:55:42 [info] elementor::elementor_updater Started
2023-07-10 08:55:42 [info] Elementor/Upgrades - _on_each_version Start
2023-07-10 08:55:42 [info] Elementor/Upgrades - _on_each_version Finished
2023-07-10 08:55:42 [info] Elementor data updater process has been completed. [array (
'plugin' => 'Elementor',
'from' => '3.14.1',
'to' => '3.15.0-dev2',
)]
2023-07-10 08:55:42 [info] Elementor data updater process has been queued. [array (
'plugin' => 'Elementor Pro',
'from' => '3.14.1',
'to' => '3.15.0-beta1',
)]
2023-07-10 08:55:43 [info] Elementor data updater process has been queued. [array (
'plugin' => 'Elementor',
'from' => '3.14.1',
'to' => '3.15.0-dev2',
)]
2023-07-10 08:55:44 [info] elementor-pro::elementor_pro_updater Started
2023-07-10 08:55:44 [info] Elementor Pro/Upgrades - _on_each_version Start
2023-07-10 08:55:44 [info] Elementor Pro/Upgrades - _on_each_version Finished
2023-07-10 08:55:44 [info] Elementor data updater process has been completed. [array (
'plugin' => 'Elementor Pro',
'from' => '3.14.1',
'to' => '3.15.0-beta1',
)]
PHP: showing 20 of 31PHP: 2023-07-10 08:55:56 [warning X 85][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(494): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-10 08:55:56 [warning X 85][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(978): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-10 08:55:56 [warning X 85][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(978): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-10 09:07:34 [warning X 845][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: Elementor\Core\Logger\Manager -> shutdown()
',
)]
PHP: 2023-07-11 11:22:41 [warning X 1][../wp-content/plugins/elementor/core/common/modules/ajax/module.php::175] Undefined array key "data" [array (
'trace' => '
#0: Elementor\Core\Logger\Manager -> shutdown()
',
)]
PHP: 2023-07-11 11:22:43 [warning X 5][/../wp-content/plugins/elementor-pro/core/app/modules/site-editor/data/endpoints/templates.php::150] Undefined array key "condition_type" [array (
'trace' => '
#0: ../wp-content/plugins/elementor-pro/core/app/modules/site-editor/data/endpoints/templates.php(150): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ElementorPro\Core\App\Modules\SiteEditor\Data\Endpoints\Templates -> normalize_template_json_item()
#2: ../wp-content/plugins/elementor-pro/core/app/modules/site-editor/data/endpoints/templates.php(120): class type array_map()
#3: ../wp-content/plugins/elementor-pro/core/app/modules/site-editor/data/endpoints/templates.php(59): ElementorPro\Core\App\Modules\SiteEditor\Data\Endpoints\Templates -> normalize_templates_json()
#4: ../wp-content/plugins/elementor/data/base/endpoint.php(158): ElementorPro\Core\App\Modules\SiteEditor\Data\Endpoints\Templates -> get_items()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(532): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(532): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(745): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(745): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(958): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(958): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(1171): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(1171): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 483][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/elementor/includes/controls/groups/base.php(125): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/elementor/includes/base/controls-stack.php(706): Elementor\Group_Control_Base -> add_controls()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 482][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/elementor/includes/controls/groups/base.php(125): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/elementor/includes/base/controls-stack.php(706): Elementor\Group_Control_Base -> add_controls()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 161][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(494): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 161][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(494): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 161][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(978): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 161][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(978): Elementor\Jet_Elements_Base -> _add_control()
',
)]
== Elementor - Compatibility Tag ==
Elementor Pro: Compatibility not specified
Integrate Elementor Form with Mailster: Compatibility not specified
JetBlocks For Elementor: Compatibility not specified
JetCompareWishlist For Elementor: Compatibility not specified
JetElements For Elementor: Compatibility not specified
JetWooBuilder For Elementor: Compatibility not specified
== Elementor Pro - Compatibility Tag ==
````
</details>
| 1.0 | ⛔ 🐞 Bug Report: Screen Size (768px - 1024px) not respecting 1 Product/row - ### Prerequisites
- [X] I have searched for similar issues in both open and closed tickets and cannot find a duplicate.
- [ ] The issue still exists against the latest stable version of Elementor.
### Description
While resizing my tablet browser size, I noticed that my Products per Row (set to 1) were jumping to 2 products/row. This ONLY seems to display on screensizes of 768px-1024px.
I have 1 Product per Row set here:
Appearance > Customize > Woo > Products Per Row
<img width="307" alt="image" src="https://github.com/elementor/elementor/assets/6146508/43772976-0dc3-45e1-8df5-f59c39d9e374">
Unless there's some other Elementor setting that I've misconfigured, I've been unable to find a resolution.
INCORRECT @ 768px-1024px:
<img width="641" alt="image" src="https://github.com/elementor/elementor/assets/6146508/9a2abace-ff65-49b2-b015-4ba306a377bd">
CORRECT @ =>1025px, =<767px:
<img width="803" alt="image" src="https://github.com/elementor/elementor/assets/6146508/b2939f0b-b227-4d2b-b075-0ffd4d563fe6">
<img width="287" alt="image" src="https://github.com/elementor/elementor/assets/6146508/a936dbb0-c5de-43b1-a5fb-35aeceb0ecf4">
### Steps to reproduce
1) Visit: Appearance > Customize > Woo > Products Per Row
2) Set 1 Product per Row
3) Resize the browser window, on any desktop or tablet, to screen width of 768px-1024px
### Isolating the problem
- [ ] This bug happens with only Elementor plugin active (and Elementor Pro).
- [X] This bug happens with a Blank WordPress theme active ([Hello theme](https://wordpress.org/themes/hello-elementor/)).
- [X] I can reproduce this bug consistently following the steps above.
### System Info
<details>
<summary>System Info</summary>
````txt
== Server Environment ==
Operating System: Linux
Software: nginx/1.24.0
MySQL version: managed by https://aws.amazon.com/rds/ v10.6.11
PHP Version: 8.0.29
PHP Memory Limit: 128M
PHP Max Input Vars: 20000
PHP Max Post Size: 100M
GD Installed: Yes
ZIP Installed: Yes
Write Permissions: All right
Elementor Library: Connected
== WordPress Environment ==
Version: 6.2.2
Site URL: https://humphreysusa.com
Home URL: https://humphreysusa.com
WP Multisite: No
Max Upload Size: 100 MB
Memory limit: 1024M
Max Memory limit: 2048M
Permalink Structure: /%postname%/
Language: en-US
Timezone: America/New_York
Admin Email: [REDACTED]
Debug Mode: Active
== Theme ==
Name: Hello Elementor Child
Version: 2.0.0
Author: Elementor Team
Child Theme: Yes
Parent Theme Name: Hello Elementor
Parent Theme Version: 2.8.1
Parent Theme Author: Elementor Team
== User ==
Role: administrator
WP Profile lang: en_US
User Agent: Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/114.0.0.0 Safari/537.36
== Active Plugins ==
Admin Columns Pro
Version: 6.2.2
Author: AdminColumns.com
Advanced Custom Fields PRO
Version: 6.1.7
Author: WP Engine
Booster Plus for WooCommerce
Version: 7.0.0
Author: Pluggabl LLC
Cloudflare
Version: 4.12.0
Author: Cloudflare, Inc.
Contact Form 7
Version: 5.7.7
Author: Takayuki Miyoshi
Cookie banner plugin for WordPress – Cookiebot CMP by Usercentrics
Version: 4.2.12
Author: Usercentrics A/S
Crocoblock Wizard
Version: 1.2.8
Author: Crocoblock
Elementor
Version: 3.15.0-dev2
Author: Elementor.com
Elementor Beta (Developer Edition)
Version: 1.1.1
Author: Elementor.com
Elementor Pro
Version: 3.15.0-beta1
Author: Elementor.com
Enable Media Replace
Version: 4.1.2
Author: ShortPixel
Envato Market
Version: 2.0.8
Author: Envato
Facebook for WooCommerce
Version: 3.0.27
Author: Facebook
Forminator Pro
Version: 1.24.6
Author: WPMU DEV
Google Listings and Ads
Version: 2.4.11
Author: WooCommerce
Gravity Forms
Version: 2.7.7
Author: Gravity Forms
Gravity Forms Partial Entries Add-On
Version: 1.7
Author: Gravity Forms
Gravity Forms reCAPTCHA Add-On
Version: 1.1
Author: Gravity Forms
GTM4WP
Version: 1.16.2
Author: Thomas Geiger
Integrate Elementor Form with Mailster
Version: 1.2.1
Author: Fernando A. Perrella
JetBlocks For Elementor
Version: 1.3.6
Author: Crocoblock
JetCompareWishlist For Elementor
Version: 1.5.4
Author: Crocoblock
JetElements For Elementor
Version: 2.6.11
Author: Crocoblock
JetEngine
Version: 3.2.2
Author: Crocoblock
JetEngine - Custom visibility conditions
Version: 1.1.2
Author: Crocoblock
JetEngine - dynamic tables builder
Version: 1.0.7
Author: Crocoblock
JetFormBuilder User Login Action
Version: 2.0.0
Author: Crocoblock
JetMenu
Version: 2.4.0
Author: Crocoblock
JetPlugins Dynamic Data Addon
Version: 1.3.1
Author: Crocoblock
JetProductGallery
Version: 2.1.12
Author: Crocoblock
JetSmartFilters
Version: 3.1.2
Author: Crocoblock
JetStyleManager
Version: 1.3.6
Author: Crocoblock
JetThemeCore
Version: 2.0.7
Author: Crocoblock
JetTricks
Version: 1.4.4
Author: Crocoblock
JetWooBuilder For Elementor
Version: 2.1.5
Author: Crocoblock
Mailchimp Importer for Mailster
Version: 2.0
Author: EverPress
Mailster - Email Newsletter Plugin for WordPress (Premium)
Version: 3.3.7
Author: EverPress
Mailster AmazonSES Integration
Version: 2.12.0
Author: EverPress
Mailster for WooCommerce
Version: 1.7.1
Author: EverPress
Mailster Google Analytics
Version: 1.4.0
Author: EverPress
Mailster Live!
Version: 2.0
Author: EverPress
Mailster reCaptcha
Version: 2.0.0
Author: EverPress
Nginx Helper
Version: 2.2.3
Author: rtCamp
Performance Lab
Version: 2.4.0
Author: WordPress Performance Team
RafflePress Pro
Version: 1.11.4
Author: RafflePress
Rank Math SEO
Version: 1.0.118
Author: Rank Math
Rank Math SEO PRO
Version: 3.0.39
Author: Rank Math
Site Kit by Google
Version: 1.104.0
Author: Google
Slider Revolution
Version: 6.6.14
Author: ThemePunch
Styles & Layouts Gravity Forms
Version: 4.3.11
Author: Sushil Kumar
SVG Support
Version: 2.5.5
Author: Benbodhi
User Role Editor
Version: 4.63.3
Author: Vladimir Garagulya
User Switching
Version: 1.7.0
Author: John Blackbourn & contributors
Warp iMagick - Image Compressor
Version: 1.10.4.1
Author: ddur
WooCommerce
Version: 7.8.2
Author: Automattic
WooCommerce - ShipStation Integration
Version: 4.3.7
Author: WooCommerce
WooCommerce CyberSource Gateway
Version: 2.6.0
Author: SkyVerge
WooCommerce Product Batch Numbers
Version: 3.0.0
Author: WP Overnight
WooCommerce Product Batch Numbers WPAI Add-on
Version: 1.0.0
Author: WP Overnight
WooCommerce Product Bundles
Version: 6.22.1
Author: WooCommerce
WP All Export - ACF Export Add-On Pro
Version: 1.0.5
Author: Soflyy
WP All Export - User Export Add-On Pro
Version: 1.0.7
Author: Soflyy
WP All Export - WooCommerce Export Add-On Pro
Version: 1.0.6
Author: Soflyy
WP All Export Pro
Version: 1.8.3
Author: Soflyy
WP All Import - ACF Add-On
Version: 3.3.8
Author: Soflyy
WP All Import - User Import Add-On Pro
Version: 1.1.8
Author: Soflyy
WP All Import - WooCommerce Import Add-On Pro
Version: 3.3.5
Author: Soflyy
WP All Import Pro
Version: 4.8.0
Author: Soflyy
WP Mail SMTP Pro
Version: 3.8.1
Author: WP Mail SMTP
WPMU DEV Dashboard
Version: 4.11.18
Author: WPMU DEV
WP Sheet Editor - CMB2
Version: 1.0.1
Author: WP Sheet Editor
WP Sheet Editor - Custom Tables
Version: 1.2.7
Author: WP Sheet Editor
WP Sheet Editor - Facebook for WooCommerce
Version: 1.0.1
Author: WP Sheet Editor
WP Sheet Editor - Media Library
Version: 1.10.4
Author: WP Sheet Editor
WP Sheet Editor - Taxonomy Terms Pro
Version: 1.7.5
Author: WP Sheet Editor
WP Sheet Editor - Users (Premium)
Version: 1.5.24
Author: WP Sheet Editor
WP Sheet Editor - WooCommerce Coupons (Premium)
Version: 1.3.39
Author: WP Sheet Editor
WP Sheet Editor - WooCommerce Orders Pro
Version: 1.3.4
Author: WP Sheet Editor
WP Sheet Editor - WooCommerce Products (Premium)
Version: 1.8.3
Author: WP Sheet Editor
Yoast Duplicate Post
Version: 4.5
Author: Enrico Battocchi & Team Yoast
== Features ==
Custom Fonts: 0
Custom Icons: 0
== Integrations ==
google_maps: Active
recaptcha: Active
recaptcha_v3: Active
woocommerce: Active
== Elementor Experiments ==
Optimized DOM Output: Active
Improved Asset Loading: Active
Improved CSS Loading: Active
Inline Font Icons: Active
Additional Custom Breakpoints: Active
admin_menu_rearrangement: Inactive by default
Flexbox Container: Active
Upgrade Swiper Library: Active
Grid Container: Active
Default to New Theme Builder: Active
Hello Theme Header & Footer: Active
Editor Top Bar: Inactive by default
Landing Pages: Active
Nested Elements: Active
Lazy Load Background Images: Active
Global Style Guide: Active by default
Page Transitions: Active
Notes: Active
Loop: Active
Form Submissions: Active
Scroll Snap: Active
Menu: Active
Taxonomy Filter: Inactive by default
== Log ==
Log: showing 11 of 112023-07-10 08:55:41 [info] Elementor data updater process has been queued. [array (
'plugin' => 'Elementor',
'from' => '3.14.1',
'to' => '3.15.0-dev2',
)]
2023-07-10 08:55:42 [info] elementor::elementor_updater Started
2023-07-10 08:55:42 [info] Elementor/Upgrades - _on_each_version Start
2023-07-10 08:55:42 [info] Elementor/Upgrades - _on_each_version Finished
2023-07-10 08:55:42 [info] Elementor data updater process has been completed. [array (
'plugin' => 'Elementor',
'from' => '3.14.1',
'to' => '3.15.0-dev2',
)]
2023-07-10 08:55:42 [info] Elementor data updater process has been queued. [array (
'plugin' => 'Elementor Pro',
'from' => '3.14.1',
'to' => '3.15.0-beta1',
)]
2023-07-10 08:55:43 [info] Elementor data updater process has been queued. [array (
'plugin' => 'Elementor',
'from' => '3.14.1',
'to' => '3.15.0-dev2',
)]
2023-07-10 08:55:44 [info] elementor-pro::elementor_pro_updater Started
2023-07-10 08:55:44 [info] Elementor Pro/Upgrades - _on_each_version Start
2023-07-10 08:55:44 [info] Elementor Pro/Upgrades - _on_each_version Finished
2023-07-10 08:55:44 [info] Elementor data updater process has been completed. [array (
'plugin' => 'Elementor Pro',
'from' => '3.14.1',
'to' => '3.15.0-beta1',
)]
PHP: showing 20 of 31PHP: 2023-07-10 08:55:56 [warning X 85][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(494): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-10 08:55:56 [warning X 85][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(978): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-10 08:55:56 [warning X 85][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(978): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-10 09:07:34 [warning X 845][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: Elementor\Core\Logger\Manager -> shutdown()
',
)]
PHP: 2023-07-11 11:22:41 [warning X 1][../wp-content/plugins/elementor/core/common/modules/ajax/module.php::175] Undefined array key "data" [array (
'trace' => '
#0: Elementor\Core\Logger\Manager -> shutdown()
',
)]
PHP: 2023-07-11 11:22:43 [warning X 5][/../wp-content/plugins/elementor-pro/core/app/modules/site-editor/data/endpoints/templates.php::150] Undefined array key "condition_type" [array (
'trace' => '
#0: ../wp-content/plugins/elementor-pro/core/app/modules/site-editor/data/endpoints/templates.php(150): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ElementorPro\Core\App\Modules\SiteEditor\Data\Endpoints\Templates -> normalize_template_json_item()
#2: ../wp-content/plugins/elementor-pro/core/app/modules/site-editor/data/endpoints/templates.php(120): class type array_map()
#3: ../wp-content/plugins/elementor-pro/core/app/modules/site-editor/data/endpoints/templates.php(59): ElementorPro\Core\App\Modules\SiteEditor\Data\Endpoints\Templates -> normalize_templates_json()
#4: ../wp-content/plugins/elementor/data/base/endpoint.php(158): ElementorPro\Core\App\Modules\SiteEditor\Data\Endpoints\Templates -> get_items()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(532): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(532): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(745): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(745): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(958): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(958): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(1171): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 169][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-blocks/includes/base/class-jet-blocks-base.php(430): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-blocks/includes/widgets/jet-blocks-auth-links.php(1171): Elementor\Jet_Blocks_Base -> __add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 483][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/elementor/includes/controls/groups/base.php(125): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/elementor/includes/base/controls-stack.php(706): Elementor\Group_Control_Base -> add_controls()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 482][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/elementor/includes/controls/groups/base.php(125): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/elementor/includes/base/controls-stack.php(706): Elementor\Group_Control_Base -> add_controls()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 161][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(494): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 161][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(494): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 161][../wp-content/plugins/elementor/core/kits/manager.php::323] Undefined array key "" [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(978): Elementor\Jet_Elements_Base -> _add_control()
',
)]
PHP: 2023-07-11 16:45:09 [warning X 161][../wp-content/plugins/elementor/core/kits/manager.php::323] Trying to access array offset on value of type null [array (
'trace' => '
#0: ../wp-content/plugins/elementor/core/kits/manager.php(323): Elementor\Core\Logger\Manager -> rest_error_handler()
#1: ../wp-content/plugins/elementor/core/kits/manager.php(339): Elementor\Core\Kits\Manager -> map_scheme_to_global()
#2: ../wp-content/plugins/elementor/includes/base/controls-stack.php(384): Elementor\Core\Kits\Manager -> convert_scheme_to_global()
#3: ../wp-content/plugins/jet-elements/includes/base/class-jet-elements-base.php(681): Elementor\Controls_Stack -> add_control()
#4: ../wp-content/plugins/jet-elements/includes/addons/jet-elements-headline.php(978): Elementor\Jet_Elements_Base -> _add_control()
',
)]
== Elementor - Compatibility Tag ==
Elementor Pro: Compatibility not specified
Integrate Elementor Form with Mailster: Compatibility not specified
JetBlocks For Elementor: Compatibility not specified
JetCompareWishlist For Elementor: Compatibility not specified
JetElements For Elementor: Compatibility not specified
JetWooBuilder For Elementor: Compatibility not specified
== Elementor Pro - Compatibility Tag ==
````
</details>
| build | ⛔ 🐞 bug report screen size not respecting product row prerequisites i have searched for similar issues in both open and closed tickets and cannot find a duplicate the issue still exists against the latest stable version of elementor description while resizing my tablet browser size i noticed that my products per row set to were jumping to products row this only seems to display on screensizes of i have product per row set here appearance customize woo products per row img width alt image src unless there s some other elementor setting that i ve misconfigured i ve been unable to find a resolution incorrect img width alt image src correct img width alt image src img width alt image src steps to reproduce visit appearance customize woo products per row set product per row resize the browser window on any desktop or tablet to screen width of isolating the problem this bug happens with only elementor plugin active and elementor pro this bug happens with a blank wordpress theme active i can reproduce this bug consistently following the steps above system info system info txt server environment operating system linux software nginx mysql version managed by php version php memory limit php max input vars php max post size gd installed yes zip installed yes write permissions all right elementor library connected wordpress environment version site url home url wp multisite no max upload size mb memory limit max memory limit permalink structure postname language en us timezone america new york admin email debug mode active theme name hello elementor child version author elementor team child theme yes parent theme name hello elementor parent theme version parent theme author elementor team user role administrator wp profile lang en us user agent mozilla macintosh intel mac os x applewebkit khtml like gecko chrome safari active plugins admin columns pro version author admincolumns com advanced custom fields pro version author wp engine booster plus for woocommerce version author pluggabl llc cloudflare version author cloudflare inc contact form version author takayuki miyoshi cookie banner plugin for wordpress – cookiebot cmp by usercentrics version author usercentrics a s crocoblock wizard version author crocoblock elementor version author elementor com elementor beta developer edition version author elementor com elementor pro version author elementor com enable media replace version author shortpixel envato market version author envato facebook for woocommerce version author facebook forminator pro version author wpmu dev google listings and ads version author woocommerce gravity forms version author gravity forms gravity forms partial entries add on version author gravity forms gravity forms recaptcha add on version author gravity forms version author thomas geiger integrate elementor form with mailster version author fernando a perrella jetblocks for elementor version author crocoblock jetcomparewishlist for elementor version author crocoblock jetelements for elementor version author crocoblock jetengine version author crocoblock jetengine custom visibility conditions version author crocoblock jetengine dynamic tables builder version author crocoblock jetformbuilder user login action version author crocoblock jetmenu version author crocoblock jetplugins dynamic data addon version author crocoblock jetproductgallery version author crocoblock jetsmartfilters version author crocoblock jetstylemanager version author crocoblock jetthemecore version author crocoblock jettricks version author crocoblock jetwoobuilder for elementor version author crocoblock mailchimp importer for mailster version author everpress mailster email newsletter plugin for wordpress premium version author everpress mailster amazonses integration version author everpress mailster for woocommerce version author everpress mailster google analytics version author everpress mailster live version author everpress mailster recaptcha version author everpress nginx helper version author rtcamp performance lab version author wordpress performance team rafflepress pro version author rafflepress rank math seo version author rank math rank math seo pro version author rank math site kit by google version author google slider revolution version author themepunch styles layouts gravity forms version author sushil kumar svg support version author benbodhi user role editor version author vladimir garagulya user switching version author john blackbourn contributors warp imagick image compressor version author ddur woocommerce version author automattic woocommerce shipstation integration version author woocommerce woocommerce cybersource gateway version author skyverge woocommerce product batch numbers version author wp overnight woocommerce product batch numbers wpai add on version author wp overnight woocommerce product bundles version author woocommerce wp all export acf export add on pro version author soflyy wp all export user export add on pro version author soflyy wp all export woocommerce export add on pro version author soflyy wp all export pro version author soflyy wp all import acf add on version author soflyy wp all import user import add on pro version author soflyy wp all import woocommerce import add on pro version author soflyy wp all import pro version author soflyy wp mail smtp pro version author wp mail smtp wpmu dev dashboard version author wpmu dev wp sheet editor version author wp sheet editor wp sheet editor custom tables version author wp sheet editor wp sheet editor facebook for woocommerce version author wp sheet editor wp sheet editor media library version author wp sheet editor wp sheet editor taxonomy terms pro version author wp sheet editor wp sheet editor users premium version author wp sheet editor wp sheet editor woocommerce coupons premium version author wp sheet editor wp sheet editor woocommerce orders pro version author wp sheet editor wp sheet editor woocommerce products premium version author wp sheet editor yoast duplicate post version author enrico battocchi team yoast features custom fonts custom icons integrations google maps active recaptcha active recaptcha active woocommerce active elementor experiments optimized dom output active improved asset loading active improved css loading active inline font icons active additional custom breakpoints active admin menu rearrangement inactive by default flexbox container active upgrade swiper library active grid container active default to new theme builder active hello theme header footer active editor top bar inactive by default landing pages active nested elements active lazy load background images active global style guide active by default page transitions active notes active loop active form submissions active scroll snap active menu active taxonomy filter inactive by default log log showing of elementor data updater process has been queued array plugin elementor from to elementor elementor updater started elementor upgrades on each version start elementor upgrades on each version finished elementor data updater process has been completed array plugin elementor from to elementor data updater process has been queued array plugin elementor pro from to elementor data updater process has been queued array plugin elementor from to elementor pro elementor pro updater started elementor pro upgrades on each version start elementor pro upgrades on each version finished elementor data updater process has been completed array plugin elementor pro from to php showing of trying to access array offset on value of type null array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet elements includes base class jet elements base php elementor controls stack add control wp content plugins jet elements includes addons jet elements headline php elementor jet elements base add control php undefined array key array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet elements includes base class jet elements base php elementor controls stack add control wp content plugins jet elements includes addons jet elements headline php elementor jet elements base add control php trying to access array offset on value of type null array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet elements includes base class jet elements base php elementor controls stack add control wp content plugins jet elements includes addons jet elements headline php elementor jet elements base add control php trying to access array offset on value of type null array trace elementor core logger manager shutdown php undefined array key data array trace elementor core logger manager shutdown php undefined array key condition type array trace wp content plugins elementor pro core app modules site editor data endpoints templates php elementor core logger manager rest error handler elementorpro core app modules siteeditor data endpoints templates normalize template json item wp content plugins elementor pro core app modules site editor data endpoints templates php class type array map wp content plugins elementor pro core app modules site editor data endpoints templates php elementorpro core app modules siteeditor data endpoints templates normalize templates json wp content plugins elementor data base endpoint php elementorpro core app modules siteeditor data endpoints templates get items php undefined array key array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet blocks includes base class jet blocks base php elementor controls stack add control wp content plugins jet blocks includes widgets jet blocks auth links php elementor jet blocks base add control php trying to access array offset on value of type null array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet blocks includes base class jet blocks base php elementor controls stack add control wp content plugins jet blocks includes widgets jet blocks auth links php elementor jet blocks base add control php undefined array key array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet blocks includes base class jet blocks base php elementor controls stack add control wp content plugins jet blocks includes widgets jet blocks auth links php elementor jet blocks base add control php trying to access array offset on value of type null array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet blocks includes base class jet blocks base php elementor controls stack add control wp content plugins jet blocks includes widgets jet blocks auth links php elementor jet blocks base add control php undefined array key array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet blocks includes base class jet blocks base php elementor controls stack add control wp content plugins jet blocks includes widgets jet blocks auth links php elementor jet blocks base add control php trying to access array offset on value of type null array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet blocks includes base class jet blocks base php elementor controls stack add control wp content plugins jet blocks includes widgets jet blocks auth links php elementor jet blocks base add control php undefined array key array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet blocks includes base class jet blocks base php elementor controls stack add control wp content plugins jet blocks includes widgets jet blocks auth links php elementor jet blocks base add control php trying to access array offset on value of type null array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet blocks includes base class jet blocks base php elementor controls stack add control wp content plugins jet blocks includes widgets jet blocks auth links php elementor jet blocks base add control php undefined array key array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins elementor includes controls groups base php elementor controls stack add control wp content plugins elementor includes base controls stack php elementor group control base add controls php trying to access array offset on value of type null array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins elementor includes controls groups base php elementor controls stack add control wp content plugins elementor includes base controls stack php elementor group control base add controls php undefined array key array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet elements includes base class jet elements base php elementor controls stack add control wp content plugins jet elements includes addons jet elements headline php elementor jet elements base add control php trying to access array offset on value of type null array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet elements includes base class jet elements base php elementor controls stack add control wp content plugins jet elements includes addons jet elements headline php elementor jet elements base add control php undefined array key array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet elements includes base class jet elements base php elementor controls stack add control wp content plugins jet elements includes addons jet elements headline php elementor jet elements base add control php trying to access array offset on value of type null array trace wp content plugins elementor core kits manager php elementor core logger manager rest error handler wp content plugins elementor core kits manager php elementor core kits manager map scheme to global wp content plugins elementor includes base controls stack php elementor core kits manager convert scheme to global wp content plugins jet elements includes base class jet elements base php elementor controls stack add control wp content plugins jet elements includes addons jet elements headline php elementor jet elements base add control elementor compatibility tag elementor pro compatibility not specified integrate elementor form with mailster compatibility not specified jetblocks for elementor compatibility not specified jetcomparewishlist for elementor compatibility not specified jetelements for elementor compatibility not specified jetwoobuilder for elementor compatibility not specified elementor pro compatibility tag | 1 |
81,807 | 23,579,051,805 | IssuesEvent | 2022-08-23 05:40:23 | muccg/rdrf | https://api.github.com/repos/muccg/rdrf | closed | next_release build error | buildprocess prodbuild | Collecting svglib>=1.2.1
Downloading svglib-1.4.1.tar.gz (913 kB)
|████████████████████████████████| 913 kB 49.2 MB/s
ERROR: Command errored out with exit status 1:
command: /env/bin/python3 -c 'import sys, setuptools, tokenize; sys.argv[0] = '"'"'/tmp/pip-install-bh7l65ig/svglib/setup.py'"'"'; __file__='"'"'/tmp/pip-install-bh7l65ig/svglib/setup.py'"'"';f=getattr(tokenize, '"'"'open'"'"', open)(__file__);code=f.read().replace('"'"'\r\n'"'"', '"'"'\n'"'"');f.close();exec(compile(code, __file__, '"'"'exec'"'"'))' egg_info --egg-base /tmp/pip-pip-egg-info-xsle89gm
cwd: /tmp/pip-install-bh7l65ig/svglib/
Complete output (15 lines):
Traceback (most recent call last):
File "<string>", line 1, in <module>
File "/tmp/pip-install-bh7l65ig/svglib/setup.py", line 10, in <module>
setup(
File "/env/lib/python3.8/site-packages/setuptools/__init__.py", line 128, in setup
_install_setup_requires(attrs)
File "/env/lib/python3.8/site-packages/setuptools/__init__.py", line 121, in _install_setup_requires
dist.parse_config_files(ignore_option_errors=True)
File "/env/lib/python3.8/site-packages/setuptools/dist.py", line 433, in parse_config_files
parse_configuration(self, self.command_options,
File "/env/lib/python3.8/site-packages/setuptools/config.py", line 110, in parse_configuration
options.parse()
File "/env/lib/python3.8/site-packages/setuptools/config.py", line 378, in parse
raise DistutilsOptionError(
distutils.errors.DistutilsOptionError: Unsupported distribution option section: [options.data_files]
----------------------------------------
ERROR: Command errored out with exit status 1: python setup.py egg_info Check the logs for full command output. | 2.0 | next_release build error - Collecting svglib>=1.2.1
Downloading svglib-1.4.1.tar.gz (913 kB)
|████████████████████████████████| 913 kB 49.2 MB/s
ERROR: Command errored out with exit status 1:
command: /env/bin/python3 -c 'import sys, setuptools, tokenize; sys.argv[0] = '"'"'/tmp/pip-install-bh7l65ig/svglib/setup.py'"'"'; __file__='"'"'/tmp/pip-install-bh7l65ig/svglib/setup.py'"'"';f=getattr(tokenize, '"'"'open'"'"', open)(__file__);code=f.read().replace('"'"'\r\n'"'"', '"'"'\n'"'"');f.close();exec(compile(code, __file__, '"'"'exec'"'"'))' egg_info --egg-base /tmp/pip-pip-egg-info-xsle89gm
cwd: /tmp/pip-install-bh7l65ig/svglib/
Complete output (15 lines):
Traceback (most recent call last):
File "<string>", line 1, in <module>
File "/tmp/pip-install-bh7l65ig/svglib/setup.py", line 10, in <module>
setup(
File "/env/lib/python3.8/site-packages/setuptools/__init__.py", line 128, in setup
_install_setup_requires(attrs)
File "/env/lib/python3.8/site-packages/setuptools/__init__.py", line 121, in _install_setup_requires
dist.parse_config_files(ignore_option_errors=True)
File "/env/lib/python3.8/site-packages/setuptools/dist.py", line 433, in parse_config_files
parse_configuration(self, self.command_options,
File "/env/lib/python3.8/site-packages/setuptools/config.py", line 110, in parse_configuration
options.parse()
File "/env/lib/python3.8/site-packages/setuptools/config.py", line 378, in parse
raise DistutilsOptionError(
distutils.errors.DistutilsOptionError: Unsupported distribution option section: [options.data_files]
----------------------------------------
ERROR: Command errored out with exit status 1: python setup.py egg_info Check the logs for full command output. | build | next release build error collecting svglib downloading svglib tar gz kb ████████████████████████████████ kb mb s error command errored out with exit status command env bin c import sys setuptools tokenize sys argv tmp pip install svglib setup py file tmp pip install svglib setup py f getattr tokenize open open file code f read replace r n n f close exec compile code file exec egg info egg base tmp pip pip egg info cwd tmp pip install svglib complete output lines traceback most recent call last file line in file tmp pip install svglib setup py line in setup file env lib site packages setuptools init py line in setup install setup requires attrs file env lib site packages setuptools init py line in install setup requires dist parse config files ignore option errors true file env lib site packages setuptools dist py line in parse config files parse configuration self self command options file env lib site packages setuptools config py line in parse configuration options parse file env lib site packages setuptools config py line in parse raise distutilsoptionerror distutils errors distutilsoptionerror unsupported distribution option section error command errored out with exit status python setup py egg info check the logs for full command output | 1 |
10,989 | 4,862,825,907 | IssuesEvent | 2016-11-14 13:46:04 | JabRef/jabref | https://api.github.com/repos/JabRef/jabref | closed | jabref literature does not work anymore | fixed-in-devBuilds waiting-for-feedback | google scholar and medline searches reprot that either nothing is found or that there are errors performing the search????
Windows 7, latest jabref-version
see error log below.
Thanks
<!-- Note: Please use the GitHub Issue tracker only for BugReports.
Feature requests, questions and general feedback is now handled at http://discourse.jabref.org
Thanks! -->
JabRef version <!-- version as shown in the about box --> on <!-- Windows 10|Ubuntu 14.04|Mac OS X 10.8|... -->
<!-- Hint: If you use a development version (available at http://builds.jabref.org/master/), ensure that you use the latest one. -->
Steps to reproduce:
1. ...
2. ...
3. ...
<!-- If applicable, excerpt of the bibliography file, screenshot, and excerpt of log (available in the error console) -->
```
Put the excerpt of the log file here
13:42:12.129 [JabRef CachedThreadPool] WARN net.sf.jabref.gui.importer.fetcher.GoogleScholarFetcher - Error fetching from Google Scholar
java.io.IOException: Server returned HTTP response code: 503 for URL: https://ipv4.google.com/sorry/index?continue=https://scholar.google.com/scholar%3Fhl%3Den%26oe%3DASCII%26num%3D20%26as_sdt%3D2006&hl=en&q=EgSE5i7XGKOQh8EFIhkA8aeDSwUT7RYs_1im9xcSXtUiV3gq7J4QMgFj
at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(Unknown Source) ~[?:1.8.0_111]
at sun.net.www.protocol.http.HttpURLConnection.getInputStream(Unknown Source) ~[?:1.8.0_111]
at sun.net.www.protocol.https.HttpsURLConnectionImpl.getInputStream(Unknown Source) ~[?:1.8.0_111]
at net.sf.jabref.logic.net.URLDownload.downloadToString(URLDownload.java:123) ~[JabRef-3.6.jar:?]
at net.sf.jabref.gui.importer.fetcher.GoogleScholarFetcher.runConfig(GoogleScholarFetcher.java:166) ~[JabRef-3.6.jar:?]
at net.sf.jabref.gui.importer.fetcher.GoogleScholarFetcher.processQueryGetPreview(GoogleScholarFetcher.java:82) ~[JabRef-3.6.jar:?]
at net.sf.jabref.gui.importer.fetcher.GeneralFetcher.lambda$actionPerformed$4(GeneralFetcher.java:191) ~[JabRef-3.6.jar:?]
at java.util.concurrent.ThreadPoolExecutor.runWorker(Unknown Source) [?:1.8.0_111]
at java.util.concurrent.ThreadPoolExecutor$Worker.run(Unknown Source) [?:1.8.0_111]
at java.lang.Thread.run(Unknown Source) [?:1.8.0_111]```
| 1.0 | jabref literature does not work anymore - google scholar and medline searches reprot that either nothing is found or that there are errors performing the search????
Windows 7, latest jabref-version
see error log below.
Thanks
<!-- Note: Please use the GitHub Issue tracker only for BugReports.
Feature requests, questions and general feedback is now handled at http://discourse.jabref.org
Thanks! -->
JabRef version <!-- version as shown in the about box --> on <!-- Windows 10|Ubuntu 14.04|Mac OS X 10.8|... -->
<!-- Hint: If you use a development version (available at http://builds.jabref.org/master/), ensure that you use the latest one. -->
Steps to reproduce:
1. ...
2. ...
3. ...
<!-- If applicable, excerpt of the bibliography file, screenshot, and excerpt of log (available in the error console) -->
```
Put the excerpt of the log file here
13:42:12.129 [JabRef CachedThreadPool] WARN net.sf.jabref.gui.importer.fetcher.GoogleScholarFetcher - Error fetching from Google Scholar
java.io.IOException: Server returned HTTP response code: 503 for URL: https://ipv4.google.com/sorry/index?continue=https://scholar.google.com/scholar%3Fhl%3Den%26oe%3DASCII%26num%3D20%26as_sdt%3D2006&hl=en&q=EgSE5i7XGKOQh8EFIhkA8aeDSwUT7RYs_1im9xcSXtUiV3gq7J4QMgFj
at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(Unknown Source) ~[?:1.8.0_111]
at sun.net.www.protocol.http.HttpURLConnection.getInputStream(Unknown Source) ~[?:1.8.0_111]
at sun.net.www.protocol.https.HttpsURLConnectionImpl.getInputStream(Unknown Source) ~[?:1.8.0_111]
at net.sf.jabref.logic.net.URLDownload.downloadToString(URLDownload.java:123) ~[JabRef-3.6.jar:?]
at net.sf.jabref.gui.importer.fetcher.GoogleScholarFetcher.runConfig(GoogleScholarFetcher.java:166) ~[JabRef-3.6.jar:?]
at net.sf.jabref.gui.importer.fetcher.GoogleScholarFetcher.processQueryGetPreview(GoogleScholarFetcher.java:82) ~[JabRef-3.6.jar:?]
at net.sf.jabref.gui.importer.fetcher.GeneralFetcher.lambda$actionPerformed$4(GeneralFetcher.java:191) ~[JabRef-3.6.jar:?]
at java.util.concurrent.ThreadPoolExecutor.runWorker(Unknown Source) [?:1.8.0_111]
at java.util.concurrent.ThreadPoolExecutor$Worker.run(Unknown Source) [?:1.8.0_111]
at java.lang.Thread.run(Unknown Source) [?:1.8.0_111]```
| build | jabref literature does not work anymore google scholar and medline searches reprot that either nothing is found or that there are errors performing the search windows latest jabref version see error log below thanks note please use the github issue tracker only for bugreports feature requests questions and general feedback is now handled at thanks jabref version on steps to reproduce put the excerpt of the log file here warn net sf jabref gui importer fetcher googlescholarfetcher error fetching from google scholar java io ioexception server returned http response code for url at sun net source at sun net source at sun net source at net sf jabref logic net urldownload downloadtostring urldownload java at net sf jabref gui importer fetcher googlescholarfetcher runconfig googlescholarfetcher java at net sf jabref gui importer fetcher googlescholarfetcher processquerygetpreview googlescholarfetcher java at net sf jabref gui importer fetcher generalfetcher lambda actionperformed generalfetcher java at java util concurrent threadpoolexecutor runworker unknown source at java util concurrent threadpoolexecutor worker run unknown source at java lang thread run unknown source | 1 |
5,264 | 12,288,694,738 | IssuesEvent | 2020-05-09 17:54:41 | kubernetes/kubernetes | https://api.github.com/repos/kubernetes/kubernetes | closed | avoid major-version package names | area/code-organization kind/feature lifecycle/rotten priority/important-longterm sig/api-machinery sig/architecture | Packages in this repository with paths like `k8s.io/api/core/v1` are named according to their major version (`package v1`) instead of a more semantically meaningful part of the path (`package core`).
That forces users of these packages to pretty much always rename them upon import.
Unfortunately, fixing the package names for existing packages would be a breaking change.
However, for future packages, it might be a good idea to use more descriptive package names in the [package clause](https://golang.org/ref/spec#Package_clause).
See also https://blog.golang.org/package-names. | 1.0 | avoid major-version package names - Packages in this repository with paths like `k8s.io/api/core/v1` are named according to their major version (`package v1`) instead of a more semantically meaningful part of the path (`package core`).
That forces users of these packages to pretty much always rename them upon import.
Unfortunately, fixing the package names for existing packages would be a breaking change.
However, for future packages, it might be a good idea to use more descriptive package names in the [package clause](https://golang.org/ref/spec#Package_clause).
See also https://blog.golang.org/package-names. | non_build | avoid major version package names packages in this repository with paths like io api core are named according to their major version package instead of a more semantically meaningful part of the path package core that forces users of these packages to pretty much always rename them upon import unfortunately fixing the package names for existing packages would be a breaking change however for future packages it might be a good idea to use more descriptive package names in the see also | 0 |
182,615 | 6,671,693,548 | IssuesEvent | 2017-10-04 08:31:11 | RequestPolicyContinued/requestpolicy | https://api.github.com/repos/RequestPolicyContinued/requestpolicy | closed | WE API: mapping between a `web-extension://` uuid and an extension id | component: subscriptions Priority: P1 status: help wanted type: browser compatibility | **Summary:**
- Requests by WebExtensions originate from `web-extension://{UUID}/...`.
- `{UUID}` is a context- and extension-specific uuid, that is, the extension has a different uuid for each browsing context (chrome, content, …).
- Knowing which add-on a request comes from is necessary for the "allow_extensions" subscription, see https://github.com/RequestPolicyContinued/subscriptions/issues/62
- There is no such API yet
**ToDo:**
Request a new API—or an addition to "details" in `webRequest.onBeforeRequest`—for RP to know which add-on a request (coming from or going to `web-extension://*/`) corresponds to.
**Links:**
- https://wiki.mozilla.org/WebExtensions/NewAPIs
- https://developer.mozilla.org/en-US/Add-ons/WebExtensions/API/webRequest/onBeforeRequest#details | 1.0 | WE API: mapping between a `web-extension://` uuid and an extension id - **Summary:**
- Requests by WebExtensions originate from `web-extension://{UUID}/...`.
- `{UUID}` is a context- and extension-specific uuid, that is, the extension has a different uuid for each browsing context (chrome, content, …).
- Knowing which add-on a request comes from is necessary for the "allow_extensions" subscription, see https://github.com/RequestPolicyContinued/subscriptions/issues/62
- There is no such API yet
**ToDo:**
Request a new API—or an addition to "details" in `webRequest.onBeforeRequest`—for RP to know which add-on a request (coming from or going to `web-extension://*/`) corresponds to.
**Links:**
- https://wiki.mozilla.org/WebExtensions/NewAPIs
- https://developer.mozilla.org/en-US/Add-ons/WebExtensions/API/webRequest/onBeforeRequest#details | non_build | we api mapping between a web extension uuid and an extension id summary requests by webextensions originate from web extension uuid uuid is a context and extension specific uuid that is the extension has a different uuid for each browsing context chrome content … knowing which add on a request comes from is necessary for the allow extensions subscription see there is no such api yet todo request a new api—or an addition to details in webrequest onbeforerequest —for rp to know which add on a request coming from or going to web extension corresponds to links | 0 |
102,334 | 31,897,501,901 | IssuesEvent | 2023-09-18 04:11:34 | patrick-rivos/riscv-gnu-toolchain | https://api.github.com/repos/patrick-rivos/riscv-gnu-toolchain | opened | Testsuite Status b34f8e705d961260adc2bea95db4361b2e70d565 | build-failure testsuite-failure bug | # Summary
|Build Failures|Additional Info|
|---|---|
|gcc-linux-rv64gc-lp64d-b34f8e705d961260adc2bea95db4361b2e70d565-multilib|Check logs|
|Testsuite Failures|Additional Info|
|---|---|
|gcc-linux-rv64gcv_zvbb_zvbc_zvkg_zvkn_zvknc_zvkned_zvkng_zvknha_zvknhb_zvks_zvksc_zvksed_zvksg_zvksh_zvkt-lp64d-b34f8e705d961260adc2bea95db4361b2e70d565-non-multilib|Cannot find testsuite artifact. Likely caused by testsuite timeout.|
|gcc-newlib-rv64gc-lp64d-b34f8e705d961260adc2bea95db4361b2e70d565-multilib|Cannot find testsuite artifact. Likely caused by testsuite timeout.|
|New Failures|gcc|g++|gfortran|Previous Hash|
|---|---|---|---|---|
|Resolved Failures|gcc|g++|gfortran|Previous Hash|
|---|---|---|---|---|
|Unresolved Failures|gcc|g++|gfortran|Previous Hash|
|---|---|---|---|---|
|linux: RVA23U64 profile lp64d medlow|115/83|17/5|38/17|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|linux: rv32 Bitmanip ilp32d medlow|103/70|12/5|12/2|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|linux: rv32 Vector Crypto ilp32d medlow|142/106|24/11|45/18|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|linux: rv32gcv ilp32d medlow|142/106|24/11|45/18|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|linux: rv64 Bitmanip lp64d medlow|172/92|17/5|30/5|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|linux: rv64gcv lp64d medlow|108/76|17/5|40/17|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: RVA23U64 profile lp64d medlow|139/71|83/11|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv32 Bitmanip ilp32d medlow|80/17|102/13|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv32 Vector Crypto ilp32d medlow|120/54|114/19|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv32gcv ilp32d medlow|116/50|114/19|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv64 Bitmanip lp64d medlow|193/77|83/11|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv64 Vector Crypto lp64d medlow|130/62|83/11|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv64gcv lp64d medlow|126/58|83/11|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
Associated run is: https://github.com/patrick-rivos/riscv-gnu-toolchain/actions/runs/6215149289
| 1.0 | Testsuite Status b34f8e705d961260adc2bea95db4361b2e70d565 - # Summary
|Build Failures|Additional Info|
|---|---|
|gcc-linux-rv64gc-lp64d-b34f8e705d961260adc2bea95db4361b2e70d565-multilib|Check logs|
|Testsuite Failures|Additional Info|
|---|---|
|gcc-linux-rv64gcv_zvbb_zvbc_zvkg_zvkn_zvknc_zvkned_zvkng_zvknha_zvknhb_zvks_zvksc_zvksed_zvksg_zvksh_zvkt-lp64d-b34f8e705d961260adc2bea95db4361b2e70d565-non-multilib|Cannot find testsuite artifact. Likely caused by testsuite timeout.|
|gcc-newlib-rv64gc-lp64d-b34f8e705d961260adc2bea95db4361b2e70d565-multilib|Cannot find testsuite artifact. Likely caused by testsuite timeout.|
|New Failures|gcc|g++|gfortran|Previous Hash|
|---|---|---|---|---|
|Resolved Failures|gcc|g++|gfortran|Previous Hash|
|---|---|---|---|---|
|Unresolved Failures|gcc|g++|gfortran|Previous Hash|
|---|---|---|---|---|
|linux: RVA23U64 profile lp64d medlow|115/83|17/5|38/17|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|linux: rv32 Bitmanip ilp32d medlow|103/70|12/5|12/2|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|linux: rv32 Vector Crypto ilp32d medlow|142/106|24/11|45/18|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|linux: rv32gcv ilp32d medlow|142/106|24/11|45/18|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|linux: rv64 Bitmanip lp64d medlow|172/92|17/5|30/5|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|linux: rv64gcv lp64d medlow|108/76|17/5|40/17|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: RVA23U64 profile lp64d medlow|139/71|83/11|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv32 Bitmanip ilp32d medlow|80/17|102/13|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv32 Vector Crypto ilp32d medlow|120/54|114/19|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv32gcv ilp32d medlow|116/50|114/19|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv64 Bitmanip lp64d medlow|193/77|83/11|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv64 Vector Crypto lp64d medlow|130/62|83/11|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
|newlib: rv64gcv lp64d medlow|126/58|83/11|0/0|[68845f7c4d58186cc0a5b09f7511f3c0a8f07e88](https://github.com/gcc-mirror/gcc/compare/68845f7c4d58186cc0a5b09f7511f3c0a8f07e88...b34f8e705d961260adc2bea95db4361b2e70d565)|
Associated run is: https://github.com/patrick-rivos/riscv-gnu-toolchain/actions/runs/6215149289
| build | testsuite status summary build failures additional info gcc linux multilib check logs testsuite failures additional info gcc linux zvbb zvbc zvkg zvkn zvknc zvkned zvkng zvknha zvknhb zvks zvksc zvksed zvksg zvksh zvkt non multilib cannot find testsuite artifact likely caused by testsuite timeout gcc newlib multilib cannot find testsuite artifact likely caused by testsuite timeout new failures gcc g gfortran previous hash resolved failures gcc g gfortran previous hash unresolved failures gcc g gfortran previous hash linux profile medlow linux bitmanip medlow linux vector crypto medlow linux medlow linux bitmanip medlow linux medlow newlib profile medlow newlib bitmanip medlow newlib vector crypto medlow newlib medlow newlib bitmanip medlow newlib vector crypto medlow newlib medlow associated run is | 1 |
262,777 | 27,989,306,738 | IssuesEvent | 2023-03-27 01:19:35 | interserver/mailbaby-api-samples | https://api.github.com/repos/interserver/mailbaby-api-samples | opened | CVE-2020-29582 (Medium) detected in kotlin-stdlib-1.4.10.jar | Mend: dependency security vulnerability | ## CVE-2020-29582 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>kotlin-stdlib-1.4.10.jar</b></p></summary>
<p>Kotlin Standard Library for JVM</p>
<p>Path to dependency file: /openapi-client/java/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/jetbrains/kotlin/kotlin-stdlib/1.4.10/kotlin-stdlib-1.4.10.jar,/home/wss-scanner/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib/1.4.10/ea29e063d2bbe695be13e9d044dcfb0c7add398e/kotlin-stdlib-1.4.10.jar,/home/wss-scanner/.ivy2/cache/org.jetbrains.kotlin/kotlin-stdlib/jars/kotlin-stdlib-1.4.10.jar</p>
<p>
Dependency Hierarchy:
- okhttp-4.9.3.jar (Root Library)
- :x: **kotlin-stdlib-1.4.10.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/interserver/mailbaby-api-samples/commit/0879348474e22463e77dc76ba5e5f7e6300a2b6c">0879348474e22463e77dc76ba5e5f7e6300a2b6c</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>
In JetBrains Kotlin before 1.4.21, a vulnerable Java API was used for temporary file and folder creation. An attacker was able to read data from such files and list directories due to insecure permissions.
<p>Publish Date: 2021-02-03
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2020-29582>CVE-2020-29582</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.3</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: Low
- 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://github.com/advisories/GHSA-cqj8-47ch-rvvq">https://github.com/advisories/GHSA-cqj8-47ch-rvvq</a></p>
<p>Release Date: 2021-02-03</p>
<p>Fix Resolution: org.jetbrains.kotlin:kotlin-stdlib:1.4.21</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-2020-29582 (Medium) detected in kotlin-stdlib-1.4.10.jar - ## CVE-2020-29582 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>kotlin-stdlib-1.4.10.jar</b></p></summary>
<p>Kotlin Standard Library for JVM</p>
<p>Path to dependency file: /openapi-client/java/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/jetbrains/kotlin/kotlin-stdlib/1.4.10/kotlin-stdlib-1.4.10.jar,/home/wss-scanner/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib/1.4.10/ea29e063d2bbe695be13e9d044dcfb0c7add398e/kotlin-stdlib-1.4.10.jar,/home/wss-scanner/.ivy2/cache/org.jetbrains.kotlin/kotlin-stdlib/jars/kotlin-stdlib-1.4.10.jar</p>
<p>
Dependency Hierarchy:
- okhttp-4.9.3.jar (Root Library)
- :x: **kotlin-stdlib-1.4.10.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/interserver/mailbaby-api-samples/commit/0879348474e22463e77dc76ba5e5f7e6300a2b6c">0879348474e22463e77dc76ba5e5f7e6300a2b6c</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>
In JetBrains Kotlin before 1.4.21, a vulnerable Java API was used for temporary file and folder creation. An attacker was able to read data from such files and list directories due to insecure permissions.
<p>Publish Date: 2021-02-03
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2020-29582>CVE-2020-29582</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.3</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: Low
- 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://github.com/advisories/GHSA-cqj8-47ch-rvvq">https://github.com/advisories/GHSA-cqj8-47ch-rvvq</a></p>
<p>Release Date: 2021-02-03</p>
<p>Fix Resolution: org.jetbrains.kotlin:kotlin-stdlib:1.4.21</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | non_build | cve medium detected in kotlin stdlib jar cve medium severity vulnerability vulnerable library kotlin stdlib jar kotlin standard library for jvm path to dependency file openapi client java pom xml path to vulnerable library home wss scanner repository org jetbrains kotlin kotlin stdlib kotlin stdlib jar home wss scanner gradle caches modules files org jetbrains kotlin kotlin stdlib kotlin stdlib jar home wss scanner cache org jetbrains kotlin kotlin stdlib jars kotlin stdlib jar dependency hierarchy okhttp jar root library x kotlin stdlib jar vulnerable library found in head commit a href found in base branch master vulnerability details in jetbrains kotlin before a vulnerable java api was used for temporary file and folder creation an attacker was able to read data from such files and list directories due to insecure permissions 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 low 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 org jetbrains kotlin kotlin stdlib step up your open source security game with mend | 0 |
7,881 | 4,087,641,197 | IssuesEvent | 2016-06-01 10:50:52 | WPN-XM/WPN-XM | https://api.github.com/repos/WPN-XM/WPN-XM | opened | modular innosetup installers | build tools component related feature installation wizard | ##### Problem description
The innosetup installation scripts are static.
Edits are done manually and then transfered to other installers by using a cross-difference merge tool.
The current diff transfer strategy is to apply a horizontal diff-merge followed by a vertical diff-merge.
In detail:
- firstly, one of the "main" installers is edited, then the changes are applyed to the other main installers by cross-diff merging:
- `webinstaller-php55-w32.iss full-php55-w32.iss standard-php55-w32.iss lite-php55-w32.iss`
- secondly, the cross-diff merging is done one time for each installer type, e.g. `webinstaller`
- `webinstaller-php55-w32.iss webinstaller-php55-w64.iss webinstaller-php56-w32.iss webinstaller-php56-w64.iss webinstaller-php70-w32.iss webinstaller-php70-w64.iss`
This approach allows a fast merging of changes down the line.
Its also very easy to spot the differences between installers. (Differences occur very often, because of compatibility issues. Just think about the differences in PHP extensions support between PHP 5.6 and PHP 7.0.)
##### Expected behavior
The idea behind a modular innosetup installer is to create the functionality "to merge" as an additional `iss` file and add includes into the main installer scripts. A main installer script is then composed out of multiple iss files. The Innosetup compiler performs the includes and builds the installer file as a
pre-compilation step.
This approach allows includes per component.
The iss file of a component can be stored in the software assets repository, e.g. `{software}\innosetup\{software}.iss`.
The big downside of this approach is that the differences are very hard to spot.
They are laid out over multiple files (and probably multiple dirs).
The difference on the main installers is reduced to "conditional includes".
##### Possible solution
- Step 1 - manual generation of innosetup installer
- prototype a modular inosetup installer
- with a minimal number of components, e.g. Lite installer
- split the component functionality into individual iss files
- include the component iss files into the main installer script
- test file generation with Innosetup compiler
- Step 2 - dynamic generation of innosetup installer using PHP
- use PHP to read the installer registry
- foreach component insert the iss include into the main installer script
- test file generation with Innosetup compiler
- Step 3
- like Step 2 but with includes from the software repository submodule:
- `software\{software}\innosetup\{software}.iss`
| 1.0 | modular innosetup installers - ##### Problem description
The innosetup installation scripts are static.
Edits are done manually and then transfered to other installers by using a cross-difference merge tool.
The current diff transfer strategy is to apply a horizontal diff-merge followed by a vertical diff-merge.
In detail:
- firstly, one of the "main" installers is edited, then the changes are applyed to the other main installers by cross-diff merging:
- `webinstaller-php55-w32.iss full-php55-w32.iss standard-php55-w32.iss lite-php55-w32.iss`
- secondly, the cross-diff merging is done one time for each installer type, e.g. `webinstaller`
- `webinstaller-php55-w32.iss webinstaller-php55-w64.iss webinstaller-php56-w32.iss webinstaller-php56-w64.iss webinstaller-php70-w32.iss webinstaller-php70-w64.iss`
This approach allows a fast merging of changes down the line.
Its also very easy to spot the differences between installers. (Differences occur very often, because of compatibility issues. Just think about the differences in PHP extensions support between PHP 5.6 and PHP 7.0.)
##### Expected behavior
The idea behind a modular innosetup installer is to create the functionality "to merge" as an additional `iss` file and add includes into the main installer scripts. A main installer script is then composed out of multiple iss files. The Innosetup compiler performs the includes and builds the installer file as a
pre-compilation step.
This approach allows includes per component.
The iss file of a component can be stored in the software assets repository, e.g. `{software}\innosetup\{software}.iss`.
The big downside of this approach is that the differences are very hard to spot.
They are laid out over multiple files (and probably multiple dirs).
The difference on the main installers is reduced to "conditional includes".
##### Possible solution
- Step 1 - manual generation of innosetup installer
- prototype a modular inosetup installer
- with a minimal number of components, e.g. Lite installer
- split the component functionality into individual iss files
- include the component iss files into the main installer script
- test file generation with Innosetup compiler
- Step 2 - dynamic generation of innosetup installer using PHP
- use PHP to read the installer registry
- foreach component insert the iss include into the main installer script
- test file generation with Innosetup compiler
- Step 3
- like Step 2 but with includes from the software repository submodule:
- `software\{software}\innosetup\{software}.iss`
| build | modular innosetup installers problem description the innosetup installation scripts are static edits are done manually and then transfered to other installers by using a cross difference merge tool the current diff transfer strategy is to apply a horizontal diff merge followed by a vertical diff merge in detail firstly one of the main installers is edited then the changes are applyed to the other main installers by cross diff merging webinstaller iss full iss standard iss lite iss secondly the cross diff merging is done one time for each installer type e g webinstaller webinstaller iss webinstaller iss webinstaller iss webinstaller iss webinstaller iss webinstaller iss this approach allows a fast merging of changes down the line its also very easy to spot the differences between installers differences occur very often because of compatibility issues just think about the differences in php extensions support between php and php expected behavior the idea behind a modular innosetup installer is to create the functionality to merge as an additional iss file and add includes into the main installer scripts a main installer script is then composed out of multiple iss files the innosetup compiler performs the includes and builds the installer file as a pre compilation step this approach allows includes per component the iss file of a component can be stored in the software assets repository e g software innosetup software iss the big downside of this approach is that the differences are very hard to spot they are laid out over multiple files and probably multiple dirs the difference on the main installers is reduced to conditional includes possible solution step manual generation of innosetup installer prototype a modular inosetup installer with a minimal number of components e g lite installer split the component functionality into individual iss files include the component iss files into the main installer script test file generation with innosetup compiler step dynamic generation of innosetup installer using php use php to read the installer registry foreach component insert the iss include into the main installer script test file generation with innosetup compiler step like step but with includes from the software repository submodule software software innosetup software iss | 1 |
92,766 | 26,762,960,919 | IssuesEvent | 2023-01-31 08:36:21 | pytorch/pytorch | https://api.github.com/repos/pytorch/pytorch | closed | torch.ops._caffe2 linked no functions in windows -->RuntimeError [enforce fail at roi_align_op.h:39] Not Implemented | module: build module: windows caffe2 triaged windows-triaged | ## 🐛 Bug
_caffe2 has linked no functions, and I think this is a serious problem in pytorch, thus I openned this new issue report. Hope anybody familiar with pytorch compilation in windows could help...
I refered to https://github.com/pytorch/pytorch/issues/35547, but I don't know how this problem is solved, since I'm facing the exact errors when deploying detectron2 (use the detectron2 caffe2_converter.py file, everything follows the dectectron2 deployment instruction).
I tried torch 1.5, 1.5.1, and in addition I cloned the repo 2 days ago to build the pytorch successfully on win10, detectron setup is also OK, and I tried to use vscode to see the debug, as below,
Traceback (most recent call last):
File "D:\Anaconda3\envs\tchdev\lib\runpy.py", line 193, in _run_module_as_main
"__main__", mod_spec)
File "D:\Anaconda3\envs\tchdev\lib\runpy.py", line 85, in _run_code
exec(code, run_globals)
File "c:\Users\Administrator\.vscode\extensions\ms-python.python-2020.7.94776\pythonFiles\lib\python\debugpy\__main__.py", line 45, in <module>
cli.main()
File "c:\Users\Administrator\.vscode\extensions\ms-python.python-2020.7.94776\pythonFiles\lib\python\debugpy/..\debugpy\server\cli.py", line 430, in main
run()
File "c:\Users\Administrator\.vscode\extensions\ms-python.python-2020.7.94776\pythonFiles\lib\python\debugpy/..\debugpy\server\cli.py", line 267, in run_file
runpy.run_path(options.target, run_name=compat.force_str("__main__"))
File "D:\Anaconda3\envs\tchdev\lib\runpy.py", line 263, in run_path
pkg_name=pkg_name, script_name=fname)
File "D:\Anaconda3\envs\tchdev\lib\runpy.py", line 96, in _run_module_code
mod_name, mod_spec, pkg_name, script_name)
File "D:\Anaconda3\envs\tchdev\lib\runpy.py", line 85, in _run_code
exec(code, run_globals)
File "d:\devPytorch\detectron2_deploy\caffe2_converter.py", line 65, in <module>
caffe2_model = tracer.export_caffe2()
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\export\api.py", line 112, in export_caffe2
predict_net, init_net = export_caffe2_detection_model(model, inputs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\export\caffe2_export.py", line 143, in export_caffe2_detection_model
onnx_model = export_onnx_model(model, (tensor_inputs,))
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\export\caffe2_export.py", line 60, in export_onnx_model
operator_export_type=OperatorExportTypes.ONNX_ATEN_FALLBACK,
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\onnx\__init__.py", line 168, in export
custom_opsets, enable_onnx_checker, use_external_data_format)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\onnx\utils.py", line 69, in export
use_external_data_format=use_external_data_format)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\onnx\utils.py", line 488, in _export
fixed_batch_size=fixed_batch_size)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\onnx\utils.py", line 334, in _model_to_graph
graph, torch_out = _trace_and_get_graph_from_model(model, args, training)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\onnx\utils.py", line 291, in _trace_and_get_graph_from_model
torch.jit._get_trace_graph(model, args, _force_outplace=False, _return_inputs_states=True)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\jit\__init__.py", line 278, in _get_trace_graph
outs = ONNXTracedModule(f, _force_outplace, return_inputs, _return_inputs_states)(*args, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 550, in __call__
result = self.forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\jit\__init__.py", line 361, in forward
self._force_outplace,
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\jit\__init__.py", line 348, in wrapper
outs.append(self.inner(*trace_inputs))
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 548, in __call__
result = self._slow_forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 534, in _slow_forward
result = self.forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\contextlib.py", line 74, in inner
return func(*args, **kwds)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\export\caffe2_modeling.py", line 272, in forward
detector_results, _ = self._wrapped_model.roi_heads(images, features, proposals)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 548, in __call__
result = self._slow_forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 534, in _slow_forward
result = self.forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\modeling\roi_heads\roi_heads.py", line 674, in forward
pred_instances = self._forward_box(features, proposals)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\modeling\roi_heads\roi_heads.py", line 727, in _forward_box
box_features = self.box_pooler(features, [x.proposal_boxes for x in proposals])
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 548, in __call__
result = self._slow_forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 534, in _slow_forward
result = self.forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\export\c10.py", line 336, in forward
aligned=aligned,
RuntimeError: [enforce fail at roi_align_op.h:39] . Not Implemented.
<-------------------------------------------------------------------->
and I tried to see what is going on in python, as below
(tchdev) D:\devPytorch>python
Python 3.7.6 | packaged by conda-forge | (default, Jun 1 2020, 18:11:50) [MSC v.1916 64 bit (AMD64)] on win32
Type "help", "copyright", "credits" or "license" for more information.
>>> import torch as tch
>>> dir(tch.ops._caffe2)
['__doc__', '__loader__', '__name__', '__package__', '__spec__', 'name']
>>> dir(tch.ops._caffe2.__name__)
['__add__', '__class__', '__contains__', '__delattr__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__getnewargs__', '__gt__', '__hash__', '__init__', '__init_subclass__', '__iter__', '__le__', '__len__', '__lt__', '__mod__', '__mul__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__rmod__', '__rmul__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', 'capitalize', 'casefold', 'center', 'count', 'encode', 'endswith', 'expandtabs', 'find', 'format', 'format_map', 'index', 'isalnum', 'isalpha', 'isascii', 'isdecimal', 'isdigit', 'isidentifier', 'islower', 'isnumeric', 'isprintable', 'isspace', 'istitle', 'isupper', 'join', 'ljust', 'lower', 'lstrip', 'maketrans', 'partition', 'replace', 'rfind', 'rindex', 'rjust', 'rpartition', 'rsplit', 'rstrip', 'split', 'splitlines', 'startswith', 'strip', 'swapcase', 'title', 'translate', 'upper', 'zfill']
>>>
<-------------------------------------------------------------------->
it seems indeed roi_align_op is not linked in, and _caffe2 doesn't see to have any useful functions!
but why, and how can we compile the _caffe2 functions into the lib/dll ?
## To Reproduce
Steps to reproduce the behavior:
1. use any version of pytorch in windows 10
1. install detectron2 as given by https://github.com/facebookresearch/detectron2
1. python caffe2_converter.py --config-file ../../configs/COCO-InstanceSegmentation/mask_rcnn_R_50_FPN_3x.yaml --output ./caffe2_model --run-eval MODEL.WEIGHTS detectron2://COCO-InstanceSegmentation/mask_rcnn_R_50_FPN_3x/137849600/model_final_f10217.pkl MODEL.DEVICE cpu
## Expected behavior
no error
## Environment
- PyTorch Version (1.5, 1.5.1 and the one I compiled in July 22):
- OS (win 10):
- How you installed PyTorch (1.5, 1.5.1 with conda, the compiled one with python setup.py install):
- Build command you used (python setup.py install):
- Python version:
- CUDA/cuDNN version 10.1:
- GPU models and configuration:
- Any other relevant information:
## Additional context
<!-- Add any other context about the problem here. -->
cc @malfet @seemethere @walterddr @peterjc123 @maxluk @nbcsm @guyang3532 @gunandrose4u @smartcat2010 @mszhanyi | 1.0 | torch.ops._caffe2 linked no functions in windows -->RuntimeError [enforce fail at roi_align_op.h:39] Not Implemented - ## 🐛 Bug
_caffe2 has linked no functions, and I think this is a serious problem in pytorch, thus I openned this new issue report. Hope anybody familiar with pytorch compilation in windows could help...
I refered to https://github.com/pytorch/pytorch/issues/35547, but I don't know how this problem is solved, since I'm facing the exact errors when deploying detectron2 (use the detectron2 caffe2_converter.py file, everything follows the dectectron2 deployment instruction).
I tried torch 1.5, 1.5.1, and in addition I cloned the repo 2 days ago to build the pytorch successfully on win10, detectron setup is also OK, and I tried to use vscode to see the debug, as below,
Traceback (most recent call last):
File "D:\Anaconda3\envs\tchdev\lib\runpy.py", line 193, in _run_module_as_main
"__main__", mod_spec)
File "D:\Anaconda3\envs\tchdev\lib\runpy.py", line 85, in _run_code
exec(code, run_globals)
File "c:\Users\Administrator\.vscode\extensions\ms-python.python-2020.7.94776\pythonFiles\lib\python\debugpy\__main__.py", line 45, in <module>
cli.main()
File "c:\Users\Administrator\.vscode\extensions\ms-python.python-2020.7.94776\pythonFiles\lib\python\debugpy/..\debugpy\server\cli.py", line 430, in main
run()
File "c:\Users\Administrator\.vscode\extensions\ms-python.python-2020.7.94776\pythonFiles\lib\python\debugpy/..\debugpy\server\cli.py", line 267, in run_file
runpy.run_path(options.target, run_name=compat.force_str("__main__"))
File "D:\Anaconda3\envs\tchdev\lib\runpy.py", line 263, in run_path
pkg_name=pkg_name, script_name=fname)
File "D:\Anaconda3\envs\tchdev\lib\runpy.py", line 96, in _run_module_code
mod_name, mod_spec, pkg_name, script_name)
File "D:\Anaconda3\envs\tchdev\lib\runpy.py", line 85, in _run_code
exec(code, run_globals)
File "d:\devPytorch\detectron2_deploy\caffe2_converter.py", line 65, in <module>
caffe2_model = tracer.export_caffe2()
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\export\api.py", line 112, in export_caffe2
predict_net, init_net = export_caffe2_detection_model(model, inputs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\export\caffe2_export.py", line 143, in export_caffe2_detection_model
onnx_model = export_onnx_model(model, (tensor_inputs,))
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\export\caffe2_export.py", line 60, in export_onnx_model
operator_export_type=OperatorExportTypes.ONNX_ATEN_FALLBACK,
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\onnx\__init__.py", line 168, in export
custom_opsets, enable_onnx_checker, use_external_data_format)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\onnx\utils.py", line 69, in export
use_external_data_format=use_external_data_format)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\onnx\utils.py", line 488, in _export
fixed_batch_size=fixed_batch_size)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\onnx\utils.py", line 334, in _model_to_graph
graph, torch_out = _trace_and_get_graph_from_model(model, args, training)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\onnx\utils.py", line 291, in _trace_and_get_graph_from_model
torch.jit._get_trace_graph(model, args, _force_outplace=False, _return_inputs_states=True)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\jit\__init__.py", line 278, in _get_trace_graph
outs = ONNXTracedModule(f, _force_outplace, return_inputs, _return_inputs_states)(*args, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 550, in __call__
result = self.forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\jit\__init__.py", line 361, in forward
self._force_outplace,
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\jit\__init__.py", line 348, in wrapper
outs.append(self.inner(*trace_inputs))
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 548, in __call__
result = self._slow_forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 534, in _slow_forward
result = self.forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\contextlib.py", line 74, in inner
return func(*args, **kwds)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\export\caffe2_modeling.py", line 272, in forward
detector_results, _ = self._wrapped_model.roi_heads(images, features, proposals)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 548, in __call__
result = self._slow_forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 534, in _slow_forward
result = self.forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\modeling\roi_heads\roi_heads.py", line 674, in forward
pred_instances = self._forward_box(features, proposals)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\modeling\roi_heads\roi_heads.py", line 727, in _forward_box
box_features = self.box_pooler(features, [x.proposal_boxes for x in proposals])
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 548, in __call__
result = self._slow_forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\torch\nn\modules\module.py", line 534, in _slow_forward
result = self.forward(*input, **kwargs)
File "D:\Anaconda3\envs\tchdev\lib\site-packages\detectron2-0.2-py3.7-win-amd64.egg\detectron2\export\c10.py", line 336, in forward
aligned=aligned,
RuntimeError: [enforce fail at roi_align_op.h:39] . Not Implemented.
<-------------------------------------------------------------------->
and I tried to see what is going on in python, as below
(tchdev) D:\devPytorch>python
Python 3.7.6 | packaged by conda-forge | (default, Jun 1 2020, 18:11:50) [MSC v.1916 64 bit (AMD64)] on win32
Type "help", "copyright", "credits" or "license" for more information.
>>> import torch as tch
>>> dir(tch.ops._caffe2)
['__doc__', '__loader__', '__name__', '__package__', '__spec__', 'name']
>>> dir(tch.ops._caffe2.__name__)
['__add__', '__class__', '__contains__', '__delattr__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__getnewargs__', '__gt__', '__hash__', '__init__', '__init_subclass__', '__iter__', '__le__', '__len__', '__lt__', '__mod__', '__mul__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__rmod__', '__rmul__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', 'capitalize', 'casefold', 'center', 'count', 'encode', 'endswith', 'expandtabs', 'find', 'format', 'format_map', 'index', 'isalnum', 'isalpha', 'isascii', 'isdecimal', 'isdigit', 'isidentifier', 'islower', 'isnumeric', 'isprintable', 'isspace', 'istitle', 'isupper', 'join', 'ljust', 'lower', 'lstrip', 'maketrans', 'partition', 'replace', 'rfind', 'rindex', 'rjust', 'rpartition', 'rsplit', 'rstrip', 'split', 'splitlines', 'startswith', 'strip', 'swapcase', 'title', 'translate', 'upper', 'zfill']
>>>
<-------------------------------------------------------------------->
it seems indeed roi_align_op is not linked in, and _caffe2 doesn't see to have any useful functions!
but why, and how can we compile the _caffe2 functions into the lib/dll ?
## To Reproduce
Steps to reproduce the behavior:
1. use any version of pytorch in windows 10
1. install detectron2 as given by https://github.com/facebookresearch/detectron2
1. python caffe2_converter.py --config-file ../../configs/COCO-InstanceSegmentation/mask_rcnn_R_50_FPN_3x.yaml --output ./caffe2_model --run-eval MODEL.WEIGHTS detectron2://COCO-InstanceSegmentation/mask_rcnn_R_50_FPN_3x/137849600/model_final_f10217.pkl MODEL.DEVICE cpu
## Expected behavior
no error
## Environment
- PyTorch Version (1.5, 1.5.1 and the one I compiled in July 22):
- OS (win 10):
- How you installed PyTorch (1.5, 1.5.1 with conda, the compiled one with python setup.py install):
- Build command you used (python setup.py install):
- Python version:
- CUDA/cuDNN version 10.1:
- GPU models and configuration:
- Any other relevant information:
## Additional context
<!-- Add any other context about the problem here. -->
cc @malfet @seemethere @walterddr @peterjc123 @maxluk @nbcsm @guyang3532 @gunandrose4u @smartcat2010 @mszhanyi | build | torch ops linked no functions in windows runtimeerror not implemented 🐛 bug has linked no functions and i think this is a serious problem in pytorch thus i openned this new issue report hope anybody familiar with pytorch compilation in windows could help i refered to but i don t know how this problem is solved since i m facing the exact errors when deploying use the converter py file everything follows the deployment instruction i tried torch and in addition i cloned the repo days ago to build the pytorch successfully on detectron setup is also ok and i tried to use vscode to see the debug as below traceback most recent call last file d envs tchdev lib runpy py line in run module as main main mod spec file d envs tchdev lib runpy py line in run code exec code run globals file c users administrator vscode extensions ms python python pythonfiles lib python debugpy main py line in cli main file c users administrator vscode extensions ms python python pythonfiles lib python debugpy debugpy server cli py line in main run file c users administrator vscode extensions ms python python pythonfiles lib python debugpy debugpy server cli py line in run file runpy run path options target run name compat force str main file d envs tchdev lib runpy py line in run path pkg name pkg name script name fname file d envs tchdev lib runpy py line in run module code mod name mod spec pkg name script name file d envs tchdev lib runpy py line in run code exec code run globals file d devpytorch deploy converter py line in model tracer export file d envs tchdev lib site packages win egg export api py line in export predict net init net export detection model model inputs file d envs tchdev lib site packages win egg export export py line in export detection model onnx model export onnx model model tensor inputs file d envs tchdev lib site packages win egg export export py line in export onnx model operator export type operatorexporttypes onnx aten fallback file d envs tchdev lib site packages torch onnx init py line in export custom opsets enable onnx checker use external data format file d envs tchdev lib site packages torch onnx utils py line in export use external data format use external data format file d envs tchdev lib site packages torch onnx utils py line in export fixed batch size fixed batch size file d envs tchdev lib site packages torch onnx utils py line in model to graph graph torch out trace and get graph from model model args training file d envs tchdev lib site packages torch onnx utils py line in trace and get graph from model torch jit get trace graph model args force outplace false return inputs states true file d envs tchdev lib site packages torch jit init py line in get trace graph outs onnxtracedmodule f force outplace return inputs return inputs states args kwargs file d envs tchdev lib site packages torch nn modules module py line in call result self forward input kwargs file d envs tchdev lib site packages torch jit init py line in forward self force outplace file d envs tchdev lib site packages torch jit init py line in wrapper outs append self inner trace inputs file d envs tchdev lib site packages torch nn modules module py line in call result self slow forward input kwargs file d envs tchdev lib site packages torch nn modules module py line in slow forward result self forward input kwargs file d envs tchdev lib contextlib py line in inner return func args kwds file d envs tchdev lib site packages win egg export modeling py line in forward detector results self wrapped model roi heads images features proposals file d envs tchdev lib site packages torch nn modules module py line in call result self slow forward input kwargs file d envs tchdev lib site packages torch nn modules module py line in slow forward result self forward input kwargs file d envs tchdev lib site packages win egg modeling roi heads roi heads py line in forward pred instances self forward box features proposals file d envs tchdev lib site packages win egg modeling roi heads roi heads py line in forward box box features self box pooler features file d envs tchdev lib site packages torch nn modules module py line in call result self slow forward input kwargs file d envs tchdev lib site packages torch nn modules module py line in slow forward result self forward input kwargs file d envs tchdev lib site packages win egg export py line in forward aligned aligned runtimeerror not implemented and i tried to see what is going on in python as below tchdev d devpytorch python python packaged by conda forge default jun on type help copyright credits or license for more information import torch as tch dir tch ops dir tch ops name it seems indeed roi align op is not linked in and doesn t see to have any useful functions but why and how can we compile the functions into the lib dll to reproduce steps to reproduce the behavior use any version of pytorch in windows install as given by python converter py config file configs coco instancesegmentation mask rcnn r fpn yaml output model run eval model weights coco instancesegmentation mask rcnn r fpn model final pkl model device cpu expected behavior no error environment pytorch version and the one i compiled in july os win how you installed pytorch with conda the compiled one with python setup py install build command you used python setup py install python version cuda cudnn version gpu models and configuration any other relevant information additional context cc malfet seemethere walterddr maxluk nbcsm mszhanyi | 1 |
132,557 | 10,759,180,766 | IssuesEvent | 2019-10-31 16:11:07 | biblepay/biblepay-evolution | https://api.github.com/repos/biblepay/biblepay-evolution | closed | Give users more control of how ABN splits utxo for mining | Fixed - Please Test and Close | The automatic splitting of utxo by ABN needs to give us a bit more control over it as it affects our mining.
It should be improved or removed.
A person should have to give permission to enable abn to split utxo.
"changequantity=" is not enough control.
We should be able to turn it on/off, dictate size of utxo and number of utxo, even set to -1 to enable "numberofUTXO=(balance-2bbp)/desiredUTXOsize" rounded down to the nearest whole number. The 2 bbp ensures there is always enough available for fees.
And it still takes coin weight from lowest to highest, lumping previously used utxo in every increasing lumps.
Sorting utxo to find the ideal number of utxo coin age to use might be a good way to go.
Such as fewest utxo to reach required coinage starting with highest coinage utxo first.
After all, large utxo shouldn't be a problem as they are auto split into smaller utxo.
suggested conf settings:
enableabnsplit= 0 or 1 and default to 0
abnsplitsize=2000 to X and default to -1
minabnutxos= 0 to turn off minimum and 1 to maximum 100 will provide that many utxo and leave any remaining untouched or as change, override by "abnsplitsize=-1"
Alternative is turning it off completely and using a custom script to control utxo splitting based on abnweight which I do already. Although I cannot prevent ABN from splitting automatically every single time I get hit for ABNweight.
| 1.0 | Give users more control of how ABN splits utxo for mining - The automatic splitting of utxo by ABN needs to give us a bit more control over it as it affects our mining.
It should be improved or removed.
A person should have to give permission to enable abn to split utxo.
"changequantity=" is not enough control.
We should be able to turn it on/off, dictate size of utxo and number of utxo, even set to -1 to enable "numberofUTXO=(balance-2bbp)/desiredUTXOsize" rounded down to the nearest whole number. The 2 bbp ensures there is always enough available for fees.
And it still takes coin weight from lowest to highest, lumping previously used utxo in every increasing lumps.
Sorting utxo to find the ideal number of utxo coin age to use might be a good way to go.
Such as fewest utxo to reach required coinage starting with highest coinage utxo first.
After all, large utxo shouldn't be a problem as they are auto split into smaller utxo.
suggested conf settings:
enableabnsplit= 0 or 1 and default to 0
abnsplitsize=2000 to X and default to -1
minabnutxos= 0 to turn off minimum and 1 to maximum 100 will provide that many utxo and leave any remaining untouched or as change, override by "abnsplitsize=-1"
Alternative is turning it off completely and using a custom script to control utxo splitting based on abnweight which I do already. Although I cannot prevent ABN from splitting automatically every single time I get hit for ABNweight.
| non_build | give users more control of how abn splits utxo for mining the automatic splitting of utxo by abn needs to give us a bit more control over it as it affects our mining it should be improved or removed a person should have to give permission to enable abn to split utxo changequantity is not enough control we should be able to turn it on off dictate size of utxo and number of utxo even set to to enable numberofutxo balance desiredutxosize rounded down to the nearest whole number the bbp ensures there is always enough available for fees and it still takes coin weight from lowest to highest lumping previously used utxo in every increasing lumps sorting utxo to find the ideal number of utxo coin age to use might be a good way to go such as fewest utxo to reach required coinage starting with highest coinage utxo first after all large utxo shouldn t be a problem as they are auto split into smaller utxo suggested conf settings enableabnsplit or and default to abnsplitsize to x and default to minabnutxos to turn off minimum and to maximum will provide that many utxo and leave any remaining untouched or as change override by abnsplitsize alternative is turning it off completely and using a custom script to control utxo splitting based on abnweight which i do already although i cannot prevent abn from splitting automatically every single time i get hit for abnweight | 0 |
231,971 | 25,556,889,311 | IssuesEvent | 2022-11-30 07:37:32 | samqws-test/eShopOnWeb | https://api.github.com/repos/samqws-test/eShopOnWeb | opened | microsoft.entityframeworkcore.sqlserver.6.0.7.nupkg: 1 vulnerabilities (highest severity is: 9.8) | security vulnerability | <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>microsoft.entityframeworkcore.sqlserver.6.0.7.nupkg</b></p></summary>
<p></p>
<p>Path to dependency file: /src/PublicApi/PublicApi.csproj</p>
<p>Path to vulnerable library: /home/wss-scanner/.nuget/packages/system.drawing.common/4.7.0/system.drawing.common.4.7.0.nupkg</p>
<p>
<p>Found in HEAD commit: <a href="https://github.com/samqws-test/eShopOnWeb/commit/b2382b239500f79c16a9209bb5254af2d689a003">b2382b239500f79c16a9209bb5254af2d689a003</a></p></details>
## Vulnerabilities
| CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (microsoft.entityframeworkcore.sqlserver.6.0.7.nupkg version) | Remediation Available |
| ------------- | ------------- | ----- | ----- | ----- | ------------- | --- |
| [CVE-2021-24112](https://www.mend.io/vulnerability-database/CVE-2021-24112) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 9.8 | system.drawing.common.4.7.0.nupkg | Transitive | N/A* | ❌ |
<p>*For some transitive vulnerabilities, there is no version of direct dependency with a fix. Check the section "Details" below to see if there is a version of transitive dependency where vulnerability is fixed.</p>
## Details
<details>
<summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> CVE-2021-24112</summary>
### Vulnerable Library - <b>system.drawing.common.4.7.0.nupkg</b></p>
<p>Provides access to GDI+ graphics functionality.
Commonly Used Types:
System.Drawing.Bitmap
System.D...</p>
<p>Library home page: <a href="https://api.nuget.org/packages/system.drawing.common.4.7.0.nupkg">https://api.nuget.org/packages/system.drawing.common.4.7.0.nupkg</a></p>
<p>Path to dependency file: /src/Infrastructure/Infrastructure.csproj</p>
<p>Path to vulnerable library: /home/wss-scanner/.nuget/packages/system.drawing.common/4.7.0/system.drawing.common.4.7.0.nupkg</p>
<p>
Dependency Hierarchy:
- microsoft.entityframeworkcore.sqlserver.6.0.7.nupkg (Root Library)
- microsoft.data.sqlclient.2.1.4.nupkg
- system.runtime.caching.4.7.0.nupkg
- system.configuration.configurationmanager.4.7.0.nupkg
- system.security.permissions.4.7.0.nupkg
- system.windows.extensions.4.7.0.nupkg
- :x: **system.drawing.common.4.7.0.nupkg** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/samqws-test/eShopOnWeb/commit/b2382b239500f79c16a9209bb5254af2d689a003">b2382b239500f79c16a9209bb5254af2d689a003</a></p>
<p>Found in base branch: <b>main</b></p>
</p>
<p></p>
### Vulnerability Details
<p>
.NET Core Remote Code Execution Vulnerability This CVE ID is unique from CVE-2021-26701.
<p>Publish Date: 2021-02-25
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-24112>CVE-2021-24112</a></p>
</p>
<p></p>
### CVSS 3 Score Details (<b>9.8</b>)
<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: 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>
<p></p>
### Suggested Fix
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/advisories/GHSA-rxg9-xrhp-64gj">https://github.com/advisories/GHSA-rxg9-xrhp-64gj</a></p>
<p>Release Date: 2021-02-25</p>
<p>Fix Resolution: System.Drawing.Common - 4.7.2,5.0.3</p>
</p>
<p></p>
</details> | True | microsoft.entityframeworkcore.sqlserver.6.0.7.nupkg: 1 vulnerabilities (highest severity is: 9.8) - <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>microsoft.entityframeworkcore.sqlserver.6.0.7.nupkg</b></p></summary>
<p></p>
<p>Path to dependency file: /src/PublicApi/PublicApi.csproj</p>
<p>Path to vulnerable library: /home/wss-scanner/.nuget/packages/system.drawing.common/4.7.0/system.drawing.common.4.7.0.nupkg</p>
<p>
<p>Found in HEAD commit: <a href="https://github.com/samqws-test/eShopOnWeb/commit/b2382b239500f79c16a9209bb5254af2d689a003">b2382b239500f79c16a9209bb5254af2d689a003</a></p></details>
## Vulnerabilities
| CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (microsoft.entityframeworkcore.sqlserver.6.0.7.nupkg version) | Remediation Available |
| ------------- | ------------- | ----- | ----- | ----- | ------------- | --- |
| [CVE-2021-24112](https://www.mend.io/vulnerability-database/CVE-2021-24112) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 9.8 | system.drawing.common.4.7.0.nupkg | Transitive | N/A* | ❌ |
<p>*For some transitive vulnerabilities, there is no version of direct dependency with a fix. Check the section "Details" below to see if there is a version of transitive dependency where vulnerability is fixed.</p>
## Details
<details>
<summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> CVE-2021-24112</summary>
### Vulnerable Library - <b>system.drawing.common.4.7.0.nupkg</b></p>
<p>Provides access to GDI+ graphics functionality.
Commonly Used Types:
System.Drawing.Bitmap
System.D...</p>
<p>Library home page: <a href="https://api.nuget.org/packages/system.drawing.common.4.7.0.nupkg">https://api.nuget.org/packages/system.drawing.common.4.7.0.nupkg</a></p>
<p>Path to dependency file: /src/Infrastructure/Infrastructure.csproj</p>
<p>Path to vulnerable library: /home/wss-scanner/.nuget/packages/system.drawing.common/4.7.0/system.drawing.common.4.7.0.nupkg</p>
<p>
Dependency Hierarchy:
- microsoft.entityframeworkcore.sqlserver.6.0.7.nupkg (Root Library)
- microsoft.data.sqlclient.2.1.4.nupkg
- system.runtime.caching.4.7.0.nupkg
- system.configuration.configurationmanager.4.7.0.nupkg
- system.security.permissions.4.7.0.nupkg
- system.windows.extensions.4.7.0.nupkg
- :x: **system.drawing.common.4.7.0.nupkg** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/samqws-test/eShopOnWeb/commit/b2382b239500f79c16a9209bb5254af2d689a003">b2382b239500f79c16a9209bb5254af2d689a003</a></p>
<p>Found in base branch: <b>main</b></p>
</p>
<p></p>
### Vulnerability Details
<p>
.NET Core Remote Code Execution Vulnerability This CVE ID is unique from CVE-2021-26701.
<p>Publish Date: 2021-02-25
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-24112>CVE-2021-24112</a></p>
</p>
<p></p>
### CVSS 3 Score Details (<b>9.8</b>)
<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: 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>
<p></p>
### Suggested Fix
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/advisories/GHSA-rxg9-xrhp-64gj">https://github.com/advisories/GHSA-rxg9-xrhp-64gj</a></p>
<p>Release Date: 2021-02-25</p>
<p>Fix Resolution: System.Drawing.Common - 4.7.2,5.0.3</p>
</p>
<p></p>
</details> | non_build | microsoft entityframeworkcore sqlserver nupkg vulnerabilities highest severity is vulnerable library microsoft entityframeworkcore sqlserver nupkg path to dependency file src publicapi publicapi csproj path to vulnerable library home wss scanner nuget packages system drawing common system drawing common nupkg found in head commit a href vulnerabilities cve severity cvss dependency type fixed in microsoft entityframeworkcore sqlserver nupkg version remediation available high system drawing common nupkg transitive n a for some transitive vulnerabilities there is no version of direct dependency with a fix check the section details below to see if there is a version of transitive dependency where vulnerability is fixed details cve vulnerable library system drawing common nupkg provides access to gdi graphics functionality commonly used types system drawing bitmap system d library home page a href path to dependency file src infrastructure infrastructure csproj path to vulnerable library home wss scanner nuget packages system drawing common system drawing common nupkg dependency hierarchy microsoft entityframeworkcore sqlserver nupkg root library microsoft data sqlclient nupkg system runtime caching nupkg system configuration configurationmanager nupkg system security permissions nupkg system windows extensions nupkg x system drawing common nupkg vulnerable library found in head commit a href found in base branch main vulnerability details net core remote code execution vulnerability this cve id is unique from cve 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 high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution system drawing common | 0 |
42,070 | 22,266,186,522 | IssuesEvent | 2022-06-10 07:41:33 | astrolabsoftware/fink-science | https://api.github.com/repos/astrolabsoftware/fink-science | opened | CDS Xmatch: restrict output columns | xmatch performances | We currently return all columns from the cross-match with the SIMBAD catalog, while we only need one...
```python
# full output
Index(['angDist', 'ra_in', 'dec_in', 'objectId', 'main_id', 'ra', 'dec',
'coo_err_maj', 'coo_err_min', 'coo_err_angle', 'nbref', 'ra_sexa',
'dec_sexa', 'coo_qual', 'coo_bibcode', 'main_type', 'other_types',
'radvel', 'radvel_err', 'redshift', 'redshift_err', 'sp_type',
'morph_type', 'plx', 'plx_err', 'pmra', 'pmdec', 'pm_err_maj',
'pm_err_min', 'pm_err_pa', 'size_maj', 'size_min', 'size_angle', 'B',
'V', 'R', 'J', 'H', 'K', 'u', 'g', 'r', 'i', 'z'],
dtype='object')
# From crossmatch
['angDist', 'ra_in', 'dec_in', 'objectId']
# What we would need from SIMBAD
['main_type']
```
This can easily be controlled with `'cols2': 'main_type'` | True | CDS Xmatch: restrict output columns - We currently return all columns from the cross-match with the SIMBAD catalog, while we only need one...
```python
# full output
Index(['angDist', 'ra_in', 'dec_in', 'objectId', 'main_id', 'ra', 'dec',
'coo_err_maj', 'coo_err_min', 'coo_err_angle', 'nbref', 'ra_sexa',
'dec_sexa', 'coo_qual', 'coo_bibcode', 'main_type', 'other_types',
'radvel', 'radvel_err', 'redshift', 'redshift_err', 'sp_type',
'morph_type', 'plx', 'plx_err', 'pmra', 'pmdec', 'pm_err_maj',
'pm_err_min', 'pm_err_pa', 'size_maj', 'size_min', 'size_angle', 'B',
'V', 'R', 'J', 'H', 'K', 'u', 'g', 'r', 'i', 'z'],
dtype='object')
# From crossmatch
['angDist', 'ra_in', 'dec_in', 'objectId']
# What we would need from SIMBAD
['main_type']
```
This can easily be controlled with `'cols2': 'main_type'` | non_build | cds xmatch restrict output columns we currently return all columns from the cross match with the simbad catalog while we only need one python full output index angdist ra in dec in objectid main id ra dec coo err maj coo err min coo err angle nbref ra sexa dec sexa coo qual coo bibcode main type other types radvel radvel err redshift redshift err sp type morph type plx plx err pmra pmdec pm err maj pm err min pm err pa size maj size min size angle b v r j h k u g r i z dtype object from crossmatch what we would need from simbad this can easily be controlled with main type | 0 |
95,056 | 27,371,131,809 | IssuesEvent | 2023-02-27 23:42:58 | elastic/beats | https://api.github.com/repos/elastic/beats | opened | Build 1310 for main with status FAILURE | automation ci-reported Team:Elastic-Agent-Data-Plane build-failures |
## :broken_heart: Build Failed
<!-- BUILD BADGES-->
> _the below badges are clickable and redirect to their specific view in the CI or DOCS_
[](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1310//pipeline) [](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1310//tests) [](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1310//changes) [](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1310//artifacts) [](http://beats_null.docs-preview.app.elstc.co/diff) [](https://ci-stats.elastic.co/app/apm/services/beats-ci/transactions/view?rangeFrom=2023-02-27T22:28:16.601Z&rangeTo=2023-02-27T22:48:16.601Z&transactionName=BUILD+Beats%2Fbeats%2Fmain&transactionType=job&latencyAggregationType=avg&traceId=06a1b01a7cad2a28b0870143fe54c204&transactionId=25c183e664ad6f57)
<!-- BUILD SUMMARY-->
<details><summary>Expand to view the summary</summary>
<p>
#### Build stats
* Start Time: 2023-02-27T22:38:16.601+0000
* Duration: 64 min 28 sec
#### Test stats :test_tube:
| Test | Results |
| ------------ | :-----------------------------: |
| Failed | 0 |
| Passed | 25588 |
| Skipped | 1962 |
| Total | 27550 |
</p>
</details>
<!-- TEST RESULTS IF ANY-->
<!-- STEPS ERRORS IF ANY -->
### Steps errors [](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1310//pipeline)
<details><summary>Expand to view the steps failures</summary>
<p>
##### `heartbeat-goIntegTest - mage goIntegTest`
<ul>
<li>Took 1 min 48 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1310/steps/11409/log/?start=0">here</a></li>
<li>Description: <code>mage goIntegTest</code></l1>
</ul>
##### `heartbeat-goIntegTest - mage goIntegTest`
<ul>
<li>Took 0 min 15 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1310/steps/11861/log/?start=0">here</a></li>
<li>Description: <code>mage goIntegTest</code></l1>
</ul>
##### `heartbeat-goIntegTest - mage goIntegTest`
<ul>
<li>Took 0 min 3 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1310/steps/12145/log/?start=0">here</a></li>
<li>Description: <code>mage goIntegTest</code></l1>
</ul>
##### `heartbeat-windows-2016-windows-2016 - mage build unitTest`
<ul>
<li>Took 2 min 21 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1310/steps/13163/log/?start=0">here</a></li>
<li>Description: <code>mage build unitTest</code></l1>
</ul>
##### `Error signal`
<ul>
<li>Took 0 min 0 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1310/steps/12627/log/?start=0">here</a></li>
<li>Description: <code>Error "hudson.AbortException: script returned exit code 1"</code></l1>
</ul>
</p>
</details>
| 1.0 | Build 1310 for main with status FAILURE -
## :broken_heart: Build Failed
<!-- BUILD BADGES-->
> _the below badges are clickable and redirect to their specific view in the CI or DOCS_
[](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1310//pipeline) [](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1310//tests) [](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1310//changes) [](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1310//artifacts) [](http://beats_null.docs-preview.app.elstc.co/diff) [](https://ci-stats.elastic.co/app/apm/services/beats-ci/transactions/view?rangeFrom=2023-02-27T22:28:16.601Z&rangeTo=2023-02-27T22:48:16.601Z&transactionName=BUILD+Beats%2Fbeats%2Fmain&transactionType=job&latencyAggregationType=avg&traceId=06a1b01a7cad2a28b0870143fe54c204&transactionId=25c183e664ad6f57)
<!-- BUILD SUMMARY-->
<details><summary>Expand to view the summary</summary>
<p>
#### Build stats
* Start Time: 2023-02-27T22:38:16.601+0000
* Duration: 64 min 28 sec
#### Test stats :test_tube:
| Test | Results |
| ------------ | :-----------------------------: |
| Failed | 0 |
| Passed | 25588 |
| Skipped | 1962 |
| Total | 27550 |
</p>
</details>
<!-- TEST RESULTS IF ANY-->
<!-- STEPS ERRORS IF ANY -->
### Steps errors [](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1310//pipeline)
<details><summary>Expand to view the steps failures</summary>
<p>
##### `heartbeat-goIntegTest - mage goIntegTest`
<ul>
<li>Took 1 min 48 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1310/steps/11409/log/?start=0">here</a></li>
<li>Description: <code>mage goIntegTest</code></l1>
</ul>
##### `heartbeat-goIntegTest - mage goIntegTest`
<ul>
<li>Took 0 min 15 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1310/steps/11861/log/?start=0">here</a></li>
<li>Description: <code>mage goIntegTest</code></l1>
</ul>
##### `heartbeat-goIntegTest - mage goIntegTest`
<ul>
<li>Took 0 min 3 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1310/steps/12145/log/?start=0">here</a></li>
<li>Description: <code>mage goIntegTest</code></l1>
</ul>
##### `heartbeat-windows-2016-windows-2016 - mage build unitTest`
<ul>
<li>Took 2 min 21 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1310/steps/13163/log/?start=0">here</a></li>
<li>Description: <code>mage build unitTest</code></l1>
</ul>
##### `Error signal`
<ul>
<li>Took 0 min 0 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1310/steps/12627/log/?start=0">here</a></li>
<li>Description: <code>Error "hudson.AbortException: script returned exit code 1"</code></l1>
</ul>
</p>
</details>
| build | build for main with status failure broken heart build failed the below badges are clickable and redirect to their specific view in the ci or docs expand to view the summary build stats start time duration min sec test stats test tube test results failed passed skipped total steps errors expand to view the steps failures heartbeat gointegtest mage gointegtest took min sec view more details a href description mage gointegtest heartbeat gointegtest mage gointegtest took min sec view more details a href description mage gointegtest heartbeat gointegtest mage gointegtest took min sec view more details a href description mage gointegtest heartbeat windows windows mage build unittest took min sec view more details a href description mage build unittest error signal took min sec view more details a href description error hudson abortexception script returned exit code | 1 |
96,390 | 20,012,483,939 | IssuesEvent | 2022-02-01 08:34:55 | MetaCell/cloud-harness | https://api.github.com/repos/MetaCell/cloud-harness | closed | Wrong image name is used if application is based solely on base template | bug scope:code-generation | **Reproduction**
* Run `harness-application my-app` -> creates an application that uses only the base template.
* Run `harness-deployment -l -b -n ch -i my-app` -> docker builds image `my-app-backend`. But `values.yaml` sets `my-app` as image name
* Pod won't be able to pull image since it's expecting `my-app` image to be present | 1.0 | Wrong image name is used if application is based solely on base template - **Reproduction**
* Run `harness-application my-app` -> creates an application that uses only the base template.
* Run `harness-deployment -l -b -n ch -i my-app` -> docker builds image `my-app-backend`. But `values.yaml` sets `my-app` as image name
* Pod won't be able to pull image since it's expecting `my-app` image to be present | non_build | wrong image name is used if application is based solely on base template reproduction run harness application my app creates an application that uses only the base template run harness deployment l b n ch i my app docker builds image my app backend but values yaml sets my app as image name pod won t be able to pull image since it s expecting my app image to be present | 0 |
69,005 | 14,970,030,021 | IssuesEvent | 2021-01-27 19:00:27 | jgeraigery/SilverKing | https://api.github.com/repos/jgeraigery/SilverKing | opened | CVE-2019-14439 (High) detected in jackson-databind-2.6.7.1.jar | security vulnerability | ## CVE-2019-14439 - 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.6.7.1.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 vulnerable library: SilverKing/lib/aws-java-sdk-1.11.333/third-party/lib/jackson-databind-2.6.7.1.jar</p>
<p>
Dependency Hierarchy:
- :x: **jackson-databind-2.6.7.1.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/jgeraigery/SilverKing/commit/8ba31a514d374422e5f4712cf554ef10ac674e5a">8ba31a514d374422e5f4712cf554ef10ac674e5a</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.2. This occurs when Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the logback jar in the classpath.
<p>Publish Date: 2019-07-30
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-14439>CVE-2019-14439</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-14439">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-14439</a></p>
<p>Release Date: 2019-07-30</p>
<p>Fix Resolution: 2.9.9.2</p>
</p>
</details>
<p></p>
***
:rescue_worker_helmet: Automatic Remediation is available for this issue
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.6.7.1","isTransitiveDependency":false,"dependencyTree":"com.fasterxml.jackson.core:jackson-databind:2.6.7.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"2.9.9.2"}],"vulnerabilityIdentifier":"CVE-2019-14439","vulnerabilityDetails":"A Polymorphic Typing issue was discovered in FasterXML jackson-databind 2.x before 2.9.9.2. This occurs when Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the logback jar in the classpath.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-14439","cvss3Severity":"high","cvss3Score":"7.5","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> --> | True | CVE-2019-14439 (High) detected in jackson-databind-2.6.7.1.jar - ## CVE-2019-14439 - 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.6.7.1.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 vulnerable library: SilverKing/lib/aws-java-sdk-1.11.333/third-party/lib/jackson-databind-2.6.7.1.jar</p>
<p>
Dependency Hierarchy:
- :x: **jackson-databind-2.6.7.1.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/jgeraigery/SilverKing/commit/8ba31a514d374422e5f4712cf554ef10ac674e5a">8ba31a514d374422e5f4712cf554ef10ac674e5a</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.2. This occurs when Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the logback jar in the classpath.
<p>Publish Date: 2019-07-30
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-14439>CVE-2019-14439</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-14439">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-14439</a></p>
<p>Release Date: 2019-07-30</p>
<p>Fix Resolution: 2.9.9.2</p>
</p>
</details>
<p></p>
***
:rescue_worker_helmet: Automatic Remediation is available for this issue
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.6.7.1","isTransitiveDependency":false,"dependencyTree":"com.fasterxml.jackson.core:jackson-databind:2.6.7.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"2.9.9.2"}],"vulnerabilityIdentifier":"CVE-2019-14439","vulnerabilityDetails":"A Polymorphic Typing issue was discovered in FasterXML jackson-databind 2.x before 2.9.9.2. This occurs when Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the logback jar in the classpath.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-14439","cvss3Severity":"high","cvss3Score":"7.5","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> --> | non_build | 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 vulnerable library silverking lib aws java sdk third party lib jackson databind jar dependency hierarchy 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 this occurs when default typing is enabled either globally or for a specific property for an externally exposed json endpoint and the service has the logback jar in the classpath 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 rescue worker helmet automatic remediation is available for this issue isopenpronvulnerability true ispackagebased true isdefaultbranch true packages vulnerabilityidentifier cve vulnerabilitydetails a polymorphic typing issue was discovered in fasterxml jackson databind x before this occurs when default typing is enabled either globally or for a specific property for an externally exposed json endpoint and the service has the logback jar in the classpath vulnerabilityurl | 0 |
119,031 | 10,023,160,504 | IssuesEvent | 2019-07-16 18:29:30 | unfoldingWord-dev/translationCore | https://api.github.com/repos/unfoldingWord-dev/translationCore | closed | Allow moving a merged original language word to be directly merged with a different original language word | Kind/Enhancement Kind/Usability QA/ElsyTested QA/KozTested QA/Pass | After the implementation of #4791, users are allowed to merge discontiguous original language (ol) words as well as unmerge a middle word in combinations of 3 or more merge ol words.
It would make sense now to allow moving any of the merged words directly to a different ol word (or group) rather than having to first unmerge it by moving it to the small box inserted when a merged ol word is being dragged.
## Behavior
Rules (in this order):
1. If two Original Language words are unmerged, all aligned target words get invalidated and sent back to the word bank.
2. If two Original Language words are merged, all aligned target words should be merged as well.
So in the case of one action that encompasses both of the above rules, the unmerge must be considered first. See examples below:
## Examples
[Green arrows show which word is being dragged where]
When an unaligned OrigL is merged to an aligned OrigL, nothing should be invalidated:
[1:0 -> 1:1 = 2:1]

[1:0 -> 1:many = 2:many]

When dragging an aligned OrigL word, the bottom word(s) should follow it, no invalidations should happen:
[1:1 -> 1:0 = 2:1]

[1:many -> 1:0 = 2:many]

[1:1 -> 1:many = 2:many]

[1:many -> 1:many = 2:many]

When dragging an OrigL word (aligned or unaligned) onto multiple merged OrigL words, no invalidation of bottom words happens:
[1:0 -> many:many = many:many]

[1:1 -> many:many = many:many]

[1:many -> many:many = many:many]

When un-aligning merged OrigL words, the bottom words are returned to the word bank:


When unmerging and merging (in one action) aligned OrigL words, the unmerge function resets all corresponding bottom words, but the merge function does not reset any bottom words:


| 2.0 | Allow moving a merged original language word to be directly merged with a different original language word - After the implementation of #4791, users are allowed to merge discontiguous original language (ol) words as well as unmerge a middle word in combinations of 3 or more merge ol words.
It would make sense now to allow moving any of the merged words directly to a different ol word (or group) rather than having to first unmerge it by moving it to the small box inserted when a merged ol word is being dragged.
## Behavior
Rules (in this order):
1. If two Original Language words are unmerged, all aligned target words get invalidated and sent back to the word bank.
2. If two Original Language words are merged, all aligned target words should be merged as well.
So in the case of one action that encompasses both of the above rules, the unmerge must be considered first. See examples below:
## Examples
[Green arrows show which word is being dragged where]
When an unaligned OrigL is merged to an aligned OrigL, nothing should be invalidated:
[1:0 -> 1:1 = 2:1]

[1:0 -> 1:many = 2:many]

When dragging an aligned OrigL word, the bottom word(s) should follow it, no invalidations should happen:
[1:1 -> 1:0 = 2:1]

[1:many -> 1:0 = 2:many]

[1:1 -> 1:many = 2:many]

[1:many -> 1:many = 2:many]

When dragging an OrigL word (aligned or unaligned) onto multiple merged OrigL words, no invalidation of bottom words happens:
[1:0 -> many:many = many:many]

[1:1 -> many:many = many:many]

[1:many -> many:many = many:many]

When un-aligning merged OrigL words, the bottom words are returned to the word bank:


When unmerging and merging (in one action) aligned OrigL words, the unmerge function resets all corresponding bottom words, but the merge function does not reset any bottom words:


| non_build | allow moving a merged original language word to be directly merged with a different original language word after the implementation of users are allowed to merge discontiguous original language ol words as well as unmerge a middle word in combinations of or more merge ol words it would make sense now to allow moving any of the merged words directly to a different ol word or group rather than having to first unmerge it by moving it to the small box inserted when a merged ol word is being dragged behavior rules in this order if two original language words are unmerged all aligned target words get invalidated and sent back to the word bank if two original language words are merged all aligned target words should be merged as well so in the case of one action that encompasses both of the above rules the unmerge must be considered first see examples below examples when an unaligned origl is merged to an aligned origl nothing should be invalidated when dragging an aligned origl word the bottom word s should follow it no invalidations should happen when dragging an origl word aligned or unaligned onto multiple merged origl words no invalidation of bottom words happens when un aligning merged origl words the bottom words are returned to the word bank when unmerging and merging in one action aligned origl words the unmerge function resets all corresponding bottom words but the merge function does not reset any bottom words | 0 |
28,385 | 8,136,582,891 | IssuesEvent | 2018-08-20 08:54:35 | carla-simulator/carla | https://api.github.com/repos/carla-simulator/carla | closed | make: ** no rule to make target 'clean'. Stop | build system support | Hi all, I am new to Carla. I met an error when running "Rebuild.bat". It shows "make: ** no rule to make target 'clean'. Stop. 'Not implemented!' ". How should I solve it? Thanks! | 1.0 | make: ** no rule to make target 'clean'. Stop - Hi all, I am new to Carla. I met an error when running "Rebuild.bat". It shows "make: ** no rule to make target 'clean'. Stop. 'Not implemented!' ". How should I solve it? Thanks! | build | make no rule to make target clean stop hi all i am new to carla i met an error when running rebuild bat it shows make no rule to make target clean stop not implemented how should i solve it thanks | 1 |
163,814 | 13,927,954,447 | IssuesEvent | 2020-10-21 20:39:47 | OCR-D/ocrd_tesserocr | https://api.github.com/repos/OCR-D/ocrd_tesserocr | closed | prefer second position of output_file_grp for AlternativeImage, make FILEGRP_IMG fallback | documentation | Fixed by #59 for binarization already, this needs to be done for all processors. Moreover, this must be reflected in the documentation (`ocrd-tool.json`, README, docstrings) and tests. | 1.0 | prefer second position of output_file_grp for AlternativeImage, make FILEGRP_IMG fallback - Fixed by #59 for binarization already, this needs to be done for all processors. Moreover, this must be reflected in the documentation (`ocrd-tool.json`, README, docstrings) and tests. | non_build | prefer second position of output file grp for alternativeimage make filegrp img fallback fixed by for binarization already this needs to be done for all processors moreover this must be reflected in the documentation ocrd tool json readme docstrings and tests | 0 |
14,224 | 5,583,623,249 | IssuesEvent | 2017-03-29 01:09:51 | airbnb/lottie-react-native | https://api.github.com/repos/airbnb/lottie-react-native | closed | Duplicate module name: react-native-packager | build issue | I've attempted to install Lottie via pod install, but when I run the app I get the following error in the packager:
```
Failed to build DependencyGraph: @providesModule naming collision:
Duplicate module name: react-native-packager
Paths: /Users/xxxx/MyApp/ios/Pods/React/packager/package.json collides with /Users/xxxx/MyApp/node_modules/react-native/packager/package.json
This error is caused by a @providesModule declaration with the same name across two different files.
Error: @providesModule naming collision:
Duplicate module name: react-native-packager
Paths: /Users/xxxx/MyApp/ios/Pods/React/packager/package.json collides with /Users/xxxx/MyApp/node_modules/react-native/packager/package.json
This error is caused by a @providesModule declaration with the same name across two different files.
at HasteMap._updateHasteMap (/Users/xxxx/MyApp/node_modules/react-native/packager/react-packager/src/node-haste/DependencyGraph/HasteMap.js:158:13)
at p.getName.then.name (/Users/xxxx/MyApp/node_modules/react-native/packager/react-packager/src/node-haste/DependencyGraph/HasteMap.js:133:31)
```
Any thoughts on how to resolve this naming collision? | 1.0 | Duplicate module name: react-native-packager - I've attempted to install Lottie via pod install, but when I run the app I get the following error in the packager:
```
Failed to build DependencyGraph: @providesModule naming collision:
Duplicate module name: react-native-packager
Paths: /Users/xxxx/MyApp/ios/Pods/React/packager/package.json collides with /Users/xxxx/MyApp/node_modules/react-native/packager/package.json
This error is caused by a @providesModule declaration with the same name across two different files.
Error: @providesModule naming collision:
Duplicate module name: react-native-packager
Paths: /Users/xxxx/MyApp/ios/Pods/React/packager/package.json collides with /Users/xxxx/MyApp/node_modules/react-native/packager/package.json
This error is caused by a @providesModule declaration with the same name across two different files.
at HasteMap._updateHasteMap (/Users/xxxx/MyApp/node_modules/react-native/packager/react-packager/src/node-haste/DependencyGraph/HasteMap.js:158:13)
at p.getName.then.name (/Users/xxxx/MyApp/node_modules/react-native/packager/react-packager/src/node-haste/DependencyGraph/HasteMap.js:133:31)
```
Any thoughts on how to resolve this naming collision? | build | duplicate module name react native packager i ve attempted to install lottie via pod install but when i run the app i get the following error in the packager failed to build dependencygraph providesmodule naming collision duplicate module name react native packager paths users xxxx myapp ios pods react packager package json collides with users xxxx myapp node modules react native packager package json this error is caused by a providesmodule declaration with the same name across two different files error providesmodule naming collision duplicate module name react native packager paths users xxxx myapp ios pods react packager package json collides with users xxxx myapp node modules react native packager package json this error is caused by a providesmodule declaration with the same name across two different files at hastemap updatehastemap users xxxx myapp node modules react native packager react packager src node haste dependencygraph hastemap js at p getname then name users xxxx myapp node modules react native packager react packager src node haste dependencygraph hastemap js any thoughts on how to resolve this naming collision | 1 |
135,698 | 19,652,173,100 | IssuesEvent | 2022-01-10 08:39:22 | nextcloud/nextcloud-vue | https://api.github.com/repos/nextcloud/nextcloud-vue | closed | Improve the breadcrumbs component | enhancement 2. developing design feature: breadcrumbs | As discussed with @jancborchardt and @marcoambrosini during the Vue components design review

- The right arrow that separates the folders is super thin and sort of disappears into the bg, so it can be replaced by `chevron-right` MDI icon
- We can have a better hover feedback, where the background colour is `#ededed` (`--color-background-dark` ?) and text is `--color-main-text`
- Also used `home` MDI icon here
also cc @skjnldsv for Files | 1.0 | Improve the breadcrumbs component - As discussed with @jancborchardt and @marcoambrosini during the Vue components design review

- The right arrow that separates the folders is super thin and sort of disappears into the bg, so it can be replaced by `chevron-right` MDI icon
- We can have a better hover feedback, where the background colour is `#ededed` (`--color-background-dark` ?) and text is `--color-main-text`
- Also used `home` MDI icon here
also cc @skjnldsv for Files | non_build | improve the breadcrumbs component as discussed with jancborchardt and marcoambrosini during the vue components design review the right arrow that separates the folders is super thin and sort of disappears into the bg so it can be replaced by chevron right mdi icon we can have a better hover feedback where the background colour is ededed color background dark and text is color main text also used home mdi icon here also cc skjnldsv for files | 0 |
53,162 | 13,128,965,826 | IssuesEvent | 2020-08-06 13:11:27 | atc0005/go-teams-notify | https://api.github.com/repos/atc0005/go-teams-notify | opened | Use Docker-based GitHub Actions Workflows | CI builds dependencies enhancement linting | Add GitHub Actions which use the Docker containers from the atc0005/go-ci project.
refs atc0005/todo#22 | 1.0 | Use Docker-based GitHub Actions Workflows - Add GitHub Actions which use the Docker containers from the atc0005/go-ci project.
refs atc0005/todo#22 | build | use docker based github actions workflows add github actions which use the docker containers from the go ci project refs todo | 1 |
20,351 | 6,849,642,813 | IssuesEvent | 2017-11-13 22:54:06 | VOREStation/VOREStation | https://api.github.com/repos/VOREStation/VOREStation | closed | DSI Lizard Torso Sprite Error | Pri: 4-Minor Status: Works in latest build Type: Icon | #### Brief description of the issue
There are two white pixels that appear on the character's shoulder sprite when facing 'north' when using the DSI Lizard full body prosthetics (See link below)
#### What you expected to happen
I expected there not to be two glaring white pixels following my character around.
#### What actually happened
Two glaring white pixels followed my character around. Only visible when facing 'north'.
#### Steps to reproduce
- (Step 1) Make a FBP character using the DSI Lizard option.
- (Step 2) Look at Character Preview or in-game.
#### Code Revision
4230069a59f5e135eb1b8a5ece0d8509c01cefd4
#### Anything else you may wish to add:
- Screenshot of said pixels in char-setup. http://i.imgur.com/WoB7hu2.png
| 1.0 | DSI Lizard Torso Sprite Error - #### Brief description of the issue
There are two white pixels that appear on the character's shoulder sprite when facing 'north' when using the DSI Lizard full body prosthetics (See link below)
#### What you expected to happen
I expected there not to be two glaring white pixels following my character around.
#### What actually happened
Two glaring white pixels followed my character around. Only visible when facing 'north'.
#### Steps to reproduce
- (Step 1) Make a FBP character using the DSI Lizard option.
- (Step 2) Look at Character Preview or in-game.
#### Code Revision
4230069a59f5e135eb1b8a5ece0d8509c01cefd4
#### Anything else you may wish to add:
- Screenshot of said pixels in char-setup. http://i.imgur.com/WoB7hu2.png
| build | dsi lizard torso sprite error brief description of the issue there are two white pixels that appear on the character s shoulder sprite when facing north when using the dsi lizard full body prosthetics see link below what you expected to happen i expected there not to be two glaring white pixels following my character around what actually happened two glaring white pixels followed my character around only visible when facing north steps to reproduce step make a fbp character using the dsi lizard option step look at character preview or in game code revision anything else you may wish to add screenshot of said pixels in char setup | 1 |
83,338 | 24,044,021,565 | IssuesEvent | 2022-09-16 06:28:41 | o3de/o3de | https://api.github.com/repos/o3de/o3de | closed | [Linux] Ubuntu. Does #9889 solve ssl problem?? | platform/linux kind/bug sig/build sig/platform | **Describe the bug**
Installation from git or running Editor, which installed from deb package breaks of missing ssl lib.
**Assets required**
**Steps to reproduce**
Download git and run python installation
python/get_python.sh
or
after installation from deb output of running editor, gives error of missing ssl 1.1
**Expected behavior**
Engine installing from git and Editor runs from deb installation without ssl errors
**Actual behavior**
Installation and Editors breaks down of ssl errors
**Screenshots/Video**
If applicable, add screenshots and/or a video to help explain your problem.
**Found in Branch**
Development: git and deb,
for git:
commit 13bd32de6aae98b4ff8ac9d56ebce11b1419b413
for deb - from 2022-07-25 build
**Desktop/Device (please complete the following information):**
Device:PC
OS: Linux
Version: Ubuntu 22.04
CPU: dual intel xeon 2699v3
GPU: AMD Radeon VII
Memory: 192Gb
**Additional context**
After migrating to ubuntu,
through two ways of installing engine(from deb, from git) gives errors related with ssl.
1) From deb, installing fine, but after run Editor - this:
./Editor: error while loading shared libraries: libssl.so.1.1: cannot open shared object file: No such file or directory
2) In git version(commit 13bd32de6aae98b4ff8ac9d56ebce11b1419b413), on
python/get_python.sh
it could not download and install python lib:
WARNING: pip is configured with locations that require TLS/SSL, however the ssl module in Python is not available.
WARNING: Retrying (Retry(total=4, connect=None, read=None, redirect=None, status=None)) after connection broken by 'SSLError("Can't connect to HTTPS URL because the SSL module is not available.")': /simple/atomicwrites/
libssl already installed. It is 3rd version.
ldconfig -p | grep libssl
libssl3.so (libc6,x86-64) => /lib/x86_64-linux-gnu/libssl3.so
libssl3.so (libc6) => /lib/i386-linux-gnu/libssl3.so
libssl.so.3 (libc6,x86-64) => /lib/x86_64-linux-gnu/libssl.so.3
libssl.so.3 (libc6) => /lib/i386-linux-gnu/libssl.so.3
libssl.so (libc6,x86-64) => /lib/x86_64-linux-gnu/libssl.so
It seems, that renaming .so triks not a good way in this case.
AFAIK, something like including crypto in libssl in v3 and in v1 it is thow different entities...
Or i something misunderstand and there is way(s) to solve it, and,
some recipies like
[https://help.dreamhost.com/hc/en-us/articles/360001435926-Installing-OpenSSL-locally-under-your-username](openssl1.1 installation)
should give result? But that does'nt.
| 1.0 | [Linux] Ubuntu. Does #9889 solve ssl problem?? - **Describe the bug**
Installation from git or running Editor, which installed from deb package breaks of missing ssl lib.
**Assets required**
**Steps to reproduce**
Download git and run python installation
python/get_python.sh
or
after installation from deb output of running editor, gives error of missing ssl 1.1
**Expected behavior**
Engine installing from git and Editor runs from deb installation without ssl errors
**Actual behavior**
Installation and Editors breaks down of ssl errors
**Screenshots/Video**
If applicable, add screenshots and/or a video to help explain your problem.
**Found in Branch**
Development: git and deb,
for git:
commit 13bd32de6aae98b4ff8ac9d56ebce11b1419b413
for deb - from 2022-07-25 build
**Desktop/Device (please complete the following information):**
Device:PC
OS: Linux
Version: Ubuntu 22.04
CPU: dual intel xeon 2699v3
GPU: AMD Radeon VII
Memory: 192Gb
**Additional context**
After migrating to ubuntu,
through two ways of installing engine(from deb, from git) gives errors related with ssl.
1) From deb, installing fine, but after run Editor - this:
./Editor: error while loading shared libraries: libssl.so.1.1: cannot open shared object file: No such file or directory
2) In git version(commit 13bd32de6aae98b4ff8ac9d56ebce11b1419b413), on
python/get_python.sh
it could not download and install python lib:
WARNING: pip is configured with locations that require TLS/SSL, however the ssl module in Python is not available.
WARNING: Retrying (Retry(total=4, connect=None, read=None, redirect=None, status=None)) after connection broken by 'SSLError("Can't connect to HTTPS URL because the SSL module is not available.")': /simple/atomicwrites/
libssl already installed. It is 3rd version.
ldconfig -p | grep libssl
libssl3.so (libc6,x86-64) => /lib/x86_64-linux-gnu/libssl3.so
libssl3.so (libc6) => /lib/i386-linux-gnu/libssl3.so
libssl.so.3 (libc6,x86-64) => /lib/x86_64-linux-gnu/libssl.so.3
libssl.so.3 (libc6) => /lib/i386-linux-gnu/libssl.so.3
libssl.so (libc6,x86-64) => /lib/x86_64-linux-gnu/libssl.so
It seems, that renaming .so triks not a good way in this case.
AFAIK, something like including crypto in libssl in v3 and in v1 it is thow different entities...
Or i something misunderstand and there is way(s) to solve it, and,
some recipies like
[https://help.dreamhost.com/hc/en-us/articles/360001435926-Installing-OpenSSL-locally-under-your-username](openssl1.1 installation)
should give result? But that does'nt.
| build | ubuntu does solve ssl problem describe the bug installation from git or running editor which installed from deb package breaks of missing ssl lib assets required steps to reproduce download git and run python installation python get python sh or after installation from deb output of running editor gives error of missing ssl expected behavior engine installing from git and editor runs from deb installation without ssl errors actual behavior installation and editors breaks down of ssl errors screenshots video if applicable add screenshots and or a video to help explain your problem found in branch development git and deb for git commit for deb from build desktop device please complete the following information device pc os linux version ubuntu cpu dual intel xeon gpu amd radeon vii memory additional context after migrating to ubuntu through two ways of installing engine from deb from git gives errors related with ssl from deb installing fine but after run editor this editor error while loading shared libraries libssl so cannot open shared object file no such file or directory in git version commit on python get python sh it could not download and install python lib warning pip is configured with locations that require tls ssl however the ssl module in python is not available warning retrying retry total connect none read none redirect none status none after connection broken by sslerror can t connect to https url because the ssl module is not available simple atomicwrites libssl already installed it is version ldconfig p grep libssl so lib linux gnu so so lib linux gnu so libssl so lib linux gnu libssl so libssl so lib linux gnu libssl so libssl so lib linux gnu libssl so it seems that renaming so triks not a good way in this case afaik something like including crypto in libssl in and in it is thow different entities or i something misunderstand and there is way s to solve it and some recipies like installation should give result but that does nt | 1 |
62,855 | 15,374,199,504 | IssuesEvent | 2021-03-02 13:33:27 | ARMmbed/connectedhomeip | https://api.github.com/repos/ARMmbed/connectedhomeip | closed | Add vscode tak to flash HW or extend current CHIP flashing capability with mbed support | Build improvements | #### Problem
There is no integrated task in vscode which can be used to flash HW with mbed firmware.
#### Proposed Solution
Add vscode tak to flash HW or extend current CHIP flashing capability with mbed support
| 1.0 | Add vscode tak to flash HW or extend current CHIP flashing capability with mbed support - #### Problem
There is no integrated task in vscode which can be used to flash HW with mbed firmware.
#### Proposed Solution
Add vscode tak to flash HW or extend current CHIP flashing capability with mbed support
| build | add vscode tak to flash hw or extend current chip flashing capability with mbed support problem there is no integrated task in vscode which can be used to flash hw with mbed firmware proposed solution add vscode tak to flash hw or extend current chip flashing capability with mbed support | 1 |
255 | 2,533,205,819 | IssuesEvent | 2015-01-23 21:30:55 | desura/desura-app | https://api.github.com/repos/desura/desura-app | closed | cmake: check for all needed dependencies | bug build-system easy | _Issue by **[karolherbst](https://github.com/karolherbst)** from Tuesday Jun 12, 2012 at 16:57 GMT_
_Originally opened as https://github.com/desura/Desurium/issues/243_
----
some dependencies are not checked by cmake:
* patch
* automake
* compiler checks:
* gcc-4.5
* clang-3.1
feel free to report more deps (I will update this list)
| 1.0 | cmake: check for all needed dependencies - _Issue by **[karolherbst](https://github.com/karolherbst)** from Tuesday Jun 12, 2012 at 16:57 GMT_
_Originally opened as https://github.com/desura/Desurium/issues/243_
----
some dependencies are not checked by cmake:
* patch
* automake
* compiler checks:
* gcc-4.5
* clang-3.1
feel free to report more deps (I will update this list)
| build | cmake check for all needed dependencies issue by from tuesday jun at gmt originally opened as some dependencies are not checked by cmake patch automake compiler checks gcc clang feel free to report more deps i will update this list | 1 |
59,405 | 14,581,714,443 | IssuesEvent | 2020-12-18 11:09:22 | jmuelbert/jmbde-QT | https://api.github.com/repos/jmuelbert/jmbde-QT | closed | Chenged | bug build | ##The Translation cmake is wrong. It occurs an build error.
<!-- A clear and concise description of what the bug is. -->
## Start build with enabled Translations
<!-- Your environment is usually important for finding the cause of the bug. -->
<!-- You can get the jmbde-QT version by clicking `Help`->`Build Info`
in the GUI. -->
- OS: macOS 11.10
- jmbde-QT Version: 0.5.4
| 1.0 | Chenged - ##The Translation cmake is wrong. It occurs an build error.
<!-- A clear and concise description of what the bug is. -->
## Start build with enabled Translations
<!-- Your environment is usually important for finding the cause of the bug. -->
<!-- You can get the jmbde-QT version by clicking `Help`->`Build Info`
in the GUI. -->
- OS: macOS 11.10
- jmbde-QT Version: 0.5.4
| build | chenged the translation cmake is wrong it occurs an build error start build with enabled translations build info in the gui os macos jmbde qt version | 1 |
141,568 | 18,989,309,390 | IssuesEvent | 2021-11-22 04:04:38 | ChoeMinji/react-16.0.0 | https://api.github.com/repos/ChoeMinji/react-16.0.0 | opened | WS-2019-0066 (Medium) detected in ecstatic-2.2.1.tgz | security vulnerability | ## WS-2019-0066 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>ecstatic-2.2.1.tgz</b></p></summary>
<p>A simple static file server middleware that works with both Express and Flatiron</p>
<p>Library home page: <a href="https://registry.npmjs.org/ecstatic/-/ecstatic-2.2.1.tgz">https://registry.npmjs.org/ecstatic/-/ecstatic-2.2.1.tgz</a></p>
<p>Path to dependency file: react-16.0.0/scripts/bench/package.json</p>
<p>Path to vulnerable library: react-16.0.0/scripts/bench/node_modules/ecstatic/package.json</p>
<p>
Dependency Hierarchy:
- http-server-0.10.0.tgz (Root Library)
- :x: **ecstatic-2.2.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/ChoeMinji/react-16.0.0/commit/b9bd902dad80b8b5fa55a183526357266ae47bcc">b9bd902dad80b8b5fa55a183526357266ae47bcc</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>
Versions of ecstatic prior to 4.1.2 fails to validate redirects, allowing attackers to craft requests that result in an HTTP 301 redirect to any other domains.
<p>Publish Date: 2019-04-27
<p>URL: <a href=https://github.com/jfhbrook/node-ecstatic/commit/be6fc25a826f190b67f4d16158f9d67899e38ee4>WS-2019-0066</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://www.npmjs.com/advisories/830">https://www.npmjs.com/advisories/830</a></p>
<p>Release Date: 2019-04-27</p>
<p>Fix Resolution: ecstatic - 2.2.2, 3.3.2, 4.1.2</p>
</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-0066 (Medium) detected in ecstatic-2.2.1.tgz - ## WS-2019-0066 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>ecstatic-2.2.1.tgz</b></p></summary>
<p>A simple static file server middleware that works with both Express and Flatiron</p>
<p>Library home page: <a href="https://registry.npmjs.org/ecstatic/-/ecstatic-2.2.1.tgz">https://registry.npmjs.org/ecstatic/-/ecstatic-2.2.1.tgz</a></p>
<p>Path to dependency file: react-16.0.0/scripts/bench/package.json</p>
<p>Path to vulnerable library: react-16.0.0/scripts/bench/node_modules/ecstatic/package.json</p>
<p>
Dependency Hierarchy:
- http-server-0.10.0.tgz (Root Library)
- :x: **ecstatic-2.2.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/ChoeMinji/react-16.0.0/commit/b9bd902dad80b8b5fa55a183526357266ae47bcc">b9bd902dad80b8b5fa55a183526357266ae47bcc</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>
Versions of ecstatic prior to 4.1.2 fails to validate redirects, allowing attackers to craft requests that result in an HTTP 301 redirect to any other domains.
<p>Publish Date: 2019-04-27
<p>URL: <a href=https://github.com/jfhbrook/node-ecstatic/commit/be6fc25a826f190b67f4d16158f9d67899e38ee4>WS-2019-0066</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://www.npmjs.com/advisories/830">https://www.npmjs.com/advisories/830</a></p>
<p>Release Date: 2019-04-27</p>
<p>Fix Resolution: ecstatic - 2.2.2, 3.3.2, 4.1.2</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | non_build | ws medium detected in ecstatic tgz ws medium severity vulnerability vulnerable library ecstatic tgz a simple static file server middleware that works with both express and flatiron library home page a href path to dependency file react scripts bench package json path to vulnerable library react scripts bench node modules ecstatic package json dependency hierarchy http server tgz root library x ecstatic tgz vulnerable library found in head commit a href found in base branch master vulnerability details versions of ecstatic prior to fails to validate redirects allowing attackers to craft requests that result in an http redirect to any other domains 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 ecstatic step up your open source security game with whitesource | 0 |
59,844 | 14,663,407,219 | IssuesEvent | 2020-12-29 09:38:19 | GoogleCloudPlatform/fda-mystudies | https://api.github.com/repos/GoogleCloudPlatform/fda-mystudies | closed | [SB][Overview] Side menu UI is not proper in Overview section | Bug P2 Process: Fixed Process: Tested QA Process: Tested dev Process: Track 3 Study builder | Steps:-
1.Navigate to Manage Studies section
2. Navigate to Overview section in Studies
3. Verify the side menu in the Overview section

| 1.0 | [SB][Overview] Side menu UI is not proper in Overview section - Steps:-
1.Navigate to Manage Studies section
2. Navigate to Overview section in Studies
3. Verify the side menu in the Overview section

| build | side menu ui is not proper in overview section steps navigate to manage studies section navigate to overview section in studies verify the side menu in the overview section | 1 |
8,171 | 4,179,119,676 | IssuesEvent | 2016-06-22 09:35:36 | projectatomic/vagrant-service-manager | https://api.github.com/repos/projectatomic/vagrant-service-manager | closed | Add build status to README | build | CentOS CI enabled the build status plugin. We should include the latest build status on the README | 1.0 | Add build status to README - CentOS CI enabled the build status plugin. We should include the latest build status on the README | build | add build status to readme centos ci enabled the build status plugin we should include the latest build status on the readme | 1 |
17,584 | 6,478,120,832 | IssuesEvent | 2017-08-18 06:49:53 | pynac/pynac | https://api.github.com/repos/pynac/pynac | opened | devel: explicit check for pkg-config | install/build low priority | On devel systems pkg-config may not be installed (of course it is in Sage). Then you get on configure:
```
...This package needs libfactory
```
because there is no check for pkg-config before it's been used. | 1.0 | devel: explicit check for pkg-config - On devel systems pkg-config may not be installed (of course it is in Sage). Then you get on configure:
```
...This package needs libfactory
```
because there is no check for pkg-config before it's been used. | build | devel explicit check for pkg config on devel systems pkg config may not be installed of course it is in sage then you get on configure this package needs libfactory because there is no check for pkg config before it s been used | 1 |
23,340 | 7,315,124,662 | IssuesEvent | 2018-03-01 09:57:36 | ShaikASK/Testing | https://api.github.com/repos/ShaikASK/Testing | closed | Workflow - Steps order is being interchanged when the user returns from view workflow screen to edit workflow screen | Build version#5 Defect P2 Ready To UAT- SumFive SumFive Team | Steps to Replicate
1. Launch the url : http://192.168.1.197:3000/#
2. login with admin credentials
3. Navigate to Folders page and create one folder with few document
4. Navigate to Work flow page -- Create a work flow with 3-4 steps
5. Navigate to folders menu then return back to same workflow , click on edit
Experienced Behavior : observed that the workflow is displayed with inappropriate order
Expected Behavior : Ensure that the steps sequential order numbering should not get changed when the user returned to the workflow via edit option.
| 1.0 | Workflow - Steps order is being interchanged when the user returns from view workflow screen to edit workflow screen - Steps to Replicate
1. Launch the url : http://192.168.1.197:3000/#
2. login with admin credentials
3. Navigate to Folders page and create one folder with few document
4. Navigate to Work flow page -- Create a work flow with 3-4 steps
5. Navigate to folders menu then return back to same workflow , click on edit
Experienced Behavior : observed that the workflow is displayed with inappropriate order
Expected Behavior : Ensure that the steps sequential order numbering should not get changed when the user returned to the workflow via edit option.
| build | workflow steps order is being interchanged when the user returns from view workflow screen to edit workflow screen steps to replicate launch the url login with admin credentials navigate to folders page and create one folder with few document navigate to work flow page create a work flow with steps navigate to folders menu then return back to same workflow click on edit experienced behavior observed that the workflow is displayed with inappropriate order expected behavior ensure that the steps sequential order numbering should not get changed when the user returned to the workflow via edit option | 1 |
70,461 | 15,085,805,102 | IssuesEvent | 2021-02-05 19:16:16 | mthbernardes/shaggy-rogers | https://api.github.com/repos/mthbernardes/shaggy-rogers | closed | CVE-2019-14439 (High) detected in jackson-databind-2.9.6.jar - autoclosed | security vulnerability | ## CVE-2019-14439 - 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.6.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: shaggy-rogers/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.6/jackson-databind-2.9.6.jar</p>
<p>
Dependency Hierarchy:
- pantomime-2.11.0.jar (Root Library)
- tika-parsers-1.19.1.jar
- :x: **jackson-databind-2.9.6.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/mthbernardes/shaggy-rogers/commit/f72a5cb259e01c0ac208ba3a95eee5232c30fe6c">f72a5cb259e01c0ac208ba3a95eee5232c30fe6c</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.2. This occurs when Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the logback jar in the classpath.
<p>Publish Date: 2019-07-30
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-14439>CVE-2019-14439</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-14439">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-14439</a></p>
<p>Release Date: 2019-07-30</p>
<p>Fix Resolution: 2.9.9.2</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.9.6","packageFilePaths":["/pom.xml"],"isTransitiveDependency":true,"dependencyTree":"com.novemberain:pantomime:2.11.0;org.apache.tika:tika-parsers:1.19.1;com.fasterxml.jackson.core:jackson-databind:2.9.6","isMinimumFixVersionAvailable":true,"minimumFixVersion":"2.9.9.2"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2019-14439","vulnerabilityDetails":"A Polymorphic Typing issue was discovered in FasterXML jackson-databind 2.x before 2.9.9.2. This occurs when Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the logback jar in the classpath.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-14439","cvss3Severity":"high","cvss3Score":"7.5","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> --> | True | CVE-2019-14439 (High) detected in jackson-databind-2.9.6.jar - autoclosed - ## CVE-2019-14439 - 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.6.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: shaggy-rogers/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.6/jackson-databind-2.9.6.jar</p>
<p>
Dependency Hierarchy:
- pantomime-2.11.0.jar (Root Library)
- tika-parsers-1.19.1.jar
- :x: **jackson-databind-2.9.6.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/mthbernardes/shaggy-rogers/commit/f72a5cb259e01c0ac208ba3a95eee5232c30fe6c">f72a5cb259e01c0ac208ba3a95eee5232c30fe6c</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.2. This occurs when Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the logback jar in the classpath.
<p>Publish Date: 2019-07-30
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-14439>CVE-2019-14439</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-14439">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-14439</a></p>
<p>Release Date: 2019-07-30</p>
<p>Fix Resolution: 2.9.9.2</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.9.6","packageFilePaths":["/pom.xml"],"isTransitiveDependency":true,"dependencyTree":"com.novemberain:pantomime:2.11.0;org.apache.tika:tika-parsers:1.19.1;com.fasterxml.jackson.core:jackson-databind:2.9.6","isMinimumFixVersionAvailable":true,"minimumFixVersion":"2.9.9.2"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2019-14439","vulnerabilityDetails":"A Polymorphic Typing issue was discovered in FasterXML jackson-databind 2.x before 2.9.9.2. This occurs when Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint and the service has the logback jar in the classpath.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-14439","cvss3Severity":"high","cvss3Score":"7.5","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> --> | non_build | cve high detected in jackson databind jar autoclosed 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 shaggy rogers pom xml path to vulnerable library home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy pantomime jar root library tika parsers jar 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 this occurs when default typing is enabled either globally or for a specific property for an externally exposed json endpoint and the service has the logback jar in the classpath 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 isopenpronvulnerability true ispackagebased true isdefaultbranch true packages istransitivedependency true dependencytree com novemberain pantomime org apache tika tika parsers com fasterxml jackson core jackson databind isminimumfixversionavailable true minimumfixversion basebranches vulnerabilityidentifier cve vulnerabilitydetails a polymorphic typing issue was discovered in fasterxml jackson databind x before this occurs when default typing is enabled either globally or for a specific property for an externally exposed json endpoint and the service has the logback jar in the classpath vulnerabilityurl | 0 |
72,280 | 8,718,706,610 | IssuesEvent | 2018-12-07 21:23:07 | MicrosoftDocs/live-share | https://api.github.com/repos/MicrosoftDocs/live-share | closed | [VS Code] Joining collaboration session: The specified value isn’t a valid Live Share URL. Please check the link provided by the host and try again. | as-designed | <!-- Said code wasn't valid after copy and paste
For Visual Studio problems/feedback, please use the Report | 1.0 | [VS Code] Joining collaboration session: The specified value isn’t a valid Live Share URL. Please check the link provided by the host and try again. - <!-- Said code wasn't valid after copy and paste
For Visual Studio problems/feedback, please use the Report | non_build | joining collaboration session the specified value isn’t a valid live share url please check the link provided by the host and try again said code wasn t valid after copy and paste for visual studio problems feedback please use the report | 0 |
62,491 | 15,277,854,716 | IssuesEvent | 2021-02-23 00:10:41 | systemd/systemd | https://api.github.com/repos/systemd/systemd | closed | Recent python commits break builds on old distros like Debian 9 | build-system | I often perform quick build tests on a Debian 9 system whenever I'm developing systemd patches, up until the following two commits this was relatively pain-free:
7857b6e8383f5debab9544ef3abb15a27830fafa
b0a336a66929ed2a146888178157bf1af5c8598c
It was only a matter of tweaking the minimum mount utils version in meson.build, the old python version was not a problem for running meson+ninja to at least run a quick compile test of changes.
I don't know if anyone cares enough about preserving this capability, but from where I'm sitting those small, seemingly cosmetic "modernizations" don't seem worthwhile. I mostly just wanted to lodge a complaint and bring up that this is annoying someone who regularly contributes patches voluntarily.
| 1.0 | Recent python commits break builds on old distros like Debian 9 - I often perform quick build tests on a Debian 9 system whenever I'm developing systemd patches, up until the following two commits this was relatively pain-free:
7857b6e8383f5debab9544ef3abb15a27830fafa
b0a336a66929ed2a146888178157bf1af5c8598c
It was only a matter of tweaking the minimum mount utils version in meson.build, the old python version was not a problem for running meson+ninja to at least run a quick compile test of changes.
I don't know if anyone cares enough about preserving this capability, but from where I'm sitting those small, seemingly cosmetic "modernizations" don't seem worthwhile. I mostly just wanted to lodge a complaint and bring up that this is annoying someone who regularly contributes patches voluntarily.
| build | recent python commits break builds on old distros like debian i often perform quick build tests on a debian system whenever i m developing systemd patches up until the following two commits this was relatively pain free it was only a matter of tweaking the minimum mount utils version in meson build the old python version was not a problem for running meson ninja to at least run a quick compile test of changes i don t know if anyone cares enough about preserving this capability but from where i m sitting those small seemingly cosmetic modernizations don t seem worthwhile i mostly just wanted to lodge a complaint and bring up that this is annoying someone who regularly contributes patches voluntarily | 1 |
12,533 | 5,205,662,074 | IssuesEvent | 2017-01-24 18:32:35 | metabase/metabase | https://api.github.com/repos/metabase/metabase | closed | Filters with no values aren't centered | CSS Query Builder | This is a minor thing but I just noticed a filter without a value is still displayed the same way as one with one, which makes it look kinda funky:

| 1.0 | Filters with no values aren't centered - This is a minor thing but I just noticed a filter without a value is still displayed the same way as one with one, which makes it look kinda funky:

| build | filters with no values aren t centered this is a minor thing but i just noticed a filter without a value is still displayed the same way as one with one which makes it look kinda funky | 1 |
30,826 | 8,607,488,934 | IssuesEvent | 2018-11-17 23:01:31 | doitsujin/dxvk | https://api.github.com/repos/doitsujin/dxvk | closed | Build issue | build | Trying to build c25483e856fddd3599c08804991242fcbcb9b7d7 , but fails with:
```
In file included from ../../Temp/dxvk/src/util/com/../../d3d11/d3d11_include.h:3:0,
from ../../Temp/dxvk/src/util/com/../../d3d11/d3d11_interfaces.h:3,
from ../../Temp/dxvk/src/util/com/com_guid.cpp:3:
../../Temp/dxvk/src/util/com/../../d3d11/../dxgi/dxgi_include.h:27:10: fatal error: dxgi1_4.h: No such file or directory
#include <dxgi1_4.h>
```
### System information
- GPU: GTX970
- Driver: 396.54.9
- Wine version: 3.20-staging
- DXVK version: c25483e
dxgi1_4.h is not found in sourcetree, but for me found in: `/opt/wine-devel/include/wine/windows/dxgi1_4.h` (and my other custom wine sources).
Tbh seems as dxvk does not grab wine includes outside of sourcetree when building? | 1.0 | Build issue - Trying to build c25483e856fddd3599c08804991242fcbcb9b7d7 , but fails with:
```
In file included from ../../Temp/dxvk/src/util/com/../../d3d11/d3d11_include.h:3:0,
from ../../Temp/dxvk/src/util/com/../../d3d11/d3d11_interfaces.h:3,
from ../../Temp/dxvk/src/util/com/com_guid.cpp:3:
../../Temp/dxvk/src/util/com/../../d3d11/../dxgi/dxgi_include.h:27:10: fatal error: dxgi1_4.h: No such file or directory
#include <dxgi1_4.h>
```
### System information
- GPU: GTX970
- Driver: 396.54.9
- Wine version: 3.20-staging
- DXVK version: c25483e
dxgi1_4.h is not found in sourcetree, but for me found in: `/opt/wine-devel/include/wine/windows/dxgi1_4.h` (and my other custom wine sources).
Tbh seems as dxvk does not grab wine includes outside of sourcetree when building? | build | build issue trying to build but fails with in file included from temp dxvk src util com include h from temp dxvk src util com interfaces h from temp dxvk src util com com guid cpp temp dxvk src util com dxgi dxgi include h fatal error h no such file or directory include system information gpu driver wine version staging dxvk version h is not found in sourcetree but for me found in opt wine devel include wine windows h and my other custom wine sources tbh seems as dxvk does not grab wine includes outside of sourcetree when building | 1 |
51,383 | 10,652,861,404 | IssuesEvent | 2019-10-17 13:26:19 | joomla/joomla-cms | https://api.github.com/repos/joomla/joomla-cms | closed | [4.0] create/edit subfields size does not fit | No Code Attached Yet | ### Steps to reproduce the issue
1. Creat a new subform field like in com_users.users
index.php?option=com_fields&view=field&layout=edit&id=2&context=com_users.user
2. Select field type "subfields"
3. See "Render values " Table.

### Expected result
Table should fit
### Actual result
Table does not fit
### System information (as much as possible)
Joomla! 4.0.0-alpha12-dev
### Additional comments
The Problem depends on the css table theads white-space: nowrap
`
.table thead td, .table thead th {
white-space: nowrap;
`
Not sure why it is there, but i think for reponsive reasean these should be anyway set to normal.
Bett we fix the reasons why nowrap was necessary there?
| 1.0 | [4.0] create/edit subfields size does not fit - ### Steps to reproduce the issue
1. Creat a new subform field like in com_users.users
index.php?option=com_fields&view=field&layout=edit&id=2&context=com_users.user
2. Select field type "subfields"
3. See "Render values " Table.

### Expected result
Table should fit
### Actual result
Table does not fit
### System information (as much as possible)
Joomla! 4.0.0-alpha12-dev
### Additional comments
The Problem depends on the css table theads white-space: nowrap
`
.table thead td, .table thead th {
white-space: nowrap;
`
Not sure why it is there, but i think for reponsive reasean these should be anyway set to normal.
Bett we fix the reasons why nowrap was necessary there?
| non_build | create edit subfields size does not fit steps to reproduce the issue creat a new subform field like in com users users index php option com fields view field layout edit id context com users user select field type subfields see render values table expected result table should fit actual result table does not fit system information as much as possible joomla dev additional comments the problem depends on the css table theads white space nowrap table thead td table thead th white space nowrap not sure why it is there but i think for reponsive reasean these should be anyway set to normal bett we fix the reasons why nowrap was necessary there | 0 |
9,692 | 25,049,411,383 | IssuesEvent | 2022-11-05 17:40:40 | R-Type-Epitech-Nantes/R-Type | https://api.github.com/repos/R-Type-Epitech-Nantes/R-Type | opened | Implement Admin Panel | Architecture Network R-Type Game | Link the API library inside the Server and Client executable :
- Create an instance of the class
- Make the call to the API when necessary (Auth, Join -> Banned, Muted -> Chat, GamePlayed -> Room Start, KilledEnemies -> Enemy death, Deaths -> Player death)
Create an Admin Panel :
- Create a new executable
- Get current command and parse it
- Create inside the Notion an Admin Panel documentation
- Add an utility function to get and display all the DB
- Create a get command
- Create a set command
- Bind all the previous command to the parsing process with Keywords | 1.0 | Implement Admin Panel - Link the API library inside the Server and Client executable :
- Create an instance of the class
- Make the call to the API when necessary (Auth, Join -> Banned, Muted -> Chat, GamePlayed -> Room Start, KilledEnemies -> Enemy death, Deaths -> Player death)
Create an Admin Panel :
- Create a new executable
- Get current command and parse it
- Create inside the Notion an Admin Panel documentation
- Add an utility function to get and display all the DB
- Create a get command
- Create a set command
- Bind all the previous command to the parsing process with Keywords | non_build | implement admin panel link the api library inside the server and client executable create an instance of the class make the call to the api when necessary auth join banned muted chat gameplayed room start killedenemies enemy death deaths player death create an admin panel create a new executable get current command and parse it create inside the notion an admin panel documentation add an utility function to get and display all the db create a get command create a set command bind all the previous command to the parsing process with keywords | 0 |
40,124 | 10,454,282,480 | IssuesEvent | 2019-09-19 18:30:45 | habitat-sh/habitat | https://api.github.com/repos/habitat-sh/habitat | closed | [certs] Update docs with new cert usage | A-builder A-cli A-supervisor C-feature V-bldr | Related to https://github.com/habitat-sh/habitat/pull/6759
We need to update the docs to outline the new cert behavior and examples of various scenarios | 1.0 | [certs] Update docs with new cert usage - Related to https://github.com/habitat-sh/habitat/pull/6759
We need to update the docs to outline the new cert behavior and examples of various scenarios | build | update docs with new cert usage related to we need to update the docs to outline the new cert behavior and examples of various scenarios | 1 |
94,994 | 8,528,173,713 | IssuesEvent | 2018-11-02 22:20:14 | ODM2/ODM2DataSharingPortal | https://api.github.com/repos/ODM2/ODM2DataSharingPortal | closed | Hide 'height' if left empty for a sensor | enhancement ready for testing tested | When looking at the sensor spark lines on a single site page, do not show the "height" value in the block if left blank ("-"). The notes field is already only visible if filled out (not "none"); I would just like the height field to have the same behavior. | 2.0 | Hide 'height' if left empty for a sensor - When looking at the sensor spark lines on a single site page, do not show the "height" value in the block if left blank ("-"). The notes field is already only visible if filled out (not "none"); I would just like the height field to have the same behavior. | non_build | hide height if left empty for a sensor when looking at the sensor spark lines on a single site page do not show the height value in the block if left blank the notes field is already only visible if filled out not none i would just like the height field to have the same behavior | 0 |
68,198 | 21,556,404,377 | IssuesEvent | 2022-04-30 13:48:39 | ofalk/libdnet | https://api.github.com/repos/ofalk/libdnet | closed | Strange libraries when building on RHEL4 R8 2.6.32-71.18.1.el6.x86_64 | Priority-Medium Type-Defect auto-migrated | ```
What steps will reproduce the problem?
1. ./configure --prefix=/usr/local/libdnet-1.12
2. make && make install
What is the expected output? What do you see instead?
EXPECTED:
ls -l /usr/local/libdnet-1.12/lib
-rw-r--r-- 1 cmgreen cmgreen 272390 Mar 3 08:50 libdnet.a
-rwxr-xr-x 1 cmgreen cmgreen 933 Mar 3 08:50 libdnet.la
lrwxrwxrwx 1 cmgreen cmgreen 16 Mar 3 08:50 libdnet.so -> libdnet.so.1.0.1
lrwxrwxrwx 1 cmgreen cmgreen 16 Mar 3 08:50 libdnet.so.1 ->
libdnet.so.1.0.1
-rwxr-xr-x 1 cmgreen cmgreen 160580 Mar 3 08:50 libdnet.so.1.0.1
ACTUAL:
lrwxrwxrwx 1 cmgreen cmgreen 13 Mar 3 09:08 libdnet -> libdnet.1.0.1
lrwxrwxrwx 1 cmgreen cmgreen 13 Mar 3 09:08 libdnet.1 -> libdnet.1.0.1
-rwxr-xr-x 1 cmgreen cmgreen 160604 Mar 3 09:08 libdnet.1.0.1
-rw-r--r-- 1 cmgreen cmgreen 272414 Mar 3 09:08 libdnet.a
-rwxr-xr-x 1 cmgreen cmgreen 791 Mar 3 09:08 libdnet.la
What version of the product are you using? On what operating system?
Red Hat Enterprise Linux Server release 6.0 (Santiago) x64
Please provide any additional information below.
This issue really confuses the libtool when building snort-2.9.0.4 with ipv6
support. Currently using:
libtool-2.2.6-15.5.el6.x86_64
autoconf-2.63-5.1.el6.noarch
automake-1.11.1-1.2.el6.noarch
Problem resolved by:
libtoolize --automake --copy"
aclocal -I config"
autoheader
automake --add-missing --copy
autoconf
It would be appreciated to cut a new .tar.gz release with updated auto* to
prevent others from hitting this same issue.
```
Original issue reported on code.google.com by `gree...@gmail.com` on 3 Mar 2011 at 3:13
| 1.0 | Strange libraries when building on RHEL4 R8 2.6.32-71.18.1.el6.x86_64 - ```
What steps will reproduce the problem?
1. ./configure --prefix=/usr/local/libdnet-1.12
2. make && make install
What is the expected output? What do you see instead?
EXPECTED:
ls -l /usr/local/libdnet-1.12/lib
-rw-r--r-- 1 cmgreen cmgreen 272390 Mar 3 08:50 libdnet.a
-rwxr-xr-x 1 cmgreen cmgreen 933 Mar 3 08:50 libdnet.la
lrwxrwxrwx 1 cmgreen cmgreen 16 Mar 3 08:50 libdnet.so -> libdnet.so.1.0.1
lrwxrwxrwx 1 cmgreen cmgreen 16 Mar 3 08:50 libdnet.so.1 ->
libdnet.so.1.0.1
-rwxr-xr-x 1 cmgreen cmgreen 160580 Mar 3 08:50 libdnet.so.1.0.1
ACTUAL:
lrwxrwxrwx 1 cmgreen cmgreen 13 Mar 3 09:08 libdnet -> libdnet.1.0.1
lrwxrwxrwx 1 cmgreen cmgreen 13 Mar 3 09:08 libdnet.1 -> libdnet.1.0.1
-rwxr-xr-x 1 cmgreen cmgreen 160604 Mar 3 09:08 libdnet.1.0.1
-rw-r--r-- 1 cmgreen cmgreen 272414 Mar 3 09:08 libdnet.a
-rwxr-xr-x 1 cmgreen cmgreen 791 Mar 3 09:08 libdnet.la
What version of the product are you using? On what operating system?
Red Hat Enterprise Linux Server release 6.0 (Santiago) x64
Please provide any additional information below.
This issue really confuses the libtool when building snort-2.9.0.4 with ipv6
support. Currently using:
libtool-2.2.6-15.5.el6.x86_64
autoconf-2.63-5.1.el6.noarch
automake-1.11.1-1.2.el6.noarch
Problem resolved by:
libtoolize --automake --copy"
aclocal -I config"
autoheader
automake --add-missing --copy
autoconf
It would be appreciated to cut a new .tar.gz release with updated auto* to
prevent others from hitting this same issue.
```
Original issue reported on code.google.com by `gree...@gmail.com` on 3 Mar 2011 at 3:13
| non_build | strange libraries when building on what steps will reproduce the problem configure prefix usr local libdnet make make install what is the expected output what do you see instead expected ls l usr local libdnet lib rw r r cmgreen cmgreen mar libdnet a rwxr xr x cmgreen cmgreen mar libdnet la lrwxrwxrwx cmgreen cmgreen mar libdnet so libdnet so lrwxrwxrwx cmgreen cmgreen mar libdnet so libdnet so rwxr xr x cmgreen cmgreen mar libdnet so actual lrwxrwxrwx cmgreen cmgreen mar libdnet libdnet lrwxrwxrwx cmgreen cmgreen mar libdnet libdnet rwxr xr x cmgreen cmgreen mar libdnet rw r r cmgreen cmgreen mar libdnet a rwxr xr x cmgreen cmgreen mar libdnet la what version of the product are you using on what operating system red hat enterprise linux server release santiago please provide any additional information below this issue really confuses the libtool when building snort with support currently using libtool autoconf noarch automake noarch problem resolved by libtoolize automake copy aclocal i config autoheader automake add missing copy autoconf it would be appreciated to cut a new tar gz release with updated auto to prevent others from hitting this same issue original issue reported on code google com by gree gmail com on mar at | 0 |
28,924 | 8,230,458,448 | IssuesEvent | 2018-09-07 13:01:28 | syndesisio/syndesis | https://api.github.com/repos/syndesisio/syndesis | closed | [operator] unable to build operator image | cat/bug cat/build group/operator prio/p1 | ## This is a...
<!-- Check ONLY one of the following options with "x" -->
<pre><code>
[ ] Feature request
[X] Regression (a behavior that used to work and stopped working in a new release)
[ ] Bug report <!-- Please search GitHub for a similar issue or PR before submitting -->
[ ] Documentation issue or request
</code></pre>
<!-- If possible, please choose the appropriate labels for your issue. You find a description of all
labels used at https://doc.syndesis.io/#dev-labels -->
## The problem
<!--
Briefly describe the issue you are experiencing (or the feature you want to see implemented on Syndesis).
+ For BUGS, tell us what you were trying to do and what happened instead.
+ For NEW FEATURES, describe the _User Persona_ demanding it and its use case.
-->
Building all the syndesis images fails on syndesis-operator with:
```
==============================================================================
Building syndesis-operator
==============================================================================
Building on Minishift
Installing rsync on Minishift
tput: unknown terminal "unknown"
Installing additional packages on the root filesystem might exceed the allocated overlay size and lock the Minishift VM. Proceed with the installation at your own risk.
For more information, see https://docs.openshift.org/latest/minishift/troubleshooting/troubleshooting-misc.html#root-filesystem-exceeds-overlay-size
tput: unknown terminal "unknown"
Loaded plugins: fastestmirror
Determining fastest mirrors
* base: mirror.switch.ch
* extras: mirror.switch.ch
* updates: mirror.switch.ch
Resolving Dependencies
--> Running transaction check
---> Package rsync.x86_64 0:3.1.2-4.el7 will be installed
--> Finished Dependency Resolution
Dependencies Resolved
================================================================================
Package Arch Version Repository Size
================================================================================
Installing:
rsync x86_64 3.1.2-4.el7 base 403 k
Transaction Summary
================================================================================
Install 1 Package
Total download size: 403 k
Installed size: 815 k
Downloading packages:
Public key for rsync-3.1.2-4.el7.x86_64.rpm is not installed
warning: /var/cache/yum/x86_64/7/base/packages/rsync-3.1.2-4.el7.x86_64.rpm: Header V3 RSA/SHA256 Signature, key ID f4a80eb5: NOKEY
Retrieving key from file:///etc/pki/rpm-gpg/RPM-GPG-KEY-CentOS-7
Importing GPG key 0xF4A80EB5:
Userid : "CentOS-7 Key (CentOS 7 Official Signing Key) <security@centos.org>"
Fingerprint: 6341 ab27 53d7 8a78 a7c2 7bb1 24c6 a8a7 f4a8 0eb5
Package : centos-release-7-5.1804.el7.centos.2.x86_64 (@updates/$releasever)
From : /etc/pki/rpm-gpg/RPM-GPG-KEY-CentOS-7
Running transaction check
Running transaction test
Transaction test succeeded
Running transaction
Installing : rsync-3.1.2-4.el7.x86_64 1/1
Verifying : rsync-3.1.2-4.el7.x86_64 1/1
Installed:
rsync.x86_64 0:3.1.2-4.el7
Complete!
Rsync local sources to Minishift VM to /opt/syndesis
Warning: Permanently added '192.168.42.43' (ECDSA) to the list of known hosts.
Received disconnect from 192.168.42.43 port 22:2: Too many authentication failures
Disconnected from 192.168.42.43 port 22
rsync: connection unexpectedly closed (0 bytes received so far) [sender]
rsync error: unexplained error (code 255) at io.c(226) [sender=3.1.3]
ERROR: Last command exited with 255
```
## Expected behavior
<!-- Describe what the desired behavior would be, enlistin gthe acceptance criteria. -->
We should be able to build all the images.
## Tasks involved / Steps to Reproduce
<!--
Enlist all the acceptance criteria for new features or the steps required to reproduce the bug/regression reported.
-->
1. syndesis build --all-images --clean --flash --dependencies
| 1.0 | [operator] unable to build operator image - ## This is a...
<!-- Check ONLY one of the following options with "x" -->
<pre><code>
[ ] Feature request
[X] Regression (a behavior that used to work and stopped working in a new release)
[ ] Bug report <!-- Please search GitHub for a similar issue or PR before submitting -->
[ ] Documentation issue or request
</code></pre>
<!-- If possible, please choose the appropriate labels for your issue. You find a description of all
labels used at https://doc.syndesis.io/#dev-labels -->
## The problem
<!--
Briefly describe the issue you are experiencing (or the feature you want to see implemented on Syndesis).
+ For BUGS, tell us what you were trying to do and what happened instead.
+ For NEW FEATURES, describe the _User Persona_ demanding it and its use case.
-->
Building all the syndesis images fails on syndesis-operator with:
```
==============================================================================
Building syndesis-operator
==============================================================================
Building on Minishift
Installing rsync on Minishift
tput: unknown terminal "unknown"
Installing additional packages on the root filesystem might exceed the allocated overlay size and lock the Minishift VM. Proceed with the installation at your own risk.
For more information, see https://docs.openshift.org/latest/minishift/troubleshooting/troubleshooting-misc.html#root-filesystem-exceeds-overlay-size
tput: unknown terminal "unknown"
Loaded plugins: fastestmirror
Determining fastest mirrors
* base: mirror.switch.ch
* extras: mirror.switch.ch
* updates: mirror.switch.ch
Resolving Dependencies
--> Running transaction check
---> Package rsync.x86_64 0:3.1.2-4.el7 will be installed
--> Finished Dependency Resolution
Dependencies Resolved
================================================================================
Package Arch Version Repository Size
================================================================================
Installing:
rsync x86_64 3.1.2-4.el7 base 403 k
Transaction Summary
================================================================================
Install 1 Package
Total download size: 403 k
Installed size: 815 k
Downloading packages:
Public key for rsync-3.1.2-4.el7.x86_64.rpm is not installed
warning: /var/cache/yum/x86_64/7/base/packages/rsync-3.1.2-4.el7.x86_64.rpm: Header V3 RSA/SHA256 Signature, key ID f4a80eb5: NOKEY
Retrieving key from file:///etc/pki/rpm-gpg/RPM-GPG-KEY-CentOS-7
Importing GPG key 0xF4A80EB5:
Userid : "CentOS-7 Key (CentOS 7 Official Signing Key) <security@centos.org>"
Fingerprint: 6341 ab27 53d7 8a78 a7c2 7bb1 24c6 a8a7 f4a8 0eb5
Package : centos-release-7-5.1804.el7.centos.2.x86_64 (@updates/$releasever)
From : /etc/pki/rpm-gpg/RPM-GPG-KEY-CentOS-7
Running transaction check
Running transaction test
Transaction test succeeded
Running transaction
Installing : rsync-3.1.2-4.el7.x86_64 1/1
Verifying : rsync-3.1.2-4.el7.x86_64 1/1
Installed:
rsync.x86_64 0:3.1.2-4.el7
Complete!
Rsync local sources to Minishift VM to /opt/syndesis
Warning: Permanently added '192.168.42.43' (ECDSA) to the list of known hosts.
Received disconnect from 192.168.42.43 port 22:2: Too many authentication failures
Disconnected from 192.168.42.43 port 22
rsync: connection unexpectedly closed (0 bytes received so far) [sender]
rsync error: unexplained error (code 255) at io.c(226) [sender=3.1.3]
ERROR: Last command exited with 255
```
## Expected behavior
<!-- Describe what the desired behavior would be, enlistin gthe acceptance criteria. -->
We should be able to build all the images.
## Tasks involved / Steps to Reproduce
<!--
Enlist all the acceptance criteria for new features or the steps required to reproduce the bug/regression reported.
-->
1. syndesis build --all-images --clean --flash --dependencies
| build | unable to build operator image this is a feature request regression a behavior that used to work and stopped working in a new release bug report documentation issue or request if possible please choose the appropriate labels for your issue you find a description of all labels used at the problem briefly describe the issue you are experiencing or the feature you want to see implemented on syndesis for bugs tell us what you were trying to do and what happened instead for new features describe the user persona demanding it and its use case building all the syndesis images fails on syndesis operator with building syndesis operator building on minishift installing rsync on minishift tput unknown terminal unknown installing additional packages on the root filesystem might exceed the allocated overlay size and lock the minishift vm proceed with the installation at your own risk for more information see tput unknown terminal unknown loaded plugins fastestmirror determining fastest mirrors base mirror switch ch extras mirror switch ch updates mirror switch ch resolving dependencies running transaction check package rsync will be installed finished dependency resolution dependencies resolved package arch version repository size installing rsync base k transaction summary install package total download size k installed size k downloading packages public key for rsync rpm is not installed warning var cache yum base packages rsync rpm header rsa signature key id nokey retrieving key from file etc pki rpm gpg rpm gpg key centos importing gpg key userid centos key centos official signing key fingerprint package centos release centos updates releasever from etc pki rpm gpg rpm gpg key centos running transaction check running transaction test transaction test succeeded running transaction installing rsync verifying rsync installed rsync complete rsync local sources to minishift vm to opt syndesis warning permanently added ecdsa to the list of known hosts received disconnect from port too many authentication failures disconnected from port rsync connection unexpectedly closed bytes received so far rsync error unexplained error code at io c error last command exited with expected behavior we should be able to build all the images tasks involved steps to reproduce enlist all the acceptance criteria for new features or the steps required to reproduce the bug regression reported syndesis build all images clean flash dependencies | 1 |
359,842 | 25,258,089,778 | IssuesEvent | 2022-11-15 19:59:48 | primefaces/primeng | https://api.github.com/repos/primefaces/primeng | closed | Chips: Incorrect onRemove Event Documentation | Component: Documentation | ### Describe the bug
Very minor issue. The word "Added" should be changed to "Removed" in the "onRemove" event documentation under the "Parameters" column:

### Environment
Any Browser
### Reproducer
_No response_
### Angular version
14
### PrimeNG version
14
### Build / Runtime
Angular CLI App
### Language
ALL
### Node version (for AoT issues node --version)
16.7.0
### Browser(s)
All
### Steps to reproduce the behavior
_No response_
### Expected behavior
_No response_ | 1.0 | Chips: Incorrect onRemove Event Documentation - ### Describe the bug
Very minor issue. The word "Added" should be changed to "Removed" in the "onRemove" event documentation under the "Parameters" column:

### Environment
Any Browser
### Reproducer
_No response_
### Angular version
14
### PrimeNG version
14
### Build / Runtime
Angular CLI App
### Language
ALL
### Node version (for AoT issues node --version)
16.7.0
### Browser(s)
All
### Steps to reproduce the behavior
_No response_
### Expected behavior
_No response_ | non_build | chips incorrect onremove event documentation describe the bug very minor issue the word added should be changed to removed in the onremove event documentation under the parameters column environment any browser reproducer no response angular version primeng version build runtime angular cli app language all node version for aot issues node version browser s all steps to reproduce the behavior no response expected behavior no response | 0 |
13,777 | 5,446,671,461 | IssuesEvent | 2017-03-07 11:17:19 | docker/docker | https://api.github.com/repos/docker/docker | closed | bind /var/lib/docker:/var/lib/docker on dind:17.03-dind cause dockerd starting failed | area/builder area/distribution version/unsupported | <!--
If you are reporting a new issue, make sure that we do not have any duplicates
already open. You can ensure this by searching the issue list for this
repository. If there is a duplicate, please close your issue and add a comment
to the existing issue instead.
If you suspect your issue is a bug, please edit your issue description to
include the BUG REPORT INFORMATION shown below. If you fail to provide this
information within 7 days, we cannot debug your issue and will close it. We
will, however, reopen it if you later provide the information.
For more information about reporting issues, see
https://github.com/docker/docker/blob/master/CONTRIBUTING.md#reporting-other-issues
---------------------------------------------------
GENERAL SUPPORT INFORMATION
---------------------------------------------------
The GitHub issue tracker is for bug reports and feature requests.
General support can be found at the following locations:
- Docker Support Forums - https://forums.docker.com
- IRC - irc.freenode.net #docker channel
- Post a question on StackOverflow, using the Docker tag
---------------------------------------------------
BUG REPORT INFORMATION
---------------------------------------------------
Use the commands below to provide key information from your environment:
You do NOT have to include this information if this is a FEATURE REQUEST
-->
**Description**
<!--
Briefly describe the problem you are having in a few paragraphs.
-->
I run `docker build & docker push` inside dind:17.03-dind container.
For speeding up the build process, I have to use build cache. So I want to bind `/var/lib/docker:/var/lib/docker` on this dind container. But it cause the dockerd inside dind container starting failed.
**Steps to reproduce the issue:**
1. The command I used is:
`docker run --privileged -ti -v /var/lib/docker:/var/lib/docker docker:17.03-dind`
**Describe the results you received:**
```
Unable to find image 'docker:17.03-dind' locally
17.03-dind: Pulling from library/docker
627beaf3eaaf: Already exists
1ed492db3a66: Already exists
d33053c322ce: Pull complete
8c4c8fa6a6a9: Pull complete
abbcefd2b80d: Pull complete
969bfae120ca: Pull complete
c33fc9cdbc00: Pull complete
68c7cb5693c8: Pull complete
Digest: sha256:b9a649480ac1002af3150d708a5a989d56a1e6b1321fff7b10e42b25c7def60b
Status: Downloaded newer image for docker:17.03-dind
WARN[0000] [!] DON'T BIND ON ANY IP ADDRESS WITHOUT setting -tlsverify IF YOU DON'T KNOW WHAT YOU'RE DOING [!]
INFO[0000] libcontainerd: new containerd process, pid: 16
Error starting daemon: error while opening volume store metadata database: timeout
```
**Describe the results you expected:**
The docker daemon starts successful and the cache which `docker build` makes will be stored and next `docker build` command will automatically use there build cache.
**Additional information you deem important (e.g. issue happens only occasionally):**
1. OS: centos 7.1611
**Output of `docker version`:**
```
Client:
Version: 17.03.0-ce
API version: 1.26
Go version: go1.7.5
Git commit: 60ccb22
Built: Thu Feb 23 10:54:03 2017
OS/Arch: linux/amd64
Server:
Version: 17.03.0-ce
API version: 1.26 (minimum version 1.12)
Go version: go1.7.5
Git commit: 60ccb22
Built: Thu Feb 23 10:54:03 2017
OS/Arch: linux/amd64
Experimental: false
```
**Output of `docker info`:**
```
Containers: 1
Running: 0
Paused: 0
Stopped: 1
Images: 1
Server Version: 17.03.0-ce
Storage Driver: overlay
Backing Filesystem: xfs
Supports d_type: true
Logging Driver: json-file
Cgroup Driver: cgroupfs
Plugins:
Volume: local
Network: bridge host macvlan null overlay
Swarm: inactive
Runtimes: runc
Default Runtime: runc
Init Binary: docker-init
containerd version: 977c511eda0925a723debdc94d09459af49d082a
runc version: a01dafd48bc1c7cc12bdb01206f9fea7dd6feb70
init version: 949e6fa
Security Options:
seccomp
Profile: default
Kernel Version: 3.10.0-514.2.2.el7.x86_64
Operating System: CentOS Linux 7 (Core)
OSType: linux
Architecture: x86_64
CPUs: 1
Total Memory: 488.7 MiB
Name: localhost.localdomain
ID: O6QR:FUAC:LAZ3:M3JM:VL3J:A2K2:CSDS:7A5T:2SO3:T5GG:45SD:W6TG
Docker Root Dir: /var/lib/docker
Debug Mode (client): false
Debug Mode (server): false
Registry: https://index.docker.io/v1/
Experimental: false
Insecure Registries:
0.0.0.0/0
127.0.0.0/8
Registry Mirrors:
https://ktm7bvr4.mirror.aliyuncs.com
Live Restore Enabled: false
```
**Additional environment details (AWS, VirtualBox, physical, etc.):**
My host is inside VirtualBox through vagrant. | 1.0 | bind /var/lib/docker:/var/lib/docker on dind:17.03-dind cause dockerd starting failed - <!--
If you are reporting a new issue, make sure that we do not have any duplicates
already open. You can ensure this by searching the issue list for this
repository. If there is a duplicate, please close your issue and add a comment
to the existing issue instead.
If you suspect your issue is a bug, please edit your issue description to
include the BUG REPORT INFORMATION shown below. If you fail to provide this
information within 7 days, we cannot debug your issue and will close it. We
will, however, reopen it if you later provide the information.
For more information about reporting issues, see
https://github.com/docker/docker/blob/master/CONTRIBUTING.md#reporting-other-issues
---------------------------------------------------
GENERAL SUPPORT INFORMATION
---------------------------------------------------
The GitHub issue tracker is for bug reports and feature requests.
General support can be found at the following locations:
- Docker Support Forums - https://forums.docker.com
- IRC - irc.freenode.net #docker channel
- Post a question on StackOverflow, using the Docker tag
---------------------------------------------------
BUG REPORT INFORMATION
---------------------------------------------------
Use the commands below to provide key information from your environment:
You do NOT have to include this information if this is a FEATURE REQUEST
-->
**Description**
<!--
Briefly describe the problem you are having in a few paragraphs.
-->
I run `docker build & docker push` inside dind:17.03-dind container.
For speeding up the build process, I have to use build cache. So I want to bind `/var/lib/docker:/var/lib/docker` on this dind container. But it cause the dockerd inside dind container starting failed.
**Steps to reproduce the issue:**
1. The command I used is:
`docker run --privileged -ti -v /var/lib/docker:/var/lib/docker docker:17.03-dind`
**Describe the results you received:**
```
Unable to find image 'docker:17.03-dind' locally
17.03-dind: Pulling from library/docker
627beaf3eaaf: Already exists
1ed492db3a66: Already exists
d33053c322ce: Pull complete
8c4c8fa6a6a9: Pull complete
abbcefd2b80d: Pull complete
969bfae120ca: Pull complete
c33fc9cdbc00: Pull complete
68c7cb5693c8: Pull complete
Digest: sha256:b9a649480ac1002af3150d708a5a989d56a1e6b1321fff7b10e42b25c7def60b
Status: Downloaded newer image for docker:17.03-dind
WARN[0000] [!] DON'T BIND ON ANY IP ADDRESS WITHOUT setting -tlsverify IF YOU DON'T KNOW WHAT YOU'RE DOING [!]
INFO[0000] libcontainerd: new containerd process, pid: 16
Error starting daemon: error while opening volume store metadata database: timeout
```
**Describe the results you expected:**
The docker daemon starts successful and the cache which `docker build` makes will be stored and next `docker build` command will automatically use there build cache.
**Additional information you deem important (e.g. issue happens only occasionally):**
1. OS: centos 7.1611
**Output of `docker version`:**
```
Client:
Version: 17.03.0-ce
API version: 1.26
Go version: go1.7.5
Git commit: 60ccb22
Built: Thu Feb 23 10:54:03 2017
OS/Arch: linux/amd64
Server:
Version: 17.03.0-ce
API version: 1.26 (minimum version 1.12)
Go version: go1.7.5
Git commit: 60ccb22
Built: Thu Feb 23 10:54:03 2017
OS/Arch: linux/amd64
Experimental: false
```
**Output of `docker info`:**
```
Containers: 1
Running: 0
Paused: 0
Stopped: 1
Images: 1
Server Version: 17.03.0-ce
Storage Driver: overlay
Backing Filesystem: xfs
Supports d_type: true
Logging Driver: json-file
Cgroup Driver: cgroupfs
Plugins:
Volume: local
Network: bridge host macvlan null overlay
Swarm: inactive
Runtimes: runc
Default Runtime: runc
Init Binary: docker-init
containerd version: 977c511eda0925a723debdc94d09459af49d082a
runc version: a01dafd48bc1c7cc12bdb01206f9fea7dd6feb70
init version: 949e6fa
Security Options:
seccomp
Profile: default
Kernel Version: 3.10.0-514.2.2.el7.x86_64
Operating System: CentOS Linux 7 (Core)
OSType: linux
Architecture: x86_64
CPUs: 1
Total Memory: 488.7 MiB
Name: localhost.localdomain
ID: O6QR:FUAC:LAZ3:M3JM:VL3J:A2K2:CSDS:7A5T:2SO3:T5GG:45SD:W6TG
Docker Root Dir: /var/lib/docker
Debug Mode (client): false
Debug Mode (server): false
Registry: https://index.docker.io/v1/
Experimental: false
Insecure Registries:
0.0.0.0/0
127.0.0.0/8
Registry Mirrors:
https://ktm7bvr4.mirror.aliyuncs.com
Live Restore Enabled: false
```
**Additional environment details (AWS, VirtualBox, physical, etc.):**
My host is inside VirtualBox through vagrant. | build | bind var lib docker var lib docker on dind dind cause dockerd starting failed if you are reporting a new issue make sure that we do not have any duplicates already open you can ensure this by searching the issue list for this repository if there is a duplicate please close your issue and add a comment to the existing issue instead if you suspect your issue is a bug please edit your issue description to include the bug report information shown below if you fail to provide this information within days we cannot debug your issue and will close it we will however reopen it if you later provide the information for more information about reporting issues see general support information the github issue tracker is for bug reports and feature requests general support can be found at the following locations docker support forums irc irc freenode net docker channel post a question on stackoverflow using the docker tag bug report information use the commands below to provide key information from your environment you do not have to include this information if this is a feature request description briefly describe the problem you are having in a few paragraphs i run docker build docker push inside dind dind container for speeding up the build process i have to use build cache so i want to bind var lib docker var lib docker on this dind container but it cause the dockerd inside dind container starting failed steps to reproduce the issue the command i used is docker run privileged ti v var lib docker var lib docker docker dind describe the results you received unable to find image docker dind locally dind pulling from library docker already exists already exists pull complete pull complete pull complete pull complete pull complete pull complete digest status downloaded newer image for docker dind warn don t bind on any ip address without setting tlsverify if you don t know what you re doing info libcontainerd new containerd process pid error starting daemon error while opening volume store metadata database timeout describe the results you expected the docker daemon starts successful and the cache which docker build makes will be stored and next docker build command will automatically use there build cache additional information you deem important e g issue happens only occasionally os centos output of docker version client version ce api version go version git commit built thu feb os arch linux server version ce api version minimum version go version git commit built thu feb os arch linux experimental false output of docker info containers running paused stopped images server version ce storage driver overlay backing filesystem xfs supports d type true logging driver json file cgroup driver cgroupfs plugins volume local network bridge host macvlan null overlay swarm inactive runtimes runc default runtime runc init binary docker init containerd version runc version init version security options seccomp profile default kernel version operating system centos linux core ostype linux architecture cpus total memory mib name localhost localdomain id fuac csds docker root dir var lib docker debug mode client false debug mode server false registry experimental false insecure registries registry mirrors live restore enabled false additional environment details aws virtualbox physical etc my host is inside virtualbox through vagrant | 1 |
69,170 | 17,597,365,913 | IssuesEvent | 2021-08-17 07:29:56 | DXHeroes/knowledge-base-content | https://api.github.com/repos/DXHeroes/knowledge-base-content | closed | New article: Vision (company or team or product vision) | enhancement help wanted article_type: practice stage: Development stage: Building a Team Status: Available Difficulty: Medium Good First Issue | # Title: Vision
- [x] What is this about: “What is this practice about”? Which existing (or new) problems does this practice solve?
It's about motivating people, product development, and development itself by a company/product/team vision. What's vision and how it drives motivation or team to better alignment with a purpose.
- [x] Read more here: The starting point for your research (You can use different sources if you have better ones)
- https://www.productboard.com/blog/write-product-vision/
- https://examples.yourdictionary.com/best-examples-of-a-vision-statement.html
- https://www.businessnewsdaily.com/3882-vision-statement.html
- https://www.scrum.org/resources/blog/10-tips-product-owners-product-vision
- [x] Pick the corresponding labels:
- Stage:research
- **Stage:building_team**
- **Stage:development**
- Stage:launch
- Stage:maintenance
- Stage:phase_out
## How to contribute:
- Follow our [Contribution guide](https://github.com/DXHeroes/knowledge-base-content/blob/master/CONTRIBUTING.md)
- How to [Git and Pull Requests]( https://github.com/firstcontributions/first-contributions/blob/master/README.md)
- How to [Markdown](https://guides.github.com/features/mastering-markdown/), [Markdown interactive demo](https://www.markdowntutorial.com/lesson/1/) or [Google Docs Addon](https://gsuite.google.com/marketplace/app/docs_to_markdown/700168918607)
| 1.0 | New article: Vision (company or team or product vision) - # Title: Vision
- [x] What is this about: “What is this practice about”? Which existing (or new) problems does this practice solve?
It's about motivating people, product development, and development itself by a company/product/team vision. What's vision and how it drives motivation or team to better alignment with a purpose.
- [x] Read more here: The starting point for your research (You can use different sources if you have better ones)
- https://www.productboard.com/blog/write-product-vision/
- https://examples.yourdictionary.com/best-examples-of-a-vision-statement.html
- https://www.businessnewsdaily.com/3882-vision-statement.html
- https://www.scrum.org/resources/blog/10-tips-product-owners-product-vision
- [x] Pick the corresponding labels:
- Stage:research
- **Stage:building_team**
- **Stage:development**
- Stage:launch
- Stage:maintenance
- Stage:phase_out
## How to contribute:
- Follow our [Contribution guide](https://github.com/DXHeroes/knowledge-base-content/blob/master/CONTRIBUTING.md)
- How to [Git and Pull Requests]( https://github.com/firstcontributions/first-contributions/blob/master/README.md)
- How to [Markdown](https://guides.github.com/features/mastering-markdown/), [Markdown interactive demo](https://www.markdowntutorial.com/lesson/1/) or [Google Docs Addon](https://gsuite.google.com/marketplace/app/docs_to_markdown/700168918607)
| build | new article vision company or team or product vision title vision what is this about “what is this practice about” which existing or new problems does this practice solve it s about motivating people product development and development itself by a company product team vision what s vision and how it drives motivation or team to better alignment with a purpose read more here the starting point for your research you can use different sources if you have better ones pick the corresponding labels stage research stage building team stage development stage launch stage maintenance stage phase out how to contribute follow our how to how to or | 1 |
9,583 | 4,559,322,659 | IssuesEvent | 2016-09-14 01:32:18 | rust-lang/rust | https://api.github.com/repos/rust-lang/rust | closed | Move compiler-rt build into a crate dependency of libcore | A-build A-rustbuild E-help-wanted | One of the major blockers of our dream to "lazily compile std" is to ensure that we have the ability to compile compiler-rt on-demand. This is a repository maintained by LLVM which contains a large set of intrinsics which LLVM lowers function calls down to on some platforms.
Unfortunately the build system of compiler-rt is a bit of a nightmare. We, at the time of the writing, have a large pile of hacks on its makefile-based build system to get things working, and it appears that LLVM has deprecated this build system anyway. We're [trying to move to cmake](https://github.com/rust-lang/rust/pull/34055) but it's still unfortunately a nightmare compiling compiler-rt.
To solve both these problems in one fell swoop, @brson and I were chatting this morning and had the idea of moving the build entirely to a build script of libcore, and basically just using gcc-rs to compile compiler-rt instead of using compiler-rt's build system. This means we don't have to have LLVM installed (why does compiler-rt need llvm-config?) and cross-compiling should be *much* more robust/easy as we're driving the compiles, not working around an opaque build system.
To make matters worse in compiler-rt as well it contains code for a massive number of intrinsics we'll probably never use. And *even worse* these bits and pieces of code often cause compile failures which don't end up mattering in the end. To solve this problem we should just whitelist a set of intrinsics to build and ignore all others. This may be a bit of a rocky road as we discover some we should have compiled but forgot, but in theory we should be able to select a subset to compile and be done with it.
This may make updating compiler-rt difficult, but we've already only done it once in like the past year or two years, so we don't seem to need to do this too urgently. This is a worry to keep in mind, however.
Basically here's what I think we should do:
* Add a build script to libcore, link gcc-rs into it
* Compile select portions of compiler-rt as part of this build script, using gcc-rs
* Disable injection of compiler-rt in the compiler
Staging this is still a bit up in the air, but I'm curious what others think about this as well.
cc @rust-lang/tools
cc @brson
cc @japaric | 2.0 | Move compiler-rt build into a crate dependency of libcore - One of the major blockers of our dream to "lazily compile std" is to ensure that we have the ability to compile compiler-rt on-demand. This is a repository maintained by LLVM which contains a large set of intrinsics which LLVM lowers function calls down to on some platforms.
Unfortunately the build system of compiler-rt is a bit of a nightmare. We, at the time of the writing, have a large pile of hacks on its makefile-based build system to get things working, and it appears that LLVM has deprecated this build system anyway. We're [trying to move to cmake](https://github.com/rust-lang/rust/pull/34055) but it's still unfortunately a nightmare compiling compiler-rt.
To solve both these problems in one fell swoop, @brson and I were chatting this morning and had the idea of moving the build entirely to a build script of libcore, and basically just using gcc-rs to compile compiler-rt instead of using compiler-rt's build system. This means we don't have to have LLVM installed (why does compiler-rt need llvm-config?) and cross-compiling should be *much* more robust/easy as we're driving the compiles, not working around an opaque build system.
To make matters worse in compiler-rt as well it contains code for a massive number of intrinsics we'll probably never use. And *even worse* these bits and pieces of code often cause compile failures which don't end up mattering in the end. To solve this problem we should just whitelist a set of intrinsics to build and ignore all others. This may be a bit of a rocky road as we discover some we should have compiled but forgot, but in theory we should be able to select a subset to compile and be done with it.
This may make updating compiler-rt difficult, but we've already only done it once in like the past year or two years, so we don't seem to need to do this too urgently. This is a worry to keep in mind, however.
Basically here's what I think we should do:
* Add a build script to libcore, link gcc-rs into it
* Compile select portions of compiler-rt as part of this build script, using gcc-rs
* Disable injection of compiler-rt in the compiler
Staging this is still a bit up in the air, but I'm curious what others think about this as well.
cc @rust-lang/tools
cc @brson
cc @japaric | build | move compiler rt build into a crate dependency of libcore one of the major blockers of our dream to lazily compile std is to ensure that we have the ability to compile compiler rt on demand this is a repository maintained by llvm which contains a large set of intrinsics which llvm lowers function calls down to on some platforms unfortunately the build system of compiler rt is a bit of a nightmare we at the time of the writing have a large pile of hacks on its makefile based build system to get things working and it appears that llvm has deprecated this build system anyway we re but it s still unfortunately a nightmare compiling compiler rt to solve both these problems in one fell swoop brson and i were chatting this morning and had the idea of moving the build entirely to a build script of libcore and basically just using gcc rs to compile compiler rt instead of using compiler rt s build system this means we don t have to have llvm installed why does compiler rt need llvm config and cross compiling should be much more robust easy as we re driving the compiles not working around an opaque build system to make matters worse in compiler rt as well it contains code for a massive number of intrinsics we ll probably never use and even worse these bits and pieces of code often cause compile failures which don t end up mattering in the end to solve this problem we should just whitelist a set of intrinsics to build and ignore all others this may be a bit of a rocky road as we discover some we should have compiled but forgot but in theory we should be able to select a subset to compile and be done with it this may make updating compiler rt difficult but we ve already only done it once in like the past year or two years so we don t seem to need to do this too urgently this is a worry to keep in mind however basically here s what i think we should do add a build script to libcore link gcc rs into it compile select portions of compiler rt as part of this build script using gcc rs disable injection of compiler rt in the compiler staging this is still a bit up in the air but i m curious what others think about this as well cc rust lang tools cc brson cc japaric | 1 |
391,877 | 26,912,168,073 | IssuesEvent | 2023-02-07 01:18:38 | DMIT-2018/dmit-2018-jan-2023-a01-workbook-zaenkaezan | https://api.github.com/repos/DMIT-2018/dmit-2018-jan-2023-a01-workbook-zaenkaezan | opened | General Planning Implementation task of Managing Play List in Chinook | documentation | This task list will be completed once the implementation plan has been outlined. This area is where one creates the task list that is associated with the milestone.
- Task A
- [ ] task a.1
- [ ] task a.2
- [ ] task a.3
- Task B
- [ ] task b.1
- Task C
- [ ] task c.1
- [ ] task c.2 | 1.0 | General Planning Implementation task of Managing Play List in Chinook - This task list will be completed once the implementation plan has been outlined. This area is where one creates the task list that is associated with the milestone.
- Task A
- [ ] task a.1
- [ ] task a.2
- [ ] task a.3
- Task B
- [ ] task b.1
- Task C
- [ ] task c.1
- [ ] task c.2 | non_build | general planning implementation task of managing play list in chinook this task list will be completed once the implementation plan has been outlined this area is where one creates the task list that is associated with the milestone task a task a task a task a task b task b task c task c task c | 0 |
39,865 | 5,253,566,521 | IssuesEvent | 2017-02-02 10:02:03 | domoticz/domoticz-android | https://api.github.com/repos/domoticz/domoticz-android | closed | Screen not refresh when hardware not responds | Needs testing | When actuator is not responding ,the switches screen does not refresh and keeps white
| 1.0 | Screen not refresh when hardware not responds - When actuator is not responding ,the switches screen does not refresh and keeps white
| non_build | screen not refresh when hardware not responds when actuator is not responding the switches screen does not refresh and keeps white | 0 |
88,671 | 25,483,736,594 | IssuesEvent | 2022-11-26 04:47:42 | adrianbrs/nest-oidc-provider | https://api.github.com/repos/adrianbrs/nest-oidc-provider | closed | Node v18 not allowed | type: build | ### Is there an existing issue for this?
- [X] I have searched the existing issues
### Current behavior
When installing the package I get the error "The engine "node" is incompatible with this module. Expected version "^12.19.0 || ^14.15.0 || ^16.13.0". Got "18.12.1""
### Minimum reproduction code
_No response_
### Steps to reproduce
1. `npm ci`
2. Get error
### Expected behavior
Node v18 should work fine as oidc-provider supports it: https://github.com/panva/node-oidc-provider/blob/efd5344216017860fb01f015e3ae3a29273f1f89/package.json#L106
### NestJS version
9.2.0
### Packages versions
```json
```
### Node.js version
18.12.1
### In which operating systems have you tested?
- [ ] macOS
- [X] Windows
- [X] Linux
### Other
_No response_ | 1.0 | Node v18 not allowed - ### Is there an existing issue for this?
- [X] I have searched the existing issues
### Current behavior
When installing the package I get the error "The engine "node" is incompatible with this module. Expected version "^12.19.0 || ^14.15.0 || ^16.13.0". Got "18.12.1""
### Minimum reproduction code
_No response_
### Steps to reproduce
1. `npm ci`
2. Get error
### Expected behavior
Node v18 should work fine as oidc-provider supports it: https://github.com/panva/node-oidc-provider/blob/efd5344216017860fb01f015e3ae3a29273f1f89/package.json#L106
### NestJS version
9.2.0
### Packages versions
```json
```
### Node.js version
18.12.1
### In which operating systems have you tested?
- [ ] macOS
- [X] Windows
- [X] Linux
### Other
_No response_ | build | node not allowed is there an existing issue for this i have searched the existing issues current behavior when installing the package i get the error the engine node is incompatible with this module expected version got minimum reproduction code no response steps to reproduce npm ci get error expected behavior node should work fine as oidc provider supports it nestjs version packages versions json node js version in which operating systems have you tested macos windows linux other no response | 1 |
2,701 | 3,005,784,890 | IssuesEvent | 2015-07-27 04:26:59 | stedolan/jq | https://api.github.com/repos/stedolan/jq | closed | make dist is broken | build | make[1]: *** No rule to make target `tests/modules/streaming.jq', needed by `distdir'. Stop.
For 1.5rc2 I'm putting up a hand-fixed source tarball (which I'll replace if I re-tag 1.5rc2). | 1.0 | make dist is broken - make[1]: *** No rule to make target `tests/modules/streaming.jq', needed by `distdir'. Stop.
For 1.5rc2 I'm putting up a hand-fixed source tarball (which I'll replace if I re-tag 1.5rc2). | build | make dist is broken make no rule to make target tests modules streaming jq needed by distdir stop for i m putting up a hand fixed source tarball which i ll replace if i re tag | 1 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.