Unnamed: 0
int64
0
832k
id
float64
2.49B
32.1B
type
stringclasses
1 value
created_at
stringlengths
19
19
repo
stringlengths
5
112
repo_url
stringlengths
34
141
action
stringclasses
3 values
title
stringlengths
1
1k
labels
stringlengths
4
1.38k
body
stringlengths
1
262k
index
stringclasses
16 values
text_combine
stringlengths
96
262k
label
stringclasses
2 values
text
stringlengths
96
252k
binary_label
int64
0
1
737,439
25,516,651,592
IssuesEvent
2022-11-28 16:51:11
ResonantGeoData/RD-WATCH
https://api.github.com/repos/ResonantGeoData/RD-WATCH
opened
Make primary grouping based on performer/ingestion time
priority phase-ii
Currently we list every `SiteEvaluation` in the left sidebar. This is not an intuitive grouping of data. Instead, the items should be grouped by the performer and the time of ingest.
1.0
Make primary grouping based on performer/ingestion time - Currently we list every `SiteEvaluation` in the left sidebar. This is not an intuitive grouping of data. Instead, the items should be grouped by the performer and the time of ingest.
priority
make primary grouping based on performer ingestion time currently we list every siteevaluation in the left sidebar this is not an intuitive grouping of data instead the items should be grouped by the performer and the time of ingest
1
488,341
14,076,194,146
IssuesEvent
2020-11-04 10:07:51
dhis2/d2
https://api.github.com/repos/dhis2/d2
closed
Update filters to include all filter options
core enhancement model priority:high wontfix
Starting from 2.22 the field filtering supports some new operators. We should add these to the filter builder. http://dhis2.github.io/dhis2-docs/master/en/developer/html/ch01s07.html Currently the only filters supported are `like`, `ilike` and `eq` https://github.com/dhis2/d2/blob/master/src/model/Filter.js#L3 Additionally currently the building of the query parameters does not properly support the `in` filter and filters that do not have values like `empty` or `null` https://github.com/dhis2/d2/blob/master/src/model/Filter.js#L59
1.0
Update filters to include all filter options - Starting from 2.22 the field filtering supports some new operators. We should add these to the filter builder. http://dhis2.github.io/dhis2-docs/master/en/developer/html/ch01s07.html Currently the only filters supported are `like`, `ilike` and `eq` https://github.com/dhis2/d2/blob/master/src/model/Filter.js#L3 Additionally currently the building of the query parameters does not properly support the `in` filter and filters that do not have values like `empty` or `null` https://github.com/dhis2/d2/blob/master/src/model/Filter.js#L59
priority
update filters to include all filter options starting from the field filtering supports some new operators we should add these to the filter builder currently the only filters supported are like ilike and eq additionally currently the building of the query parameters does not properly support the in filter and filters that do not have values like empty or null
1
389,297
26,806,708,553
IssuesEvent
2023-02-01 18:53:38
oele-isis-vanderbilt/ChimeraPy
https://api.github.com/repos/oele-isis-vanderbilt/ChimeraPy
closed
Moving documentation to Read the Docs
documentation
It might be nice to consider moving documentation to [read the docs](https://readthedocs.org). Basically, it will allow us to generate documentation for tagged versions of the project, save on GHA CI resources (No longer necessary to do sphinx-build) and also enable us to preview the documentation for a Pull request.
1.0
Moving documentation to Read the Docs - It might be nice to consider moving documentation to [read the docs](https://readthedocs.org). Basically, it will allow us to generate documentation for tagged versions of the project, save on GHA CI resources (No longer necessary to do sphinx-build) and also enable us to preview the documentation for a Pull request.
non_priority
moving documentation to read the docs it might be nice to consider moving documentation to basically it will allow us to generate documentation for tagged versions of the project save on gha ci resources no longer necessary to do sphinx build and also enable us to preview the documentation for a pull request
0
48,744
13,397,587,008
IssuesEvent
2020-09-03 11:51:22
covidwatchorg/covidwatch-android-en
https://api.github.com/repos/covidwatchorg/covidwatch-android-en
closed
Disable screen capture during use of application
enhancement security
Starting with Android 5.0, Google introduced the android.media.projection API which allows any third-party App to perform screen capture and screen sharing (https://developer.android.com/about/versions/android-5.0.html). Such an App can capture everything on the device’s screen, including sensitive activity from all other Apps such as password keystrokes, credit card data, etc. The capturing ability remains on even if the user terminates/closes the App, but not after a reboot. Protect all sensitive windows within the App by enabling the FLAG_SECURE flag. This flag will prevent Apps from being able to record the protected windows. Also, the flag will prevent users from taking screenshots of these windows (by pressing the VOLUME_DOWN and POWER buttons). As such screenshots are stored on the SDCard by default, they are accessible to all Apps and sensitive data may be exposed. Secure Code ``` // Secure code for protecting one Activity public class SecureActivity extends Activity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); // Set the Secure flag for this Window getWindow().setFlags(LayoutParams.FLAG_SECURE, LayoutParams.FLAG_SECURE); } } ``` However, if the developers want to protect all the screens of their applications from third-party screen capturing and sharing, they need to use this flag in each of the Activities separately. There is no global mechanism to set this flag for all the screens at once. But, one can design their applications in such a way that the FLAG_SECURE needs to be used only once. Below is the code snippet: Define a BaseActivity and set the FLAG_SECURE in that Activity : ``` > public class BaseActivity extends Activity { > > @Override > protected void onCreate(Bundle savedInstanceState) { > super.onCreate(savedInstanceState); > /** > * approach 1: create a base activity and set the FLAG_SECURE in it, > * Extend all other activities, Fragments from this activity > */ > getWindow().setFlags(LayoutParams.FLAG_SECURE, > LayoutParams.FLAG_SECURE); > } > ``` Use this BaseActivity as the superclass for all the other Activities. ``` public class LoginActivity extends BaseActivity public class MainActivity extends BaseActivity ```
True
Disable screen capture during use of application - Starting with Android 5.0, Google introduced the android.media.projection API which allows any third-party App to perform screen capture and screen sharing (https://developer.android.com/about/versions/android-5.0.html). Such an App can capture everything on the device’s screen, including sensitive activity from all other Apps such as password keystrokes, credit card data, etc. The capturing ability remains on even if the user terminates/closes the App, but not after a reboot. Protect all sensitive windows within the App by enabling the FLAG_SECURE flag. This flag will prevent Apps from being able to record the protected windows. Also, the flag will prevent users from taking screenshots of these windows (by pressing the VOLUME_DOWN and POWER buttons). As such screenshots are stored on the SDCard by default, they are accessible to all Apps and sensitive data may be exposed. Secure Code ``` // Secure code for protecting one Activity public class SecureActivity extends Activity { @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); // Set the Secure flag for this Window getWindow().setFlags(LayoutParams.FLAG_SECURE, LayoutParams.FLAG_SECURE); } } ``` However, if the developers want to protect all the screens of their applications from third-party screen capturing and sharing, they need to use this flag in each of the Activities separately. There is no global mechanism to set this flag for all the screens at once. But, one can design their applications in such a way that the FLAG_SECURE needs to be used only once. Below is the code snippet: Define a BaseActivity and set the FLAG_SECURE in that Activity : ``` > public class BaseActivity extends Activity { > > @Override > protected void onCreate(Bundle savedInstanceState) { > super.onCreate(savedInstanceState); > /** > * approach 1: create a base activity and set the FLAG_SECURE in it, > * Extend all other activities, Fragments from this activity > */ > getWindow().setFlags(LayoutParams.FLAG_SECURE, > LayoutParams.FLAG_SECURE); > } > ``` Use this BaseActivity as the superclass for all the other Activities. ``` public class LoginActivity extends BaseActivity public class MainActivity extends BaseActivity ```
non_priority
disable screen capture during use of application starting with android google introduced the android media projection api which allows any third party app to perform screen capture and screen sharing such an app can capture everything on the device’s screen including sensitive activity from all other apps such as password keystrokes credit card data etc the capturing ability remains on even if the user terminates closes the app but not after a reboot protect all sensitive windows within the app by enabling the flag secure flag this flag will prevent apps from being able to record the protected windows also the flag will prevent users from taking screenshots of these windows by pressing the volume down and power buttons as such screenshots are stored on the sdcard by default they are accessible to all apps and sensitive data may be exposed secure code secure code for protecting one activity public class secureactivity extends activity override protected void oncreate bundle savedinstancestate super oncreate savedinstancestate set the secure flag for this window getwindow setflags layoutparams flag secure layoutparams flag secure however if the developers want to protect all the screens of their applications from third party screen capturing and sharing they need to use this flag in each of the activities separately there is no global mechanism to set this flag for all the screens at once but one can design their applications in such a way that the flag secure needs to be used only once below is the code snippet define a baseactivity and set the flag secure in that activity public class baseactivity extends activity override protected void oncreate bundle savedinstancestate super oncreate savedinstancestate approach create a base activity and set the flag secure in it extend all other activities fragments from this activity getwindow setflags layoutparams flag secure layoutparams flag secure use this baseactivity as the superclass for all the other activities public class loginactivity extends baseactivity public class mainactivity extends baseactivity
0
400,276
27,276,450,901
IssuesEvent
2023-02-23 05:56:49
ZORALab/Hestia
https://api.github.com/repos/ZORALab/Hestia
closed
Further Explain "Infinite" As It Does Not Target Specific Audiences
Documentation Done and Pending Release Hestia (All)
# Description ``` Please provide a short description of what you have encountered below. ``` Sibert provided a good feedback that the brand's pitch "infinite possibilites" is too open so it does specfically target a group of audience. It has to be further clarified for proper targetting. # Link ``` Please provide the documentation link(s) below. ``` # Expected Presentation ``` Please specify the expected presentation of the documentation. ``` Target audience is clear and why matters. # Current Presentation ``` Please specify the current presentation of the documentation. ``` Not clear enough. # Attachment ``` Please drag and drop the necessary data files (e.g. screenshot, logs, etc) below. ```
1.0
Further Explain "Infinite" As It Does Not Target Specific Audiences - # Description ``` Please provide a short description of what you have encountered below. ``` Sibert provided a good feedback that the brand's pitch "infinite possibilites" is too open so it does specfically target a group of audience. It has to be further clarified for proper targetting. # Link ``` Please provide the documentation link(s) below. ``` # Expected Presentation ``` Please specify the expected presentation of the documentation. ``` Target audience is clear and why matters. # Current Presentation ``` Please specify the current presentation of the documentation. ``` Not clear enough. # Attachment ``` Please drag and drop the necessary data files (e.g. screenshot, logs, etc) below. ```
non_priority
further explain infinite as it does not target specific audiences description please provide a short description of what you have encountered below sibert provided a good feedback that the brand s pitch infinite possibilites is too open so it does specfically target a group of audience it has to be further clarified for proper targetting link please provide the documentation link s below expected presentation please specify the expected presentation of the documentation target audience is clear and why matters current presentation please specify the current presentation of the documentation not clear enough attachment please drag and drop the necessary data files e g screenshot logs etc below
0
716,565
24,639,250,491
IssuesEvent
2022-10-17 10:18:05
AY2223S1-CS2103T-W15-4/tp
https://api.github.com/repos/AY2223S1-CS2103T-W15-4/tp
reopened
As a user, I can view the information of a specific student
type.Story priority.High
So that I can retrieve details about the student.
1.0
As a user, I can view the information of a specific student - So that I can retrieve details about the student.
priority
as a user i can view the information of a specific student so that i can retrieve details about the student
1
117,541
17,496,606,137
IssuesEvent
2021-08-10 01:48:12
chunky-milk/raspbian-addons
https://api.github.com/repos/chunky-milk/raspbian-addons
closed
The package veracrypt may have security issues.
security
The package veracrypt may have security issues because installing it will uninstall sudo. But sudo should not be uninstalled. ``` Uninstalling sudo (1.8.27-1+deb10u3)... You have asked that the sudo package be removed, but no root password has been set. Without sudo, you may not be able to gain administrative privileges. If you would prefer to access the root account with su(1) or by logging in directly, you must set a root password with "sudo passwd". If you have arranged other means to access the root account, and you are sure this is what you want, you may bypass this check by setting an environment variable (export SUDO_FORCE_REMOVE=yes). Refusing to remove sudo. dpkg: Error processing package sudo (--remove): Installed sudo package pre-removal script subprocess returns error status 1 An error occurred during processing: sudo E: Sub-process /usr/bin/dpkg returned an error code (1) ```
True
The package veracrypt may have security issues. - The package veracrypt may have security issues because installing it will uninstall sudo. But sudo should not be uninstalled. ``` Uninstalling sudo (1.8.27-1+deb10u3)... You have asked that the sudo package be removed, but no root password has been set. Without sudo, you may not be able to gain administrative privileges. If you would prefer to access the root account with su(1) or by logging in directly, you must set a root password with "sudo passwd". If you have arranged other means to access the root account, and you are sure this is what you want, you may bypass this check by setting an environment variable (export SUDO_FORCE_REMOVE=yes). Refusing to remove sudo. dpkg: Error processing package sudo (--remove): Installed sudo package pre-removal script subprocess returns error status 1 An error occurred during processing: sudo E: Sub-process /usr/bin/dpkg returned an error code (1) ```
non_priority
the package veracrypt may have security issues the package veracrypt may have security issues because installing it will uninstall sudo but sudo should not be uninstalled uninstalling sudo you have asked that the sudo package be removed but no root password has been set without sudo you may not be able to gain administrative privileges if you would prefer to access the root account with su or by logging in directly you must set a root password with sudo passwd if you have arranged other means to access the root account and you are sure this is what you want you may bypass this check by setting an environment variable export sudo force remove yes refusing to remove sudo dpkg error processing package sudo remove installed sudo package pre removal script subprocess returns error status an error occurred during processing sudo e sub process usr bin dpkg returned an error code
0
394,876
11,660,170,820
IssuesEvent
2020-03-03 02:26:01
BioKIC/NEON-Biorepository-Data-Docs
https://api.github.com/repos/BioKIC/NEON-Biorepository-Data-Docs
opened
Determine which if any collections have incorrect eventDates
NEON API database investigate priority
There is a question about whether eventDate is correctly being populated in all collections. Concern has been raised that eventDate is actually shipment date or similar from the manifest in some collections. We need to determine if and where this is still occuring and determine how we will solve it until API is updated to consistently provide this information.
1.0
Determine which if any collections have incorrect eventDates - There is a question about whether eventDate is correctly being populated in all collections. Concern has been raised that eventDate is actually shipment date or similar from the manifest in some collections. We need to determine if and where this is still occuring and determine how we will solve it until API is updated to consistently provide this information.
priority
determine which if any collections have incorrect eventdates there is a question about whether eventdate is correctly being populated in all collections concern has been raised that eventdate is actually shipment date or similar from the manifest in some collections we need to determine if and where this is still occuring and determine how we will solve it until api is updated to consistently provide this information
1
339,283
30,388,050,265
IssuesEvent
2023-07-13 03:41:07
unifyai/ivy
https://api.github.com/repos/unifyai/ivy
closed
Fix norms_and_other_numbers.test_numpy_norm
NumPy Frontend Sub Task Failing Test
| | | |---|---| |tensorflow|<a href="https://github.com/unifyai/ivy/actions/runs/5538552236/jobs/10108602079"><img src=https://img.shields.io/badge/-success-success></a> |jax|<a href="https://github.com/unifyai/ivy/actions/runs/5538552236/jobs/10108602079"><img src=https://img.shields.io/badge/-success-success></a> |numpy|<a href="https://github.com/unifyai/ivy/actions/runs/5538552236/jobs/10108602079"><img src=https://img.shields.io/badge/-success-success></a> |torch|<a href="https://github.com/unifyai/ivy/actions/runs/5538552236/jobs/10108602079"><img src=https://img.shields.io/badge/-success-success></a> |paddle|<a href="https://github.com/unifyai/ivy/actions/runs/5538552236/jobs/10108602079"><img src=https://img.shields.io/badge/-success-success></a>
1.0
Fix norms_and_other_numbers.test_numpy_norm - | | | |---|---| |tensorflow|<a href="https://github.com/unifyai/ivy/actions/runs/5538552236/jobs/10108602079"><img src=https://img.shields.io/badge/-success-success></a> |jax|<a href="https://github.com/unifyai/ivy/actions/runs/5538552236/jobs/10108602079"><img src=https://img.shields.io/badge/-success-success></a> |numpy|<a href="https://github.com/unifyai/ivy/actions/runs/5538552236/jobs/10108602079"><img src=https://img.shields.io/badge/-success-success></a> |torch|<a href="https://github.com/unifyai/ivy/actions/runs/5538552236/jobs/10108602079"><img src=https://img.shields.io/badge/-success-success></a> |paddle|<a href="https://github.com/unifyai/ivy/actions/runs/5538552236/jobs/10108602079"><img src=https://img.shields.io/badge/-success-success></a>
non_priority
fix norms and other numbers test numpy norm tensorflow a href src jax a href src numpy a href src torch a href src paddle a href src
0
136,111
5,271,624,037
IssuesEvent
2017-02-06 10:15:36
kolihub/koli
https://api.github.com/repos/kolihub/koli
opened
Refactor controller TPR's version
area/controller improvement priority/P2
When creating TPR's, inherit the version from the spec package.
1.0
Refactor controller TPR's version - When creating TPR's, inherit the version from the spec package.
priority
refactor controller tpr s version when creating tpr s inherit the version from the spec package
1
412,137
27,847,389,188
IssuesEvent
2023-03-20 16:18:38
JesseHilario/mywebclass-simulation
https://api.github.com/repos/JesseHilario/mywebclass-simulation
closed
GitHub features such as labels, milestones, and comments
documentation
"As a team member, I want to use GitHub features such as labels, milestones, and comments to communicate and collaborate with my team members so that we can work effectively and efficiently." Task: - make GitHub features accessible to all team members (labels, milestones, project task board, collaborator privileges, etc.)
1.0
GitHub features such as labels, milestones, and comments - "As a team member, I want to use GitHub features such as labels, milestones, and comments to communicate and collaborate with my team members so that we can work effectively and efficiently." Task: - make GitHub features accessible to all team members (labels, milestones, project task board, collaborator privileges, etc.)
non_priority
github features such as labels milestones and comments as a team member i want to use github features such as labels milestones and comments to communicate and collaborate with my team members so that we can work effectively and efficiently task make github features accessible to all team members labels milestones project task board collaborator privileges etc
0
134,228
5,222,362,055
IssuesEvent
2017-01-27 07:51:13
rogerthat-platform/rogerthat-backend
https://api.github.com/repos/rogerthat-platform/rogerthat-backend
opened
Perform test callback fails
priority_critical type_bug
```python 12:05:54.473 'NoneType' object has no attribute 'endswith' Traceback (most recent call last): File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 1511, in __call__ rv = self.handle_exception(request, response, e) File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 1505, in __call__ rv = self.router.dispatch(request, response) File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 1253, in default_dispatcher return route.handler_adapter(request, response) File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 1077, in __call__ return handler.dispatch() File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 547, in dispatch return self.handle_exception(e, self.app.debug) File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 545, in dispatch return method(*args, **kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/restapi.py", line 156, in post result = self.run(f, parameters, kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/restapi.py", line 174, in run result = run(f, kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 165, in run result = function(**kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/restapi.py", line 70, in wrapped return f(*args, **kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 149, in typechecked_return result = f(*args, **kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 127, in typechecked_f return f(**kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/rogerthat/restapi/service_panel.py", line 184, in perform_test_callback perform_test_callback_bizz(service_user) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 149, in typechecked_return result = f(*args, **kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 127, in typechecked_f return f(**kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/rogerthat/bizz/service/__init__.py", line 1641, in perform_test_callback callback_name=callback_name) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/rogerthat/rpc/service.py", line 160, in capied response_type=f.meta[u'return_type']) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/rogerthat/utils/transactions.py", line 96, in wrapped return f(*args, **kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 127, in typechecked_f return f(**kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/rogerthat/rpc/service.py", line 300, in submit_service_api_callback or (method == "http" and urlparse(uri).hostname.endswith('.appspot.com')) \ AttributeError: 'NoneType' object has no attribute 'endswith' ```
1.0
Perform test callback fails - ```python 12:05:54.473 'NoneType' object has no attribute 'endswith' Traceback (most recent call last): File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 1511, in __call__ rv = self.handle_exception(request, response, e) File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 1505, in __call__ rv = self.router.dispatch(request, response) File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 1253, in default_dispatcher return route.handler_adapter(request, response) File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 1077, in __call__ return handler.dispatch() File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 547, in dispatch return self.handle_exception(e, self.app.debug) File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.3/webapp2.py", line 545, in dispatch return method(*args, **kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/restapi.py", line 156, in post result = self.run(f, parameters, kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/restapi.py", line 174, in run result = run(f, kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 165, in run result = function(**kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/restapi.py", line 70, in wrapped return f(*args, **kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 149, in typechecked_return result = f(*args, **kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 127, in typechecked_f return f(**kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/rogerthat/restapi/service_panel.py", line 184, in perform_test_callback perform_test_callback_bizz(service_user) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 149, in typechecked_return result = f(*args, **kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 127, in typechecked_f return f(**kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/rogerthat/bizz/service/__init__.py", line 1641, in perform_test_callback callback_name=callback_name) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/rogerthat/rpc/service.py", line 160, in capied response_type=f.meta[u'return_type']) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/rogerthat/utils/transactions.py", line 96, in wrapped return f(*args, **kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/mcfw/rpc.py", line 127, in typechecked_f return f(**kwargs) File "/base/data/home/apps/s~mobicagecloudhr/6.398676535158453462/rogerthat/rpc/service.py", line 300, in submit_service_api_callback or (method == "http" and urlparse(uri).hostname.endswith('.appspot.com')) \ AttributeError: 'NoneType' object has no attribute 'endswith' ```
priority
perform test callback fails python nonetype object has no attribute endswith traceback most recent call last file base data home runtimes lib versions third party py line in call rv self handle exception request response e file base data home runtimes lib versions third party py line in call rv self router dispatch request response file base data home runtimes lib versions third party py line in default dispatcher return route handler adapter request response file base data home runtimes lib versions third party py line in call return handler dispatch file base data home runtimes lib versions third party py line in dispatch return self handle exception e self app debug file base data home runtimes lib versions third party py line in dispatch return method args kwargs file base data home apps s mobicagecloudhr mcfw restapi py line in post result self run f parameters kwargs file base data home apps s mobicagecloudhr mcfw restapi py line in run result run f kwargs file base data home apps s mobicagecloudhr mcfw rpc py line in run result function kwargs file base data home apps s mobicagecloudhr mcfw restapi py line in wrapped return f args kwargs file base data home apps s mobicagecloudhr mcfw rpc py line in typechecked return result f args kwargs file base data home apps s mobicagecloudhr mcfw rpc py line in typechecked f return f kwargs file base data home apps s mobicagecloudhr rogerthat restapi service panel py line in perform test callback perform test callback bizz service user file base data home apps s mobicagecloudhr mcfw rpc py line in typechecked return result f args kwargs file base data home apps s mobicagecloudhr mcfw rpc py line in typechecked f return f kwargs file base data home apps s mobicagecloudhr rogerthat bizz service init py line in perform test callback callback name callback name file base data home apps s mobicagecloudhr rogerthat rpc service py line in capied response type f meta file base data home apps s mobicagecloudhr rogerthat utils transactions py line in wrapped return f args kwargs file base data home apps s mobicagecloudhr mcfw rpc py line in typechecked f return f kwargs file base data home apps s mobicagecloudhr rogerthat rpc service py line in submit service api callback or method http and urlparse uri hostname endswith appspot com attributeerror nonetype object has no attribute endswith
1
401,548
11,795,104,489
IssuesEvent
2020-03-18 08:15:55
thaliawww/concrexit
https://api.github.com/repos/thaliawww/concrexit
closed
Birthday not visible on profile edit page
bug priority: medium
In GitLab by @thomwiggers on Sep 30, 2019, 08:18 ### One-sentence description There is a button that shows that your birthday can be visible, but you can’t check it’s value. For comparison, the name (which is also not editable) _is_ visible. ### Current behaviour / Reproducing the bug <!-- Please write what is happening and how we could reproduce it, if relevant --> ![Schermfoto_2019-09-30_om_08.17.18](https://gitlab.science.ru.nl//thalia/concrexit/uploads/57f7cd21332560ac6cf1ac24d39dd74f/Schermfoto_2019-09-30_om_08.17.18) ### Expected behaviour <!-- Please write how what happened did not meet your expectations --> ![Schermfoto_2019-09-30_om_08.14.23](https://gitlab.science.ru.nl//thalia/concrexit/uploads/54c419fd361ba123bd23f34b79b8ad32/Schermfoto_2019-09-30_om_08.14.23)
1.0
Birthday not visible on profile edit page - In GitLab by @thomwiggers on Sep 30, 2019, 08:18 ### One-sentence description There is a button that shows that your birthday can be visible, but you can’t check it’s value. For comparison, the name (which is also not editable) _is_ visible. ### Current behaviour / Reproducing the bug <!-- Please write what is happening and how we could reproduce it, if relevant --> ![Schermfoto_2019-09-30_om_08.17.18](https://gitlab.science.ru.nl//thalia/concrexit/uploads/57f7cd21332560ac6cf1ac24d39dd74f/Schermfoto_2019-09-30_om_08.17.18) ### Expected behaviour <!-- Please write how what happened did not meet your expectations --> ![Schermfoto_2019-09-30_om_08.14.23](https://gitlab.science.ru.nl//thalia/concrexit/uploads/54c419fd361ba123bd23f34b79b8ad32/Schermfoto_2019-09-30_om_08.14.23)
priority
birthday not visible on profile edit page in gitlab by thomwiggers on sep one sentence description there is a button that shows that your birthday can be visible but you can’t check it’s value for comparison the name which is also not editable is visible current behaviour reproducing the bug expected behaviour
1
8,902
2,892,040,297
IssuesEvent
2015-06-15 10:17:46
HSLdevcom/digitransit
https://api.github.com/repos/HSLdevcom/digitransit
opened
Design no connection
needs design
Some kind of error message when mobile data stops working. We want this error to be available on all pages
1.0
Design no connection - Some kind of error message when mobile data stops working. We want this error to be available on all pages
non_priority
design no connection some kind of error message when mobile data stops working we want this error to be available on all pages
0
413,617
27,961,676,758
IssuesEvent
2023-03-24 16:06:10
0x192/universal-android-debloater
https://api.github.com/repos/0x192/universal-android-debloater
opened
com.android.statementservice update
package::documentation
**Packages documentation to update:** ``` com.android.statementservice ... ``` ## Documentation chage **Current description** > Intent Filter Verification Service > Intent: https://developer.android.com/reference/android/content/Intent > Intent Filters: https://developer.android.com/guide/components/intents-filters > https://android.stackexchange.com/questions/191163/what-does-the-intent-filter-verification-service-app-from-google-do **Proposed description** > Verifies that packages that want to handle URIs are certified by those websites. > A Statement protocol allows websites to certify that some assets represent them. See: https://github.com/google/digitalassetlinks/blob/master/well-known/details.md > Android package can to subscribe to handling chosen URIs. This package will then be called to query the website and verify that it allows this. > https://android.googlesource.com/platform/frameworks/base/+/6a34bb2
1.0
com.android.statementservice update - **Packages documentation to update:** ``` com.android.statementservice ... ``` ## Documentation chage **Current description** > Intent Filter Verification Service > Intent: https://developer.android.com/reference/android/content/Intent > Intent Filters: https://developer.android.com/guide/components/intents-filters > https://android.stackexchange.com/questions/191163/what-does-the-intent-filter-verification-service-app-from-google-do **Proposed description** > Verifies that packages that want to handle URIs are certified by those websites. > A Statement protocol allows websites to certify that some assets represent them. See: https://github.com/google/digitalassetlinks/blob/master/well-known/details.md > Android package can to subscribe to handling chosen URIs. This package will then be called to query the website and verify that it allows this. > https://android.googlesource.com/platform/frameworks/base/+/6a34bb2
non_priority
com android statementservice update packages documentation to update com android statementservice documentation chage current description intent filter verification service intent intent filters proposed description verifies that packages that want to handle uris are certified by those websites a statement protocol allows websites to certify that some assets represent them see android package can to subscribe to handling chosen uris this package will then be called to query the website and verify that it allows this
0
119,914
17,643,944,255
IssuesEvent
2021-08-20 01:17:03
LostSoul2/pull
https://api.github.com/repos/LostSoul2/pull
opened
CVE-2020-11022 (Medium) detected in jquery-3.2.1.min.js
security vulnerability
## CVE-2020-11022 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jquery-3.2.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.2.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.2.1/jquery.min.js</a></p> <p>Path to dependency file: pull/node_modules/superagent/index.html</p> <p>Path to vulnerable library: pull/node_modules/superagent/index.html</p> <p> Dependency Hierarchy: - :x: **jquery-3.2.1.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> In jQuery versions greater than or equal to 1.2 and before 3.5.0, passing HTML 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-11022>CVE-2020-11022</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://blog.jquery.com/2020/04/10/jquery-3-5-0-released/">https://blog.jquery.com/2020/04/10/jquery-3-5-0-released/</a></p> <p>Release Date: 2020-04-29</p> <p>Fix Resolution: jQuery - 3.5.0</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2020-11022 (Medium) detected in jquery-3.2.1.min.js - ## CVE-2020-11022 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jquery-3.2.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.2.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.2.1/jquery.min.js</a></p> <p>Path to dependency file: pull/node_modules/superagent/index.html</p> <p>Path to vulnerable library: pull/node_modules/superagent/index.html</p> <p> Dependency Hierarchy: - :x: **jquery-3.2.1.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> In jQuery versions greater than or equal to 1.2 and before 3.5.0, passing HTML 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-11022>CVE-2020-11022</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://blog.jquery.com/2020/04/10/jquery-3-5-0-released/">https://blog.jquery.com/2020/04/10/jquery-3-5-0-released/</a></p> <p>Release Date: 2020-04-29</p> <p>Fix Resolution: jQuery - 3.5.0</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
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 pull node modules superagent index html path to vulnerable library pull node modules superagent index html dependency hierarchy x jquery min js vulnerable library found in base branch master vulnerability details in jquery versions greater than or equal to and before passing html 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 step up your open source security game with whitesource
0
175,200
14,518,490,167
IssuesEvent
2020-12-13 23:52:07
LNP-BP/FAQ
https://api.github.com/repos/LNP-BP/FAQ
closed
Is RGB compatible with planned LN upgrades?
FAQ documentation
Yes, RGB was designed to be ready for supporting Taproot, Schnorr, eltoo, multi-party LN channels, DLCs etc
1.0
Is RGB compatible with planned LN upgrades? - Yes, RGB was designed to be ready for supporting Taproot, Schnorr, eltoo, multi-party LN channels, DLCs etc
non_priority
is rgb compatible with planned ln upgrades yes rgb was designed to be ready for supporting taproot schnorr eltoo multi party ln channels dlcs etc
0
306,136
26,438,206,180
IssuesEvent
2023-01-15 16:56:23
hackforla/tdm-calculator
https://api.github.com/repos/hackforla/tdm-calculator
closed
Users want more categories on page 2
role: front-end role: Product Management level: missing feature: missing priority: missing milestone: missing Waiting on Stakeholder User Test #2
### Overview Users hope there are more options to choose from on Page 2, they want more categories Included or expand more options under each category ### Action Items - [x] On the bottom of page 2, as per stakeholder approval, add text: "If your project’s land use is not listed above, please check LAMC Section 12.26 J.3(c) of the [Draft Revised TDM Ordinance](https://planning.lacity.org/odocument/1dc924ce-b94a-403b-afe0-17ba33b3dbe1/Draft_TDM_Ordinance.pdf) for applicability and exemption details." - [ ] #1181 ### Resources/Instructions 5/3/2022 Slide deck, slide no.11: https://docs.google.com/presentation/d/1L-jjtspbw7Re_rNgncN0QRciu7iyxFicbGCSoMLzNbk/edit#slide=id.g126b7371ae7_1_378 ### Zoom Recording Timestamp 00:50:45 https://drive.google.com/file/d/1eTkhtTLAsi5fJPOqUSCOB0k78pg-06oq/view <img width="1440" alt="slide 12 quote 2" src="https://user-images.githubusercontent.com/69442669/168428638-b727a377-3933-4deb-ab63-f720b491a370.png" <img width="499" alt="Checkbox" src="https://user-images.githubusercontent.com/69442669/172015895-968220c4-542c-425a-a971-7633edcb0ba2.png"> >
1.0
Users want more categories on page 2 - ### Overview Users hope there are more options to choose from on Page 2, they want more categories Included or expand more options under each category ### Action Items - [x] On the bottom of page 2, as per stakeholder approval, add text: "If your project’s land use is not listed above, please check LAMC Section 12.26 J.3(c) of the [Draft Revised TDM Ordinance](https://planning.lacity.org/odocument/1dc924ce-b94a-403b-afe0-17ba33b3dbe1/Draft_TDM_Ordinance.pdf) for applicability and exemption details." - [ ] #1181 ### Resources/Instructions 5/3/2022 Slide deck, slide no.11: https://docs.google.com/presentation/d/1L-jjtspbw7Re_rNgncN0QRciu7iyxFicbGCSoMLzNbk/edit#slide=id.g126b7371ae7_1_378 ### Zoom Recording Timestamp 00:50:45 https://drive.google.com/file/d/1eTkhtTLAsi5fJPOqUSCOB0k78pg-06oq/view <img width="1440" alt="slide 12 quote 2" src="https://user-images.githubusercontent.com/69442669/168428638-b727a377-3933-4deb-ab63-f720b491a370.png" <img width="499" alt="Checkbox" src="https://user-images.githubusercontent.com/69442669/172015895-968220c4-542c-425a-a971-7633edcb0ba2.png"> >
non_priority
users want more categories on page overview users hope there are more options to choose from on page they want more categories included or expand more options under each category action items on the bottom of page as per stakeholder approval add text if your project’s land use is not listed above please check lamc section j c of the for applicability and exemption details resources instructions slide deck slide no zoom recording timestamp img width alt slide quote src img width alt checkbox src
0
76,937
3,506,199,997
IssuesEvent
2016-01-08 04:33:53
ankidroid/Anki-Android
https://api.github.com/repos/ankidroid/Anki-Android
closed
X cards imported dialog should use plurals
accepted bug Priority-Low
Originally reported on Google Code with ID 2667 ``` Note: If this is your first time submitting an issue, please read the following webpage: https://ankidroid.org/docs/help.html What steps will reproduce the problem? 1. Import a deck with just a single card.¹ 2. Look at the dialog after the import What is the expected output? What do you see instead? The text should use a singular form. Instead you get the one-case-fits-all “import_log_success” string “Imported 1 cards” Does it happen again every time you repeat the steps above? Or did it happen only one time? Every time Paste the "debug info" from the AnkiDroid "About" dialog below (see the above help webpage for detailed instructions). I’ll skip this. The text has been this way forever. Please provide any additional information below. ¹ This problem is of course not visible when you use an UI language that doesn’t use plurals, like Japanese, but probably *is* visible for other card counts in e.g. Eastern European languages with more complicated rules. ``` Reported by `ospalh` on 2015-06-29 08:30:51
1.0
X cards imported dialog should use plurals - Originally reported on Google Code with ID 2667 ``` Note: If this is your first time submitting an issue, please read the following webpage: https://ankidroid.org/docs/help.html What steps will reproduce the problem? 1. Import a deck with just a single card.¹ 2. Look at the dialog after the import What is the expected output? What do you see instead? The text should use a singular form. Instead you get the one-case-fits-all “import_log_success” string “Imported 1 cards” Does it happen again every time you repeat the steps above? Or did it happen only one time? Every time Paste the "debug info" from the AnkiDroid "About" dialog below (see the above help webpage for detailed instructions). I’ll skip this. The text has been this way forever. Please provide any additional information below. ¹ This problem is of course not visible when you use an UI language that doesn’t use plurals, like Japanese, but probably *is* visible for other card counts in e.g. Eastern European languages with more complicated rules. ``` Reported by `ospalh` on 2015-06-29 08:30:51
priority
x cards imported dialog should use plurals originally reported on google code with id note if this is your first time submitting an issue please read the following webpage what steps will reproduce the problem import a deck with just a single card ¹ look at the dialog after the import what is the expected output what do you see instead the text should use a singular form instead you get the one case fits all “import log success” string “imported cards” does it happen again every time you repeat the steps above or did it happen only one time every time paste the debug info from the ankidroid about dialog below see the above help webpage for detailed instructions i’ll skip this the text has been this way forever please provide any additional information below ¹ this problem is of course not visible when you use an ui language that doesn’t use plurals like japanese but probably is visible for other card counts in e g eastern european languages with more complicated rules reported by ospalh on
1
256,529
27,561,685,238
IssuesEvent
2023-03-07 22:39:59
samqws-marketing/amzn-ion-hive-serde
https://api.github.com/repos/samqws-marketing/amzn-ion-hive-serde
closed
CVE-2020-36187 (High) detected in jackson-databind-2.6.5.jar - autoclosed
Mend: dependency security vulnerability
## CVE-2020-36187 - 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.5.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: /integration-test/build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/com.fasterxml.jackson.core/jackson-databind/2.6.5/d50be1723a09befd903887099ff2014ea9020333/jackson-databind-2.6.5.jar,/home/wss-scanner/.gradle/caches/modules-2/files-2.1/com.fasterxml.jackson.core/jackson-databind/2.6.5/d50be1723a09befd903887099ff2014ea9020333/jackson-databind-2.6.5.jar</p> <p> Dependency Hierarchy: - hive-serde-2.3.9.jar (Root Library) - hive-common-2.3.9.jar - :x: **jackson-databind-2.6.5.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/samqws-marketing/amzn-ion-hive-serde/commit/ffb6641ebb10aac58bb7eec412635e91e79fac24">ffb6641ebb10aac58bb7eec412635e91e79fac24</a></p> <p>Found in base branch: <b>0.3.0</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> FasterXML jackson-databind 2.x before 2.9.10.8 mishandles the interaction between serialization gadgets and typing, related to org.apache.tomcat.dbcp.dbcp.datasources.SharedPoolDataSource. <p>Publish Date: 2021-01-06 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2020-36187>CVE-2020-36187</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - 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>Release Date: 2021-01-06</p> <p>Fix Resolution (com.fasterxml.jackson.core:jackson-databind): 2.6.7.5</p> <p>Direct dependency fix Resolution (org.apache.hive:hive-serde): 3.0.0</p> </p> </details> <p></p> *** <!-- REMEDIATE-OPEN-PR-START --> - [ ] Check this box to open an automated fix PR <!-- REMEDIATE-OPEN-PR-END -->
True
CVE-2020-36187 (High) detected in jackson-databind-2.6.5.jar - autoclosed - ## CVE-2020-36187 - 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.5.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: /integration-test/build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/com.fasterxml.jackson.core/jackson-databind/2.6.5/d50be1723a09befd903887099ff2014ea9020333/jackson-databind-2.6.5.jar,/home/wss-scanner/.gradle/caches/modules-2/files-2.1/com.fasterxml.jackson.core/jackson-databind/2.6.5/d50be1723a09befd903887099ff2014ea9020333/jackson-databind-2.6.5.jar</p> <p> Dependency Hierarchy: - hive-serde-2.3.9.jar (Root Library) - hive-common-2.3.9.jar - :x: **jackson-databind-2.6.5.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/samqws-marketing/amzn-ion-hive-serde/commit/ffb6641ebb10aac58bb7eec412635e91e79fac24">ffb6641ebb10aac58bb7eec412635e91e79fac24</a></p> <p>Found in base branch: <b>0.3.0</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> FasterXML jackson-databind 2.x before 2.9.10.8 mishandles the interaction between serialization gadgets and typing, related to org.apache.tomcat.dbcp.dbcp.datasources.SharedPoolDataSource. <p>Publish Date: 2021-01-06 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2020-36187>CVE-2020-36187</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - 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>Release Date: 2021-01-06</p> <p>Fix Resolution (com.fasterxml.jackson.core:jackson-databind): 2.6.7.5</p> <p>Direct dependency fix Resolution (org.apache.hive:hive-serde): 3.0.0</p> </p> </details> <p></p> *** <!-- REMEDIATE-OPEN-PR-START --> - [ ] Check this box to open an automated fix PR <!-- REMEDIATE-OPEN-PR-END -->
non_priority
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 integration test build gradle path to vulnerable library home wss scanner gradle caches modules files com fasterxml jackson core jackson databind jackson databind jar home wss scanner gradle caches modules files com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy hive serde jar root library hive common jar x jackson databind jar vulnerable library found in head commit a href found in base branch vulnerability details fasterxml jackson databind x before mishandles the interaction between serialization gadgets and typing related to org apache tomcat dbcp dbcp datasources sharedpooldatasource publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity high 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 release date fix resolution com fasterxml jackson core jackson databind direct dependency fix resolution org apache hive hive serde check this box to open an automated fix pr
0
555,146
16,447,945,377
IssuesEvent
2021-05-20 22:24:29
googleapis/java-language
https://api.github.com/repos/googleapis/java-language
opened
Synthesis failed for java-language
autosynth failure priority: p1 type: bug
Hello! Autosynth couldn't regenerate java-language. :broken_heart: Please investigate and fix this issue within 5 business days. While it remains broken, this library cannot be updated with changes to the java-language API, and the library grows stale. See https://github.com/googleapis/synthtool/blob/master/autosynth/TroubleShooting.md for trouble shooting tips. Here's the output from running `synth.py`: ``` 2021-05-20 15:24:27,572 autosynth [INFO] > logs will be written to: /tmpfs/src/logs/java-language 2021-05-20 15:24:28,423 autosynth [DEBUG] > Running: git config --global core.excludesfile /home/kbuilder/.autosynth-gitignore 2021-05-20 15:24:28,426 autosynth [DEBUG] > Running: git config user.name yoshi-automation 2021-05-20 15:24:28,430 autosynth [DEBUG] > Running: git config user.email yoshi-automation@google.com 2021-05-20 15:24:28,434 autosynth [DEBUG] > Running: git config push.default simple 2021-05-20 15:24:28,438 autosynth [DEBUG] > Running: git branch -f autosynth 2021-05-20 15:24:28,442 autosynth [DEBUG] > Running: git checkout autosynth Switched to branch 'autosynth' 2021-05-20 15:24:28,462 autosynth [DEBUG] > Running: git clean -fdx Traceback (most recent call last): File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 193, in _run_module_as_main "__main__", mod_spec) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 85, in _run_code exec(code, run_globals) File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 356, in <module> main() File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 191, in main return _inner_main(temp_dir) File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 270, in _inner_main flags = autosynth.flags.parse_flags(synth_file_name) File "/tmpfs/src/github/synthtool/autosynth/flags.py", line 50, in parse_flags module = ast.parse(path.read_text()) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/pathlib.py", line 1196, in read_text with self.open(mode='r', encoding=encoding, errors=errors) as f: File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/pathlib.py", line 1183, in open opener=self._opener) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/pathlib.py", line 1037, in _opener return self._accessor.open(self, flags, mode) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/pathlib.py", line 387, in wrapped return strfunc(str(pathobj), *args) FileNotFoundError: [Errno 2] No such file or directory: 'synth.py' ``` Google internal developers can see the full log [here](http://sponge2/results/invocations/881ecac4-3b82-4b15-b1f8-7568ba02110e/targets/github%2Fsynthtool;config=default/tests;query=java-language;failed=false).
1.0
Synthesis failed for java-language - Hello! Autosynth couldn't regenerate java-language. :broken_heart: Please investigate and fix this issue within 5 business days. While it remains broken, this library cannot be updated with changes to the java-language API, and the library grows stale. See https://github.com/googleapis/synthtool/blob/master/autosynth/TroubleShooting.md for trouble shooting tips. Here's the output from running `synth.py`: ``` 2021-05-20 15:24:27,572 autosynth [INFO] > logs will be written to: /tmpfs/src/logs/java-language 2021-05-20 15:24:28,423 autosynth [DEBUG] > Running: git config --global core.excludesfile /home/kbuilder/.autosynth-gitignore 2021-05-20 15:24:28,426 autosynth [DEBUG] > Running: git config user.name yoshi-automation 2021-05-20 15:24:28,430 autosynth [DEBUG] > Running: git config user.email yoshi-automation@google.com 2021-05-20 15:24:28,434 autosynth [DEBUG] > Running: git config push.default simple 2021-05-20 15:24:28,438 autosynth [DEBUG] > Running: git branch -f autosynth 2021-05-20 15:24:28,442 autosynth [DEBUG] > Running: git checkout autosynth Switched to branch 'autosynth' 2021-05-20 15:24:28,462 autosynth [DEBUG] > Running: git clean -fdx Traceback (most recent call last): File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 193, in _run_module_as_main "__main__", mod_spec) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 85, in _run_code exec(code, run_globals) File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 356, in <module> main() File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 191, in main return _inner_main(temp_dir) File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 270, in _inner_main flags = autosynth.flags.parse_flags(synth_file_name) File "/tmpfs/src/github/synthtool/autosynth/flags.py", line 50, in parse_flags module = ast.parse(path.read_text()) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/pathlib.py", line 1196, in read_text with self.open(mode='r', encoding=encoding, errors=errors) as f: File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/pathlib.py", line 1183, in open opener=self._opener) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/pathlib.py", line 1037, in _opener return self._accessor.open(self, flags, mode) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/pathlib.py", line 387, in wrapped return strfunc(str(pathobj), *args) FileNotFoundError: [Errno 2] No such file or directory: 'synth.py' ``` Google internal developers can see the full log [here](http://sponge2/results/invocations/881ecac4-3b82-4b15-b1f8-7568ba02110e/targets/github%2Fsynthtool;config=default/tests;query=java-language;failed=false).
priority
synthesis failed for java language hello autosynth couldn t regenerate java language broken heart please investigate and fix this issue within business days while it remains broken this library cannot be updated with changes to the java language api and the library grows stale see for trouble shooting tips here s the output from running synth py autosynth logs will be written to tmpfs src logs java language autosynth running git config global core excludesfile home kbuilder autosynth gitignore autosynth running git config user name yoshi automation autosynth running git config user email yoshi automation google com autosynth running git config push default simple autosynth running git branch f autosynth autosynth running git checkout autosynth switched to branch autosynth autosynth running git clean fdx traceback most recent call last file home kbuilder pyenv versions lib runpy py line in run module as main main mod spec file home kbuilder pyenv versions lib runpy py line in run code exec code run globals file tmpfs src github synthtool autosynth synth py line in main file tmpfs src github synthtool autosynth synth py line in main return inner main temp dir file tmpfs src github synthtool autosynth synth py line in inner main flags autosynth flags parse flags synth file name file tmpfs src github synthtool autosynth flags py line in parse flags module ast parse path read text file home kbuilder pyenv versions lib pathlib py line in read text with self open mode r encoding encoding errors errors as f file home kbuilder pyenv versions lib pathlib py line in open opener self opener file home kbuilder pyenv versions lib pathlib py line in opener return self accessor open self flags mode file home kbuilder pyenv versions lib pathlib py line in wrapped return strfunc str pathobj args filenotfounderror no such file or directory synth py google internal developers can see the full log
1
560,712
16,602,061,418
IssuesEvent
2021-06-01 20:59:33
openedx/build-test-release-wg
https://api.github.com/repos/openedx/build-test-release-wg
closed
Contact Us page has edX-specific messaging
affects:lilac priority:low type:bug
Noticed here: http://gsedxdev.com/support/contact_us The entire Contact Us page is a neutered version of edX's links to the Zendesk support system. It's not right for Open edX installations at all.
1.0
Contact Us page has edX-specific messaging - Noticed here: http://gsedxdev.com/support/contact_us The entire Contact Us page is a neutered version of edX's links to the Zendesk support system. It's not right for Open edX installations at all.
priority
contact us page has edx specific messaging noticed here the entire contact us page is a neutered version of edx s links to the zendesk support system it s not right for open edx installations at all
1
156,411
13,648,534,769
IssuesEvent
2020-09-26 09:44:55
Hi-Folks/rando-php
https://api.github.com/repos/Hi-Folks/rando-php
opened
examples:
Hacktoberfest documentation good first issue
In _examples_ directory create a new _php_ file, named : _RandomInteger.php_ In this file, I would like to: - include autoload - use the class needed (HiFolks\RandoPhp\Randomize) - write the call to generate() method from Randomize class with integer I would like to show how to use: - Generate integer with min and max ( something like: Randomize::integer()->min(1)->max(6)->generate() ); - Generate integer with range ( something like: Randomize::integer()->range(1,6)->generate() ); - Generate integere using the default ( something like Randomize::integer()->generate() ) explaining that the default are 0 and 100; My suggestion is to take a look from: **examples/basic.php** file
1.0
examples: - In _examples_ directory create a new _php_ file, named : _RandomInteger.php_ In this file, I would like to: - include autoload - use the class needed (HiFolks\RandoPhp\Randomize) - write the call to generate() method from Randomize class with integer I would like to show how to use: - Generate integer with min and max ( something like: Randomize::integer()->min(1)->max(6)->generate() ); - Generate integer with range ( something like: Randomize::integer()->range(1,6)->generate() ); - Generate integere using the default ( something like Randomize::integer()->generate() ) explaining that the default are 0 and 100; My suggestion is to take a look from: **examples/basic.php** file
non_priority
examples in examples directory create a new php file named randominteger php in this file i would like to include autoload use the class needed hifolks randophp randomize write the call to generate method from randomize class with integer i would like to show how to use generate integer with min and max something like randomize integer min max generate generate integer with range something like randomize integer range generate generate integere using the default something like randomize integer generate explaining that the default are and my suggestion is to take a look from examples basic php file
0
132,639
18,755,470,093
IssuesEvent
2021-11-05 10:10:11
Regalis11/Barotrauma
https://api.github.com/repos/Regalis11/Barotrauma
closed
Boarding axe and Assault rifle cannot be placed in storage while Autoshotgun, Rapid fissile accelerator and grenade launcher can be stored just fine
Bug Design
- [x] I have searched the issue tracker to check if the issue has already been reported. **Description** While playing, I couldn't help but get annoyed at the fact I cannot store boarding axes, an item which your character could carry easily around in their inventory, like harpoon guns. Heavy weapons like the Autoshotgun and the rapid fissile accelerator doesn't even have this problem despite being unable to be carried unless using the belt slot. The only method of reasonable storing boarding axes, as well as assault rifles which also have this issue (when the autoshotgun doesn't), can only be stored on weapon holders, an installation which subs don't often have all the time. This feels like more like an oversight than intentional design choice as its just does not match the behavior of other medium to large sized items. ![Barotrauma_wTJl6sUZr9](https://user-images.githubusercontent.com/85914375/140093310-92a4f269-9bcf-4b49-b635-b60ddb4905be.png) **Steps To Reproduce** Just try to store the axe and assault rifle **Version** 0.15.13.0 Windows
1.0
Boarding axe and Assault rifle cannot be placed in storage while Autoshotgun, Rapid fissile accelerator and grenade launcher can be stored just fine - - [x] I have searched the issue tracker to check if the issue has already been reported. **Description** While playing, I couldn't help but get annoyed at the fact I cannot store boarding axes, an item which your character could carry easily around in their inventory, like harpoon guns. Heavy weapons like the Autoshotgun and the rapid fissile accelerator doesn't even have this problem despite being unable to be carried unless using the belt slot. The only method of reasonable storing boarding axes, as well as assault rifles which also have this issue (when the autoshotgun doesn't), can only be stored on weapon holders, an installation which subs don't often have all the time. This feels like more like an oversight than intentional design choice as its just does not match the behavior of other medium to large sized items. ![Barotrauma_wTJl6sUZr9](https://user-images.githubusercontent.com/85914375/140093310-92a4f269-9bcf-4b49-b635-b60ddb4905be.png) **Steps To Reproduce** Just try to store the axe and assault rifle **Version** 0.15.13.0 Windows
non_priority
boarding axe and assault rifle cannot be placed in storage while autoshotgun rapid fissile accelerator and grenade launcher can be stored just fine i have searched the issue tracker to check if the issue has already been reported description while playing i couldn t help but get annoyed at the fact i cannot store boarding axes an item which your character could carry easily around in their inventory like harpoon guns heavy weapons like the autoshotgun and the rapid fissile accelerator doesn t even have this problem despite being unable to be carried unless using the belt slot the only method of reasonable storing boarding axes as well as assault rifles which also have this issue when the autoshotgun doesn t can only be stored on weapon holders an installation which subs don t often have all the time this feels like more like an oversight than intentional design choice as its just does not match the behavior of other medium to large sized items steps to reproduce just try to store the axe and assault rifle version windows
0
138,393
20,424,844,707
IssuesEvent
2022-02-24 01:56:16
ZcashFoundation/zebra
https://api.github.com/repos/ZcashFoundation/zebra
closed
Design and implement graceful shutdown for Zebra
C-design A-rust C-enhancement P-Low :snowflake:
## Motivation In #1637, we check `is_shutting_down` in the `CheckpointVerifier` and network service. But we'd like to implement graceful shutdown, where Zebra's endless loops wait on a shutdown condition or future. We might also be able to implement this automatically using `shutdown_timeout`: https://docs.rs/tokio/1.6.1/tokio/runtime/struct.Runtime.html#method.shutdown_timeout Here's tokio's advice on graceful shutdown: https://tokio.rs/tokio/topics/shutdown ## Ideas - [ ] Design graceful shutdown for Zebra - support graceful shutdown - support immediate shutdown on double Ctrl-C: https://dev.to/talzvon/handling-unix-kill-signals-in-rust-55g6 - deal with shutdown from the state service debug_stop_at_height - [ ] Implement the design - [ ] Test the design (#1666) Alternative designs: - endless loops wait on a boolean condition, like `is_shutting_down` - endless loops `select` on a shutdown future, like `zebra-network`'s cancel handles - each spawned task waits on `select` between a shutdown future and the actual task closure - replace tokio::spawn with zebra::spawn - could use a global watch channel with 3 states: Running, ShuttingDown, ExitNow - code that needs to exit can use the watch sender to set ShuttingDown - do we need a new zebra-shutdown crate? (current users: zebra-state, zebrad) - should library crates return a task error / service readiness error instead, so the app can shut down? - check if any other services can error - do we also need to use an at_exit handler? Should it just set ExitNow? - how do we handle panics? - currently we abort, but we could propagate them to the calling task, or set ExitNow ## Related Issues - Alternative faster fix #1677 - Related fix #1351 - Shutdown and restart tests #1666 - Original fix #1637 Specific issues that this fix solves: - #1574 - #1576 - #2055 - #2209 - #3053
1.0
Design and implement graceful shutdown for Zebra - ## Motivation In #1637, we check `is_shutting_down` in the `CheckpointVerifier` and network service. But we'd like to implement graceful shutdown, where Zebra's endless loops wait on a shutdown condition or future. We might also be able to implement this automatically using `shutdown_timeout`: https://docs.rs/tokio/1.6.1/tokio/runtime/struct.Runtime.html#method.shutdown_timeout Here's tokio's advice on graceful shutdown: https://tokio.rs/tokio/topics/shutdown ## Ideas - [ ] Design graceful shutdown for Zebra - support graceful shutdown - support immediate shutdown on double Ctrl-C: https://dev.to/talzvon/handling-unix-kill-signals-in-rust-55g6 - deal with shutdown from the state service debug_stop_at_height - [ ] Implement the design - [ ] Test the design (#1666) Alternative designs: - endless loops wait on a boolean condition, like `is_shutting_down` - endless loops `select` on a shutdown future, like `zebra-network`'s cancel handles - each spawned task waits on `select` between a shutdown future and the actual task closure - replace tokio::spawn with zebra::spawn - could use a global watch channel with 3 states: Running, ShuttingDown, ExitNow - code that needs to exit can use the watch sender to set ShuttingDown - do we need a new zebra-shutdown crate? (current users: zebra-state, zebrad) - should library crates return a task error / service readiness error instead, so the app can shut down? - check if any other services can error - do we also need to use an at_exit handler? Should it just set ExitNow? - how do we handle panics? - currently we abort, but we could propagate them to the calling task, or set ExitNow ## Related Issues - Alternative faster fix #1677 - Related fix #1351 - Shutdown and restart tests #1666 - Original fix #1637 Specific issues that this fix solves: - #1574 - #1576 - #2055 - #2209 - #3053
non_priority
design and implement graceful shutdown for zebra motivation in we check is shutting down in the checkpointverifier and network service but we d like to implement graceful shutdown where zebra s endless loops wait on a shutdown condition or future we might also be able to implement this automatically using shutdown timeout here s tokio s advice on graceful shutdown ideas design graceful shutdown for zebra support graceful shutdown support immediate shutdown on double ctrl c deal with shutdown from the state service debug stop at height implement the design test the design alternative designs endless loops wait on a boolean condition like is shutting down endless loops select on a shutdown future like zebra network s cancel handles each spawned task waits on select between a shutdown future and the actual task closure replace tokio spawn with zebra spawn could use a global watch channel with states running shuttingdown exitnow code that needs to exit can use the watch sender to set shuttingdown do we need a new zebra shutdown crate current users zebra state zebrad should library crates return a task error service readiness error instead so the app can shut down check if any other services can error do we also need to use an at exit handler should it just set exitnow how do we handle panics currently we abort but we could propagate them to the calling task or set exitnow related issues alternative faster fix related fix shutdown and restart tests original fix specific issues that this fix solves
0
7,760
2,603,811,281
IssuesEvent
2015-02-24 18:04:02
david415/HoneyBadger
https://api.github.com/repos/david415/HoneyBadger
opened
get rid of data races
bug highest priority
I gave my friend Mischief a review of about 70% of the project's design and implementation. After the review he suggested we use the golang data race detection... this resulted in identifying several data races which need to be fixed as soon as possible. I'll put more details here later...
1.0
get rid of data races - I gave my friend Mischief a review of about 70% of the project's design and implementation. After the review he suggested we use the golang data race detection... this resulted in identifying several data races which need to be fixed as soon as possible. I'll put more details here later...
priority
get rid of data races i gave my friend mischief a review of about of the project s design and implementation after the review he suggested we use the golang data race detection this resulted in identifying several data races which need to be fixed as soon as possible i ll put more details here later
1
317,704
27,258,807,583
IssuesEvent
2023-02-22 13:31:52
pymc-labs/pymc-marketing
https://api.github.com/repos/pymc-labs/pymc-marketing
opened
TestBetaGeo `setup_class` is too slow
CLV tests
The `setup_class` of TestBetaGeo is too slow as it performs MCMC sampling on a synthetic dataset. We should make this a fixture of tests that actually need it (if there's more than one), and possibly mark them with `@pytest.mark.slow` so that they are not ran locally by default. https://github.com/pymc-labs/pymc-marketing/blob/7ebc19465ad6daf62fbcb56d1b91fc40d09da7a0/tests/clv/models/test_beta_geo.py#L50 For other tests I have faked posterior draws by doing prior sampling with narrow priors around the "expected" values. This allows us to check the summary methods work as expected without doing slow mcmc sampling. CC @larryshamalama
1.0
TestBetaGeo `setup_class` is too slow - The `setup_class` of TestBetaGeo is too slow as it performs MCMC sampling on a synthetic dataset. We should make this a fixture of tests that actually need it (if there's more than one), and possibly mark them with `@pytest.mark.slow` so that they are not ran locally by default. https://github.com/pymc-labs/pymc-marketing/blob/7ebc19465ad6daf62fbcb56d1b91fc40d09da7a0/tests/clv/models/test_beta_geo.py#L50 For other tests I have faked posterior draws by doing prior sampling with narrow priors around the "expected" values. This allows us to check the summary methods work as expected without doing slow mcmc sampling. CC @larryshamalama
non_priority
testbetageo setup class is too slow the setup class of testbetageo is too slow as it performs mcmc sampling on a synthetic dataset we should make this a fixture of tests that actually need it if there s more than one and possibly mark them with pytest mark slow so that they are not ran locally by default for other tests i have faked posterior draws by doing prior sampling with narrow priors around the expected values this allows us to check the summary methods work as expected without doing slow mcmc sampling cc larryshamalama
0
764,924
26,823,615,979
IssuesEvent
2023-02-02 11:14:56
Amplicode/amplicode-frontend
https://api.github.com/repos/Amplicode/amplicode-frontend
opened
Localized captions for GraphQL type attributes, enum constants
priority: high feat ✨
See requirements from GR2-243 ticket.
1.0
Localized captions for GraphQL type attributes, enum constants - See requirements from GR2-243 ticket.
priority
localized captions for graphql type attributes enum constants see requirements from ticket
1
796,610
28,119,657,575
IssuesEvent
2023-03-31 13:23:20
dag-hammarskjold-library/dlx-rest
https://api.github.com/repos/dag-hammarskjold-library/dlx-rest
closed
Deleted records appear in results
type: bug priority: high user feedback function: authorities function: search sort
Records that don't exist anymore still appear in results, we discussed that this morning, and Joe is aware that something needs to be done, but I wanted to create a ticket anyway. I think that's also behind #861 And I think this feedback from Susan is also related: I asked Marina to test the merge functionality by merging two authorities, one for Ghazzawi, Q. and one for Ghazzawi, Qasim. The latter was the surviving authority, and is the only one found when searching by Browse -> Auths -> author. http://54.87.252.103/uat/records/auths/browse/author?q=ghazzawi&type=auth When you search in Browse -> Auths -> subject though, the non surving authority still appears. If you select it, nothing is displayed. http://54.87.252.103/uat/records/auths/browse/subject?q=ghazzawi&type=auth
1.0
Deleted records appear in results - Records that don't exist anymore still appear in results, we discussed that this morning, and Joe is aware that something needs to be done, but I wanted to create a ticket anyway. I think that's also behind #861 And I think this feedback from Susan is also related: I asked Marina to test the merge functionality by merging two authorities, one for Ghazzawi, Q. and one for Ghazzawi, Qasim. The latter was the surviving authority, and is the only one found when searching by Browse -> Auths -> author. http://54.87.252.103/uat/records/auths/browse/author?q=ghazzawi&type=auth When you search in Browse -> Auths -> subject though, the non surving authority still appears. If you select it, nothing is displayed. http://54.87.252.103/uat/records/auths/browse/subject?q=ghazzawi&type=auth
priority
deleted records appear in results records that don t exist anymore still appear in results we discussed that this morning and joe is aware that something needs to be done but i wanted to create a ticket anyway i think that s also behind and i think this feedback from susan is also related i asked marina to test the merge functionality by merging two authorities one for ghazzawi q and one for ghazzawi qasim the latter was the surviving authority and is the only one found when searching by browse auths author when you search in browse auths subject though the non surving authority still appears if you select it nothing is displayed
1
67,259
16,855,389,163
IssuesEvent
2021-06-21 05:41:09
appsmithorg/appsmith
https://api.github.com/repos/appsmithorg/appsmith
closed
[Bug] Different charts are showing when chart widget is dragged in a list and outside a list when chart type condition is set
Bug List Widget Needs Triaging QA UI Building Pod Widgets
## Description : In chart type a condition is set and then the chart widget was dragged inside the list container and again outside the list after making change ### Steps to reproduce the behaviour: 1. Drag and drop a List widget 2. Drag and drop a button and chart widget 3. In Chart widget property pane enable JS for chart type 4. In Chart type property enter {{Button1.text === "sumit" ? "LINE_CHART" : "BAR_CHART"}} 5. Observe that Bar chart is showing 6. Now drag and drop the chart widget in list widget container 7. Observe that the line chart is showing in chart now 8. Now if you change the chart type property to {{Button1.text === "submit" ? "LINE_CHART" : "BAR_CHART"}} 9. Observe that no change is visible in chart 10. Now drag and drop the chart widget out side the list widget into canvas the chart refresh to correct chart type ### Important Details - Environment: Production - OS: MacOSX - Browser : chrome https://www.loom.com/share/604cd2d31c6141a19a0c472779525b19
1.0
[Bug] Different charts are showing when chart widget is dragged in a list and outside a list when chart type condition is set - ## Description : In chart type a condition is set and then the chart widget was dragged inside the list container and again outside the list after making change ### Steps to reproduce the behaviour: 1. Drag and drop a List widget 2. Drag and drop a button and chart widget 3. In Chart widget property pane enable JS for chart type 4. In Chart type property enter {{Button1.text === "sumit" ? "LINE_CHART" : "BAR_CHART"}} 5. Observe that Bar chart is showing 6. Now drag and drop the chart widget in list widget container 7. Observe that the line chart is showing in chart now 8. Now if you change the chart type property to {{Button1.text === "submit" ? "LINE_CHART" : "BAR_CHART"}} 9. Observe that no change is visible in chart 10. Now drag and drop the chart widget out side the list widget into canvas the chart refresh to correct chart type ### Important Details - Environment: Production - OS: MacOSX - Browser : chrome https://www.loom.com/share/604cd2d31c6141a19a0c472779525b19
non_priority
different charts are showing when chart widget is dragged in a list and outside a list when chart type condition is set description in chart type a condition is set and then the chart widget was dragged inside the list container and again outside the list after making change steps to reproduce the behaviour drag and drop a list widget drag and drop a button and chart widget in chart widget property pane enable js for chart type in chart type property enter text sumit line chart bar chart observe that bar chart is showing now drag and drop the chart widget in list widget container observe that the line chart is showing in chart now now if you change the chart type property to text submit line chart bar chart observe that no change is visible in chart now drag and drop the chart widget out side the list widget into canvas the chart refresh to correct chart type important details environment production os macosx browser chrome
0
751,561
26,250,164,352
IssuesEvent
2023-01-05 18:32:01
GoogleCloudPlatform/cloud-sql-python-connector
https://api.github.com/repos/GoogleCloudPlatform/cloud-sql-python-connector
closed
Add support for Python 3.11
type: feature request priority: p1
Python 3.11 was officially released late October. Should update CI/CD and package to include support for it.
1.0
Add support for Python 3.11 - Python 3.11 was officially released late October. Should update CI/CD and package to include support for it.
priority
add support for python python was officially released late october should update ci cd and package to include support for it
1
165,059
26,090,385,422
IssuesEvent
2022-12-26 10:28:31
beyondDevelops/AnimalTalk
https://api.github.com/repos/beyondDevelops/AnimalTalk
closed
[issue] Post 컴포넌트에 이미지 캐러셀 구현
design component feat
## 👨‍💻 무엇을 하실 건지 설명해주세요! - Post 컴포넌트에 이미지 캐러셀을 구현할 생각입니다. ## 🤔 구현방법 및 예상 동작 - 이미지 하단의 버튼 클릭 시 이미지 슬라이드가 작동합니다. ## ⭐ 특이사항 - 없습니다.
1.0
[issue] Post 컴포넌트에 이미지 캐러셀 구현 - ## 👨‍💻 무엇을 하실 건지 설명해주세요! - Post 컴포넌트에 이미지 캐러셀을 구현할 생각입니다. ## 🤔 구현방법 및 예상 동작 - 이미지 하단의 버튼 클릭 시 이미지 슬라이드가 작동합니다. ## ⭐ 특이사항 - 없습니다.
non_priority
post 컴포넌트에 이미지 캐러셀 구현 👨‍💻 무엇을 하실 건지 설명해주세요 post 컴포넌트에 이미지 캐러셀을 구현할 생각입니다 🤔 구현방법 및 예상 동작 이미지 하단의 버튼 클릭 시 이미지 슬라이드가 작동합니다 ⭐ 특이사항 없습니다
0
131,276
18,234,884,686
IssuesEvent
2021-10-01 05:02:08
graywidjaya/snyk-scanning-testing
https://api.github.com/repos/graywidjaya/snyk-scanning-testing
opened
CVE-2020-9547 (High) detected in jackson-databind-2.9.8.jar
security vulnerability
## CVE-2020-9547 - 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.8.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: snyk-scanning-testing/ProductManager/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.8/jackson-databind-2.9.8.jar</p> <p> Dependency Hierarchy: - spring-boot-starter-web-2.1.3.RELEASE.jar (Root Library) - spring-boot-starter-json-2.1.3.RELEASE.jar - :x: **jackson-databind-2.9.8.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/graywidjaya/snyk-scanning-testing/commit/8e11d4935d4cae9cfc1d6d0b55433a3b1002a16e">8e11d4935d4cae9cfc1d6d0b55433a3b1002a16e</a></p> <p>Found in base branch: <b>main</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> FasterXML jackson-databind 2.x before 2.9.10.4 mishandles the interaction between serialization gadgets and typing, related to com.ibatis.sqlmap.engine.transaction.jta.JtaTransactionConfig (aka ibatis-sqlmap). <p>Publish Date: 2020-03-02 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-9547>CVE-2020-9547</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-2020-9547">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-9547</a></p> <p>Release Date: 2020-03-02</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.10.3</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2020-9547 (High) detected in jackson-databind-2.9.8.jar - ## CVE-2020-9547 - 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.8.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: snyk-scanning-testing/ProductManager/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.8/jackson-databind-2.9.8.jar</p> <p> Dependency Hierarchy: - spring-boot-starter-web-2.1.3.RELEASE.jar (Root Library) - spring-boot-starter-json-2.1.3.RELEASE.jar - :x: **jackson-databind-2.9.8.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/graywidjaya/snyk-scanning-testing/commit/8e11d4935d4cae9cfc1d6d0b55433a3b1002a16e">8e11d4935d4cae9cfc1d6d0b55433a3b1002a16e</a></p> <p>Found in base branch: <b>main</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> FasterXML jackson-databind 2.x before 2.9.10.4 mishandles the interaction between serialization gadgets and typing, related to com.ibatis.sqlmap.engine.transaction.jta.JtaTransactionConfig (aka ibatis-sqlmap). <p>Publish Date: 2020-03-02 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-9547>CVE-2020-9547</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-2020-9547">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-9547</a></p> <p>Release Date: 2020-03-02</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.10.3</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
cve high detected in jackson databind jar cve high severity vulnerability vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to dependency file snyk scanning testing productmanager pom xml path to vulnerable library home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy spring boot starter web release jar root library spring boot starter json release jar x jackson databind jar vulnerable library found in head commit a href found in base branch main vulnerability details fasterxml jackson databind x before mishandles the interaction between serialization gadgets and typing related to com ibatis sqlmap engine transaction jta jtatransactionconfig aka ibatis sqlmap 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 com fasterxml jackson core jackson databind step up your open source security game with whitesource
0
50,881
13,608,194,251
IssuesEvent
2020-09-23 01:39:49
peilin823/peilin823-security_test_demo1
https://api.github.com/repos/peilin823/peilin823-security_test_demo1
opened
WS-2019-0025 (Medium) detected in marked-0.3.19.js
security vulnerability
## WS-2019-0025 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>marked-0.3.19.js</b></p></summary> <p>A markdown parser built for speed</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/marked/0.3.19/marked.js">https://cdnjs.cloudflare.com/ajax/libs/marked/0.3.19/marked.js</a></p> <p>Path to dependency file: peilin823-security_test_demo1/node_modules/marked/www/demo.html</p> <p>Path to vulnerable library: peilin823-security_test_demo1/node_modules/marked/www/../lib/marked.js</p> <p> Dependency Hierarchy: - :x: **marked-0.3.19.js** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/peilin823/peilin823-security_test_demo1/commit/9cbc07e9a44117e1b35984fd315cbd4aec36fd41">9cbc07e9a44117e1b35984fd315cbd4aec36fd41</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 0.3.7 and earlier of marked When mangling is disabled via option mangle don't escape target href. This allow attacker to inject arbitrary html-event into resulting a tag. <p>Publish Date: 2017-12-23 <p>URL: <a href=https://github.com/markedjs/marked/commit/cb72584c5d9d32ebfdbb99e35fb9b81af2b79686>WS-2019-0025</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.0</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/markedjs/marked/commit/cb72584c5d9d32ebfdbb99e35fb9b81af2b79686">https://github.com/markedjs/marked/commit/cb72584c5d9d32ebfdbb99e35fb9b81af2b79686</a></p> <p>Release Date: 2019-03-17</p> <p>Fix Resolution: 0.3.9</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-0025 (Medium) detected in marked-0.3.19.js - ## WS-2019-0025 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>marked-0.3.19.js</b></p></summary> <p>A markdown parser built for speed</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/marked/0.3.19/marked.js">https://cdnjs.cloudflare.com/ajax/libs/marked/0.3.19/marked.js</a></p> <p>Path to dependency file: peilin823-security_test_demo1/node_modules/marked/www/demo.html</p> <p>Path to vulnerable library: peilin823-security_test_demo1/node_modules/marked/www/../lib/marked.js</p> <p> Dependency Hierarchy: - :x: **marked-0.3.19.js** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/peilin823/peilin823-security_test_demo1/commit/9cbc07e9a44117e1b35984fd315cbd4aec36fd41">9cbc07e9a44117e1b35984fd315cbd4aec36fd41</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 0.3.7 and earlier of marked When mangling is disabled via option mangle don't escape target href. This allow attacker to inject arbitrary html-event into resulting a tag. <p>Publish Date: 2017-12-23 <p>URL: <a href=https://github.com/markedjs/marked/commit/cb72584c5d9d32ebfdbb99e35fb9b81af2b79686>WS-2019-0025</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.0</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/markedjs/marked/commit/cb72584c5d9d32ebfdbb99e35fb9b81af2b79686">https://github.com/markedjs/marked/commit/cb72584c5d9d32ebfdbb99e35fb9b81af2b79686</a></p> <p>Release Date: 2019-03-17</p> <p>Fix Resolution: 0.3.9</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
ws medium detected in marked js ws medium severity vulnerability vulnerable library marked js a markdown parser built for speed library home page a href path to dependency file security test node modules marked www demo html path to vulnerable library security test node modules marked www lib marked js dependency hierarchy x marked js vulnerable library found in head commit a href found in base branch master vulnerability details versions and earlier of marked when mangling is disabled via option mangle don t escape target href this allow attacker to inject arbitrary html event into resulting a tag 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 step up your open source security game with whitesource
0
9,783
4,641,772,475
IssuesEvent
2016-09-30 06:56:17
DGtal-team/DGtal
https://api.github.com/repos/DGtal-team/DGtal
closed
MinGW/GCC 4.9 compilation errors
Base Build
As you know M_PI, M_PI_4 and so on is not defined now in C++ standard. But it is used in DGtal, for example in BasicFunctors.h and it leads to compilation errors. My current fix to use you library is to add: #ifndef M_PI #define M_PI (3.14159265358979323846) #endif But I would recommend to use boost constants from here: boost/math/constants/constants.hpp
1.0
MinGW/GCC 4.9 compilation errors - As you know M_PI, M_PI_4 and so on is not defined now in C++ standard. But it is used in DGtal, for example in BasicFunctors.h and it leads to compilation errors. My current fix to use you library is to add: #ifndef M_PI #define M_PI (3.14159265358979323846) #endif But I would recommend to use boost constants from here: boost/math/constants/constants.hpp
non_priority
mingw gcc compilation errors as you know m pi m pi and so on is not defined now in c standard but it is used in dgtal for example in basicfunctors h and it leads to compilation errors my current fix to use you library is to add ifndef m pi define m pi endif but i would recommend to use boost constants from here boost math constants constants hpp
0
8,783
2,612,067,766
IssuesEvent
2015-02-27 11:27:56
rbei-etas/busmaster
https://api.github.com/repos/rbei-etas/busmaster
closed
LDF Editor : Signal unit should not accept double quotes
1.3 patch (defect) 3.3 low priority (EC3)
LDF Editor : Signal unit should not accept double quotes v2.6
1.0
LDF Editor : Signal unit should not accept double quotes - LDF Editor : Signal unit should not accept double quotes v2.6
non_priority
ldf editor signal unit should not accept double quotes ldf editor signal unit should not accept double quotes
0
390,757
11,563,075,644
IssuesEvent
2020-02-20 04:47:59
google/ground-platform
https://api.github.com/repos/google/ground-platform
closed
[Layer dialog] Style editor component
good first issue priority: p2 type: feature request web
Substeps: - [ ] Button with current pin style - [ ] Clicking button toggles inline popup - [ ] Inline popup shows the [ngx-color-picker](https://www.npmjs.com/package/ngx-color-picker) component - [ ] Pin shown in button changes color based on color selection ![image](https://user-images.githubusercontent.com/228050/68367023-ab140600-0102-11ea-8ecc-bf8a1a6e702c.png) Reference this issue in related PRs with "Work towards #159."
1.0
[Layer dialog] Style editor component - Substeps: - [ ] Button with current pin style - [ ] Clicking button toggles inline popup - [ ] Inline popup shows the [ngx-color-picker](https://www.npmjs.com/package/ngx-color-picker) component - [ ] Pin shown in button changes color based on color selection ![image](https://user-images.githubusercontent.com/228050/68367023-ab140600-0102-11ea-8ecc-bf8a1a6e702c.png) Reference this issue in related PRs with "Work towards #159."
priority
style editor component substeps button with current pin style clicking button toggles inline popup inline popup shows the component pin shown in button changes color based on color selection reference this issue in related prs with work towards
1
779,760
27,365,365,297
IssuesEvent
2023-02-27 18:44:04
zowe/zowe-explorer-intellij
https://api.github.com/repos/zowe/zowe-explorer-intellij
opened
Add possible values for space units and allocation unit
priority-medium
For space units except TRAKS, BLOKS and CYLINDERS, there are also BYTES, KILOBYTES and MEGABYTES. Investigate what other values it can return z/OSMF. Investigate what values there are for the allocation unit except TRK and CYL. Add possible values to Zowe Kotlin SDK. Decide what to do with allocate like.
1.0
Add possible values for space units and allocation unit - For space units except TRAKS, BLOKS and CYLINDERS, there are also BYTES, KILOBYTES and MEGABYTES. Investigate what other values it can return z/OSMF. Investigate what values there are for the allocation unit except TRK and CYL. Add possible values to Zowe Kotlin SDK. Decide what to do with allocate like.
priority
add possible values for space units and allocation unit for space units except traks bloks and cylinders there are also bytes kilobytes and megabytes investigate what other values it can return z osmf investigate what values there are for the allocation unit except trk and cyl add possible values to zowe kotlin sdk decide what to do with allocate like
1
586,804
17,597,757,965
IssuesEvent
2021-08-17 07:59:52
wso2/integration-studio
https://api.github.com/repos/wso2/integration-studio
closed
[EI-Tooling][wso2-synapse] Can't test a sequence which contains a call mediation
Priority/High
**Description:** We can not test a test suite for the sequence with a call meditation, It failed to execute test flow in the mediation phase. **Suggested Labels:** Type/Bug
1.0
[EI-Tooling][wso2-synapse] Can't test a sequence which contains a call mediation - **Description:** We can not test a test suite for the sequence with a call meditation, It failed to execute test flow in the mediation phase. **Suggested Labels:** Type/Bug
priority
can t test a sequence which contains a call mediation description we can not test a test suite for the sequence with a call meditation it failed to execute test flow in the mediation phase suggested labels type bug
1
489,536
14,107,854,937
IssuesEvent
2020-11-06 16:54:05
magento/magento2
https://api.github.com/repos/magento/magento2
opened
[Issue] WIP: [MFTF] Refactoring of AdminAvailabilityCreditMemoWithNoPaymentTest
Component: Sales Priority: P3 Severity: S3
This issue is automatically created based on existing pull request: magento/magento2#30792: WIP: [MFTF] Refactoring of AdminAvailabilityCreditMemoWithNoPaymentTest --------- ### Description (*) The test is refactored according to the best practices followed by MFTF. ### Manual testing scenarios (*) 1. Go to Admin 2. Start creating a new order using the Create New Customer functionality 3. Add a product to the Order 4. Adjust product price to 0 (via the Custom Price) 5. Place the Order 6. Invoice the Order 7. Check if it is possible to create the Credit Memo
1.0
[Issue] WIP: [MFTF] Refactoring of AdminAvailabilityCreditMemoWithNoPaymentTest - This issue is automatically created based on existing pull request: magento/magento2#30792: WIP: [MFTF] Refactoring of AdminAvailabilityCreditMemoWithNoPaymentTest --------- ### Description (*) The test is refactored according to the best practices followed by MFTF. ### Manual testing scenarios (*) 1. Go to Admin 2. Start creating a new order using the Create New Customer functionality 3. Add a product to the Order 4. Adjust product price to 0 (via the Custom Price) 5. Place the Order 6. Invoice the Order 7. Check if it is possible to create the Credit Memo
priority
wip refactoring of adminavailabilitycreditmemowithnopaymenttest this issue is automatically created based on existing pull request magento wip refactoring of adminavailabilitycreditmemowithnopaymenttest description the test is refactored according to the best practices followed by mftf manual testing scenarios go to admin start creating a new order using the create new customer functionality add a product to the order adjust product price to via the custom price place the order invoice the order check if it is possible to create the credit memo
1
112,164
4,512,945,829
IssuesEvent
2016-09-04 00:06:58
jahirfiquitiva/IconShowcase
https://api.github.com/repos/jahirfiquitiva/IconShowcase
opened
Content in Request section not showing...
bug help wanted high priority
... not showing until entered to another section and then back to such. Was working fine, onyl change done was adding: ```java @Override public void onCreateOptionsMenu (Menu menu, MenuInflater inflater) { super.onCreateOptionsMenu(menu, inflater); inflater.inflate(R.menu.requests, menu); } ```
1.0
Content in Request section not showing... - ... not showing until entered to another section and then back to such. Was working fine, onyl change done was adding: ```java @Override public void onCreateOptionsMenu (Menu menu, MenuInflater inflater) { super.onCreateOptionsMenu(menu, inflater); inflater.inflate(R.menu.requests, menu); } ```
priority
content in request section not showing not showing until entered to another section and then back to such was working fine onyl change done was adding java override public void oncreateoptionsmenu menu menu menuinflater inflater super oncreateoptionsmenu menu inflater inflater inflate r menu requests menu
1
112,881
9,604,759,483
IssuesEvent
2019-05-10 21:01:38
elastic/kibana
https://api.github.com/repos/elastic/kibana
closed
Failing test: UI Functional Tests.test/functional/apps/visualize/_vertical_bar_chart·js - visualize app vertical bar chart vertical bar with split series should correctly filter by legend
failed-test
A test failed on a tracked branch ``` { Error: expected [ '404', '200', '503' ] to sort of equal [ '200' ] at Assertion.assert (packages/kbn-expect/expect.js:100:11) at Assertion.eql (packages/kbn-expect/expect.js:235:8) at Context.eql (test/functional/apps/visualize/_vertical_bar_chart.js:263:34) at process._tickCallback (internal/process/next_tick.js:68:7) actual: '[\n "404"\n "200"\n "503"\n]', expected: '[\n "200"\n]', showDiff: true } ``` First failure: [Jenkins Build](https://kibana-ci.elastic.co/job/elastic+kibana+master/JOB=kibana-ciGroup12,node=immutable/2040/) <!-- kibanaCiData = {"failed-test":{"test.class":"UI Functional Tests.test/functional/apps/visualize/_vertical_bar_chart·js","test.name":"visualize app vertical bar chart vertical bar with split series should correctly filter by legend","test.failCount":1}} -->
1.0
Failing test: UI Functional Tests.test/functional/apps/visualize/_vertical_bar_chart·js - visualize app vertical bar chart vertical bar with split series should correctly filter by legend - A test failed on a tracked branch ``` { Error: expected [ '404', '200', '503' ] to sort of equal [ '200' ] at Assertion.assert (packages/kbn-expect/expect.js:100:11) at Assertion.eql (packages/kbn-expect/expect.js:235:8) at Context.eql (test/functional/apps/visualize/_vertical_bar_chart.js:263:34) at process._tickCallback (internal/process/next_tick.js:68:7) actual: '[\n "404"\n "200"\n "503"\n]', expected: '[\n "200"\n]', showDiff: true } ``` First failure: [Jenkins Build](https://kibana-ci.elastic.co/job/elastic+kibana+master/JOB=kibana-ciGroup12,node=immutable/2040/) <!-- kibanaCiData = {"failed-test":{"test.class":"UI Functional Tests.test/functional/apps/visualize/_vertical_bar_chart·js","test.name":"visualize app vertical bar chart vertical bar with split series should correctly filter by legend","test.failCount":1}} -->
non_priority
failing test ui functional tests test functional apps visualize vertical bar chart·js visualize app vertical bar chart vertical bar with split series should correctly filter by legend a test failed on a tracked branch error expected to sort of equal at assertion assert packages kbn expect expect js at assertion eql packages kbn expect expect js at context eql test functional apps visualize vertical bar chart js at process tickcallback internal process next tick js actual expected showdiff true first failure
0
363,690
25,461,912,897
IssuesEvent
2022-11-24 20:32:12
kasra-keshavarz/gistool
https://api.github.com/repos/kasra-keshavarz/gistool
closed
Missing class type descriptions for the Landsat NALCMS dataset
documentation
# problem statement The landcover type information for the Landsat NALCMS dataset is missing, although there is a link that directs users to the main website of the dataset. This issue has been previously brought up by @wijayard for the MODIS dataset of this repository.
1.0
Missing class type descriptions for the Landsat NALCMS dataset - # problem statement The landcover type information for the Landsat NALCMS dataset is missing, although there is a link that directs users to the main website of the dataset. This issue has been previously brought up by @wijayard for the MODIS dataset of this repository.
non_priority
missing class type descriptions for the landsat nalcms dataset problem statement the landcover type information for the landsat nalcms dataset is missing although there is a link that directs users to the main website of the dataset this issue has been previously brought up by wijayard for the modis dataset of this repository
0
1,833
3,141,629,874
IssuesEvent
2015-09-12 19:36:14
adobe-photoshop/spaces-design
https://api.github.com/repos/adobe-photoshop/spaces-design
opened
Selecting layer ranges is slow
Performance
1. Open VermilionArtboards.psd. 2. Collapse all layer groups. 3. Deselect all layers. 4. Click the first layer to select it. 5. Shift-click the last layer to select the range of four artboards. This takes ~4s (debug) on a 5k iMac, which feels like an eternity. The time is all spent in the view layer handling the `SELECT_LAYERS_BY_INDEX` event. It seems related to the large number of ancestors of the selected layers; selecting ranges of leaves is fast by comparison.
True
Selecting layer ranges is slow - 1. Open VermilionArtboards.psd. 2. Collapse all layer groups. 3. Deselect all layers. 4. Click the first layer to select it. 5. Shift-click the last layer to select the range of four artboards. This takes ~4s (debug) on a 5k iMac, which feels like an eternity. The time is all spent in the view layer handling the `SELECT_LAYERS_BY_INDEX` event. It seems related to the large number of ancestors of the selected layers; selecting ranges of leaves is fast by comparison.
non_priority
selecting layer ranges is slow open vermilionartboards psd collapse all layer groups deselect all layers click the first layer to select it shift click the last layer to select the range of four artboards this takes debug on a imac which feels like an eternity the time is all spent in the view layer handling the select layers by index event it seems related to the large number of ancestors of the selected layers selecting ranges of leaves is fast by comparison
0
107,035
9,200,576,112
IssuesEvent
2019-03-07 17:22:51
wpsimplepay/WP-Simple-Pay-Lite-for-Stripe
https://api.github.com/repos/wpsimplepay/WP-Simple-Pay-Lite-for-Stripe
opened
Merge in Pro 3.3/3.4 code shared with Lite.
Needs Review Needs Testing
Shared code from Pro 3.3 and now coming up on 3.4 haven't been merged into Lite yet. This is just to track any specifics related to this merge since it'll take a little extra testing and review.
1.0
Merge in Pro 3.3/3.4 code shared with Lite. - Shared code from Pro 3.3 and now coming up on 3.4 haven't been merged into Lite yet. This is just to track any specifics related to this merge since it'll take a little extra testing and review.
non_priority
merge in pro code shared with lite shared code from pro and now coming up on haven t been merged into lite yet this is just to track any specifics related to this merge since it ll take a little extra testing and review
0
179,277
21,556,582,222
IssuesEvent
2022-04-30 14:23:22
temporalio/temporal-ecommerce
https://api.github.com/repos/temporalio/temporal-ecommerce
opened
cli-plugin-babel-4.5.13.tgz: 2 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>cli-plugin-babel-4.5.13.tgz</b></p></summary> <p></p> <p>Path to dependency file: /frontend/package.json</p> <p>Path to vulnerable library: /frontend/node_modules/hosted-git-info/package.json</p> <p> <p>Found in HEAD commit: <a href="https://github.com/temporalio/temporal-ecommerce/commit/6566a062897f939a4fd12d8f24390ce9fa8ef663">6566a062897f939a4fd12d8f24390ce9fa8ef663</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | --- | --- | | [CVE-2021-3918](https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3918) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 9.8 | json-schema-0.2.3.tgz | Transitive | 4.5.14 | &#9989; | | [CVE-2021-23362](https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-23362) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 5.3 | hosted-git-info-2.8.8.tgz | Transitive | 4.5.14 | &#9989; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> CVE-2021-3918</summary> ### Vulnerable Library - <b>json-schema-0.2.3.tgz</b></p> <p>JSON Schema validation and specifications</p> <p>Library home page: <a href="https://registry.npmjs.org/json-schema/-/json-schema-0.2.3.tgz">https://registry.npmjs.org/json-schema/-/json-schema-0.2.3.tgz</a></p> <p>Path to dependency file: /frontend/package.json</p> <p>Path to vulnerable library: /frontend/node_modules/json-schema/package.json</p> <p> Dependency Hierarchy: - cli-plugin-babel-4.5.13.tgz (Root Library) - cli-shared-utils-4.5.17.tgz - request-2.88.2.tgz - http-signature-1.2.0.tgz - jsprim-1.4.1.tgz - :x: **json-schema-0.2.3.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/temporalio/temporal-ecommerce/commit/6566a062897f939a4fd12d8f24390ce9fa8ef663">6566a062897f939a4fd12d8f24390ce9fa8ef663</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> json-schema is vulnerable to Improperly Controlled Modification of Object Prototype Attributes ('Prototype Pollution') <p>Publish Date: 2021-11-13 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3918>CVE-2021-3918</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://nvd.nist.gov/vuln/detail/CVE-2021-3918">https://nvd.nist.gov/vuln/detail/CVE-2021-3918</a></p> <p>Release Date: 2021-11-13</p> <p>Fix Resolution (json-schema): 0.4.0</p> <p>Direct dependency fix Resolution (@vue/cli-plugin-babel): 4.5.14</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2021-23362</summary> ### Vulnerable Library - <b>hosted-git-info-2.8.8.tgz</b></p> <p>Provides metadata and conversions from repository urls for Github, Bitbucket and Gitlab</p> <p>Library home page: <a href="https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-2.8.8.tgz">https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-2.8.8.tgz</a></p> <p>Path to dependency file: /frontend/package.json</p> <p>Path to vulnerable library: /frontend/node_modules/hosted-git-info/package.json</p> <p> Dependency Hierarchy: - cli-plugin-babel-4.5.13.tgz (Root Library) - cli-shared-utils-4.5.17.tgz - read-pkg-5.2.0.tgz - normalize-package-data-2.5.0.tgz - :x: **hosted-git-info-2.8.8.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/temporalio/temporal-ecommerce/commit/6566a062897f939a4fd12d8f24390ce9fa8ef663">6566a062897f939a4fd12d8f24390ce9fa8ef663</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> The package hosted-git-info before 3.0.8 are vulnerable to Regular Expression Denial of Service (ReDoS) via regular expression shortcutMatch in the fromUrl function in index.js. The affected regular expression exhibits polynomial worst-case time complexity. <p>Publish Date: 2021-03-23 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-23362>CVE-2021-23362</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>5.3</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: None - Integrity Impact: None - Availability Impact: Low </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-43f8-2h32-f4cj">https://github.com/advisories/GHSA-43f8-2h32-f4cj</a></p> <p>Release Date: 2021-03-23</p> <p>Fix Resolution (hosted-git-info): 2.8.9</p> <p>Direct dependency fix Resolution (@vue/cli-plugin-babel): 4.5.14</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details> *** <p>:rescue_worker_helmet: Automatic Remediation is available for this issue.</p> <!-- <REMEDIATE>[{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"@vue/cli-plugin-babel","packageVersion":"4.5.13","packageFilePaths":["/frontend/package.json"],"isTransitiveDependency":false,"dependencyTree":"@vue/cli-plugin-babel:4.5.13","isMinimumFixVersionAvailable":true,"minimumFixVersion":"4.5.14","isBinary":false}],"baseBranches":["main"],"vulnerabilityIdentifier":"CVE-2021-3918","vulnerabilityDetails":"json-schema is vulnerable to Improperly Controlled Modification of Object Prototype Attributes (\u0027Prototype Pollution\u0027)","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3918","cvss3Severity":"high","cvss3Score":"9.8","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"High"},"extraData":{}},{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"@vue/cli-plugin-babel","packageVersion":"4.5.13","packageFilePaths":["/frontend/package.json"],"isTransitiveDependency":false,"dependencyTree":"@vue/cli-plugin-babel:4.5.13","isMinimumFixVersionAvailable":true,"minimumFixVersion":"4.5.14","isBinary":false}],"baseBranches":["main"],"vulnerabilityIdentifier":"CVE-2021-23362","vulnerabilityDetails":"The package hosted-git-info before 3.0.8 are vulnerable to Regular Expression Denial of Service (ReDoS) via regular expression shortcutMatch in the fromUrl function in index.js. The affected regular expression exhibits polynomial worst-case time complexity.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-23362","cvss3Severity":"medium","cvss3Score":"5.3","cvss3Metrics":{"A":"Low","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"None","AV":"Network","I":"None"},"extraData":{}}]</REMEDIATE> -->
True
cli-plugin-babel-4.5.13.tgz: 2 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>cli-plugin-babel-4.5.13.tgz</b></p></summary> <p></p> <p>Path to dependency file: /frontend/package.json</p> <p>Path to vulnerable library: /frontend/node_modules/hosted-git-info/package.json</p> <p> <p>Found in HEAD commit: <a href="https://github.com/temporalio/temporal-ecommerce/commit/6566a062897f939a4fd12d8f24390ce9fa8ef663">6566a062897f939a4fd12d8f24390ce9fa8ef663</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | --- | --- | | [CVE-2021-3918](https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3918) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 9.8 | json-schema-0.2.3.tgz | Transitive | 4.5.14 | &#9989; | | [CVE-2021-23362](https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-23362) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 5.3 | hosted-git-info-2.8.8.tgz | Transitive | 4.5.14 | &#9989; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> CVE-2021-3918</summary> ### Vulnerable Library - <b>json-schema-0.2.3.tgz</b></p> <p>JSON Schema validation and specifications</p> <p>Library home page: <a href="https://registry.npmjs.org/json-schema/-/json-schema-0.2.3.tgz">https://registry.npmjs.org/json-schema/-/json-schema-0.2.3.tgz</a></p> <p>Path to dependency file: /frontend/package.json</p> <p>Path to vulnerable library: /frontend/node_modules/json-schema/package.json</p> <p> Dependency Hierarchy: - cli-plugin-babel-4.5.13.tgz (Root Library) - cli-shared-utils-4.5.17.tgz - request-2.88.2.tgz - http-signature-1.2.0.tgz - jsprim-1.4.1.tgz - :x: **json-schema-0.2.3.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/temporalio/temporal-ecommerce/commit/6566a062897f939a4fd12d8f24390ce9fa8ef663">6566a062897f939a4fd12d8f24390ce9fa8ef663</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> json-schema is vulnerable to Improperly Controlled Modification of Object Prototype Attributes ('Prototype Pollution') <p>Publish Date: 2021-11-13 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3918>CVE-2021-3918</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://nvd.nist.gov/vuln/detail/CVE-2021-3918">https://nvd.nist.gov/vuln/detail/CVE-2021-3918</a></p> <p>Release Date: 2021-11-13</p> <p>Fix Resolution (json-schema): 0.4.0</p> <p>Direct dependency fix Resolution (@vue/cli-plugin-babel): 4.5.14</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2021-23362</summary> ### Vulnerable Library - <b>hosted-git-info-2.8.8.tgz</b></p> <p>Provides metadata and conversions from repository urls for Github, Bitbucket and Gitlab</p> <p>Library home page: <a href="https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-2.8.8.tgz">https://registry.npmjs.org/hosted-git-info/-/hosted-git-info-2.8.8.tgz</a></p> <p>Path to dependency file: /frontend/package.json</p> <p>Path to vulnerable library: /frontend/node_modules/hosted-git-info/package.json</p> <p> Dependency Hierarchy: - cli-plugin-babel-4.5.13.tgz (Root Library) - cli-shared-utils-4.5.17.tgz - read-pkg-5.2.0.tgz - normalize-package-data-2.5.0.tgz - :x: **hosted-git-info-2.8.8.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/temporalio/temporal-ecommerce/commit/6566a062897f939a4fd12d8f24390ce9fa8ef663">6566a062897f939a4fd12d8f24390ce9fa8ef663</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> The package hosted-git-info before 3.0.8 are vulnerable to Regular Expression Denial of Service (ReDoS) via regular expression shortcutMatch in the fromUrl function in index.js. The affected regular expression exhibits polynomial worst-case time complexity. <p>Publish Date: 2021-03-23 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-23362>CVE-2021-23362</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>5.3</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: None - Integrity Impact: None - Availability Impact: Low </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-43f8-2h32-f4cj">https://github.com/advisories/GHSA-43f8-2h32-f4cj</a></p> <p>Release Date: 2021-03-23</p> <p>Fix Resolution (hosted-git-info): 2.8.9</p> <p>Direct dependency fix Resolution (@vue/cli-plugin-babel): 4.5.14</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details> *** <p>:rescue_worker_helmet: Automatic Remediation is available for this issue.</p> <!-- <REMEDIATE>[{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"@vue/cli-plugin-babel","packageVersion":"4.5.13","packageFilePaths":["/frontend/package.json"],"isTransitiveDependency":false,"dependencyTree":"@vue/cli-plugin-babel:4.5.13","isMinimumFixVersionAvailable":true,"minimumFixVersion":"4.5.14","isBinary":false}],"baseBranches":["main"],"vulnerabilityIdentifier":"CVE-2021-3918","vulnerabilityDetails":"json-schema is vulnerable to Improperly Controlled Modification of Object Prototype Attributes (\u0027Prototype Pollution\u0027)","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3918","cvss3Severity":"high","cvss3Score":"9.8","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"High"},"extraData":{}},{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"@vue/cli-plugin-babel","packageVersion":"4.5.13","packageFilePaths":["/frontend/package.json"],"isTransitiveDependency":false,"dependencyTree":"@vue/cli-plugin-babel:4.5.13","isMinimumFixVersionAvailable":true,"minimumFixVersion":"4.5.14","isBinary":false}],"baseBranches":["main"],"vulnerabilityIdentifier":"CVE-2021-23362","vulnerabilityDetails":"The package hosted-git-info before 3.0.8 are vulnerable to Regular Expression Denial of Service (ReDoS) via regular expression shortcutMatch in the fromUrl function in index.js. The affected regular expression exhibits polynomial worst-case time complexity.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-23362","cvss3Severity":"medium","cvss3Score":"5.3","cvss3Metrics":{"A":"Low","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"None","AV":"Network","I":"None"},"extraData":{}}]</REMEDIATE> -->
non_priority
cli plugin babel tgz vulnerabilities highest severity is vulnerable library cli plugin babel tgz path to dependency file frontend package json path to vulnerable library frontend node modules hosted git info package json found in head commit a href vulnerabilities cve severity cvss dependency type fixed in remediation available high json schema tgz transitive medium hosted git info tgz transitive details cve vulnerable library json schema tgz json schema validation and specifications library home page a href path to dependency file frontend package json path to vulnerable library frontend node modules json schema package json dependency hierarchy cli plugin babel tgz root library cli shared utils tgz request tgz http signature tgz jsprim tgz x json schema tgz vulnerable library found in head commit a href found in base branch main vulnerability details json schema is vulnerable to improperly controlled modification of object prototype attributes prototype pollution 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 json schema direct dependency fix resolution vue cli plugin babel rescue worker helmet automatic remediation is available for this issue cve vulnerable library hosted git info tgz provides metadata and conversions from repository urls for github bitbucket and gitlab library home page a href path to dependency file frontend package json path to vulnerable library frontend node modules hosted git info package json dependency hierarchy cli plugin babel tgz root library cli shared utils tgz read pkg tgz normalize package data tgz x hosted git info tgz vulnerable library found in head commit a href found in base branch main vulnerability details the package hosted git info before are vulnerable to regular expression denial of service redos via regular expression shortcutmatch in the fromurl function in index js the affected regular expression exhibits polynomial worst case time complexity publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact low for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution hosted git info direct dependency fix resolution vue cli plugin babel rescue worker helmet automatic remediation is available for this issue rescue worker helmet automatic remediation is available for this issue istransitivedependency false dependencytree vue cli plugin babel isminimumfixversionavailable true minimumfixversion isbinary false basebranches vulnerabilityidentifier cve vulnerabilitydetails json schema is vulnerable to improperly controlled modification of object prototype attributes pollution vulnerabilityurl istransitivedependency false dependencytree vue cli plugin babel isminimumfixversionavailable true minimumfixversion isbinary false basebranches vulnerabilityidentifier cve vulnerabilitydetails the package hosted git info before are vulnerable to regular expression denial of service redos via regular expression shortcutmatch in the fromurl function in index js the affected regular expression exhibits polynomial worst case time complexity vulnerabilityurl
0
11,734
5,078,728,817
IssuesEvent
2016-12-28 16:34:18
opendatakit/opendatakit
https://api.github.com/repos/opendatakit/opendatakit
closed
save form as should switch you to the saved as form
Build Priority-Medium Type-Defect
*Migrated to opendatakit/build#63 by [spacetelescope/github-issues-import](https://github.com/spacetelescope/github-issues-import)* Originally reported on Google Code with ID 278 ``` when you save as, it saves a copy of the form, but keeps you in your current form. you can confirm this when you go to file, open form. this goes against what most regular apps do -- they switch you to the saved as form. honestly, i dunno why we have save as, when you can rename the form. ``` Reported by `yanokwa` on 2011-07-27 20:06:26
1.0
save form as should switch you to the saved as form - *Migrated to opendatakit/build#63 by [spacetelescope/github-issues-import](https://github.com/spacetelescope/github-issues-import)* Originally reported on Google Code with ID 278 ``` when you save as, it saves a copy of the form, but keeps you in your current form. you can confirm this when you go to file, open form. this goes against what most regular apps do -- they switch you to the saved as form. honestly, i dunno why we have save as, when you can rename the form. ``` Reported by `yanokwa` on 2011-07-27 20:06:26
non_priority
save form as should switch you to the saved as form migrated to opendatakit build by originally reported on google code with id when you save as it saves a copy of the form but keeps you in your current form you can confirm this when you go to file open form this goes against what most regular apps do they switch you to the saved as form honestly i dunno why we have save as when you can rename the form reported by yanokwa on
0
21,072
16,532,025,436
IssuesEvent
2021-05-27 07:25:50
ClickHouse/ClickHouse
https://api.github.com/repos/ClickHouse/ClickHouse
opened
macos compile failed : Undefined symbols for architecture x86_64: re2_st::RE2::Arg::parse_stringpiece
usability
(you don't have to strictly follow this form) **Describe the issue** macos compile failed : Undefined symbols for architecture x86_64: re2_st::RE2::Arg::parse_stringpiece ENV: ``` commit id : a7e95b4ee2284fac1b6c1f466f89e0c1569f5d72 merge date: Date: Thu May 27 08:05:55 2021 +0300 clang version 11.0.0 Target: x86_64-apple-darwin19.6.0 Thread model: posix InstalledDir: /usr/local/opt/llvm/bin ``` **How to reproduce** * just build in macos **Expected behavior** successfully build **Error message and/or stacktrace** ``` [ 91%] Built target loggers [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/abs.cpp.o [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitAnd.cpp.o [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitBoolMaskAnd.cpp.o [ 91%] Linking CXX executable convert-month-partitioned-parts Undefined symbols for architecture x86_64: "re2_st::RE2::Arg::parse_stringpiece(char const*, unsigned long, void*)", referenced from: re2_st::RE2::Arg::Arg(re2_st::StringPiece*) in libclickhouse_common_iod.a(OptimizedRegularExpression.cpp.o) ld: symbol(s) not found for architecture x86_64 clang-11: error: linker command failed with exit code 1 (use -v to see invocation) make[2]: *** [utils/keeper-data-dumper/keeper-data-dumper] Error 1 make[1]: *** [utils/keeper-data-dumper/CMakeFiles/keeper-data-dumper.dir/all] Error 2 [ 91%] Building CXX object src/Storages/System/CMakeFiles/clickhouse_storages_system.dir/StorageSystemColumns.cpp.o Undefined symbols for architecture x86_64: "re2_st::RE2::Arg::parse_stringpiece(char const*, unsigned long, void*)", referenced from: re2_st::RE2::Arg::Arg(re2_st::StringPiece*) in libclickhouse_common_iod.a(OptimizedRegularExpression.cpp.o) ld: symbol(s) not found for architecture x86_64 clang-11: error: linker command failed with exit code 1 (use -v to see invocation) make[2]: *** [utils/zookeeper-adjust-block-numbers-to-parts/zookeeper-adjust-block-numbers-to-parts] Error 1 make[1]: *** [utils/zookeeper-adjust-block-numbers-to-parts/CMakeFiles/zookeeper-adjust-block-numbers-to-parts.dir/all] Error 2 [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitBoolMaskOr.cpp.o [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitNot.cpp.o Undefined symbols for architecture x86_64: "re2_st::RE2::Arg::parse_stringpiece(char const*, unsigned long, void*)", referenced from: re2_st::RE2::Arg::Arg(re2_st::StringPiece*) in libclickhouse_common_iod.a(OptimizedRegularExpression.cpp.o) ld: symbol(s) not found for architecture x86_64 clang-11: error: linker command failed with exit code 1 (use -v to see invocation) make[2]: *** [utils/wal-dump/wal-dump] Error 1 make[1]: *** [utils/wal-dump/CMakeFiles/wal-dump.dir/all] Error 2 [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitOr.cpp.o [ 91%] Building CXX object src/Storages/System/CMakeFiles/clickhouse_storages_system.dir/StorageSystemContributors.cpp.o [ 91%] Building CXX object src/Storages/System/CMakeFiles/clickhouse_storages_system.dir/StorageSystemCurrentRoles.cpp.o Undefined symbols for architecture x86_64: "re2_st::RE2::Arg::parse_stringpiece(char const*, unsigned long, void*)", referenced from: re2_st::RE2::Arg::Arg(re2_st::StringPiece*) in libclickhouse_common_iod.a(OptimizedRegularExpression.cpp.o) [ 93%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitRotateLeft.cpp.o ld: symbol(s) not found for architecture x86_64 clang-11: error: linker command failed with exit code 1 (use -v to see invocation) make[2]: *** [utils/convert-month-partitioned-parts/convert-month-partitioned-parts] Error 1 make[1]: *** [utils/convert-month-partitioned-parts/CMakeFiles/convert-month-partitioned-parts.dir/all] Error 2 [ 93%] Building CXX object src/Storages/System/CMakeFiles/clickhouse_storages_system.dir/StorageSystemDDLWorkerQueue.cpp.o ``` **Additional context** Add any other context about the problem here.
True
macos compile failed : Undefined symbols for architecture x86_64: re2_st::RE2::Arg::parse_stringpiece - (you don't have to strictly follow this form) **Describe the issue** macos compile failed : Undefined symbols for architecture x86_64: re2_st::RE2::Arg::parse_stringpiece ENV: ``` commit id : a7e95b4ee2284fac1b6c1f466f89e0c1569f5d72 merge date: Date: Thu May 27 08:05:55 2021 +0300 clang version 11.0.0 Target: x86_64-apple-darwin19.6.0 Thread model: posix InstalledDir: /usr/local/opt/llvm/bin ``` **How to reproduce** * just build in macos **Expected behavior** successfully build **Error message and/or stacktrace** ``` [ 91%] Built target loggers [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/abs.cpp.o [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitAnd.cpp.o [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitBoolMaskAnd.cpp.o [ 91%] Linking CXX executable convert-month-partitioned-parts Undefined symbols for architecture x86_64: "re2_st::RE2::Arg::parse_stringpiece(char const*, unsigned long, void*)", referenced from: re2_st::RE2::Arg::Arg(re2_st::StringPiece*) in libclickhouse_common_iod.a(OptimizedRegularExpression.cpp.o) ld: symbol(s) not found for architecture x86_64 clang-11: error: linker command failed with exit code 1 (use -v to see invocation) make[2]: *** [utils/keeper-data-dumper/keeper-data-dumper] Error 1 make[1]: *** [utils/keeper-data-dumper/CMakeFiles/keeper-data-dumper.dir/all] Error 2 [ 91%] Building CXX object src/Storages/System/CMakeFiles/clickhouse_storages_system.dir/StorageSystemColumns.cpp.o Undefined symbols for architecture x86_64: "re2_st::RE2::Arg::parse_stringpiece(char const*, unsigned long, void*)", referenced from: re2_st::RE2::Arg::Arg(re2_st::StringPiece*) in libclickhouse_common_iod.a(OptimizedRegularExpression.cpp.o) ld: symbol(s) not found for architecture x86_64 clang-11: error: linker command failed with exit code 1 (use -v to see invocation) make[2]: *** [utils/zookeeper-adjust-block-numbers-to-parts/zookeeper-adjust-block-numbers-to-parts] Error 1 make[1]: *** [utils/zookeeper-adjust-block-numbers-to-parts/CMakeFiles/zookeeper-adjust-block-numbers-to-parts.dir/all] Error 2 [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitBoolMaskOr.cpp.o [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitNot.cpp.o Undefined symbols for architecture x86_64: "re2_st::RE2::Arg::parse_stringpiece(char const*, unsigned long, void*)", referenced from: re2_st::RE2::Arg::Arg(re2_st::StringPiece*) in libclickhouse_common_iod.a(OptimizedRegularExpression.cpp.o) ld: symbol(s) not found for architecture x86_64 clang-11: error: linker command failed with exit code 1 (use -v to see invocation) make[2]: *** [utils/wal-dump/wal-dump] Error 1 make[1]: *** [utils/wal-dump/CMakeFiles/wal-dump.dir/all] Error 2 [ 91%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitOr.cpp.o [ 91%] Building CXX object src/Storages/System/CMakeFiles/clickhouse_storages_system.dir/StorageSystemContributors.cpp.o [ 91%] Building CXX object src/Storages/System/CMakeFiles/clickhouse_storages_system.dir/StorageSystemCurrentRoles.cpp.o Undefined symbols for architecture x86_64: "re2_st::RE2::Arg::parse_stringpiece(char const*, unsigned long, void*)", referenced from: re2_st::RE2::Arg::Arg(re2_st::StringPiece*) in libclickhouse_common_iod.a(OptimizedRegularExpression.cpp.o) [ 93%] Building CXX object src/Functions/CMakeFiles/clickhouse_functions.dir/bitRotateLeft.cpp.o ld: symbol(s) not found for architecture x86_64 clang-11: error: linker command failed with exit code 1 (use -v to see invocation) make[2]: *** [utils/convert-month-partitioned-parts/convert-month-partitioned-parts] Error 1 make[1]: *** [utils/convert-month-partitioned-parts/CMakeFiles/convert-month-partitioned-parts.dir/all] Error 2 [ 93%] Building CXX object src/Storages/System/CMakeFiles/clickhouse_storages_system.dir/StorageSystemDDLWorkerQueue.cpp.o ``` **Additional context** Add any other context about the problem here.
non_priority
macos compile failed undefined symbols for architecture st arg parse stringpiece you don t have to strictly follow this form describe the issue macos compile failed undefined symbols for architecture st arg parse stringpiece env commit id merge date date thu may clang version target apple thread model posix installeddir usr local opt llvm bin how to reproduce just build in macos expected behavior successfully build error message and or stacktrace built target loggers building cxx object src functions cmakefiles clickhouse functions dir abs cpp o building cxx object src functions cmakefiles clickhouse functions dir bitand cpp o building cxx object src functions cmakefiles clickhouse functions dir bitboolmaskand cpp o linking cxx executable convert month partitioned parts undefined symbols for architecture st arg parse stringpiece char const unsigned long void referenced from st arg arg st stringpiece in libclickhouse common iod a optimizedregularexpression cpp o ld symbol s not found for architecture clang error linker command failed with exit code use v to see invocation make error make error building cxx object src storages system cmakefiles clickhouse storages system dir storagesystemcolumns cpp o undefined symbols for architecture st arg parse stringpiece char const unsigned long void referenced from st arg arg st stringpiece in libclickhouse common iod a optimizedregularexpression cpp o ld symbol s not found for architecture clang error linker command failed with exit code use v to see invocation make error make error building cxx object src functions cmakefiles clickhouse functions dir bitboolmaskor cpp o building cxx object src functions cmakefiles clickhouse functions dir bitnot cpp o undefined symbols for architecture st arg parse stringpiece char const unsigned long void referenced from st arg arg st stringpiece in libclickhouse common iod a optimizedregularexpression cpp o ld symbol s not found for architecture clang error linker command failed with exit code use v to see invocation make error make error building cxx object src functions cmakefiles clickhouse functions dir bitor cpp o building cxx object src storages system cmakefiles clickhouse storages system dir storagesystemcontributors cpp o building cxx object src storages system cmakefiles clickhouse storages system dir storagesystemcurrentroles cpp o undefined symbols for architecture st arg parse stringpiece char const unsigned long void referenced from st arg arg st stringpiece in libclickhouse common iod a optimizedregularexpression cpp o building cxx object src functions cmakefiles clickhouse functions dir bitrotateleft cpp o ld symbol s not found for architecture clang error linker command failed with exit code use v to see invocation make error make error building cxx object src storages system cmakefiles clickhouse storages system dir storagesystemddlworkerqueue cpp o additional context add any other context about the problem here
0
530,783
15,436,603,940
IssuesEvent
2021-03-07 13:41:20
ChiselsAndBits/Chisels-and-Bits
https://api.github.com/repos/ChiselsAndBits/Chisels-and-Bits
closed
Positive Chisel Design object dissapears after single use
Bug Priority: Medium Rendering Requires Research
* MC Version: 1.16,4 * C&B Version: 0.2.9 * Do You have Optifine: no After getting Positive Chisel Design - Written (on chiseled vanilla block), and setting it to Placement, after placing the block, Positive Chisel Design disappears from my inventory. Impose, Additive and Replace work as expected.
1.0
Positive Chisel Design object dissapears after single use - * MC Version: 1.16,4 * C&B Version: 0.2.9 * Do You have Optifine: no After getting Positive Chisel Design - Written (on chiseled vanilla block), and setting it to Placement, after placing the block, Positive Chisel Design disappears from my inventory. Impose, Additive and Replace work as expected.
priority
positive chisel design object dissapears after single use mc version c b version do you have optifine no after getting positive chisel design written on chiseled vanilla block and setting it to placement after placing the block positive chisel design disappears from my inventory impose additive and replace work as expected
1
76,919
26,668,982,343
IssuesEvent
2023-01-26 08:30:11
PowerDNS/pdns
https://api.github.com/repos/PowerDNS/pdns
closed
structured-logging-backend=systemd-journal - Some entries erroneously contain multiple "message" fields
rec defect backport to rec-4.8.x?
- Program: PowerDNS Recursor <!-- delete the ones that do not apply --> - Issue type: Bug report ### Short description After enabling structured-logging, some messages contain multiple "message" fields ### Environment - Operating system: archlinux - Software version: 4.8.0 - Software source: repository ### Steps to reproduce 1. Start powerdns-recursor with structured-logging-backend=systemd-journal 2. pdns will check if an upgrade is needed 3. (with an outdated version) it will log "Upgrade now, see ...." to the journal 4. the above message is (already) truncated, use `journalctl --output json-pretty` will reveal there are 2 MESSAGE fields: ``` { "STATUS" : "3", "QUERY" : "recursor-4.8.0.security-status.secpoll.powerdns.com", "_SYSTEMD_SLICE" : "system.slice", "_SYSTEMD_CGROUP" : "/system.slice/pdns-recursor.service", "SUBSYSTEM" : "housekeeping", "MESSAGE" : [ "PowerDNS Security Update Mandatory", "Upgrade now, see https://doc.powerdns.com/recursor/security-advisories/powerdns-advisory-2023-01.html" ], "_COMM" : "pdns_recursor", ``` ### Expected behaviour Please use newlines instead of multiple MESSAGE fields ### Actual behaviour An array of MESSAGE fields is logged, which most tooling doesn't support, leading to truncated info ### Other information https://github.com/systemd/systemd/issues/26175
1.0
structured-logging-backend=systemd-journal - Some entries erroneously contain multiple "message" fields - - Program: PowerDNS Recursor <!-- delete the ones that do not apply --> - Issue type: Bug report ### Short description After enabling structured-logging, some messages contain multiple "message" fields ### Environment - Operating system: archlinux - Software version: 4.8.0 - Software source: repository ### Steps to reproduce 1. Start powerdns-recursor with structured-logging-backend=systemd-journal 2. pdns will check if an upgrade is needed 3. (with an outdated version) it will log "Upgrade now, see ...." to the journal 4. the above message is (already) truncated, use `journalctl --output json-pretty` will reveal there are 2 MESSAGE fields: ``` { "STATUS" : "3", "QUERY" : "recursor-4.8.0.security-status.secpoll.powerdns.com", "_SYSTEMD_SLICE" : "system.slice", "_SYSTEMD_CGROUP" : "/system.slice/pdns-recursor.service", "SUBSYSTEM" : "housekeeping", "MESSAGE" : [ "PowerDNS Security Update Mandatory", "Upgrade now, see https://doc.powerdns.com/recursor/security-advisories/powerdns-advisory-2023-01.html" ], "_COMM" : "pdns_recursor", ``` ### Expected behaviour Please use newlines instead of multiple MESSAGE fields ### Actual behaviour An array of MESSAGE fields is logged, which most tooling doesn't support, leading to truncated info ### Other information https://github.com/systemd/systemd/issues/26175
non_priority
structured logging backend systemd journal some entries erroneously contain multiple message fields program powerdns recursor issue type bug report short description after enabling structured logging some messages contain multiple message fields environment operating system archlinux software version software source repository steps to reproduce start powerdns recursor with structured logging backend systemd journal pdns will check if an upgrade is needed with an outdated version it will log upgrade now see to the journal the above message is already truncated use journalctl output json pretty will reveal there are message fields status query recursor security status secpoll powerdns com systemd slice system slice systemd cgroup system slice pdns recursor service subsystem housekeeping message powerdns security update mandatory upgrade now see comm pdns recursor expected behaviour please use newlines instead of multiple message fields actual behaviour an array of message fields is logged which most tooling doesn t support leading to truncated info other information
0
5,342
7,870,101,209
IssuesEvent
2018-06-24 21:40:16
HTBox/MobileKidsIdApp
https://api.github.com/repos/HTBox/MobileKidsIdApp
closed
Create About HTBox Screen
P2 requirement
**STORY:** As a Kids ID App user, I want to read information about Humanitarian Toolbox, so I can learn about the organization. **ASSUMPTIONS** User is logged into the app. User has navigated to the About HTBox screen. **ACCEPTANCE CRITERIA** 1. The screen will contain the copy text in the attached document [TBD]. 2. The navigation flow will follow the attached diagram. **REFERENCES** [About HTBox for Kids ID App copy.docx](https://github.com/HTBox/MobileKidsIdApp/files/138866/About.HTBox.for.Kids.ID.App.copy.docx) [Kids ID App screen flow v5.pdf](https://github.com/HTBox/MobileKidsIdApp/files/139742/Kids.ID.App.screen.flow.v5.pdf)
1.0
Create About HTBox Screen - **STORY:** As a Kids ID App user, I want to read information about Humanitarian Toolbox, so I can learn about the organization. **ASSUMPTIONS** User is logged into the app. User has navigated to the About HTBox screen. **ACCEPTANCE CRITERIA** 1. The screen will contain the copy text in the attached document [TBD]. 2. The navigation flow will follow the attached diagram. **REFERENCES** [About HTBox for Kids ID App copy.docx](https://github.com/HTBox/MobileKidsIdApp/files/138866/About.HTBox.for.Kids.ID.App.copy.docx) [Kids ID App screen flow v5.pdf](https://github.com/HTBox/MobileKidsIdApp/files/139742/Kids.ID.App.screen.flow.v5.pdf)
non_priority
create about htbox screen story as a kids id app user i want to read information about humanitarian toolbox so i can learn about the organization assumptions user is logged into the app user has navigated to the about htbox screen acceptance criteria the screen will contain the copy text in the attached document the navigation flow will follow the attached diagram references
0
147,454
23,218,959,716
IssuesEvent
2022-08-02 16:18:37
zuri-training/Qr_gen-Team_54-Repo
https://api.github.com/repos/zuri-training/Qr_gen-Team_54-Repo
closed
Signup and login page
Designer Done
designing wireframe, low fidelity and high fidelity of the sign up page and login page. desktop view and mobile view
1.0
Signup and login page - designing wireframe, low fidelity and high fidelity of the sign up page and login page. desktop view and mobile view
non_priority
signup and login page designing wireframe low fidelity and high fidelity of the sign up page and login page desktop view and mobile view
0
157,285
13,683,613,681
IssuesEvent
2020-09-30 02:23:31
seanpm2001/SWave_Starter
https://api.github.com/repos/seanpm2001/SWave_Starter
opened
[Windows Vista audio] Audio needs to be converted
Windows Vista audio documentation enhancement
*** ### [Windows Vista audio] Audio needs to be converted The audio for the Windows Vista library needs to be converted into: OGG/OGA M4A MP3 MP2 MID FLAC ALAC AIFF Note that issue #14 needs to be fixed first. ***
1.0
[Windows Vista audio] Audio needs to be converted - *** ### [Windows Vista audio] Audio needs to be converted The audio for the Windows Vista library needs to be converted into: OGG/OGA M4A MP3 MP2 MID FLAC ALAC AIFF Note that issue #14 needs to be fixed first. ***
non_priority
audio needs to be converted audio needs to be converted the audio for the windows vista library needs to be converted into ogg oga mid flac alac aiff note that issue needs to be fixed first
0
710,785
24,433,894,758
IssuesEvent
2022-10-06 10:03:05
hashicorp/terraform-cdk
https://api.github.com/repos/hashicorp/terraform-cdk
closed
Generating template for GCP provider with TypeScript consistently leads to V8 module hitting OOM error
bug priority/important-soon ux/cli performance
<!--- Please keep this note for the community ---> ### Community Note - Please vote on this issue by adding a 👍 [reaction](https://blog.github.com/2016-03-10-add-reactions-to-pull-requests-issues-and-comments/) to the original issue to help the community and maintainers prioritize this request - Please do not leave "+1" or other comments that do not add relevant new information or questions, they generate extra noise for issue followers and do not help prioritize the request - If you are interested in working on this issue or have submitted a pull request, please leave a comment <!--- Thank you for keeping this note for the community ---> ### cdktf & Language Versions * `cdktf` version: `0.11.2` * `@cdktf/provider-aws`: `8.0.10` * `@cdktf/provider-google`: `0.9.26` * `typescript`: `4.4.2` ``` %cat cdktf.json { "language": "typescript", "app": "npx ts-node bin/main.ts", "projectId": "<removed>", "terraformProviders": [], "terraformModules": [], "context": { "excludeStackIdFromLogicalIds": "true", "allowSepCharsInLogicalIds": "true" } } ``` ### Affected Resource(s) ### Debug Output https://gist.github.com/tylerburdsall/3b2ffd87ec07e4b5ba43e508ee161601 ### Expected Behavior `cdktf` should have been able to synthesize project without OOM error ### Actual Behavior The process fails with an OOM error for the Node V8 engine ### Steps to Reproduce 1. Create a project that uses GCP as a provider 2. Build project on an AWS CodeBuild machine (Linux, 15 GB memory, 8 vCPUs) 3. Run `cdktf synth` without adding any additional Node environment variables to increase heap size ### Important Factoids It looks like this is a known issue that has happened with other providers: https://github.com/hashicorp/terraform-cdk/issues/1264 I can also see that there is a warning in the library itself: https://github.com/hashicorp/terraform-cdk/blob/main/packages/%40cdktf/provider-generator/lib/get/constructs-maker.ts#L320 Is there a reason the `NODE_OPTIONS` flag isn't set across providers (perhaps [here for reference](https://github.com/hashicorp/terraform-cdk/blob/7c823088281f66ec6a70e7297324d8e825ffed29/packages/%40cdktf/provider-generator/lib/get/constructs-maker.ts#L252))? ### References
1.0
Generating template for GCP provider with TypeScript consistently leads to V8 module hitting OOM error - <!--- Please keep this note for the community ---> ### Community Note - Please vote on this issue by adding a 👍 [reaction](https://blog.github.com/2016-03-10-add-reactions-to-pull-requests-issues-and-comments/) to the original issue to help the community and maintainers prioritize this request - Please do not leave "+1" or other comments that do not add relevant new information or questions, they generate extra noise for issue followers and do not help prioritize the request - If you are interested in working on this issue or have submitted a pull request, please leave a comment <!--- Thank you for keeping this note for the community ---> ### cdktf & Language Versions * `cdktf` version: `0.11.2` * `@cdktf/provider-aws`: `8.0.10` * `@cdktf/provider-google`: `0.9.26` * `typescript`: `4.4.2` ``` %cat cdktf.json { "language": "typescript", "app": "npx ts-node bin/main.ts", "projectId": "<removed>", "terraformProviders": [], "terraformModules": [], "context": { "excludeStackIdFromLogicalIds": "true", "allowSepCharsInLogicalIds": "true" } } ``` ### Affected Resource(s) ### Debug Output https://gist.github.com/tylerburdsall/3b2ffd87ec07e4b5ba43e508ee161601 ### Expected Behavior `cdktf` should have been able to synthesize project without OOM error ### Actual Behavior The process fails with an OOM error for the Node V8 engine ### Steps to Reproduce 1. Create a project that uses GCP as a provider 2. Build project on an AWS CodeBuild machine (Linux, 15 GB memory, 8 vCPUs) 3. Run `cdktf synth` without adding any additional Node environment variables to increase heap size ### Important Factoids It looks like this is a known issue that has happened with other providers: https://github.com/hashicorp/terraform-cdk/issues/1264 I can also see that there is a warning in the library itself: https://github.com/hashicorp/terraform-cdk/blob/main/packages/%40cdktf/provider-generator/lib/get/constructs-maker.ts#L320 Is there a reason the `NODE_OPTIONS` flag isn't set across providers (perhaps [here for reference](https://github.com/hashicorp/terraform-cdk/blob/7c823088281f66ec6a70e7297324d8e825ffed29/packages/%40cdktf/provider-generator/lib/get/constructs-maker.ts#L252))? ### References
priority
generating template for gcp provider with typescript consistently leads to module hitting oom error community note please vote on this issue by adding a 👍 to the original issue to help the community and maintainers prioritize this request please do not leave or other comments that do not add relevant new information or questions they generate extra noise for issue followers and do not help prioritize the request if you are interested in working on this issue or have submitted a pull request please leave a comment cdktf language versions cdktf version cdktf provider aws cdktf provider google typescript cat cdktf json language typescript app npx ts node bin main ts projectid terraformproviders terraformmodules context excludestackidfromlogicalids true allowsepcharsinlogicalids true affected resource s debug output expected behavior cdktf should have been able to synthesize project without oom error actual behavior the process fails with an oom error for the node engine steps to reproduce create a project that uses gcp as a provider build project on an aws codebuild machine linux gb memory vcpus run cdktf synth without adding any additional node environment variables to increase heap size important factoids it looks like this is a known issue that has happened with other providers i can also see that there is a warning in the library itself is there a reason the node options flag isn t set across providers perhaps references
1
154,348
5,918,086,718
IssuesEvent
2017-05-22 14:40:03
ProgrammingLife2017/Desoxyribonucleinezuur
https://api.github.com/repos/ProgrammingLife2017/Desoxyribonucleinezuur
closed
Resizing "create bookmark" window vertically
bug priority: D time:1
When making it bigger: OK button goes over the description field When making it smaller: OK button goes outside window (without scroll bar) I have not tried resizing horizontally, but I expect to not be pretty either Suggested fix: resizing is impossible.
1.0
Resizing "create bookmark" window vertically - When making it bigger: OK button goes over the description field When making it smaller: OK button goes outside window (without scroll bar) I have not tried resizing horizontally, but I expect to not be pretty either Suggested fix: resizing is impossible.
priority
resizing create bookmark window vertically when making it bigger ok button goes over the description field when making it smaller ok button goes outside window without scroll bar i have not tried resizing horizontally but i expect to not be pretty either suggested fix resizing is impossible
1
7,972
3,642,076,704
IssuesEvent
2016-02-14 02:49:37
Jeremmm/multizab
https://api.github.com/repos/Jeremmm/multizab
closed
Fix "Identical code" issue in multizab/api/controllers.py
code_climate
Identical code found in 4 other locations (mass = 35) https://codeclimate.com/github/Jeremmm/multizab/multizab/api/controllers.py#issue_56bfc29b0464a30001058066
1.0
Fix "Identical code" issue in multizab/api/controllers.py - Identical code found in 4 other locations (mass = 35) https://codeclimate.com/github/Jeremmm/multizab/multizab/api/controllers.py#issue_56bfc29b0464a30001058066
non_priority
fix identical code issue in multizab api controllers py identical code found in other locations mass
0
359,037
10,653,303,719
IssuesEvent
2019-10-17 14:12:09
stats4sd/stats4sd-site
https://api.github.com/repos/stats4sd/stats4sd-site
opened
Can't add a new collection
Priority: Medium Type:Bug🐛
Not sure what's changed since the other day. Getting the following error: <img width="1195" alt="Screenshot 2019-10-17 at 15 10 27" src="https://user-images.githubusercontent.com/37402972/67016644-6e02b800-f0f0-11e9-825d-e67da2752cf4.png">
1.0
Can't add a new collection - Not sure what's changed since the other day. Getting the following error: <img width="1195" alt="Screenshot 2019-10-17 at 15 10 27" src="https://user-images.githubusercontent.com/37402972/67016644-6e02b800-f0f0-11e9-825d-e67da2752cf4.png">
priority
can t add a new collection not sure what s changed since the other day getting the following error img width alt screenshot at src
1
112,110
4,507,011,338
IssuesEvent
2016-09-02 07:29:54
PowerlineApp/powerline-mobile
https://api.github.com/repos/PowerlineApp/powerline-mobile
closed
turn TODOs into issues
enhancement P3 - Low Priority
when working on #187 I left in code several TODOs which should be turned into lower level priority issues.
1.0
turn TODOs into issues - when working on #187 I left in code several TODOs which should be turned into lower level priority issues.
priority
turn todos into issues when working on i left in code several todos which should be turned into lower level priority issues
1
7,728
9,965,784,435
IssuesEvent
2019-07-08 09:33:57
jenkinsci/configuration-as-code-plugin
https://api.github.com/repos/jenkinsci/configuration-as-code-plugin
opened
Plugins versions with casc
plugin-compatibility
### Description : I installed some plugins on my Jenkins server configured as code. I want to specify the required version of these plugins in jenkins.yaml file. And I get this error. I'm I using the write way to declare them ? ### Environment : ``` Jenkins version 2.176.1 Plugin version: 1.21 OS : VM Windows Server 2019 Standard - 64 bit ``` ### jenkins.yaml : ``` --- plugins: required: greenballs: 1.15 rebuild: 1.31 powershell: 1.3 jenkins: agentProtocols: - "JNLP4-connect" - "Ping" authorizationStrategy: globalMatrix: permissions: ... crumbIssuer: standard: excludeClientIPFromCrumb: false disableRememberMe: true globalNodeProperties: - envVars: env: - key: "CurrentDate" value: "2019-07-03" labelString: master markupFormatter: "rawHtml" mode: NORMAL myViewsTabBar: "standard" numExecutors: 10 primaryView: all: name: "all" projectNamingStrategy: "standard" # à annuler quietPeriod: 5 remotingSecurity: enabled: true scmCheckoutRetryCount: 0 securityRealm: activeDirectory: groupLookupStrategy: AUTO startTls: true slaveAgentPort: "random" systemMessage: "Jenkins server configured by Jenkins Configuration as Code plugin\n" updateCenter: sites: - id: "default" url: "https://updates.jenkins.io/update-center.json" views: - all: name: "all" viewsTabBar: "standard" security: apiToken: creationOfLegacyTokenEnabled: false tokenGenerationOnCreationEnabled: false usageStatisticsEnabled: true downloadSettings: useBrowser: false sSHD: port: -1 unclassified: buildStepOperation: enabled: false gitHubPluginConfig: hookUrl: "http://new-server:8080/github-webhook/" gitSCM: createAccountBasedOnEmail: false location: adminAddress: "admin <admin@mail.fr>" url: "http://new-server:8080/" mailer: adminAddress: "admin <admin@mail.fr>" charset: "UTF-8" defaultSuffix: "@example.com" smtpHost: "smtp.server" useSsl: false pollSCM: pollingThreadCount: 10 remoteBuildConfiguration: remoteSites: - address: "http://new-server/" auth2: TokenAuth: apiToken: "password" userName: "user" displayName: "new-server" hasBuildTokenRootSupport: true timestamperConfig: allPipelines: false elapsedTimeFormat: "'<b>'HH:mm:ss.S'</b> '" systemTimeFormat: "'<b>'HH:mm:ss'</b> '" tool: ant: defaultProperties: - installSource: installers: - "antFromApache" git: installations: - home: "git.exe" name: "Default" gradle: defaultProperties: - installSource: installers: - "gradleInstaller" jdk: defaultProperties: - installSource: installers: - jdkInstaller: acceptLicense: false # Credentials used by Jenkins and by jenkins projects credentials: system: domainCredentials: - credentials: - usernamePassword: scope: global id: 'user' username: 'user' password: "password" #Load from Environment Variable description: "global user" ... ``` ### Logs : ``` No configurator for root element <plugins> io.jenkins.plugins.casc.ConfiguratorException: No configurator for root element <plugins> at io.jenkins.plugins.casc.ConfigurationAsCode.invokeWith(ConfigurationAsCode.java:648) at io.jenkins.plugins.casc.ConfigurationAsCode.checkWith(ConfigurationAsCode.java:672) at io.jenkins.plugins.casc.ConfigurationAsCode.checkWith(ConfigurationAsCode.java:567) at io.jenkins.plugins.casc.ConfigurationAsCode.collectIssues(ConfigurationAsCode.java:231) at io.jenkins.plugins.casc.ConfigurationAsCode.doCheckNewSource(ConfigurationAsCode.java:213) at java.lang.invoke.MethodHandle.invokeWithArguments(Unknown Source) at org.kohsuke.stapler.Function$MethodFunction.invoke(Function.java:396) at org.kohsuke.stapler.Function$InstanceFunction.invoke(Function.java:408) at org.kohsuke.stapler.Function.bindAndInvoke(Function.java:212) at org.kohsuke.stapler.SelectionInterceptedFunction$Adapter.invoke(SelectionInterceptedFunction.java:36) at org.kohsuke.stapler.verb.HttpVerbInterceptor.invoke(HttpVerbInterceptor.java:48) at org.kohsuke.stapler.SelectionInterceptedFunction.bindAndInvoke(SelectionInterceptedFunction.java:26) at org.kohsuke.stapler.Function.bindAndInvokeAndServeResponse(Function.java:145) at org.kohsuke.stapler.MetaClass$11.doDispatch(MetaClass.java:535) at org.kohsuke.stapler.NameBasedDispatcher.dispatch(NameBasedDispatcher.java:58) at org.kohsuke.stapler.Stapler.tryInvoke(Stapler.java:747) at org.kohsuke.stapler.Stapler.invoke(Stapler.java:878) at org.kohsuke.stapler.MetaClass$9.dispatch(MetaClass.java:456) at org.kohsuke.stapler.Stapler.tryInvoke(Stapler.java:747) at org.kohsuke.stapler.Stapler.invoke(Stapler.java:878) at org.kohsuke.stapler.Stapler.invoke(Stapler.java:676) at org.kohsuke.stapler.Stapler.service(Stapler.java:238) at javax.servlet.http.HttpServlet.service(HttpServlet.java:790) at org.eclipse.jetty.servlet.ServletHolder.handle(ServletHolder.java:873) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1623) at hudson.util.PluginServletFilter$1.doFilter(PluginServletFilter.java:154) at hudson.plugins.greenballs.GreenBallFilter.doFilter(GreenBallFilter.java:59) at hudson.util.PluginServletFilter$1.doFilter(PluginServletFilter.java:151) at jenkins.telemetry.impl.UserLanguages$AcceptLanguageFilter.doFilter(UserLanguages.java:128) at hudson.util.PluginServletFilter$1.doFilter(PluginServletFilter.java:151) at hudson.util.PluginServletFilter.doFilter(PluginServletFilter.java:157) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at hudson.security.csrf.CrumbFilter.doFilter(CrumbFilter.java:99) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:84) at hudson.security.UnwrapSecurityExceptionFilter.doFilter(UnwrapSecurityExceptionFilter.java:51) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at jenkins.security.ExceptionTranslationFilter.doFilter(ExceptionTranslationFilter.java:117) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at org.acegisecurity.providers.anonymous.AnonymousProcessingFilter.doFilter(AnonymousProcessingFilter.java:125) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at org.acegisecurity.ui.rememberme.RememberMeProcessingFilter.doFilter(RememberMeProcessingFilter.java:142) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at org.acegisecurity.ui.AbstractProcessingFilter.doFilter(AbstractProcessingFilter.java:271) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at jenkins.security.BasicHeaderProcessor.doFilter(BasicHeaderProcessor.java:93) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at org.acegisecurity.context.HttpSessionContextIntegrationFilter.doFilter(HttpSessionContextIntegrationFilter.java:249) at hudson.security.HttpSessionContextIntegrationFilter2.doFilter(HttpSessionContextIntegrationFilter2.java:67) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at hudson.security.ChainedServletFilter.doFilter(ChainedServletFilter.java:90) at hudson.security.HudsonFilter.doFilter(HudsonFilter.java:171) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at org.kohsuke.stapler.compression.CompressionFilter.doFilter(CompressionFilter.java:49) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at hudson.util.CharacterEncodingFilter.doFilter(CharacterEncodingFilter.java:82) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at org.kohsuke.stapler.DiagnosticThreadNameFilter.doFilter(DiagnosticThreadNameFilter.java:30) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at org.eclipse.jetty.servlet.ServletHandler.doHandle(ServletHandler.java:540) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:146) at org.eclipse.jetty.security.SecurityHandler.handle(SecurityHandler.java:524) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:132) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:257) at org.eclipse.jetty.server.session.SessionHandler.doHandle(SessionHandler.java:1701) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:255) at org.eclipse.jetty.server.handler.ContextHandler.doHandle(ContextHandler.java:1345) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:203) at org.eclipse.jetty.servlet.ServletHandler.doScope(ServletHandler.java:480) at org.eclipse.jetty.server.session.SessionHandler.doScope(SessionHandler.java:1668) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:201) at org.eclipse.jetty.server.handler.ContextHandler.doScope(ContextHandler.java:1247) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:144) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:132) at org.eclipse.jetty.server.Server.handle(Server.java:502) at org.eclipse.jetty.server.HttpChannel.handle(HttpChannel.java:370) at org.eclipse.jetty.server.HttpConnection.onFillable(HttpConnection.java:267) at org.eclipse.jetty.io.AbstractConnection$ReadCallback.succeeded(AbstractConnection.java:305) at org.eclipse.jetty.io.FillInterest.fillable(FillInterest.java:103) at org.eclipse.jetty.io.ChannelEndPoint$2.run(ChannelEndPoint.java:117) at org.eclipse.jetty.util.thread.QueuedThreadPool.runJob(QueuedThreadPool.java:765) at org.eclipse.jetty.util.thread.QueuedThreadPool$2.run(QueuedThreadPool.java:683) at java.lang.Thread.run(Unknown Source) ```
True
Plugins versions with casc - ### Description : I installed some plugins on my Jenkins server configured as code. I want to specify the required version of these plugins in jenkins.yaml file. And I get this error. I'm I using the write way to declare them ? ### Environment : ``` Jenkins version 2.176.1 Plugin version: 1.21 OS : VM Windows Server 2019 Standard - 64 bit ``` ### jenkins.yaml : ``` --- plugins: required: greenballs: 1.15 rebuild: 1.31 powershell: 1.3 jenkins: agentProtocols: - "JNLP4-connect" - "Ping" authorizationStrategy: globalMatrix: permissions: ... crumbIssuer: standard: excludeClientIPFromCrumb: false disableRememberMe: true globalNodeProperties: - envVars: env: - key: "CurrentDate" value: "2019-07-03" labelString: master markupFormatter: "rawHtml" mode: NORMAL myViewsTabBar: "standard" numExecutors: 10 primaryView: all: name: "all" projectNamingStrategy: "standard" # à annuler quietPeriod: 5 remotingSecurity: enabled: true scmCheckoutRetryCount: 0 securityRealm: activeDirectory: groupLookupStrategy: AUTO startTls: true slaveAgentPort: "random" systemMessage: "Jenkins server configured by Jenkins Configuration as Code plugin\n" updateCenter: sites: - id: "default" url: "https://updates.jenkins.io/update-center.json" views: - all: name: "all" viewsTabBar: "standard" security: apiToken: creationOfLegacyTokenEnabled: false tokenGenerationOnCreationEnabled: false usageStatisticsEnabled: true downloadSettings: useBrowser: false sSHD: port: -1 unclassified: buildStepOperation: enabled: false gitHubPluginConfig: hookUrl: "http://new-server:8080/github-webhook/" gitSCM: createAccountBasedOnEmail: false location: adminAddress: "admin <admin@mail.fr>" url: "http://new-server:8080/" mailer: adminAddress: "admin <admin@mail.fr>" charset: "UTF-8" defaultSuffix: "@example.com" smtpHost: "smtp.server" useSsl: false pollSCM: pollingThreadCount: 10 remoteBuildConfiguration: remoteSites: - address: "http://new-server/" auth2: TokenAuth: apiToken: "password" userName: "user" displayName: "new-server" hasBuildTokenRootSupport: true timestamperConfig: allPipelines: false elapsedTimeFormat: "'<b>'HH:mm:ss.S'</b> '" systemTimeFormat: "'<b>'HH:mm:ss'</b> '" tool: ant: defaultProperties: - installSource: installers: - "antFromApache" git: installations: - home: "git.exe" name: "Default" gradle: defaultProperties: - installSource: installers: - "gradleInstaller" jdk: defaultProperties: - installSource: installers: - jdkInstaller: acceptLicense: false # Credentials used by Jenkins and by jenkins projects credentials: system: domainCredentials: - credentials: - usernamePassword: scope: global id: 'user' username: 'user' password: "password" #Load from Environment Variable description: "global user" ... ``` ### Logs : ``` No configurator for root element <plugins> io.jenkins.plugins.casc.ConfiguratorException: No configurator for root element <plugins> at io.jenkins.plugins.casc.ConfigurationAsCode.invokeWith(ConfigurationAsCode.java:648) at io.jenkins.plugins.casc.ConfigurationAsCode.checkWith(ConfigurationAsCode.java:672) at io.jenkins.plugins.casc.ConfigurationAsCode.checkWith(ConfigurationAsCode.java:567) at io.jenkins.plugins.casc.ConfigurationAsCode.collectIssues(ConfigurationAsCode.java:231) at io.jenkins.plugins.casc.ConfigurationAsCode.doCheckNewSource(ConfigurationAsCode.java:213) at java.lang.invoke.MethodHandle.invokeWithArguments(Unknown Source) at org.kohsuke.stapler.Function$MethodFunction.invoke(Function.java:396) at org.kohsuke.stapler.Function$InstanceFunction.invoke(Function.java:408) at org.kohsuke.stapler.Function.bindAndInvoke(Function.java:212) at org.kohsuke.stapler.SelectionInterceptedFunction$Adapter.invoke(SelectionInterceptedFunction.java:36) at org.kohsuke.stapler.verb.HttpVerbInterceptor.invoke(HttpVerbInterceptor.java:48) at org.kohsuke.stapler.SelectionInterceptedFunction.bindAndInvoke(SelectionInterceptedFunction.java:26) at org.kohsuke.stapler.Function.bindAndInvokeAndServeResponse(Function.java:145) at org.kohsuke.stapler.MetaClass$11.doDispatch(MetaClass.java:535) at org.kohsuke.stapler.NameBasedDispatcher.dispatch(NameBasedDispatcher.java:58) at org.kohsuke.stapler.Stapler.tryInvoke(Stapler.java:747) at org.kohsuke.stapler.Stapler.invoke(Stapler.java:878) at org.kohsuke.stapler.MetaClass$9.dispatch(MetaClass.java:456) at org.kohsuke.stapler.Stapler.tryInvoke(Stapler.java:747) at org.kohsuke.stapler.Stapler.invoke(Stapler.java:878) at org.kohsuke.stapler.Stapler.invoke(Stapler.java:676) at org.kohsuke.stapler.Stapler.service(Stapler.java:238) at javax.servlet.http.HttpServlet.service(HttpServlet.java:790) at org.eclipse.jetty.servlet.ServletHolder.handle(ServletHolder.java:873) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1623) at hudson.util.PluginServletFilter$1.doFilter(PluginServletFilter.java:154) at hudson.plugins.greenballs.GreenBallFilter.doFilter(GreenBallFilter.java:59) at hudson.util.PluginServletFilter$1.doFilter(PluginServletFilter.java:151) at jenkins.telemetry.impl.UserLanguages$AcceptLanguageFilter.doFilter(UserLanguages.java:128) at hudson.util.PluginServletFilter$1.doFilter(PluginServletFilter.java:151) at hudson.util.PluginServletFilter.doFilter(PluginServletFilter.java:157) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at hudson.security.csrf.CrumbFilter.doFilter(CrumbFilter.java:99) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:84) at hudson.security.UnwrapSecurityExceptionFilter.doFilter(UnwrapSecurityExceptionFilter.java:51) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at jenkins.security.ExceptionTranslationFilter.doFilter(ExceptionTranslationFilter.java:117) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at org.acegisecurity.providers.anonymous.AnonymousProcessingFilter.doFilter(AnonymousProcessingFilter.java:125) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at org.acegisecurity.ui.rememberme.RememberMeProcessingFilter.doFilter(RememberMeProcessingFilter.java:142) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at org.acegisecurity.ui.AbstractProcessingFilter.doFilter(AbstractProcessingFilter.java:271) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at jenkins.security.BasicHeaderProcessor.doFilter(BasicHeaderProcessor.java:93) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at org.acegisecurity.context.HttpSessionContextIntegrationFilter.doFilter(HttpSessionContextIntegrationFilter.java:249) at hudson.security.HttpSessionContextIntegrationFilter2.doFilter(HttpSessionContextIntegrationFilter2.java:67) at hudson.security.ChainedServletFilter$1.doFilter(ChainedServletFilter.java:87) at hudson.security.ChainedServletFilter.doFilter(ChainedServletFilter.java:90) at hudson.security.HudsonFilter.doFilter(HudsonFilter.java:171) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at org.kohsuke.stapler.compression.CompressionFilter.doFilter(CompressionFilter.java:49) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at hudson.util.CharacterEncodingFilter.doFilter(CharacterEncodingFilter.java:82) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at org.kohsuke.stapler.DiagnosticThreadNameFilter.doFilter(DiagnosticThreadNameFilter.java:30) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1610) at org.eclipse.jetty.servlet.ServletHandler.doHandle(ServletHandler.java:540) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:146) at org.eclipse.jetty.security.SecurityHandler.handle(SecurityHandler.java:524) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:132) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:257) at org.eclipse.jetty.server.session.SessionHandler.doHandle(SessionHandler.java:1701) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:255) at org.eclipse.jetty.server.handler.ContextHandler.doHandle(ContextHandler.java:1345) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:203) at org.eclipse.jetty.servlet.ServletHandler.doScope(ServletHandler.java:480) at org.eclipse.jetty.server.session.SessionHandler.doScope(SessionHandler.java:1668) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:201) at org.eclipse.jetty.server.handler.ContextHandler.doScope(ContextHandler.java:1247) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:144) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:132) at org.eclipse.jetty.server.Server.handle(Server.java:502) at org.eclipse.jetty.server.HttpChannel.handle(HttpChannel.java:370) at org.eclipse.jetty.server.HttpConnection.onFillable(HttpConnection.java:267) at org.eclipse.jetty.io.AbstractConnection$ReadCallback.succeeded(AbstractConnection.java:305) at org.eclipse.jetty.io.FillInterest.fillable(FillInterest.java:103) at org.eclipse.jetty.io.ChannelEndPoint$2.run(ChannelEndPoint.java:117) at org.eclipse.jetty.util.thread.QueuedThreadPool.runJob(QueuedThreadPool.java:765) at org.eclipse.jetty.util.thread.QueuedThreadPool$2.run(QueuedThreadPool.java:683) at java.lang.Thread.run(Unknown Source) ```
non_priority
plugins versions with casc description i installed some plugins on my jenkins server configured as code i want to specify the required version of these plugins in jenkins yaml file and i get this error i m i using the write way to declare them environment jenkins version plugin version os vm windows server standard bit jenkins yaml plugins required greenballs rebuild powershell jenkins agentprotocols connect ping authorizationstrategy globalmatrix permissions crumbissuer standard excludeclientipfromcrumb false disablerememberme true globalnodeproperties envvars env key currentdate value labelstring master markupformatter rawhtml mode normal myviewstabbar standard numexecutors primaryview all name all projectnamingstrategy standard à annuler quietperiod remotingsecurity enabled true scmcheckoutretrycount securityrealm activedirectory grouplookupstrategy auto starttls true slaveagentport random systemmessage jenkins server configured by jenkins configuration as code plugin n updatecenter sites id default url views all name all viewstabbar standard security apitoken creationoflegacytokenenabled false tokengenerationoncreationenabled false usagestatisticsenabled true downloadsettings usebrowser false sshd port unclassified buildstepoperation enabled false githubpluginconfig hookurl gitscm createaccountbasedonemail false location adminaddress admin url mailer adminaddress admin charset utf defaultsuffix example com smtphost smtp server usessl false pollscm pollingthreadcount remotebuildconfiguration remotesites address tokenauth apitoken password username user displayname new server hasbuildtokenrootsupport true timestamperconfig allpipelines false elapsedtimeformat hh mm ss s systemtimeformat hh mm ss tool ant defaultproperties installsource installers antfromapache git installations home git exe name default gradle defaultproperties installsource installers gradleinstaller jdk defaultproperties installsource installers jdkinstaller acceptlicense false credentials used by jenkins and by jenkins projects credentials system domaincredentials credentials usernamepassword scope global id user username user password password load from environment variable description global user logs no configurator for root element io jenkins plugins casc configuratorexception no configurator for root element at io jenkins plugins casc configurationascode invokewith configurationascode java at io jenkins plugins casc configurationascode checkwith configurationascode java at io jenkins plugins casc configurationascode checkwith configurationascode java at io jenkins plugins casc configurationascode collectissues configurationascode java at io jenkins plugins casc configurationascode dochecknewsource configurationascode java at java lang invoke methodhandle invokewitharguments unknown source at org kohsuke stapler function methodfunction invoke function java at org kohsuke stapler function instancefunction invoke function java at org kohsuke stapler function bindandinvoke function java at org kohsuke stapler selectioninterceptedfunction adapter invoke selectioninterceptedfunction java at org kohsuke stapler verb httpverbinterceptor invoke httpverbinterceptor java at org kohsuke stapler selectioninterceptedfunction bindandinvoke selectioninterceptedfunction java at org kohsuke stapler function bindandinvokeandserveresponse function java at org kohsuke stapler metaclass dodispatch metaclass java at org kohsuke stapler namebaseddispatcher dispatch namebaseddispatcher java at org kohsuke stapler stapler tryinvoke stapler java at org kohsuke stapler stapler invoke stapler java at org kohsuke stapler metaclass dispatch metaclass java at org kohsuke stapler stapler tryinvoke stapler java at org kohsuke stapler stapler invoke stapler java at org kohsuke stapler stapler invoke stapler java at org kohsuke stapler stapler service stapler java at javax servlet http httpservlet service httpservlet java at org eclipse jetty servlet servletholder handle servletholder java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at hudson util pluginservletfilter dofilter pluginservletfilter java at hudson plugins greenballs greenballfilter dofilter greenballfilter java at hudson util pluginservletfilter dofilter pluginservletfilter java at jenkins telemetry impl userlanguages acceptlanguagefilter dofilter userlanguages java at hudson util pluginservletfilter dofilter pluginservletfilter java at hudson util pluginservletfilter dofilter pluginservletfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at hudson security csrf crumbfilter dofilter crumbfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at hudson security chainedservletfilter dofilter chainedservletfilter java at hudson security unwrapsecurityexceptionfilter dofilter unwrapsecurityexceptionfilter java at hudson security chainedservletfilter dofilter chainedservletfilter java at jenkins security exceptiontranslationfilter dofilter exceptiontranslationfilter java at hudson security chainedservletfilter dofilter chainedservletfilter java at org acegisecurity providers anonymous anonymousprocessingfilter dofilter anonymousprocessingfilter java at hudson security chainedservletfilter dofilter chainedservletfilter java at org acegisecurity ui rememberme remembermeprocessingfilter dofilter remembermeprocessingfilter java at hudson security chainedservletfilter dofilter chainedservletfilter java at org acegisecurity ui abstractprocessingfilter dofilter abstractprocessingfilter java at hudson security chainedservletfilter dofilter chainedservletfilter java at jenkins security basicheaderprocessor dofilter basicheaderprocessor java at hudson security chainedservletfilter dofilter chainedservletfilter java at org acegisecurity context httpsessioncontextintegrationfilter dofilter httpsessioncontextintegrationfilter java at hudson security dofilter java at hudson security chainedservletfilter dofilter chainedservletfilter java at hudson security chainedservletfilter dofilter chainedservletfilter java at hudson security hudsonfilter dofilter hudsonfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at org kohsuke stapler compression compressionfilter dofilter compressionfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at hudson util characterencodingfilter dofilter characterencodingfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at org kohsuke stapler diagnosticthreadnamefilter dofilter diagnosticthreadnamefilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at org eclipse jetty servlet servlethandler dohandle servlethandler java at org eclipse jetty server handler scopedhandler handle scopedhandler java at org eclipse jetty security securityhandler handle securityhandler java at org eclipse jetty server handler handlerwrapper handle handlerwrapper java at org eclipse jetty server handler scopedhandler nexthandle scopedhandler java at org eclipse jetty server session sessionhandler dohandle sessionhandler java at org eclipse jetty server handler scopedhandler nexthandle scopedhandler java at org eclipse jetty server handler contexthandler dohandle contexthandler java at org eclipse jetty server handler scopedhandler nextscope scopedhandler java at org eclipse jetty servlet servlethandler doscope servlethandler java at org eclipse jetty server session sessionhandler doscope sessionhandler java at org eclipse jetty server handler scopedhandler nextscope scopedhandler java at org eclipse jetty server handler contexthandler doscope contexthandler java at org eclipse jetty server handler scopedhandler handle scopedhandler java at org eclipse jetty server handler handlerwrapper handle handlerwrapper java at org eclipse jetty server server handle server java at org eclipse jetty server httpchannel handle httpchannel java at org eclipse jetty server httpconnection onfillable httpconnection java at org eclipse jetty io abstractconnection readcallback succeeded abstractconnection java at org eclipse jetty io fillinterest fillable fillinterest java at org eclipse jetty io channelendpoint run channelendpoint java at org eclipse jetty util thread queuedthreadpool runjob queuedthreadpool java at org eclipse jetty util thread queuedthreadpool run queuedthreadpool java at java lang thread run unknown source
0
40,105
12,749,232,365
IssuesEvent
2020-06-26 22:09:01
cncf/toc
https://api.github.com/repos/cncf/toc
closed
Proposal - Cloud Custodian
incubation new project sig-security
We would like to propose the Cloud Custodian project (https://github.com/cloud-custodian/cloud-custodian) for donation as an incubating project in the CNCF. The Cloud Custodian project was presented during the CNCF sig-security, December 11, 2019. https://www.youtube.com/watch?v=gHV1pHX2S7k We're still working through due diligence with cncf sig security for their threat model assessment. background issue - https://github.com/cncf/sig-security/issues/307
True
Proposal - Cloud Custodian - We would like to propose the Cloud Custodian project (https://github.com/cloud-custodian/cloud-custodian) for donation as an incubating project in the CNCF. The Cloud Custodian project was presented during the CNCF sig-security, December 11, 2019. https://www.youtube.com/watch?v=gHV1pHX2S7k We're still working through due diligence with cncf sig security for their threat model assessment. background issue - https://github.com/cncf/sig-security/issues/307
non_priority
proposal cloud custodian we would like to propose the cloud custodian project for donation as an incubating project in the cncf the cloud custodian project was presented during the cncf sig security december we re still working through due diligence with cncf sig security for their threat model assessment background issue
0
235,747
25,962,054,656
IssuesEvent
2022-12-19 01:01:33
jeffgran/granguerra
https://api.github.com/repos/jeffgran/granguerra
opened
uglifier-2.7.0.gem: 1 vulnerabilities (highest severity is: 7.5)
security vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>uglifier-2.7.0.gem</b></p></summary> <p></p> <p>Path to dependency file: /Gemfile.lock</p> <p>Path to vulnerable library: /home/wss-scanner/.gem/ruby/2.7.0/cache/json-1.8.2.gem</p> <p> <p>Found in HEAD commit: <a href="https://github.com/jeffgran/granguerra/commit/69b1396cbc478e4798268536112ce2c1054adf84">69b1396cbc478e4798268536112ce2c1054adf84</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (uglifier version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2020-10663](https://www.mend.io/vulnerability-database/CVE-2020-10663) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 7.5 | json-1.8.2.gem | Transitive | N/A* | &#10060; | <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-2020-10663</summary> ### Vulnerable Library - <b>json-1.8.2.gem</b></p> <p>This is a JSON implementation as a Ruby extension in C.</p> <p>Library home page: <a href="https://rubygems.org/gems/json-1.8.2.gem">https://rubygems.org/gems/json-1.8.2.gem</a></p> <p>Path to dependency file: /Gemfile.lock</p> <p>Path to vulnerable library: /home/wss-scanner/.gem/ruby/2.7.0/cache/json-1.8.2.gem</p> <p> Dependency Hierarchy: - uglifier-2.7.0.gem (Root Library) - :x: **json-1.8.2.gem** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/jeffgran/granguerra/commit/69b1396cbc478e4798268536112ce2c1054adf84">69b1396cbc478e4798268536112ce2c1054adf84</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Vulnerability Details <p> The JSON gem through 2.2.0 for Ruby, as used in Ruby 2.4 through 2.4.9, 2.5 through 2.5.7, and 2.6 through 2.6.5, has an Unsafe Object Creation Vulnerability. This is quite similar to CVE-2013-0269, but does not rely on poor garbage-collection behavior within Ruby. Specifically, use of JSON parsing methods can lead to creation of a malicious object within the interpreter, with adverse effects that are application-dependent. <p>Publish Date: 2020-04-28 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2020-10663>CVE-2020-10663</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>7.5</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: None - Integrity Impact: High - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://www.ruby-lang.org/en/news/2020/03/19/json-dos-cve-2020-10663/">https://www.ruby-lang.org/en/news/2020/03/19/json-dos-cve-2020-10663/</a></p> <p>Release Date: 2020-04-28</p> <p>Fix Resolution: 2.3.0</p> </p> <p></p> Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) </details>
True
uglifier-2.7.0.gem: 1 vulnerabilities (highest severity is: 7.5) - <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>uglifier-2.7.0.gem</b></p></summary> <p></p> <p>Path to dependency file: /Gemfile.lock</p> <p>Path to vulnerable library: /home/wss-scanner/.gem/ruby/2.7.0/cache/json-1.8.2.gem</p> <p> <p>Found in HEAD commit: <a href="https://github.com/jeffgran/granguerra/commit/69b1396cbc478e4798268536112ce2c1054adf84">69b1396cbc478e4798268536112ce2c1054adf84</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (uglifier version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2020-10663](https://www.mend.io/vulnerability-database/CVE-2020-10663) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 7.5 | json-1.8.2.gem | Transitive | N/A* | &#10060; | <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-2020-10663</summary> ### Vulnerable Library - <b>json-1.8.2.gem</b></p> <p>This is a JSON implementation as a Ruby extension in C.</p> <p>Library home page: <a href="https://rubygems.org/gems/json-1.8.2.gem">https://rubygems.org/gems/json-1.8.2.gem</a></p> <p>Path to dependency file: /Gemfile.lock</p> <p>Path to vulnerable library: /home/wss-scanner/.gem/ruby/2.7.0/cache/json-1.8.2.gem</p> <p> Dependency Hierarchy: - uglifier-2.7.0.gem (Root Library) - :x: **json-1.8.2.gem** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/jeffgran/granguerra/commit/69b1396cbc478e4798268536112ce2c1054adf84">69b1396cbc478e4798268536112ce2c1054adf84</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Vulnerability Details <p> The JSON gem through 2.2.0 for Ruby, as used in Ruby 2.4 through 2.4.9, 2.5 through 2.5.7, and 2.6 through 2.6.5, has an Unsafe Object Creation Vulnerability. This is quite similar to CVE-2013-0269, but does not rely on poor garbage-collection behavior within Ruby. Specifically, use of JSON parsing methods can lead to creation of a malicious object within the interpreter, with adverse effects that are application-dependent. <p>Publish Date: 2020-04-28 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2020-10663>CVE-2020-10663</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>7.5</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: None - Integrity Impact: High - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://www.ruby-lang.org/en/news/2020/03/19/json-dos-cve-2020-10663/">https://www.ruby-lang.org/en/news/2020/03/19/json-dos-cve-2020-10663/</a></p> <p>Release Date: 2020-04-28</p> <p>Fix Resolution: 2.3.0</p> </p> <p></p> Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) </details>
non_priority
uglifier gem vulnerabilities highest severity is vulnerable library uglifier gem path to dependency file gemfile lock path to vulnerable library home wss scanner gem ruby cache json gem found in head commit a href vulnerabilities cve severity cvss dependency type fixed in uglifier version remediation available high json gem 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 json gem this is a json implementation as a ruby extension in c library home page a href path to dependency file gemfile lock path to vulnerable library home wss scanner gem ruby cache json gem dependency hierarchy uglifier gem root library x json gem vulnerable library found in head commit a href found in base branch master vulnerability details the json gem through for ruby as used in ruby through through and through has an unsafe object creation vulnerability this is quite similar to cve but does not rely on poor garbage collection behavior within ruby specifically use of json parsing methods can lead to creation of a malicious object within the interpreter with adverse effects that are application dependent 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 high availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with mend
0
211,157
7,198,748,867
IssuesEvent
2018-02-05 13:55:59
TauCetiStation/TauCetiClassic
https://api.github.com/repos/TauCetiStation/TauCetiClassic
closed
Телепорт спавненной куклы при начале раунда
Bug Priority: Low
<!-- 1. ОТВЕТЫ ОСТАВЛЯТЬ ПОД СООТВЕТСТВУЮЩИЕ ЗАГОЛОВКИ (они в самом низу, после всех правил) 2. В ОДНОМ РЕПОРТЕ ДОЛЖНО БЫТЬ ОПИСАНИЕ ТОЛЬКО ОДНОЙ ПРОБЛЕМЫ 3. КОРРЕКТНОЕ НАЗВАНИЕ РЕПОРТА НЕ МЕНЕЕ ВАЖНО ЧЕМ ОПИСАНИЕ -. Ниже описание каждого пункта. 1. Весь данный текст что уже написан до вас - НЕ УДАЛЯТЬ И НЕ РЕДАКТИРОВАТЬ. Если нечего написать в тот или иной пункт - просто оставить пустым. 2. Не надо описывать пачку багов в одном репорте, (!даже если там все описать можно парой слов!) шанс что их исправят за раз, крайне мал. А вот использовать на гите удобную функцию - автозакрытия репорта при мерже пулл реквеста - исправляющего данный репорт, будет невозможно. 3. Корректное и в меру подробное название репорта - тоже очень важно! Чтобы даже не заходя в сам репорт - было понятно что за проблема. Плохой пример: "Ковер." - что мы должны понять из такого названия? Хороший пример: "Некорректное отображение спрайтов ковра." - а вот так уже будет понятно о чем репорт. Это надо как минимум для того, чтобы вам же самим - было видно, что репорта_нейм еще нет или наоборот, уже есть, и это можно было понять не углубляясь в - чтение каждого репорта внутри. Когда название не имеет конкретики, из - которого нельзя понять о чем репорт, это также затрудняет функцию поиска. --> #### Подробное описание проблемы Если до начала раунда заспавнить хумана через Debug > Spawn, и вселиться в него, то при начале раунда персонажа телепортирует на станцию в ассистентскую, и заносит в крю манифест. Под именем unknown, da. #### Что должно было произойти ничего #### Что произошло на самом деле то что в первом пункте #### Как повторить сделать то, что описано в первом пункте #### Дополнительная информация:
1.0
Телепорт спавненной куклы при начале раунда - <!-- 1. ОТВЕТЫ ОСТАВЛЯТЬ ПОД СООТВЕТСТВУЮЩИЕ ЗАГОЛОВКИ (они в самом низу, после всех правил) 2. В ОДНОМ РЕПОРТЕ ДОЛЖНО БЫТЬ ОПИСАНИЕ ТОЛЬКО ОДНОЙ ПРОБЛЕМЫ 3. КОРРЕКТНОЕ НАЗВАНИЕ РЕПОРТА НЕ МЕНЕЕ ВАЖНО ЧЕМ ОПИСАНИЕ -. Ниже описание каждого пункта. 1. Весь данный текст что уже написан до вас - НЕ УДАЛЯТЬ И НЕ РЕДАКТИРОВАТЬ. Если нечего написать в тот или иной пункт - просто оставить пустым. 2. Не надо описывать пачку багов в одном репорте, (!даже если там все описать можно парой слов!) шанс что их исправят за раз, крайне мал. А вот использовать на гите удобную функцию - автозакрытия репорта при мерже пулл реквеста - исправляющего данный репорт, будет невозможно. 3. Корректное и в меру подробное название репорта - тоже очень важно! Чтобы даже не заходя в сам репорт - было понятно что за проблема. Плохой пример: "Ковер." - что мы должны понять из такого названия? Хороший пример: "Некорректное отображение спрайтов ковра." - а вот так уже будет понятно о чем репорт. Это надо как минимум для того, чтобы вам же самим - было видно, что репорта_нейм еще нет или наоборот, уже есть, и это можно было понять не углубляясь в - чтение каждого репорта внутри. Когда название не имеет конкретики, из - которого нельзя понять о чем репорт, это также затрудняет функцию поиска. --> #### Подробное описание проблемы Если до начала раунда заспавнить хумана через Debug > Spawn, и вселиться в него, то при начале раунда персонажа телепортирует на станцию в ассистентскую, и заносит в крю манифест. Под именем unknown, da. #### Что должно было произойти ничего #### Что произошло на самом деле то что в первом пункте #### Как повторить сделать то, что описано в первом пункте #### Дополнительная информация:
priority
телепорт спавненной куклы при начале раунда ответы оставлять под соответствующие заголовки они в самом низу после всех правил в одном репорте должно быть описание только одной проблемы корректное название репорта не менее важно чем описание ниже описание каждого пункта весь данный текст что уже написан до вас не удалять и не редактировать если нечего написать в тот или иной пункт просто оставить пустым не надо описывать пачку багов в одном репорте даже если там все описать можно парой слов шанс что их исправят за раз крайне мал а вот использовать на гите удобную функцию автозакрытия репорта при мерже пулл реквеста исправляющего данный репорт будет невозможно корректное и в меру подробное название репорта тоже очень важно чтобы даже не заходя в сам репорт было понятно что за проблема плохой пример ковер что мы должны понять из такого названия хороший пример некорректное отображение спрайтов ковра а вот так уже будет понятно о чем репорт это надо как минимум для того чтобы вам же самим было видно что репорта нейм еще нет или наоборот уже есть и это можно было понять не углубляясь в чтение каждого репорта внутри когда название не имеет конкретики из которого нельзя понять о чем репорт это также затрудняет функцию поиска подробное описание проблемы если до начала раунда заспавнить хумана через debug spawn и вселиться в него то при начале раунда персонажа телепортирует на станцию в ассистентскую и заносит в крю манифест под именем unknown da что должно было произойти ничего что произошло на самом деле то что в первом пункте как повторить сделать то что описано в первом пункте дополнительная информация
1
115,015
14,674,375,738
IssuesEvent
2020-12-30 15:11:58
department-of-veterans-affairs/va.gov-team
https://api.github.com/repos/department-of-veterans-affairs/va.gov-team
closed
Update CH36 Prototype
CH36 design vsa vsa-ebenefits
## Background Based on Peggy's list of feedback, we need to ensure that the prototype is up to date ## Considerations - [ ] Peggy's ticket: https://github.com/department-of-veterans-affairs/va.gov-team/issues/16690 ## Tasks - [ ] Update content changes per Peggy's ticket (seen above) ## Acceptance Criteria - [x] Content changes have been saved in prototype
1.0
Update CH36 Prototype - ## Background Based on Peggy's list of feedback, we need to ensure that the prototype is up to date ## Considerations - [ ] Peggy's ticket: https://github.com/department-of-veterans-affairs/va.gov-team/issues/16690 ## Tasks - [ ] Update content changes per Peggy's ticket (seen above) ## Acceptance Criteria - [x] Content changes have been saved in prototype
non_priority
update prototype background based on peggy s list of feedback we need to ensure that the prototype is up to date considerations peggy s ticket tasks update content changes per peggy s ticket seen above acceptance criteria content changes have been saved in prototype
0
435,162
12,532,125,343
IssuesEvent
2020-06-04 15:29:23
cds-snc/report-a-cybercrime
https://api.github.com/repos/cds-snc/report-a-cybercrime
closed
Make "Warning / Prototype" banner more distracting
content medium priority
Since every environment for the application is online (DEV, Staging, PROD) I feel that it would be best to make the warning banners more distracting / evident. Something that will make it impossible to mistake for a PROD site, for both users, support staff, and testers.
1.0
Make "Warning / Prototype" banner more distracting - Since every environment for the application is online (DEV, Staging, PROD) I feel that it would be best to make the warning banners more distracting / evident. Something that will make it impossible to mistake for a PROD site, for both users, support staff, and testers.
priority
make warning prototype banner more distracting since every environment for the application is online dev staging prod i feel that it would be best to make the warning banners more distracting evident something that will make it impossible to mistake for a prod site for both users support staff and testers
1
789,394
27,788,644,524
IssuesEvent
2023-03-17 06:49:01
adabay87/github-issues-template
https://api.github.com/repos/adabay87/github-issues-template
opened
socal media tags not used
bug Severity 2 Priority 2
Describe the bug Meta tags for social media are not used on the Webpage To Reproduce Steps to reproduce the behavior: Go to ['https://seositecheckup.com/ '] past in your URL to index View error Expected behavior There should be no errors on the page. Additional context Please feel free to add any other context about the problem here. for additional info https://seositecheckup.com/seo-audit/hanamoges.github.io/github-issues-template/mission.html
1.0
socal media tags not used - Describe the bug Meta tags for social media are not used on the Webpage To Reproduce Steps to reproduce the behavior: Go to ['https://seositecheckup.com/ '] past in your URL to index View error Expected behavior There should be no errors on the page. Additional context Please feel free to add any other context about the problem here. for additional info https://seositecheckup.com/seo-audit/hanamoges.github.io/github-issues-template/mission.html
priority
socal media tags not used describe the bug meta tags for social media are not used on the webpage to reproduce steps to reproduce the behavior go to past in your url to index view error expected behavior there should be no errors on the page additional context please feel free to add any other context about the problem here for additional info
1
186,151
14,394,638,448
IssuesEvent
2020-12-03 01:46:14
github-vet/rangeclosure-findings
https://api.github.com/repos/github-vet/rangeclosure-findings
closed
projectatomic/atomic-enterprise: Godeps/_workspace/src/github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/resource_printer_test.go; 31 LoC
fresh small test
Found a possible issue in [projectatomic/atomic-enterprise](https://www.github.com/projectatomic/atomic-enterprise) at [Godeps/_workspace/src/github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/resource_printer_test.go](https://github.com/projectatomic/atomic-enterprise/blob/fe3f07ee509de38099565693aecc74e555f971ee/Godeps/_workspace/src/github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/resource_printer_test.go#L753-L783) The below snippet of Go code triggered static analysis which searches for goroutines and/or defer statements which capture loop variables. [Click here to see the code in its original context.](https://github.com/projectatomic/atomic-enterprise/blob/fe3f07ee509de38099565693aecc74e555f971ee/Godeps/_workspace/src/github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/resource_printer_test.go#L753-L783) <details> <summary>Click here to show the 31 line(s) of Go which triggered the analyzer.</summary> ```go for _, svc := range tests { buff := bytes.Buffer{} printService(&svc, &buff, false) output := string(buff.Bytes()) ip := svc.Spec.PortalIP if !strings.Contains(output, ip) { t.Errorf("expected to contain portal ip %s, but doesn't: %s", ip, output) } for _, ingress := range svc.Status.LoadBalancer.Ingress { ip = ingress.IP if !strings.Contains(output, ip) { t.Errorf("expected to contain ingress ip %s, but doesn't: %s", ip, output) } } for _, port := range svc.Spec.Ports { portSpec := fmt.Sprintf("%d/%s", port.Port, port.Protocol) if !strings.Contains(output, portSpec) { t.Errorf("expected to contain port: %s, but doesn't: %s", portSpec, output) } } // Max of # ports and (# public ip + portal ip) count := len(svc.Spec.Ports) if len(svc.Status.LoadBalancer.Ingress)+1 > count { count = len(svc.Status.LoadBalancer.Ingress) + 1 } if count != strings.Count(output, "\n") { t.Errorf("expected %d newlines, found %d", count, strings.Count(output, "\n")) } } ``` Below is the message reported by the analyzer for this snippet of code. Beware that the analyzer only reports the first issue it finds, so please do not limit your consideration to the contents of the below message. > function call which takes a reference to svc at line 755 may start a goroutine </details> Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket: See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information. commit ID: fe3f07ee509de38099565693aecc74e555f971ee
1.0
projectatomic/atomic-enterprise: Godeps/_workspace/src/github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/resource_printer_test.go; 31 LoC - Found a possible issue in [projectatomic/atomic-enterprise](https://www.github.com/projectatomic/atomic-enterprise) at [Godeps/_workspace/src/github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/resource_printer_test.go](https://github.com/projectatomic/atomic-enterprise/blob/fe3f07ee509de38099565693aecc74e555f971ee/Godeps/_workspace/src/github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/resource_printer_test.go#L753-L783) The below snippet of Go code triggered static analysis which searches for goroutines and/or defer statements which capture loop variables. [Click here to see the code in its original context.](https://github.com/projectatomic/atomic-enterprise/blob/fe3f07ee509de38099565693aecc74e555f971ee/Godeps/_workspace/src/github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/resource_printer_test.go#L753-L783) <details> <summary>Click here to show the 31 line(s) of Go which triggered the analyzer.</summary> ```go for _, svc := range tests { buff := bytes.Buffer{} printService(&svc, &buff, false) output := string(buff.Bytes()) ip := svc.Spec.PortalIP if !strings.Contains(output, ip) { t.Errorf("expected to contain portal ip %s, but doesn't: %s", ip, output) } for _, ingress := range svc.Status.LoadBalancer.Ingress { ip = ingress.IP if !strings.Contains(output, ip) { t.Errorf("expected to contain ingress ip %s, but doesn't: %s", ip, output) } } for _, port := range svc.Spec.Ports { portSpec := fmt.Sprintf("%d/%s", port.Port, port.Protocol) if !strings.Contains(output, portSpec) { t.Errorf("expected to contain port: %s, but doesn't: %s", portSpec, output) } } // Max of # ports and (# public ip + portal ip) count := len(svc.Spec.Ports) if len(svc.Status.LoadBalancer.Ingress)+1 > count { count = len(svc.Status.LoadBalancer.Ingress) + 1 } if count != strings.Count(output, "\n") { t.Errorf("expected %d newlines, found %d", count, strings.Count(output, "\n")) } } ``` Below is the message reported by the analyzer for this snippet of code. Beware that the analyzer only reports the first issue it finds, so please do not limit your consideration to the contents of the below message. > function call which takes a reference to svc at line 755 may start a goroutine </details> Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket: See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information. commit ID: fe3f07ee509de38099565693aecc74e555f971ee
non_priority
projectatomic atomic enterprise godeps workspace src github com googlecloudplatform kubernetes pkg kubectl resource printer test go loc found a possible issue in at the below snippet of go code triggered static analysis which searches for goroutines and or defer statements which capture loop variables click here to show the line s of go which triggered the analyzer go for svc range tests buff bytes buffer printservice svc buff false output string buff bytes ip svc spec portalip if strings contains output ip t errorf expected to contain portal ip s but doesn t s ip output for ingress range svc status loadbalancer ingress ip ingress ip if strings contains output ip t errorf expected to contain ingress ip s but doesn t s ip output for port range svc spec ports portspec fmt sprintf d s port port port protocol if strings contains output portspec t errorf expected to contain port s but doesn t s portspec output max of ports and public ip portal ip count len svc spec ports if len svc status loadbalancer ingress count count len svc status loadbalancer ingress if count strings count output n t errorf expected d newlines found d count strings count output n below is the message reported by the analyzer for this snippet of code beware that the analyzer only reports the first issue it finds so please do not limit your consideration to the contents of the below message function call which takes a reference to svc at line may start a goroutine leave a reaction on this issue to contribute to the project by classifying this instance as a bug mitigated or desirable behavior rocket see the descriptions of the classifications for more information commit id
0
108,396
16,772,537,079
IssuesEvent
2021-06-14 16:26:11
Automattic/wp-calypso
https://api.github.com/repos/Automattic/wp-calypso
reopened
Me: Security settings unavailable with "unexpected error"
Me Security Triaged User Report [Pri] High [Status] In Progress [Type] Bug
<!-- Thanks for contributing to Calypso! Pick a clear title ("Editor: add spell check") and proceed. --> ### Steps to reproduce the behavior 1. Go to 'https://wordpress.com/me/security' when unproxied 2. See `We're sorry, but an unexpected error has occurred` error #### What I expected to happen To be able to access security settings as I can when proxied #### What actually happened We're sorry, but an unexpected error has occurred error ### Context User reported #### Browser / OS version Chrome, OSX #### Is this specific to the applied theme? Which one? NA #### Does this happen on simple or atomic sites or both? NA #### Is there any console output or error text? ![Screen Shot 2021-06-14 at 11 14 06 AM](https://user-images.githubusercontent.com/1900444/121915961-b3cab600-cd01-11eb-90f9-9c11636e8cab.png) #### Level of impact (Does it block purchases? Does it affect more than just one site?) High, seems to be all users #### Reproducibility (Consistent, Intermittent) Leave empty for consistent. #### Screenshot / Video: If applicable, add screenshots to help explain your problem. ![Screen Shot 2021-06-14 at 11 14 58 AM](https://user-images.githubusercontent.com/1900444/121916020-c3e29580-cd01-11eb-8be9-22df8f182530.png)
True
Me: Security settings unavailable with "unexpected error" - <!-- Thanks for contributing to Calypso! Pick a clear title ("Editor: add spell check") and proceed. --> ### Steps to reproduce the behavior 1. Go to 'https://wordpress.com/me/security' when unproxied 2. See `We're sorry, but an unexpected error has occurred` error #### What I expected to happen To be able to access security settings as I can when proxied #### What actually happened We're sorry, but an unexpected error has occurred error ### Context User reported #### Browser / OS version Chrome, OSX #### Is this specific to the applied theme? Which one? NA #### Does this happen on simple or atomic sites or both? NA #### Is there any console output or error text? ![Screen Shot 2021-06-14 at 11 14 06 AM](https://user-images.githubusercontent.com/1900444/121915961-b3cab600-cd01-11eb-90f9-9c11636e8cab.png) #### Level of impact (Does it block purchases? Does it affect more than just one site?) High, seems to be all users #### Reproducibility (Consistent, Intermittent) Leave empty for consistent. #### Screenshot / Video: If applicable, add screenshots to help explain your problem. ![Screen Shot 2021-06-14 at 11 14 58 AM](https://user-images.githubusercontent.com/1900444/121916020-c3e29580-cd01-11eb-8be9-22df8f182530.png)
non_priority
me security settings unavailable with unexpected error steps to reproduce the behavior go to when unproxied see we re sorry but an unexpected error has occurred error what i expected to happen to be able to access security settings as i can when proxied what actually happened we re sorry but an unexpected error has occurred error context user reported browser os version chrome osx is this specific to the applied theme which one na does this happen on simple or atomic sites or both na is there any console output or error text level of impact does it block purchases does it affect more than just one site high seems to be all users reproducibility consistent intermittent leave empty for consistent screenshot video if applicable add screenshots to help explain your problem
0
256,328
19,407,247,675
IssuesEvent
2021-12-20 03:40:05
dmiska25/Robo-Pantry-App
https://api.github.com/repos/dmiska25/Robo-Pantry-App
opened
Research future designs for usage data, predictions, and automatic shopping lists
documentation
Do the research and create respective tickets.
1.0
Research future designs for usage data, predictions, and automatic shopping lists - Do the research and create respective tickets.
non_priority
research future designs for usage data predictions and automatic shopping lists do the research and create respective tickets
0
385,701
26,650,075,877
IssuesEvent
2023-01-25 13:03:34
kairos-io/kairos
https://api.github.com/repos/kairos-io/kairos
closed
📖 documentation: kcrypt
documentation area/kcrypt
Document how to use kcrypt Depends on: - https://github.com/kairos-io/kairos/issues/399 - https://github.com/kairos-io/kairos/issues/346 but we can start documenting what we have after 399 and add more as we go.
1.0
📖 documentation: kcrypt - Document how to use kcrypt Depends on: - https://github.com/kairos-io/kairos/issues/399 - https://github.com/kairos-io/kairos/issues/346 but we can start documenting what we have after 399 and add more as we go.
non_priority
📖 documentation kcrypt document how to use kcrypt depends on but we can start documenting what we have after and add more as we go
0
197,505
6,960,115,973
IssuesEvent
2017-12-08 01:24:44
chasecaleb/OverwatchVision
https://api.github.com/repos/chasecaleb/OverwatchVision
closed
Create a readme
is:mvp points:1 priority:low type:task
Readme should include: - Intro - GIF/short video demonstrating usage - Developer setup regarding native code
1.0
Create a readme - Readme should include: - Intro - GIF/short video demonstrating usage - Developer setup regarding native code
priority
create a readme readme should include intro gif short video demonstrating usage developer setup regarding native code
1
96,191
19,911,846,998
IssuesEvent
2022-01-25 17:57:48
sourcegraph/sourcegraph
https://api.github.com/repos/sourcegraph/sourcegraph
closed
Spacing issues in sidebar
p2 team/growth-and-integrations vscode-extension
Small discrepancies in spacing of elements in the VSCE sidebar. Please see below screenshot. Increased height is causing the "Seach your private code" section to be hidden for users, depending on their browser height. <img width="288" alt="Screen Shot 2022-01-17 at 3 36 39 PM" src="https://user-images.githubusercontent.com/87138876/149834553-622a5c16-962b-4fe0-96b8-1b9077c0bd92.png">
1.0
Spacing issues in sidebar - Small discrepancies in spacing of elements in the VSCE sidebar. Please see below screenshot. Increased height is causing the "Seach your private code" section to be hidden for users, depending on their browser height. <img width="288" alt="Screen Shot 2022-01-17 at 3 36 39 PM" src="https://user-images.githubusercontent.com/87138876/149834553-622a5c16-962b-4fe0-96b8-1b9077c0bd92.png">
non_priority
spacing issues in sidebar small discrepancies in spacing of elements in the vsce sidebar please see below screenshot increased height is causing the seach your private code section to be hidden for users depending on their browser height img width alt screen shot at pm src
0
121,609
17,661,752,376
IssuesEvent
2021-08-21 16:51:10
ghc-dev/Virginia-Young
https://api.github.com/repos/ghc-dev/Virginia-Young
opened
CVE-2021-3533 (Low) detected in ansible-2.9.9.tar.gz
security vulnerability
## CVE-2021-3533 - Low Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>ansible-2.9.9.tar.gz</b></p></summary> <p>Radically simple IT automation</p> <p>Library home page: <a href="https://files.pythonhosted.org/packages/00/5d/e10b83e0e6056dbd5b4809b451a191395175a57e3175ce04e35d9c5fc2a0/ansible-2.9.9.tar.gz">https://files.pythonhosted.org/packages/00/5d/e10b83e0e6056dbd5b4809b451a191395175a57e3175ce04e35d9c5fc2a0/ansible-2.9.9.tar.gz</a></p> <p>Path to dependency file: Virginia-Young/requirements.txt</p> <p>Path to vulnerable library: /requirements.txt</p> <p> Dependency Hierarchy: - :x: **ansible-2.9.9.tar.gz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/ghc-dev/Virginia-Young/commit/9316910f9b0dd21077c74d0938c06a18fbcfc608">9316910f9b0dd21077c74d0938c06a18fbcfc608</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/low_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Vulnerability in ansible when ANSIBLE_ASYNC_DIR defaults to ~/.ansible_async/ but is settable by the user. It can be set by the ansible user to a subdirectory of a world writable directory, for instance ANSIBLE_ASYNC_DIR=/tmp/username-ansible-async/. When this occurs, there is a race condition on the managed machine. A malicious, low privileged account on the remote machine can pre-create /tmp/username-ansible-async and then use various attacks to access the async result data. <p>Publish Date: 2021-05-04 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3533>CVE-2021-3533</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>2.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: High - Privileges Required: Low - 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> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Python","packageName":"ansible","packageVersion":"2.9.9","packageFilePaths":["/requirements.txt"],"isTransitiveDependency":false,"dependencyTree":"ansible:2.9.9","isMinimumFixVersionAvailable":false}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2021-3533","vulnerabilityDetails":"Vulnerability in ansible when ANSIBLE_ASYNC_DIR defaults to ~/.ansible_async/ but is settable by the user. It can be set by the ansible user to a subdirectory of a world writable directory, for instance ANSIBLE_ASYNC_DIR\u003d/tmp/username-ansible-async/. When this occurs, there is a race condition on the managed machine. A malicious, low privileged account on the remote machine can pre-create /tmp/username-ansible-async and then use various attacks to access the async result data.\n","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3533","cvss3Severity":"low","cvss3Score":"2.5","cvss3Metrics":{"A":"None","AC":"High","PR":"Low","S":"Unchanged","C":"Low","UI":"None","AV":"Local","I":"None"},"extraData":{}}</REMEDIATE> -->
True
CVE-2021-3533 (Low) detected in ansible-2.9.9.tar.gz - ## CVE-2021-3533 - Low Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>ansible-2.9.9.tar.gz</b></p></summary> <p>Radically simple IT automation</p> <p>Library home page: <a href="https://files.pythonhosted.org/packages/00/5d/e10b83e0e6056dbd5b4809b451a191395175a57e3175ce04e35d9c5fc2a0/ansible-2.9.9.tar.gz">https://files.pythonhosted.org/packages/00/5d/e10b83e0e6056dbd5b4809b451a191395175a57e3175ce04e35d9c5fc2a0/ansible-2.9.9.tar.gz</a></p> <p>Path to dependency file: Virginia-Young/requirements.txt</p> <p>Path to vulnerable library: /requirements.txt</p> <p> Dependency Hierarchy: - :x: **ansible-2.9.9.tar.gz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/ghc-dev/Virginia-Young/commit/9316910f9b0dd21077c74d0938c06a18fbcfc608">9316910f9b0dd21077c74d0938c06a18fbcfc608</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/low_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Vulnerability in ansible when ANSIBLE_ASYNC_DIR defaults to ~/.ansible_async/ but is settable by the user. It can be set by the ansible user to a subdirectory of a world writable directory, for instance ANSIBLE_ASYNC_DIR=/tmp/username-ansible-async/. When this occurs, there is a race condition on the managed machine. A malicious, low privileged account on the remote machine can pre-create /tmp/username-ansible-async and then use various attacks to access the async result data. <p>Publish Date: 2021-05-04 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3533>CVE-2021-3533</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>2.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: High - Privileges Required: Low - 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> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Python","packageName":"ansible","packageVersion":"2.9.9","packageFilePaths":["/requirements.txt"],"isTransitiveDependency":false,"dependencyTree":"ansible:2.9.9","isMinimumFixVersionAvailable":false}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2021-3533","vulnerabilityDetails":"Vulnerability in ansible when ANSIBLE_ASYNC_DIR defaults to ~/.ansible_async/ but is settable by the user. It can be set by the ansible user to a subdirectory of a world writable directory, for instance ANSIBLE_ASYNC_DIR\u003d/tmp/username-ansible-async/. When this occurs, there is a race condition on the managed machine. A malicious, low privileged account on the remote machine can pre-create /tmp/username-ansible-async and then use various attacks to access the async result data.\n","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3533","cvss3Severity":"low","cvss3Score":"2.5","cvss3Metrics":{"A":"None","AC":"High","PR":"Low","S":"Unchanged","C":"Low","UI":"None","AV":"Local","I":"None"},"extraData":{}}</REMEDIATE> -->
non_priority
cve low detected in ansible tar gz cve low severity vulnerability vulnerable library ansible tar gz radically simple it automation library home page a href path to dependency file virginia young requirements txt path to vulnerable library requirements txt dependency hierarchy x ansible tar gz vulnerable library found in head commit a href found in base branch master vulnerability details vulnerability in ansible when ansible async dir defaults to ansible async but is settable by the user it can be set by the ansible user to a subdirectory of a world writable directory for instance ansible async dir tmp username ansible async when this occurs there is a race condition on the managed machine a malicious low privileged account on the remote machine can pre create tmp username ansible async and then use various attacks to access the async result data publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity high privileges required low user interaction none scope unchanged impact metrics confidentiality impact low integrity impact none availability impact none for more information on scores click a href isopenpronvulnerability true ispackagebased true isdefaultbranch true packages istransitivedependency false dependencytree ansible isminimumfixversionavailable false basebranches vulnerabilityidentifier cve vulnerabilitydetails vulnerability in ansible when ansible async dir defaults to ansible async but is settable by the user it can be set by the ansible user to a subdirectory of a world writable directory for instance ansible async dir tmp username ansible async when this occurs there is a race condition on the managed machine a malicious low privileged account on the remote machine can pre create tmp username ansible async and then use various attacks to access the async result data n vulnerabilityurl
0
598,601
18,248,595,879
IssuesEvent
2021-10-01 22:38:39
idaholab/raven
https://api.github.com/repos/idaholab/raven
closed
[TASK] Adding GA benchmark tests to analytic_tests.tex
priority_minor task FutureRAVENv2.1
-------- Issue Description -------- **Is your feature request related to a problem? Please describe.** Adding GA tests to analytic_tests.tex **Describe the solution you'd like** Just add the new tests to analytic_tests.tex **Describe alternatives you've considered** N/A ---------------- For Change Control Board: Issue Review ---------------- This review should occur before any development is performed as a response to this issue. - [x] 1. Is it tagged with a type: defect or task? - [x] 2. Is it tagged with a priority: critical, normal or minor? - [x] 3. If it will impact requirements or requirements tests, is it tagged with requirements? - [x] 4. If it is a defect, can it cause wrong results for users? If so an email needs to be sent to the users. - [x] 5. Is a rationale provided? (Such as explaining why the improvement is needed or why current code is wrong.) ------- For Change Control Board: Issue Closure ------- This review should occur when the issue is imminently going to be closed. - [x] 1. If the issue is a defect, is the defect fixed? - [x] 2. If the issue is a defect, is the defect tested for in the regression test system? (If not explain why not.) - [x] 3. If the issue can impact users, has an email to the users group been written (the email should specify if the defect impacts stable or master)? - [x] 4. If the issue is a defect, does it impact the latest release branch? If yes, is there any issue tagged with release (create if needed)? - [x] 5. If the issue is being closed without a pull request, has an explanation of why it is being closed been provided?
1.0
[TASK] Adding GA benchmark tests to analytic_tests.tex - -------- Issue Description -------- **Is your feature request related to a problem? Please describe.** Adding GA tests to analytic_tests.tex **Describe the solution you'd like** Just add the new tests to analytic_tests.tex **Describe alternatives you've considered** N/A ---------------- For Change Control Board: Issue Review ---------------- This review should occur before any development is performed as a response to this issue. - [x] 1. Is it tagged with a type: defect or task? - [x] 2. Is it tagged with a priority: critical, normal or minor? - [x] 3. If it will impact requirements or requirements tests, is it tagged with requirements? - [x] 4. If it is a defect, can it cause wrong results for users? If so an email needs to be sent to the users. - [x] 5. Is a rationale provided? (Such as explaining why the improvement is needed or why current code is wrong.) ------- For Change Control Board: Issue Closure ------- This review should occur when the issue is imminently going to be closed. - [x] 1. If the issue is a defect, is the defect fixed? - [x] 2. If the issue is a defect, is the defect tested for in the regression test system? (If not explain why not.) - [x] 3. If the issue can impact users, has an email to the users group been written (the email should specify if the defect impacts stable or master)? - [x] 4. If the issue is a defect, does it impact the latest release branch? If yes, is there any issue tagged with release (create if needed)? - [x] 5. If the issue is being closed without a pull request, has an explanation of why it is being closed been provided?
priority
adding ga benchmark tests to analytic tests tex issue description is your feature request related to a problem please describe adding ga tests to analytic tests tex describe the solution you d like just add the new tests to analytic tests tex describe alternatives you ve considered n a for change control board issue review this review should occur before any development is performed as a response to this issue is it tagged with a type defect or task is it tagged with a priority critical normal or minor if it will impact requirements or requirements tests is it tagged with requirements if it is a defect can it cause wrong results for users if so an email needs to be sent to the users is a rationale provided such as explaining why the improvement is needed or why current code is wrong for change control board issue closure this review should occur when the issue is imminently going to be closed if the issue is a defect is the defect fixed if the issue is a defect is the defect tested for in the regression test system if not explain why not if the issue can impact users has an email to the users group been written the email should specify if the defect impacts stable or master if the issue is a defect does it impact the latest release branch if yes is there any issue tagged with release create if needed if the issue is being closed without a pull request has an explanation of why it is being closed been provided
1
29,209
2,714,162,875
IssuesEvent
2015-04-10 00:15:53
nickpaventi/culligan-diy
https://api.github.com/repos/nickpaventi/culligan-diy
closed
Home [Mobile]: Padding needed between title and tags
High Priority
The copy is removed between the title and the solution tags (correct) however need padding above the 'perfect solution...' text add ``padding-top: 15px;`` ![gap-is-missing](https://cloud.githubusercontent.com/assets/10550484/7076355/a6246e26-debd-11e4-83ba-ae758b8eb05c.png)
1.0
Home [Mobile]: Padding needed between title and tags - The copy is removed between the title and the solution tags (correct) however need padding above the 'perfect solution...' text add ``padding-top: 15px;`` ![gap-is-missing](https://cloud.githubusercontent.com/assets/10550484/7076355/a6246e26-debd-11e4-83ba-ae758b8eb05c.png)
priority
home padding needed between title and tags the copy is removed between the title and the solution tags correct however need padding above the perfect solution text add padding top
1
635,427
20,387,577,232
IssuesEvent
2022-02-22 08:46:26
Laravel-Backpack/CRUD
https://api.github.com/repos/Laravel-Backpack/CRUD
opened
[v5.x] Send database value when image dont change instead of url - see #3948
triage Priority: SHOULD
PR #3948 got closed automatically when we launched v5 and moved that file to `backpack/pro`. But we should still consider doing that.
1.0
[v5.x] Send database value when image dont change instead of url - see #3948 - PR #3948 got closed automatically when we launched v5 and moved that file to `backpack/pro`. But we should still consider doing that.
priority
send database value when image dont change instead of url see pr got closed automatically when we launched and moved that file to backpack pro but we should still consider doing that
1
397,034
27,146,460,870
IssuesEvent
2023-02-16 20:21:29
salish-sea/acartia
https://api.github.com/repos/salish-sea/acartia
opened
Add tutorial or other UI context?
documentation enhancement
Pending further user research upon beta testing with broader array of stakeholders, I'm putting these questions from the old SEMMI repo here for the record: 1. Should we explain that you can click on a marker to get more info? 2. Should we define what each field in the metadata modal means? 3. Should we continue to present only UTC timestamps (because this is a data cooperative with an API meant to feed data to local visualizations or applications which might optimally use Pacific timezone datetime stamps; it's not meant to be a real-time application or visualization tool itself?) 4. Maybe we need a "how to" tutorial, demo video, or page to orient new users?
1.0
Add tutorial or other UI context? - Pending further user research upon beta testing with broader array of stakeholders, I'm putting these questions from the old SEMMI repo here for the record: 1. Should we explain that you can click on a marker to get more info? 2. Should we define what each field in the metadata modal means? 3. Should we continue to present only UTC timestamps (because this is a data cooperative with an API meant to feed data to local visualizations or applications which might optimally use Pacific timezone datetime stamps; it's not meant to be a real-time application or visualization tool itself?) 4. Maybe we need a "how to" tutorial, demo video, or page to orient new users?
non_priority
add tutorial or other ui context pending further user research upon beta testing with broader array of stakeholders i m putting these questions from the old semmi repo here for the record should we explain that you can click on a marker to get more info should we define what each field in the metadata modal means should we continue to present only utc timestamps because this is a data cooperative with an api meant to feed data to local visualizations or applications which might optimally use pacific timezone datetime stamps it s not meant to be a real time application or visualization tool itself maybe we need a how to tutorial demo video or page to orient new users
0
329,517
10,020,974,548
IssuesEvent
2019-07-16 13:45:48
python/mypy
https://api.github.com/repos/python/mypy
closed
Crashes when @overload is used but not defined
crash new-semantic-analyzer priority-0-high topic-overloads
Please provide more information to help us understand the issue: * Are you reporting a bug, or opening a feature request? Bug. * Please insert below the code you are checking with mypy, or a mock-up repro if the source is private. We would appreciate if you try to simplify your case to a minimal repro. ```python import typing @overload def func(x: int) -> int: ... def func(x): return x ``` * What is the actual behavior/output? Crashes. * What is the behavior/output you expect? Report `overload` is not defined. * What are the versions of mypy and Python you are using? 0.720+dev.dc6da54f50d5443fe46308046719043eba03c84d (master at the time of report) * What are the mypy flags you are using? (For example --strict-optional) None. * If mypy crashed with a traceback, please paste the full traceback below. ``` Traceback (most recent call last): File "/home/hong/src/mypy/.venv/bin/mypy", line 11, in <module> load_entry_point('mypy', 'console_scripts', 'mypy')() File "/home/hong/src/mypy/mypy/__main__.py", line 8, in console_entry main(None, sys.stdout, sys.stderr) File "/home/hong/src/mypy/mypy/main.py", line 83, in main res = build.build(sources, options, None, flush_errors, fscache, stdout, stderr) File "/home/hong/src/mypy/mypy/build.py", line 164, in build result = _build(sources, options, alt_lib_path, flush_errors, fscache, stdout, stderr) File "/home/hong/src/mypy/mypy/build.py", line 224, in _build graph = dispatch(sources, manager, stdout) File "/home/hong/src/mypy/mypy/build.py", line 2579, in dispatch process_graph(graph, manager) File "/home/hong/src/mypy/mypy/build.py", line 2892, in process_graph process_stale_scc(graph, scc, manager) File "/home/hong/src/mypy/mypy/build.py", line 2990, in process_stale_scc semantic_analysis_for_scc(graph, scc, manager.errors) File "/home/hong/src/mypy/mypy/newsemanal/semanal_main.py", line 78, in semantic_analysis_for_scc process_functions(graph, scc, patches) File "/home/hong/src/mypy/mypy/newsemanal/semanal_main.py", line 238, in process_functions patches) File "/home/hong/src/mypy/mypy/newsemanal/semanal_main.py", line 274, in process_top_level_function final_iteration, patches) File "/home/hong/src/mypy/mypy/newsemanal/semanal_main.py", line 330, in semantic_analyze_target active_type=active_type) File "/home/hong/src/mypy/mypy/newsemanal/semanal.py", line 375, in refresh_partial self.accept(node) File "/home/hong/src/mypy/mypy/newsemanal/semanal.py", line 4550, in accept node.accept(self) File "/home/hong/src/mypy/mypy/nodes.py", line 505, in accept return visitor.visit_overloaded_func_def(self) File "/home/hong/src/mypy/mypy/newsemanal/semanal.py", line 641, in visit_overloaded_func_def self.add_function_to_symbol_table(defn) File "/home/hong/src/mypy/mypy/newsemanal/semanal.py", line 863, in add_function_to_symbol_table func._fullname = self.qualified_name(func.name()) File "/home/hong/src/mypy/mypy/nodes.py", line 501, in name assert self.impl is not None AssertionError: /home/hong/tmp/type.pyi:3: : note: use --pdb to drop into pdb ```
1.0
Crashes when @overload is used but not defined - Please provide more information to help us understand the issue: * Are you reporting a bug, or opening a feature request? Bug. * Please insert below the code you are checking with mypy, or a mock-up repro if the source is private. We would appreciate if you try to simplify your case to a minimal repro. ```python import typing @overload def func(x: int) -> int: ... def func(x): return x ``` * What is the actual behavior/output? Crashes. * What is the behavior/output you expect? Report `overload` is not defined. * What are the versions of mypy and Python you are using? 0.720+dev.dc6da54f50d5443fe46308046719043eba03c84d (master at the time of report) * What are the mypy flags you are using? (For example --strict-optional) None. * If mypy crashed with a traceback, please paste the full traceback below. ``` Traceback (most recent call last): File "/home/hong/src/mypy/.venv/bin/mypy", line 11, in <module> load_entry_point('mypy', 'console_scripts', 'mypy')() File "/home/hong/src/mypy/mypy/__main__.py", line 8, in console_entry main(None, sys.stdout, sys.stderr) File "/home/hong/src/mypy/mypy/main.py", line 83, in main res = build.build(sources, options, None, flush_errors, fscache, stdout, stderr) File "/home/hong/src/mypy/mypy/build.py", line 164, in build result = _build(sources, options, alt_lib_path, flush_errors, fscache, stdout, stderr) File "/home/hong/src/mypy/mypy/build.py", line 224, in _build graph = dispatch(sources, manager, stdout) File "/home/hong/src/mypy/mypy/build.py", line 2579, in dispatch process_graph(graph, manager) File "/home/hong/src/mypy/mypy/build.py", line 2892, in process_graph process_stale_scc(graph, scc, manager) File "/home/hong/src/mypy/mypy/build.py", line 2990, in process_stale_scc semantic_analysis_for_scc(graph, scc, manager.errors) File "/home/hong/src/mypy/mypy/newsemanal/semanal_main.py", line 78, in semantic_analysis_for_scc process_functions(graph, scc, patches) File "/home/hong/src/mypy/mypy/newsemanal/semanal_main.py", line 238, in process_functions patches) File "/home/hong/src/mypy/mypy/newsemanal/semanal_main.py", line 274, in process_top_level_function final_iteration, patches) File "/home/hong/src/mypy/mypy/newsemanal/semanal_main.py", line 330, in semantic_analyze_target active_type=active_type) File "/home/hong/src/mypy/mypy/newsemanal/semanal.py", line 375, in refresh_partial self.accept(node) File "/home/hong/src/mypy/mypy/newsemanal/semanal.py", line 4550, in accept node.accept(self) File "/home/hong/src/mypy/mypy/nodes.py", line 505, in accept return visitor.visit_overloaded_func_def(self) File "/home/hong/src/mypy/mypy/newsemanal/semanal.py", line 641, in visit_overloaded_func_def self.add_function_to_symbol_table(defn) File "/home/hong/src/mypy/mypy/newsemanal/semanal.py", line 863, in add_function_to_symbol_table func._fullname = self.qualified_name(func.name()) File "/home/hong/src/mypy/mypy/nodes.py", line 501, in name assert self.impl is not None AssertionError: /home/hong/tmp/type.pyi:3: : note: use --pdb to drop into pdb ```
priority
crashes when overload is used but not defined please provide more information to help us understand the issue are you reporting a bug or opening a feature request bug please insert below the code you are checking with mypy or a mock up repro if the source is private we would appreciate if you try to simplify your case to a minimal repro python import typing overload def func x int int def func x return x what is the actual behavior output crashes what is the behavior output you expect report overload is not defined what are the versions of mypy and python you are using dev master at the time of report what are the mypy flags you are using for example strict optional none if mypy crashed with a traceback please paste the full traceback below traceback most recent call last file home hong src mypy venv bin mypy line in load entry point mypy console scripts mypy file home hong src mypy mypy main py line in console entry main none sys stdout sys stderr file home hong src mypy mypy main py line in main res build build sources options none flush errors fscache stdout stderr file home hong src mypy mypy build py line in build result build sources options alt lib path flush errors fscache stdout stderr file home hong src mypy mypy build py line in build graph dispatch sources manager stdout file home hong src mypy mypy build py line in dispatch process graph graph manager file home hong src mypy mypy build py line in process graph process stale scc graph scc manager file home hong src mypy mypy build py line in process stale scc semantic analysis for scc graph scc manager errors file home hong src mypy mypy newsemanal semanal main py line in semantic analysis for scc process functions graph scc patches file home hong src mypy mypy newsemanal semanal main py line in process functions patches file home hong src mypy mypy newsemanal semanal main py line in process top level function final iteration patches file home hong src mypy mypy newsemanal semanal main py line in semantic analyze target active type active type file home hong src mypy mypy newsemanal semanal py line in refresh partial self accept node file home hong src mypy mypy newsemanal semanal py line in accept node accept self file home hong src mypy mypy nodes py line in accept return visitor visit overloaded func def self file home hong src mypy mypy newsemanal semanal py line in visit overloaded func def self add function to symbol table defn file home hong src mypy mypy newsemanal semanal py line in add function to symbol table func fullname self qualified name func name file home hong src mypy mypy nodes py line in name assert self impl is not none assertionerror home hong tmp type pyi note use pdb to drop into pdb
1
378,637
11,205,622,631
IssuesEvent
2020-01-05 15:29:11
ONEARMY/community-platform
https://api.github.com/repos/ONEARMY/community-platform
closed
[bug] Paragraph font family need to be system-font
Priority: Low Type:Bug🐛
Description The font for the paragraph text shouldn't be Varela Round but the system-font. Link https://community.preciousplastic.com/how-to/set-up-a-collection-point Screenshots https://we.tl/t-oeA0F024R0 User contact hello@nico.pizza Sure, I'm happy to help!
1.0
[bug] Paragraph font family need to be system-font - Description The font for the paragraph text shouldn't be Varela Round but the system-font. Link https://community.preciousplastic.com/how-to/set-up-a-collection-point Screenshots https://we.tl/t-oeA0F024R0 User contact hello@nico.pizza Sure, I'm happy to help!
priority
paragraph font family need to be system font description the font for the paragraph text shouldn t be varela round but the system font link screenshots user contact hello nico pizza sure i m happy to help
1
13,837
8,378,778,015
IssuesEvent
2018-10-06 17:43:22
michaelKurowski/lokim2
https://api.github.com/repos/michaelKurowski/lokim2
opened
Binary search for users
backend performance
**Is your feature request related to a problem? Please describe.** LokIM should optimize searching by username, as it will be the most common used query. **Describe the solution you'd like** We should keep users in alphabetical order by username, and perform a binary search while querying for user with certain username. **Describe alternatives you've considered** N/A **User story** N/A **Additional context** Study materials: [Optimizing query performance in MongoDB](https://docs.mongodb.com/manual/tutorial/optimize-query-performance-with-indexes-and-projections/)
True
Binary search for users - **Is your feature request related to a problem? Please describe.** LokIM should optimize searching by username, as it will be the most common used query. **Describe the solution you'd like** We should keep users in alphabetical order by username, and perform a binary search while querying for user with certain username. **Describe alternatives you've considered** N/A **User story** N/A **Additional context** Study materials: [Optimizing query performance in MongoDB](https://docs.mongodb.com/manual/tutorial/optimize-query-performance-with-indexes-and-projections/)
non_priority
binary search for users is your feature request related to a problem please describe lokim should optimize searching by username as it will be the most common used query describe the solution you d like we should keep users in alphabetical order by username and perform a binary search while querying for user with certain username describe alternatives you ve considered n a user story n a additional context study materials
0
614,945
19,210,171,875
IssuesEvent
2021-12-07 00:28:47
ctm/mb2-doc
https://api.github.com/repos/ctm/mb2-doc
closed
Allow log filtering
enhancement high priority easy
Allow people to choose to have certain classes of messages to show up or not show up in their logs. Now that chat works properly in the graphical interface, it makes sense to get a bunch of the chaff out of it. Eventually the chat subsystem should be overhauled, but if I simply attach a little info (e.g. Public / Private and variant) to each `LogLine`, I can then filter them based on the user preferences.
1.0
Allow log filtering - Allow people to choose to have certain classes of messages to show up or not show up in their logs. Now that chat works properly in the graphical interface, it makes sense to get a bunch of the chaff out of it. Eventually the chat subsystem should be overhauled, but if I simply attach a little info (e.g. Public / Private and variant) to each `LogLine`, I can then filter them based on the user preferences.
priority
allow log filtering allow people to choose to have certain classes of messages to show up or not show up in their logs now that chat works properly in the graphical interface it makes sense to get a bunch of the chaff out of it eventually the chat subsystem should be overhauled but if i simply attach a little info e g public private and variant to each logline i can then filter them based on the user preferences
1
516,459
14,982,737,012
IssuesEvent
2021-01-28 16:20:45
enso-org/ide
https://api.github.com/repos/enso-org/ide
closed
IDE cannot be closed by Alt+F4
Category: Controllers Difficulty: Core Contributor Priority: Medium Type: Bug
<!-- Please ensure that you are using the latest version of Enso IDE before reporting the bug! It may have been fixed since. --> ### General Summary The packaged IDE application does not close on pressing <kbd>Alt</kbd>+<kbd>F4</kbd> on Windows. ### Steps to Reproduce Run the packaged (electron) IDE app. Press <kbd>Alt</kbd>+<kbd>F4</kbd>. ### Expected Result IDE closes. (or somehow visibly handles the user's close request) ### Actual Result No visible action. ### Enso Version 87fd42305d5325015b4036a8687e953ce18ea2cb
1.0
IDE cannot be closed by Alt+F4 - <!-- Please ensure that you are using the latest version of Enso IDE before reporting the bug! It may have been fixed since. --> ### General Summary The packaged IDE application does not close on pressing <kbd>Alt</kbd>+<kbd>F4</kbd> on Windows. ### Steps to Reproduce Run the packaged (electron) IDE app. Press <kbd>Alt</kbd>+<kbd>F4</kbd>. ### Expected Result IDE closes. (or somehow visibly handles the user's close request) ### Actual Result No visible action. ### Enso Version 87fd42305d5325015b4036a8687e953ce18ea2cb
priority
ide cannot be closed by alt please ensure that you are using the latest version of enso ide before reporting the bug it may have been fixed since general summary the packaged ide application does not close on pressing alt on windows steps to reproduce run the packaged electron ide app press alt expected result ide closes or somehow visibly handles the user s close request actual result no visible action enso version
1
200,975
7,018,668,883
IssuesEvent
2017-12-21 14:34:52
openshift/origin
https://api.github.com/repos/openshift/origin
closed
oc adm drain: add `--selector` and `--pod-selector`
component/cli kind/post-rebase priority/P1
`oc adm manage-node --evacuate` is now deprecated but there was some functionality there that is missing in the new drain command. Particularly `--selector` and `--pod-selector`. The `--pod-selector` on `evacuate` allowed me to workaround https://github.com/openshift/origin/issues/17522. See https://github.com/openshift/origin/issues/17522#issuecomment-348017506: ``` [root@origin-master-1 ~]# oc adm manage-node --evacuate --force x.x.x.x --pod-selector='glusterfs notin (storage-pod)' Flag --evacuate has been deprecated, use 'oadm drain NODE' instead Migrating these pods on node: <snip> ```
1.0
oc adm drain: add `--selector` and `--pod-selector` - `oc adm manage-node --evacuate` is now deprecated but there was some functionality there that is missing in the new drain command. Particularly `--selector` and `--pod-selector`. The `--pod-selector` on `evacuate` allowed me to workaround https://github.com/openshift/origin/issues/17522. See https://github.com/openshift/origin/issues/17522#issuecomment-348017506: ``` [root@origin-master-1 ~]# oc adm manage-node --evacuate --force x.x.x.x --pod-selector='glusterfs notin (storage-pod)' Flag --evacuate has been deprecated, use 'oadm drain NODE' instead Migrating these pods on node: <snip> ```
priority
oc adm drain add selector and pod selector oc adm manage node evacuate is now deprecated but there was some functionality there that is missing in the new drain command particularly selector and pod selector the pod selector on evacuate allowed me to workaround see oc adm manage node evacuate force x x x x pod selector glusterfs notin storage pod flag evacuate has been deprecated use oadm drain node instead migrating these pods on node
1
657,033
21,783,424,972
IssuesEvent
2022-05-13 21:56:38
schmouk/vcl
https://api.github.com/repos/schmouk/vcl
opened
Modify signature of template `vcl::utils::OffsetsT<>`
enhancement High Priority
This will help solving an inconsistency on clipped values when moving positions (and lines).
1.0
Modify signature of template `vcl::utils::OffsetsT<>` - This will help solving an inconsistency on clipped values when moving positions (and lines).
priority
modify signature of template vcl utils offsetst this will help solving an inconsistency on clipped values when moving positions and lines
1
484,286
13,937,437,600
IssuesEvent
2020-10-22 14:08:57
ViRGiL175/java-diner-automation
https://api.github.com/repos/ViRGiL175/java-diner-automation
opened
Босс уверен, что пользуется последним словом техники
complexity:_15 priority:_3 type:_story
Босс хочет пользоваться самым новым ПО, чтобы организовать работу наиболее эффективно ## Описание > Описание задачи, схемы, картинки и т.д. ## Критерии выполненности - [ ] Босс уверен, что пользуется последним словом техники ## Связанное > Всяческие подробности, ссылки, документация и т.д.
1.0
Босс уверен, что пользуется последним словом техники - Босс хочет пользоваться самым новым ПО, чтобы организовать работу наиболее эффективно ## Описание > Описание задачи, схемы, картинки и т.д. ## Критерии выполненности - [ ] Босс уверен, что пользуется последним словом техники ## Связанное > Всяческие подробности, ссылки, документация и т.д.
priority
босс уверен что пользуется последним словом техники босс хочет пользоваться самым новым по чтобы организовать работу наиболее эффективно описание описание задачи схемы картинки и т д критерии выполненности босс уверен что пользуется последним словом техники связанное всяческие подробности ссылки документация и т д
1
451,643
13,039,692,167
IssuesEvent
2020-07-28 17:11:14
cds-snc/report-a-cybercrime
https://api.github.com/repos/cds-snc/report-a-cybercrime
closed
Missing .test.js for the following forms.
bug low priority
## Summary Missing .test.js for the following forms: SuspectCluesForm, EvidenceInfoForm, ConfirmationForm ## Unresolved questions > Are there any related issues you consider out of scope for this issue that could be addressed in the future?
1.0
Missing .test.js for the following forms. - ## Summary Missing .test.js for the following forms: SuspectCluesForm, EvidenceInfoForm, ConfirmationForm ## Unresolved questions > Are there any related issues you consider out of scope for this issue that could be addressed in the future?
priority
missing test js for the following forms summary missing test js for the following forms suspectcluesform evidenceinfoform confirmationform unresolved questions are there any related issues you consider out of scope for this issue that could be addressed in the future
1
177,344
21,473,437,235
IssuesEvent
2022-04-26 11:39:18
nanopathi/framework_base_AOSP10_r33_CVE-2021-39704
https://api.github.com/repos/nanopathi/framework_base_AOSP10_r33_CVE-2021-39704
opened
CVE-2021-0705 (High) detected in baseandroid-10.0.0_r34
security vulnerability
## CVE-2021-0705 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>baseandroid-10.0.0_r34</b></p></summary> <p> <p>Android framework classes and services</p> <p>Library home page: <a href=https://android.googlesource.com/platform/frameworks/base>https://android.googlesource.com/platform/frameworks/base</a></p> <p>Found in HEAD commit: <a href="https://github.com/nanopathi/framework_base_AOSP10_r33_CVE-2021-39704/commit/5c98afa356ae703eb7d27b712d674edd7ad5b0d8">5c98afa356ae703eb7d27b712d674edd7ad5b0d8</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (1)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/core/java/android/app/Notification.java</b> </p> </details> <p></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> In sanitizeSbn of NotificationManagerService.java, there is a possible way to keep service running in foreground and keep granted permissions due to Bypass of Background Service Restrictions. This could lead to local escalation of privilege with no additional execution privileges needed. User interaction is not needed for exploitation.Product: AndroidVersions: Android-11 Android-10Android ID: A-185388103 <p>Publish Date: 2021-10-22 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-0705>CVE-2021-0705</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.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: Low - 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://source.android.com/security/bulletin/2021-10-01">https://source.android.com/security/bulletin/2021-10-01</a></p> <p>Release Date: 2021-10-22</p> <p>Fix Resolution: android-11.0.0_r43</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2021-0705 (High) detected in baseandroid-10.0.0_r34 - ## CVE-2021-0705 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>baseandroid-10.0.0_r34</b></p></summary> <p> <p>Android framework classes and services</p> <p>Library home page: <a href=https://android.googlesource.com/platform/frameworks/base>https://android.googlesource.com/platform/frameworks/base</a></p> <p>Found in HEAD commit: <a href="https://github.com/nanopathi/framework_base_AOSP10_r33_CVE-2021-39704/commit/5c98afa356ae703eb7d27b712d674edd7ad5b0d8">5c98afa356ae703eb7d27b712d674edd7ad5b0d8</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (1)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/core/java/android/app/Notification.java</b> </p> </details> <p></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> In sanitizeSbn of NotificationManagerService.java, there is a possible way to keep service running in foreground and keep granted permissions due to Bypass of Background Service Restrictions. This could lead to local escalation of privilege with no additional execution privileges needed. User interaction is not needed for exploitation.Product: AndroidVersions: Android-11 Android-10Android ID: A-185388103 <p>Publish Date: 2021-10-22 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-0705>CVE-2021-0705</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.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: Low - 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://source.android.com/security/bulletin/2021-10-01">https://source.android.com/security/bulletin/2021-10-01</a></p> <p>Release Date: 2021-10-22</p> <p>Fix Resolution: android-11.0.0_r43</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
cve high detected in baseandroid cve high severity vulnerability vulnerable library baseandroid android framework classes and services library home page a href found in head commit a href found in base branch master vulnerable source files core java android app notification java vulnerability details in sanitizesbn of notificationmanagerservice java there is a possible way to keep service running in foreground and keep granted permissions due to bypass of background service restrictions this could lead to local escalation of privilege with no additional execution privileges needed user interaction is not needed for exploitation product androidversions android android id a publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required low 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 android step up your open source security game with whitesource
0
383,972
26,571,462,531
IssuesEvent
2023-01-21 07:35:55
crowdbotics-apps/linx-league-golf-ap-37171
https://api.github.com/repos/crowdbotics-apps/linx-league-golf-ap-37171
opened
Edit Profile
bug documentation help wanted
1. It is not showing any values in the `start date` and `Zip code` fields after giving values in the respective field 2. It displays no option has been selected for the `do you have GHIN `option [https://drive.google.com/file/d/1xRm0GMBj1Xmwdncw6j4k_mWw19YBZM0M/view?usp=share_link](url) 3. App got crashed if you choose the camera option to update the profile pic
1.0
Edit Profile - 1. It is not showing any values in the `start date` and `Zip code` fields after giving values in the respective field 2. It displays no option has been selected for the `do you have GHIN `option [https://drive.google.com/file/d/1xRm0GMBj1Xmwdncw6j4k_mWw19YBZM0M/view?usp=share_link](url) 3. App got crashed if you choose the camera option to update the profile pic
non_priority
edit profile it is not showing any values in the start date and zip code fields after giving values in the respective field it displays no option has been selected for the do you have ghin option url app got crashed if you choose the camera option to update the profile pic
0
111,571
24,151,935,335
IssuesEvent
2022-09-22 02:20:03
aliyun/plugsched
https://api.github.com/repos/aliyun/plugsched
opened
Optimize the code of head_jump.h and stack_check.h.
code-quality
# Background These code is a little unclear and not easy to read. For the following points: 1. It is better to use the sort API from kernel because it is very stable. 2. The size and address variables of interface functions might be better wrapped into a structure. 3. The size of interface function is stored in two variables, which one is vm/mod_func_size array and the other is mod/orig_##func##_size variable. # Task Optimize the code of head_jump.h and stack_check.h.
1.0
Optimize the code of head_jump.h and stack_check.h. - # Background These code is a little unclear and not easy to read. For the following points: 1. It is better to use the sort API from kernel because it is very stable. 2. The size and address variables of interface functions might be better wrapped into a structure. 3. The size of interface function is stored in two variables, which one is vm/mod_func_size array and the other is mod/orig_##func##_size variable. # Task Optimize the code of head_jump.h and stack_check.h.
non_priority
optimize the code of head jump h and stack check h background these code is a little unclear and not easy to read for the following points it is better to use the sort api from kernel because it is very stable the size and address variables of interface functions might be better wrapped into a structure the size of interface function is stored in two variables which one is vm mod func size array and the other is mod orig func size variable task optimize the code of head jump h and stack check h
0
143,451
11,565,401,886
IssuesEvent
2020-02-20 10:26:26
brave/browser-android-tabs
https://api.github.com/repos/brave/browser-android-tabs
closed
Manual test run on Android Tab for 1.5.6
ARM QA/Yes release-notes/exclude tests
## Per release specialty tests - [x] Upgrade to Chromium 80.0.3987.99. ([#2522](https://github.com/brave/browser-android-tabs/issues/2522)) - [x] Browser-android-tabs based browser crashes when ad notification is shown.. ([#2543](https://github.com/brave/browser-android-tabs/issues/2543)) ## Installer - [x] Check that installer is close to the size of the last release - [x] Check the Brave version in About and make sure it is EXACTLY as expected ## Visual look - [x] Make sure thereafter every merge - [x] No Chrome/Chromium words appear on normal or private tabs - [x] No Chrome/Chromium icons are shown in normal or private tabs ## Data Pre-Requisite: Put previous build shortcut on the home screen. Also, have several sites 'Added to home screen' (from 3 dots menu) and then upgrade to new build - [x] Verify that data from the previous build appears in the updated build as expected (bookmarks, etc) - [x] Verify that the cookies from the previous build are preserved after upgrade - [x] Verify shortcut is still available on the home screen after upgrade - [x] Verify sites added to home screen are still visible and able to be used after upgrade - [x] Verify sync chain created in the previous version is still retained on upgrade - [x] Verify settings changes done in the previous version are still retained on upgrade ## Bookmarks - [x] Verify that creating a bookmark works - [x] Verify that clicking a bookmark loads the bookmark - [x] Verify that deleting a bookmark works - [x] Verify that creating a bookmark folder works ## Custom tabs - [x] Make sure Brave handles links from Gmail, Slack - [x] Make sure Brave works as custom tabs provide with Chrome browser - [x] Ensure custom tabs work even with sync enabled/disabled ## Context menus - [x] Make sure context menu items in the URL bar work - [x] Make sure context menu items on content work with no selected text - [x] Make sure context menu items on content work with selected text - [x] Make sure context menu items on content work inside an editable control (input, textarea, or contenteditable) ## Developer Tools - [x] Verify you can inspect sublinks via dev tools ## Find in page - [x] Ensure search box is shown when selected via the hamburger menu - [x] Verify that you can successfully find a word on the page - [x] Verify that the forward and backward navigation icons under find are working - [x] Verify failed to find shows 0 results ## Site hacks - [x] Verify https://www.twitch.tv/adobe sub-page loads a video and you can play it ## Settings and Bottom bar - [ ] Verify changing default settings are retained and don't cause the browser to crash - [x] Verify bottom bar buttons (Home/Bookmark/Search/Tabs) work as expected ## Downloads - [x] Verify downloading a file works and that all actions on the download item work. - [x] Verify that PDF is downloaded over HTTPS at https://basicattentiontoken.org/BasicAttentionTokenWhitePaper-4.pdf - [x] Verify that PDF is downloaded over HTTP at http://www.pdf995.com/samples/pdf.pdf ## Fullscreen - [x] Verify that entering HTML5 fullscreen works and pressing restore to go back exits full screen. (youtube.com) ## Autofill Tests - [x] Verify that autofill works on https://srirambv.github.io/formfiller.html ## Zoom - [x] Verify zoom in / out gestures work - [x] Verify that navigating to a different origin resets the zoom ## Bravery settings - [x] Check that HTTPS Everywhere works by loading http://https-everywhere.badssl.com/ - [x] Turning HTTPS Everywhere off and shields off both disable the redirect to https://https-everywhere.badssl.com/ - [x] Check that toggling to blocking and allow ads works as expected - [x] Verify that clicking through a cert error in https://badssl.com/ works - [x] Visit https://brianbondy.com/ and then turn on script blocking, nothing should load. Allow it from the script blocking UI in the URL bar and it should work. - [ ] Verify that default Bravery settings take effect on pages with no site settings - [x] Verify that 3rd party storage results are blank at https://jsfiddle.net/7ke9r14a/7/ when 3rd party cookies are blocked ### Fingerprint Tests - [x] Visit https://browserleaks.com/webrtc, ensure 2 blocked items are listed in shields - [x] Verify that https://diafygi.github.io/webrtc-ips/ doesn't leak IP address when `Block all fingerprinting protection` is on ## Content Tests - [x] Go to https://brianbondy.com/ and click on the twitter icon on the top right. Verify that context menus work in the new twitter tab - [x] Go to https://trac.torproject.org/projects/tor/login and make sure that the password can be saved. Make sure the saved password is auto-populated when you visit the site again - [x] Open a GitHub issue and type some misspellings, make sure they aren't autocorrected - [x] Open an email on http://mail.google.com/ or inbox.google.com and click on a link. Make sure it works - [x] Verify that https://mixed-script.badssl.com/ shows up as grey not red (no mixed content scripts are run) ## Brave Rewards/Ads - [x] Verify wallet is auto-created after enabling rewards(either via Panel or Rewards page) - [x] Verify account balance shows correct BAT and USD value - [x] Verify actions taken (claiming grant, tipping, auto-contribute) display in wallet panel - [x] Verify `Check back soon for a free token` grant is shown in the panel when grants are not available for ads unsupported region only - [x] Verify grant details are shown in expanded view when a grant is claimed - [x] Verify monthly budget shows correct BAT and USD value - [x] Verify you can exclude a publisher from the auto-contribute table by clicking on the trash bin icon in the auto-contribute table - [x] Verify you can exclude a publisher by using the toggle on the Rewards Panel - [x] Verify you can remove excluded sites via `Restore All` button - [x] Verify when you click on the BR panel while on a site, the panel displays site-specific information (site favicon, domain, attention %) - [x] Verify when you click on `Send a tip`, the custom tip banner displays - [x] Verify you can make a one-time tip and they display in tips panel - [x] Verify you can make a recurring tip and they display in tips panel - [x] Verify you can tip a verified publisher - [x] Verify you can tip a verified YouTube creator - [x] Verify tip panel shows a verified checkmark for a verified publisher/verified YouTube creator - [x] Verify tip panel shows a message about the unverified publisher - [x] Verify BR panel shows the message about an unverified publisher - [x] Verify you can perform a contribution - [x] Verify if you disable auto-contribute you are still able to tip regular sites and YouTube creators - [x] Verify that disabling Rewards and enabling it again does not lose state - [x] Verify that disabling auto-contribute and enabling it again does not lose state - [x] Verify unchecking `Allow contribution to videos` option doesn't list any YouTube creator in ac list - [x] Adjust min visit/time in settings. Visit some sites and YouTube channels to verify they are added to the table after the specified settings - [x] Verify you can reset rewards from advance setting. Resetting should delete wallet and bring it back to the pre-optin state - [x] Upgrade from an older version - [x] Verify the wallet balance (if available) is retained - [x] Verify auto-contribute list is not lost after upgrade - [x] Verify tips list is not lost after upgrade - [x] Verify wallet panel transactions list is not lost after upgrade ### Brave Ads - [x] Verify ads is auto-enabled when rewards is enabled for the supported region - [x] Verify ads are only shown when the app is being used - [x] Verify ad notification are shown based on ads per hour setting - [x] Verify ad notifications stack up in notification tray - [x] Verify swipe left/right dismisses the ad notification when shown and is not stored in the notification tray - [x] Verify clicking on an ad notification shows the landing page - [x] Verify `view`,`clicked` and `landed` and `dismiss` states are logged based on the action ## Sync - [x] Verify you are able to join sync chain by scanning the QR code - [x] Verify you are able to join sync chain using code words - [x] Verify you are able to create a sync chain on the device and add other devices to the chain via QR code/Code words - [x] Verify that bookmarks from other devices on the chain show up on the mobile device after sync completes - [x] Verify newly created bookmarks gets sync'd to all devices on the sync chain - [x] Verify existing bookmarks before joining sync chain also gets sync'd to all devices on the sync chain - [x] Verify sync works on an upgrade profile and new bookmarks added post-upgrade sync's across devices on the chain - [x] Verify adding a bookmark on custom tab gets synced across all devices in the chain - [x] Verify you are able to create a standalone sync chain with one device ## Top sites view - [x] Long-press on top sites to get to deletion mode, and delete a top site (note this will stop that site from showing up again on top sites, so you may not want to do this a site you want to keep there) ## Background - [x] Start loading a page, background the app, wait > 5 sec, then bring to front, ensure splash screen is not shown ## Session storage - [x] Verify that tabs restore when closed, including active tab ## Yet to be implemented - Check that ad replacement works on http://slashdot.org - Verify that Safe Browsing works (https://www.raisegame.com/) - Turning Safe Browsing off and shields off both disable safe browsing for https://www.raisegame.com/ - Verify that turning on fingerprinting protection in `Privacy` shows 3 fingerprints blocked at https://jsfiddle.net/bkf50r8v/13/. Verify that turning it off in the Bravery menu shows 0 fingerprints blocked - Verify that audio fingerprint is blocked at https://audiofingerprint.openwpm.com/ when fingerprinting protection is on
1.0
Manual test run on Android Tab for 1.5.6 - ## Per release specialty tests - [x] Upgrade to Chromium 80.0.3987.99. ([#2522](https://github.com/brave/browser-android-tabs/issues/2522)) - [x] Browser-android-tabs based browser crashes when ad notification is shown.. ([#2543](https://github.com/brave/browser-android-tabs/issues/2543)) ## Installer - [x] Check that installer is close to the size of the last release - [x] Check the Brave version in About and make sure it is EXACTLY as expected ## Visual look - [x] Make sure thereafter every merge - [x] No Chrome/Chromium words appear on normal or private tabs - [x] No Chrome/Chromium icons are shown in normal or private tabs ## Data Pre-Requisite: Put previous build shortcut on the home screen. Also, have several sites 'Added to home screen' (from 3 dots menu) and then upgrade to new build - [x] Verify that data from the previous build appears in the updated build as expected (bookmarks, etc) - [x] Verify that the cookies from the previous build are preserved after upgrade - [x] Verify shortcut is still available on the home screen after upgrade - [x] Verify sites added to home screen are still visible and able to be used after upgrade - [x] Verify sync chain created in the previous version is still retained on upgrade - [x] Verify settings changes done in the previous version are still retained on upgrade ## Bookmarks - [x] Verify that creating a bookmark works - [x] Verify that clicking a bookmark loads the bookmark - [x] Verify that deleting a bookmark works - [x] Verify that creating a bookmark folder works ## Custom tabs - [x] Make sure Brave handles links from Gmail, Slack - [x] Make sure Brave works as custom tabs provide with Chrome browser - [x] Ensure custom tabs work even with sync enabled/disabled ## Context menus - [x] Make sure context menu items in the URL bar work - [x] Make sure context menu items on content work with no selected text - [x] Make sure context menu items on content work with selected text - [x] Make sure context menu items on content work inside an editable control (input, textarea, or contenteditable) ## Developer Tools - [x] Verify you can inspect sublinks via dev tools ## Find in page - [x] Ensure search box is shown when selected via the hamburger menu - [x] Verify that you can successfully find a word on the page - [x] Verify that the forward and backward navigation icons under find are working - [x] Verify failed to find shows 0 results ## Site hacks - [x] Verify https://www.twitch.tv/adobe sub-page loads a video and you can play it ## Settings and Bottom bar - [ ] Verify changing default settings are retained and don't cause the browser to crash - [x] Verify bottom bar buttons (Home/Bookmark/Search/Tabs) work as expected ## Downloads - [x] Verify downloading a file works and that all actions on the download item work. - [x] Verify that PDF is downloaded over HTTPS at https://basicattentiontoken.org/BasicAttentionTokenWhitePaper-4.pdf - [x] Verify that PDF is downloaded over HTTP at http://www.pdf995.com/samples/pdf.pdf ## Fullscreen - [x] Verify that entering HTML5 fullscreen works and pressing restore to go back exits full screen. (youtube.com) ## Autofill Tests - [x] Verify that autofill works on https://srirambv.github.io/formfiller.html ## Zoom - [x] Verify zoom in / out gestures work - [x] Verify that navigating to a different origin resets the zoom ## Bravery settings - [x] Check that HTTPS Everywhere works by loading http://https-everywhere.badssl.com/ - [x] Turning HTTPS Everywhere off and shields off both disable the redirect to https://https-everywhere.badssl.com/ - [x] Check that toggling to blocking and allow ads works as expected - [x] Verify that clicking through a cert error in https://badssl.com/ works - [x] Visit https://brianbondy.com/ and then turn on script blocking, nothing should load. Allow it from the script blocking UI in the URL bar and it should work. - [ ] Verify that default Bravery settings take effect on pages with no site settings - [x] Verify that 3rd party storage results are blank at https://jsfiddle.net/7ke9r14a/7/ when 3rd party cookies are blocked ### Fingerprint Tests - [x] Visit https://browserleaks.com/webrtc, ensure 2 blocked items are listed in shields - [x] Verify that https://diafygi.github.io/webrtc-ips/ doesn't leak IP address when `Block all fingerprinting protection` is on ## Content Tests - [x] Go to https://brianbondy.com/ and click on the twitter icon on the top right. Verify that context menus work in the new twitter tab - [x] Go to https://trac.torproject.org/projects/tor/login and make sure that the password can be saved. Make sure the saved password is auto-populated when you visit the site again - [x] Open a GitHub issue and type some misspellings, make sure they aren't autocorrected - [x] Open an email on http://mail.google.com/ or inbox.google.com and click on a link. Make sure it works - [x] Verify that https://mixed-script.badssl.com/ shows up as grey not red (no mixed content scripts are run) ## Brave Rewards/Ads - [x] Verify wallet is auto-created after enabling rewards(either via Panel or Rewards page) - [x] Verify account balance shows correct BAT and USD value - [x] Verify actions taken (claiming grant, tipping, auto-contribute) display in wallet panel - [x] Verify `Check back soon for a free token` grant is shown in the panel when grants are not available for ads unsupported region only - [x] Verify grant details are shown in expanded view when a grant is claimed - [x] Verify monthly budget shows correct BAT and USD value - [x] Verify you can exclude a publisher from the auto-contribute table by clicking on the trash bin icon in the auto-contribute table - [x] Verify you can exclude a publisher by using the toggle on the Rewards Panel - [x] Verify you can remove excluded sites via `Restore All` button - [x] Verify when you click on the BR panel while on a site, the panel displays site-specific information (site favicon, domain, attention %) - [x] Verify when you click on `Send a tip`, the custom tip banner displays - [x] Verify you can make a one-time tip and they display in tips panel - [x] Verify you can make a recurring tip and they display in tips panel - [x] Verify you can tip a verified publisher - [x] Verify you can tip a verified YouTube creator - [x] Verify tip panel shows a verified checkmark for a verified publisher/verified YouTube creator - [x] Verify tip panel shows a message about the unverified publisher - [x] Verify BR panel shows the message about an unverified publisher - [x] Verify you can perform a contribution - [x] Verify if you disable auto-contribute you are still able to tip regular sites and YouTube creators - [x] Verify that disabling Rewards and enabling it again does not lose state - [x] Verify that disabling auto-contribute and enabling it again does not lose state - [x] Verify unchecking `Allow contribution to videos` option doesn't list any YouTube creator in ac list - [x] Adjust min visit/time in settings. Visit some sites and YouTube channels to verify they are added to the table after the specified settings - [x] Verify you can reset rewards from advance setting. Resetting should delete wallet and bring it back to the pre-optin state - [x] Upgrade from an older version - [x] Verify the wallet balance (if available) is retained - [x] Verify auto-contribute list is not lost after upgrade - [x] Verify tips list is not lost after upgrade - [x] Verify wallet panel transactions list is not lost after upgrade ### Brave Ads - [x] Verify ads is auto-enabled when rewards is enabled for the supported region - [x] Verify ads are only shown when the app is being used - [x] Verify ad notification are shown based on ads per hour setting - [x] Verify ad notifications stack up in notification tray - [x] Verify swipe left/right dismisses the ad notification when shown and is not stored in the notification tray - [x] Verify clicking on an ad notification shows the landing page - [x] Verify `view`,`clicked` and `landed` and `dismiss` states are logged based on the action ## Sync - [x] Verify you are able to join sync chain by scanning the QR code - [x] Verify you are able to join sync chain using code words - [x] Verify you are able to create a sync chain on the device and add other devices to the chain via QR code/Code words - [x] Verify that bookmarks from other devices on the chain show up on the mobile device after sync completes - [x] Verify newly created bookmarks gets sync'd to all devices on the sync chain - [x] Verify existing bookmarks before joining sync chain also gets sync'd to all devices on the sync chain - [x] Verify sync works on an upgrade profile and new bookmarks added post-upgrade sync's across devices on the chain - [x] Verify adding a bookmark on custom tab gets synced across all devices in the chain - [x] Verify you are able to create a standalone sync chain with one device ## Top sites view - [x] Long-press on top sites to get to deletion mode, and delete a top site (note this will stop that site from showing up again on top sites, so you may not want to do this a site you want to keep there) ## Background - [x] Start loading a page, background the app, wait > 5 sec, then bring to front, ensure splash screen is not shown ## Session storage - [x] Verify that tabs restore when closed, including active tab ## Yet to be implemented - Check that ad replacement works on http://slashdot.org - Verify that Safe Browsing works (https://www.raisegame.com/) - Turning Safe Browsing off and shields off both disable safe browsing for https://www.raisegame.com/ - Verify that turning on fingerprinting protection in `Privacy` shows 3 fingerprints blocked at https://jsfiddle.net/bkf50r8v/13/. Verify that turning it off in the Bravery menu shows 0 fingerprints blocked - Verify that audio fingerprint is blocked at https://audiofingerprint.openwpm.com/ when fingerprinting protection is on
non_priority
manual test run on android tab for per release specialty tests upgrade to chromium browser android tabs based browser crashes when ad notification is shown installer check that installer is close to the size of the last release check the brave version in about and make sure it is exactly as expected visual look make sure thereafter every merge no chrome chromium words appear on normal or private tabs no chrome chromium icons are shown in normal or private tabs data pre requisite put previous build shortcut on the home screen also have several sites added to home screen from dots menu and then upgrade to new build verify that data from the previous build appears in the updated build as expected bookmarks etc verify that the cookies from the previous build are preserved after upgrade verify shortcut is still available on the home screen after upgrade verify sites added to home screen are still visible and able to be used after upgrade verify sync chain created in the previous version is still retained on upgrade verify settings changes done in the previous version are still retained on upgrade bookmarks verify that creating a bookmark works verify that clicking a bookmark loads the bookmark verify that deleting a bookmark works verify that creating a bookmark folder works custom tabs make sure brave handles links from gmail slack make sure brave works as custom tabs provide with chrome browser ensure custom tabs work even with sync enabled disabled context menus make sure context menu items in the url bar work make sure context menu items on content work with no selected text make sure context menu items on content work with selected text make sure context menu items on content work inside an editable control input textarea or contenteditable developer tools verify you can inspect sublinks via dev tools find in page ensure search box is shown when selected via the hamburger menu verify that you can successfully find a word on the page verify that the forward and backward navigation icons under find are working verify failed to find shows results site hacks verify sub page loads a video and you can play it settings and bottom bar verify changing default settings are retained and don t cause the browser to crash verify bottom bar buttons home bookmark search tabs work as expected downloads verify downloading a file works and that all actions on the download item work verify that pdf is downloaded over https at verify that pdf is downloaded over http at fullscreen verify that entering fullscreen works and pressing restore to go back exits full screen youtube com autofill tests verify that autofill works on zoom verify zoom in out gestures work verify that navigating to a different origin resets the zoom bravery settings check that https everywhere works by loading turning https everywhere off and shields off both disable the redirect to check that toggling to blocking and allow ads works as expected verify that clicking through a cert error in works visit and then turn on script blocking nothing should load allow it from the script blocking ui in the url bar and it should work verify that default bravery settings take effect on pages with no site settings verify that party storage results are blank at when party cookies are blocked fingerprint tests visit ensure blocked items are listed in shields verify that doesn t leak ip address when block all fingerprinting protection is on content tests go to and click on the twitter icon on the top right verify that context menus work in the new twitter tab go to and make sure that the password can be saved make sure the saved password is auto populated when you visit the site again open a github issue and type some misspellings make sure they aren t autocorrected open an email on or inbox google com and click on a link make sure it works verify that shows up as grey not red no mixed content scripts are run brave rewards ads verify wallet is auto created after enabling rewards either via panel or rewards page verify account balance shows correct bat and usd value verify actions taken claiming grant tipping auto contribute display in wallet panel verify check back soon for a free token grant is shown in the panel when grants are not available for ads unsupported region only verify grant details are shown in expanded view when a grant is claimed verify monthly budget shows correct bat and usd value verify you can exclude a publisher from the auto contribute table by clicking on the trash bin icon in the auto contribute table verify you can exclude a publisher by using the toggle on the rewards panel verify you can remove excluded sites via restore all button verify when you click on the br panel while on a site the panel displays site specific information site favicon domain attention verify when you click on send a tip the custom tip banner displays verify you can make a one time tip and they display in tips panel verify you can make a recurring tip and they display in tips panel verify you can tip a verified publisher verify you can tip a verified youtube creator verify tip panel shows a verified checkmark for a verified publisher verified youtube creator verify tip panel shows a message about the unverified publisher verify br panel shows the message about an unverified publisher verify you can perform a contribution verify if you disable auto contribute you are still able to tip regular sites and youtube creators verify that disabling rewards and enabling it again does not lose state verify that disabling auto contribute and enabling it again does not lose state verify unchecking allow contribution to videos option doesn t list any youtube creator in ac list adjust min visit time in settings visit some sites and youtube channels to verify they are added to the table after the specified settings verify you can reset rewards from advance setting resetting should delete wallet and bring it back to the pre optin state upgrade from an older version verify the wallet balance if available is retained verify auto contribute list is not lost after upgrade verify tips list is not lost after upgrade verify wallet panel transactions list is not lost after upgrade brave ads verify ads is auto enabled when rewards is enabled for the supported region verify ads are only shown when the app is being used verify ad notification are shown based on ads per hour setting verify ad notifications stack up in notification tray verify swipe left right dismisses the ad notification when shown and is not stored in the notification tray verify clicking on an ad notification shows the landing page verify view clicked and landed and dismiss states are logged based on the action sync verify you are able to join sync chain by scanning the qr code verify you are able to join sync chain using code words verify you are able to create a sync chain on the device and add other devices to the chain via qr code code words verify that bookmarks from other devices on the chain show up on the mobile device after sync completes verify newly created bookmarks gets sync d to all devices on the sync chain verify existing bookmarks before joining sync chain also gets sync d to all devices on the sync chain verify sync works on an upgrade profile and new bookmarks added post upgrade sync s across devices on the chain verify adding a bookmark on custom tab gets synced across all devices in the chain verify you are able to create a standalone sync chain with one device top sites view long press on top sites to get to deletion mode and delete a top site note this will stop that site from showing up again on top sites so you may not want to do this a site you want to keep there background start loading a page background the app wait sec then bring to front ensure splash screen is not shown session storage verify that tabs restore when closed including active tab yet to be implemented check that ad replacement works on verify that safe browsing works turning safe browsing off and shields off both disable safe browsing for verify that turning on fingerprinting protection in privacy shows fingerprints blocked at verify that turning it off in the bravery menu shows fingerprints blocked verify that audio fingerprint is blocked at when fingerprinting protection is on
0
756,140
26,459,065,953
IssuesEvent
2023-01-16 16:05:27
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.beforeitsnews.com - The page is blocked by Firefox
browser-firefox priority-normal severity-critical engine-gecko type-safebrowsing
<!-- @browser: Firefox 108.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:108.0) Gecko/20100101 Firefox/108.0 --> <!-- @reported_with: unknown --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/116853 --> **URL**: https://www.beforeitsnews.com **Browser / Version**: Firefox 108.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Edge **Problem type**: Something else **Description**: IT IS BLOCKED BY GOOGLE AND YOU MUST STOP THEM FROM BEING EVIL OR WE WILL NEVER USE FIREFOX AGAIN **Steps to Reproduce**: REMOVE THE STUPID CONTROL GOOGLE HAS OVER WHAT I WANT TO SEE OR WHERE I WANT TO GO. <details> <summary>Browser Configuration</summary> <ul> <li>None</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.beforeitsnews.com - The page is blocked by Firefox - <!-- @browser: Firefox 108.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:108.0) Gecko/20100101 Firefox/108.0 --> <!-- @reported_with: unknown --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/116853 --> **URL**: https://www.beforeitsnews.com **Browser / Version**: Firefox 108.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Edge **Problem type**: Something else **Description**: IT IS BLOCKED BY GOOGLE AND YOU MUST STOP THEM FROM BEING EVIL OR WE WILL NEVER USE FIREFOX AGAIN **Steps to Reproduce**: REMOVE THE STUPID CONTROL GOOGLE HAS OVER WHAT I WANT TO SEE OR WHERE I WANT TO GO. <details> <summary>Browser Configuration</summary> <ul> <li>None</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
the page is blocked by firefox url browser version firefox operating system windows tested another browser yes edge problem type something else description it is blocked by google and you must stop them from being evil or we will never use firefox again steps to reproduce remove the stupid control google has over what i want to see or where i want to go browser configuration none from with ❤️
1
183,213
14,217,199,677
IssuesEvent
2020-11-17 10:01:45
ubtue/DatenProbleme
https://api.github.com/repos/ubtue/DatenProbleme
closed
ISSN 2044-2556 | Theology today | Rezensionen
Fehlerquelle: Translator Zotero_AUTO_RSS back to IT for meeting discussion ready for testing
Bei diesem Artikel klappt die Rezensionserkennung nicht: https://journals.sagepub.com/doi/full/10.1177/0040573620918177 In meinen Augen nicht über die harvester.conf zu lösen
1.0
ISSN 2044-2556 | Theology today | Rezensionen - Bei diesem Artikel klappt die Rezensionserkennung nicht: https://journals.sagepub.com/doi/full/10.1177/0040573620918177 In meinen Augen nicht über die harvester.conf zu lösen
non_priority
issn theology today rezensionen bei diesem artikel klappt die rezensionserkennung nicht in meinen augen nicht über die harvester conf zu lösen
0
204,603
23,259,548,186
IssuesEvent
2022-08-04 12:23:54
elastic/kibana
https://api.github.com/repos/elastic/kibana
opened
[Security Solution] Only Full screen icon is showing for empty message under Execution events
bug triage_needed impact:low Team: SecuritySolution v8.4.0
**Describe the bug** Only Full screen icon is showing for empty message under Execution events **Build info** ``` VERSION : 8.4.0 BC1 Build: 54999 COMMIT: 58f7eaf0f8dc3c43cbfcd393e587f155e97b3d0d ``` **Preconditions** 1. Kibana should be running 2. Execution events tab should be enabled 3. Rule should be created **Steps to Reproduce** 1. Navigate to security > Rules page 2. Click on above created rule 3. Click on Execution events tab under rule details page 4. Expand the log that doesnot have any message 5. Observe that Full screen icon is showing for message 6. Click on full screen icon 7. Observe that blank screen is displaying **Actual Result** Full screen icon is showing of no data in message under Execution events **Expected Result** - Full screen icon should not be displayed for empty message under Execution events - Hyphen should be displayed for empty message **Screen-cast** https://user-images.githubusercontent.com/61860752/182845772-8db72ffc-7672-4043-9fa4-159c187bcae5.mp4
True
[Security Solution] Only Full screen icon is showing for empty message under Execution events - **Describe the bug** Only Full screen icon is showing for empty message under Execution events **Build info** ``` VERSION : 8.4.0 BC1 Build: 54999 COMMIT: 58f7eaf0f8dc3c43cbfcd393e587f155e97b3d0d ``` **Preconditions** 1. Kibana should be running 2. Execution events tab should be enabled 3. Rule should be created **Steps to Reproduce** 1. Navigate to security > Rules page 2. Click on above created rule 3. Click on Execution events tab under rule details page 4. Expand the log that doesnot have any message 5. Observe that Full screen icon is showing for message 6. Click on full screen icon 7. Observe that blank screen is displaying **Actual Result** Full screen icon is showing of no data in message under Execution events **Expected Result** - Full screen icon should not be displayed for empty message under Execution events - Hyphen should be displayed for empty message **Screen-cast** https://user-images.githubusercontent.com/61860752/182845772-8db72ffc-7672-4043-9fa4-159c187bcae5.mp4
non_priority
only full screen icon is showing for empty message under execution events describe the bug only full screen icon is showing for empty message under execution events build info version build commit preconditions kibana should be running execution events tab should be enabled rule should be created steps to reproduce navigate to security rules page click on above created rule click on execution events tab under rule details page expand the log that doesnot have any message observe that full screen icon is showing for message click on full screen icon observe that blank screen is displaying actual result full screen icon is showing of no data in message under execution events expected result full screen icon should not be displayed for empty message under execution events hyphen should be displayed for empty message screen cast
0
531,261
15,443,543,316
IssuesEvent
2021-03-08 09:16:14
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.facebook.com - site is not usable
browser-firefox engine-gecko ml-needsdiagnosis-false priority-critical
<!-- @browser: Firefox 86.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:86.0) Gecko/20100101 Firefox/86.0 --> <!-- @reported_with: unknown --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/67908 --> **URL**: https://www.facebook.com **Browser / Version**: Firefox 86.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Edge **Problem type**: Site is not usable **Description**: Buttons or links not working **Steps to Reproduce**: Nothing happened, the website just doesn't work. There are errors in the dev console indicating page-specific issues, but they are not descriptive. This only happens in Firefox; it does NOT happen in other browsers. Only tested on Desktop. <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2021/3/b0aa767b-eeda-4777-9d65-e70d767ffcfb.jpg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>None</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.facebook.com - site is not usable - <!-- @browser: Firefox 86.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:86.0) Gecko/20100101 Firefox/86.0 --> <!-- @reported_with: unknown --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/67908 --> **URL**: https://www.facebook.com **Browser / Version**: Firefox 86.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Edge **Problem type**: Site is not usable **Description**: Buttons or links not working **Steps to Reproduce**: Nothing happened, the website just doesn't work. There are errors in the dev console indicating page-specific issues, but they are not descriptive. This only happens in Firefox; it does NOT happen in other browsers. Only tested on Desktop. <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2021/3/b0aa767b-eeda-4777-9d65-e70d767ffcfb.jpg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>None</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
site is not usable url browser version firefox operating system windows tested another browser yes edge problem type site is not usable description buttons or links not working steps to reproduce nothing happened the website just doesn t work there are errors in the dev console indicating page specific issues but they are not descriptive this only happens in firefox it does not happen in other browsers only tested on desktop view the screenshot img alt screenshot src browser configuration none from with ❤️
1
276,733
8,608,080,554
IssuesEvent
2018-11-18 07:39:50
luna-rs/luna
https://api.github.com/repos/luna-rs/luna
opened
Complete the wiki
easy high priority
The wiki is an absolutely essential resource for people that need assistance. It needs to be completed. It's an easy (but time-consuming) job
1.0
Complete the wiki - The wiki is an absolutely essential resource for people that need assistance. It needs to be completed. It's an easy (but time-consuming) job
priority
complete the wiki the wiki is an absolutely essential resource for people that need assistance it needs to be completed it s an easy but time consuming job
1
384,664
26,597,664,399
IssuesEvent
2023-01-23 13:40:46
godotengine/godot
https://api.github.com/repos/godotengine/godot
closed
Background energy changes not only the intensity of light, but also the brightness of the background itself
discussion topic:rendering documentation topic:3d
### Godot version 3.5.1, 3.5.2rc2 ### System information Windows (I think it's not matter) ### Issue description Background energy in Environment changes not only the intensity of light, as stated in the description, but also the brightness of the background itself, in particular, the procedural or panoramic sky. This was noted in passing in the original post #47785, but was not taken into account as the discussion progressed. This is a problem, because if I want to completely get rid of the sky light and completely control the color of the ambient light, there is no way to do it without getting a completely black sky panorama. For example, I want to suppress the cold skylight and end up with a completely black panorama. ![Sprite-0001](https://user-images.githubusercontent.com/48409271/213870784-0633701e-b633-455b-905d-db3b01d1ad1b.png) ![Sprite-0002](https://user-images.githubusercontent.com/48409271/213870794-5d4ea26f-2ae9-4cf4-bbeb-1a40461e0088.png) The minimum reproduction project shows that even with the ambient light turned off completely, we do not get a completely black shadow if we do not reduce background energy. ![Sprite-0003](https://user-images.githubusercontent.com/48409271/213870973-af0148b0-d749-41de-a200-9f52284265b6.png) ![Sprite-0004](https://user-images.githubusercontent.com/48409271/213870977-6a5771cc-efaf-496d-9881-19c05b0f1099.png) Interestingly, even in 4.0, despite the ability to select ambient_light_source, no combination of settings can still completely suppress the lighting from the sky, without using the background energy multiplayer slider, which, again, changes the brightness of the sky itself. ### Steps to reproduce Open the representation project, change the background energy in the inspector. ### Minimal reproduction project [background_energy.zip](https://github.com/godotengine/godot/files/10472314/background_energy.zip)
1.0
Background energy changes not only the intensity of light, but also the brightness of the background itself - ### Godot version 3.5.1, 3.5.2rc2 ### System information Windows (I think it's not matter) ### Issue description Background energy in Environment changes not only the intensity of light, as stated in the description, but also the brightness of the background itself, in particular, the procedural or panoramic sky. This was noted in passing in the original post #47785, but was not taken into account as the discussion progressed. This is a problem, because if I want to completely get rid of the sky light and completely control the color of the ambient light, there is no way to do it without getting a completely black sky panorama. For example, I want to suppress the cold skylight and end up with a completely black panorama. ![Sprite-0001](https://user-images.githubusercontent.com/48409271/213870784-0633701e-b633-455b-905d-db3b01d1ad1b.png) ![Sprite-0002](https://user-images.githubusercontent.com/48409271/213870794-5d4ea26f-2ae9-4cf4-bbeb-1a40461e0088.png) The minimum reproduction project shows that even with the ambient light turned off completely, we do not get a completely black shadow if we do not reduce background energy. ![Sprite-0003](https://user-images.githubusercontent.com/48409271/213870973-af0148b0-d749-41de-a200-9f52284265b6.png) ![Sprite-0004](https://user-images.githubusercontent.com/48409271/213870977-6a5771cc-efaf-496d-9881-19c05b0f1099.png) Interestingly, even in 4.0, despite the ability to select ambient_light_source, no combination of settings can still completely suppress the lighting from the sky, without using the background energy multiplayer slider, which, again, changes the brightness of the sky itself. ### Steps to reproduce Open the representation project, change the background energy in the inspector. ### Minimal reproduction project [background_energy.zip](https://github.com/godotengine/godot/files/10472314/background_energy.zip)
non_priority
background energy changes not only the intensity of light but also the brightness of the background itself godot version system information windows i think it s not matter issue description background energy in environment changes not only the intensity of light as stated in the description but also the brightness of the background itself in particular the procedural or panoramic sky this was noted in passing in the original post but was not taken into account as the discussion progressed this is a problem because if i want to completely get rid of the sky light and completely control the color of the ambient light there is no way to do it without getting a completely black sky panorama for example i want to suppress the cold skylight and end up with a completely black panorama the minimum reproduction project shows that even with the ambient light turned off completely we do not get a completely black shadow if we do not reduce background energy interestingly even in despite the ability to select ambient light source no combination of settings can still completely suppress the lighting from the sky without using the background energy multiplayer slider which again changes the brightness of the sky itself steps to reproduce open the representation project change the background energy in the inspector minimal reproduction project
0
766,809
26,899,664,763
IssuesEvent
2023-02-06 14:51:01
department-of-veterans-affairs/va.gov-team
https://api.github.com/repos/department-of-veterans-affairs/va.gov-team
closed
Stuck Deploys to Staging and Dev
high-priority platform-tech-team-support
Rush Ticket... There seem to be a number of commits that failed CI after merged and are blocking the pipeline. At issue: Pending. Status: Currently investigating ands rerunning CI.
1.0
Stuck Deploys to Staging and Dev - Rush Ticket... There seem to be a number of commits that failed CI after merged and are blocking the pipeline. At issue: Pending. Status: Currently investigating ands rerunning CI.
priority
stuck deploys to staging and dev rush ticket there seem to be a number of commits that failed ci after merged and are blocking the pipeline at issue pending status currently investigating ands rerunning ci
1
49,570
3,003,704,898
IssuesEvent
2015-07-25 05:46:49
jayway/powermock
https://api.github.com/repos/jayway/powermock
opened
Mocking Private Methods
bug imported Priority-Medium
_From [sachinkh...@gmail.com](https://code.google.com/u/105982092930435515356/) on September 09, 2013 06:58:00_ I have written a code that mocks private method using Power Mockito. Source class :This is the class that needs to be tested. The Private Method is doTheGamble package com.kronos.wfc.platform.messaging.framework; import java.util.Random; public class Abc{ public void meaningfulPublicApi() { if (doTheGamble()) { throw new RuntimeException("boom"); } } private boolean doTheGamble() { Random random = new Random(System.nanoTime()); boolean gamble = random.nextBoolean(); return gamble; } } The Test I wrote is package com.kronos.wfc.platform.messaging.framework; //import static org.mockito.Matchers.anyInt; //import static org.mockito.Matchers.anyString; import static org.powermock.api.mockito.PowerMockito.when; import static org.powermock.api.support.membermodification.MemberMatcher.method; import junit.framework.TestCase; import org.junit.runner.RunWith; import org.powermock.api.mockito.PowerMockito; import org.powermock.core.classloader.annotations.PrepareForTest; import org.powermock.modules.junit4.PowerMockRunner; @RunWith(PowerMockRunner.class) @PrepareForTest(Abc.class) public class AbcMicrotest extends TestCase { protected void setUp() throws Exception { super.setUp(); PowerMockito.mockStatic(Abc.class); } protected void tearDown() throws Exception { super.tearDown(); } public void testmeaningfultest1() { Abc spy = PowerMockito.spy(new Abc()); try{ PowerMockito.doReturn(true).when(spy, "doTheGamble"); spy.meaningfulPublicApi(); } catch (Exception e) { // TODO Auto-generated catch block e.printStackTrace(); } } } Errors : org.mockito.exceptions.base.MockitoException: 'meaningfulPublicApi' is a *void method* and it *cannot* be stubbed with a *return value*! Voids are usually stubbed with Throwables: doThrow(exception).when(mock).someVoidMethod(); *** If you're unsure why you're getting above error read on. Due to the nature of the syntax above problem might occur because: 1. The method you are trying to stub is *overloaded*. Make sure you are calling the right overloaded version. 2. Somewhere in your test you are stubbing *final methods*. Sorry, Mockito does not verify/stub final methods. 3. A spy is stubbed using when(spy.foo()).then() syntax. It is safer to stub spies - - with doReturn|Throw() family of methods. More in javadocs for Mockito.spy() method. at com.kronos.wfc.platform.messaging.framework.AbcMicrotest.testmeaningfultest1(AbcMicrotest.java:35) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:57) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:601) at junit.framework.TestCase.runTest(TestCase.java:154) at junit.framework.TestCase.runBare(TestCase.java:127) at junit.framework.TestResult$1.protect(TestResult.java:106) at junit.framework.TestResult.runProtected(TestResult.java:124) at junit.framework.TestResult.run(TestResult.java:109) at junit.framework.TestCase.run(TestCase.java:118) at junit.framework.TestSuite.runTest(TestSuite.java:208) at junit.framework.TestSuite.run(TestSuite.java:203) at org.eclipse.jdt.internal.junit.runner.junit3.JUnit3TestReference.run(JUnit3TestReference.java:131) at org.eclipse.jdt.internal.junit.runner.TestExecution.run(TestExecution.java:38) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.runTests(RemoteTestRunner.java:467) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.runTests(RemoteTestRunner.java:683) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.run(RemoteTestRunner.java:390) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.main(RemoteTestRunner.java:197) What version of the product are you using? On what operating system? I am working on Eclipse IDE Please help me with this. Thanks in advance _Original issue: http://code.google.com/p/powermock/issues/detail?id=457_
1.0
Mocking Private Methods - _From [sachinkh...@gmail.com](https://code.google.com/u/105982092930435515356/) on September 09, 2013 06:58:00_ I have written a code that mocks private method using Power Mockito. Source class :This is the class that needs to be tested. The Private Method is doTheGamble package com.kronos.wfc.platform.messaging.framework; import java.util.Random; public class Abc{ public void meaningfulPublicApi() { if (doTheGamble()) { throw new RuntimeException("boom"); } } private boolean doTheGamble() { Random random = new Random(System.nanoTime()); boolean gamble = random.nextBoolean(); return gamble; } } The Test I wrote is package com.kronos.wfc.platform.messaging.framework; //import static org.mockito.Matchers.anyInt; //import static org.mockito.Matchers.anyString; import static org.powermock.api.mockito.PowerMockito.when; import static org.powermock.api.support.membermodification.MemberMatcher.method; import junit.framework.TestCase; import org.junit.runner.RunWith; import org.powermock.api.mockito.PowerMockito; import org.powermock.core.classloader.annotations.PrepareForTest; import org.powermock.modules.junit4.PowerMockRunner; @RunWith(PowerMockRunner.class) @PrepareForTest(Abc.class) public class AbcMicrotest extends TestCase { protected void setUp() throws Exception { super.setUp(); PowerMockito.mockStatic(Abc.class); } protected void tearDown() throws Exception { super.tearDown(); } public void testmeaningfultest1() { Abc spy = PowerMockito.spy(new Abc()); try{ PowerMockito.doReturn(true).when(spy, "doTheGamble"); spy.meaningfulPublicApi(); } catch (Exception e) { // TODO Auto-generated catch block e.printStackTrace(); } } } Errors : org.mockito.exceptions.base.MockitoException: 'meaningfulPublicApi' is a *void method* and it *cannot* be stubbed with a *return value*! Voids are usually stubbed with Throwables: doThrow(exception).when(mock).someVoidMethod(); *** If you're unsure why you're getting above error read on. Due to the nature of the syntax above problem might occur because: 1. The method you are trying to stub is *overloaded*. Make sure you are calling the right overloaded version. 2. Somewhere in your test you are stubbing *final methods*. Sorry, Mockito does not verify/stub final methods. 3. A spy is stubbed using when(spy.foo()).then() syntax. It is safer to stub spies - - with doReturn|Throw() family of methods. More in javadocs for Mockito.spy() method. at com.kronos.wfc.platform.messaging.framework.AbcMicrotest.testmeaningfultest1(AbcMicrotest.java:35) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:57) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:601) at junit.framework.TestCase.runTest(TestCase.java:154) at junit.framework.TestCase.runBare(TestCase.java:127) at junit.framework.TestResult$1.protect(TestResult.java:106) at junit.framework.TestResult.runProtected(TestResult.java:124) at junit.framework.TestResult.run(TestResult.java:109) at junit.framework.TestCase.run(TestCase.java:118) at junit.framework.TestSuite.runTest(TestSuite.java:208) at junit.framework.TestSuite.run(TestSuite.java:203) at org.eclipse.jdt.internal.junit.runner.junit3.JUnit3TestReference.run(JUnit3TestReference.java:131) at org.eclipse.jdt.internal.junit.runner.TestExecution.run(TestExecution.java:38) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.runTests(RemoteTestRunner.java:467) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.runTests(RemoteTestRunner.java:683) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.run(RemoteTestRunner.java:390) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.main(RemoteTestRunner.java:197) What version of the product are you using? On what operating system? I am working on Eclipse IDE Please help me with this. Thanks in advance _Original issue: http://code.google.com/p/powermock/issues/detail?id=457_
priority
mocking private methods from on september i have written a code that mocks private method using power mockito source class this is the class that needs to be tested the private method is dothegamble package com kronos wfc platform messaging framework import java util random public class abc public void meaningfulpublicapi if dothegamble throw new runtimeexception boom private boolean dothegamble random random new random system nanotime boolean gamble random nextboolean return gamble the test i wrote is package com kronos wfc platform messaging framework import static org mockito matchers anyint import static org mockito matchers anystring import static org powermock api mockito powermockito when import static org powermock api support membermodification membermatcher method import junit framework testcase import org junit runner runwith import org powermock api mockito powermockito import org powermock core classloader annotations preparefortest import org powermock modules powermockrunner runwith powermockrunner class preparefortest abc class public class abcmicrotest extends testcase protected void setup throws exception super setup powermockito mockstatic abc class protected void teardown throws exception super teardown public void abc spy powermockito spy new abc try powermockito doreturn true when spy dothegamble spy meaningfulpublicapi catch exception e todo auto generated catch block e printstacktrace errors org mockito exceptions base mockitoexception meaningfulpublicapi is a void method and it cannot be stubbed with a return value voids are usually stubbed with throwables dothrow exception when mock somevoidmethod if you re unsure why you re getting above error read on due to the nature of the syntax above problem might occur because the method you are trying to stub is overloaded make sure you are calling the right overloaded version somewhere in your test you are stubbing final methods sorry mockito does not verify stub final methods a spy is stubbed using when spy foo then syntax it is safer to stub spies with doreturn throw family of methods more in javadocs for mockito spy method at com kronos wfc platform messaging framework abcmicrotest abcmicrotest java at sun reflect nativemethodaccessorimpl native method at sun reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at junit framework testcase runtest testcase java at junit framework testcase runbare testcase java at junit framework testresult protect testresult java at junit framework testresult runprotected testresult java at junit framework testresult run testresult java at junit framework testcase run testcase java at junit framework testsuite runtest testsuite java at junit framework testsuite run testsuite java at org eclipse jdt internal junit runner run java at org eclipse jdt internal junit runner testexecution run testexecution java at org eclipse jdt internal junit runner remotetestrunner runtests remotetestrunner java at org eclipse jdt internal junit runner remotetestrunner runtests remotetestrunner java at org eclipse jdt internal junit runner remotetestrunner run remotetestrunner java at org eclipse jdt internal junit runner remotetestrunner main remotetestrunner java what version of the product are you using on what operating system i am working on eclipse ide please help me with this thanks in advance original issue
1
367,114
10,840,624,232
IssuesEvent
2019-11-12 08:46:03
StrangeLoopGames/EcoIssues
https://api.github.com/repos/StrangeLoopGames/EcoIssues
closed
Change default "Select Construction" button
Community Manager Fixed High Priority
Everyone can change this button for themselves in Controls tab, but It should change by default. I set for myself on F, also it can be CapsLock. It's bad to use Shift now.
1.0
Change default "Select Construction" button - Everyone can change this button for themselves in Controls tab, but It should change by default. I set for myself on F, also it can be CapsLock. It's bad to use Shift now.
priority
change default select construction button everyone can change this button for themselves in controls tab but it should change by default i set for myself on f also it can be capslock it s bad to use shift now
1
42,866
17,360,212,944
IssuesEvent
2021-07-29 19:27:48
cityofaustin/atd-data-tech
https://api.github.com/repos/cityofaustin/atd-data-tech
closed
Redirect Moped root URL to `/projects`
Need: 1-Must Have Product: Moped Project: Moped v1.0 Service: Dev Type: Bug Report Type: Enhancement
Right now the project listing displays on both `/moped` and `/moped/projects`. This produces two bugs: - #6550 - `Projects` menu item is not `:active` even though the user is looking at the content of the pro ![Screen Shot 2021-07-26 at 11 25 22 AM](https://user-images.githubusercontent.com/1463708/127025398-b4a910be-1b69-41e8-8b87-6bdb50546e73.png) jects page
1.0
Redirect Moped root URL to `/projects` - Right now the project listing displays on both `/moped` and `/moped/projects`. This produces two bugs: - #6550 - `Projects` menu item is not `:active` even though the user is looking at the content of the pro ![Screen Shot 2021-07-26 at 11 25 22 AM](https://user-images.githubusercontent.com/1463708/127025398-b4a910be-1b69-41e8-8b87-6bdb50546e73.png) jects page
non_priority
redirect moped root url to projects right now the project listing displays on both moped and moped projects this produces two bugs projects menu item is not active even though the user is looking at the content of the pro jects page
0
340,053
30,492,654,617
IssuesEvent
2023-07-18 08:45:24
cockroachdb/cockroach
https://api.github.com/repos/cockroachdb/cockroach
closed
roachtest: decommissionBench/nodes=4/warehouses=1000/duration=1h0m0s failed
C-test-failure O-robot O-roachtest branch-master T-kv
roachtest.decommissionBench/nodes=4/warehouses=1000/duration=1h0m0s [failed](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Nightlies_RoachtestNightlyGceBazel/10950435?buildTab=log) with [artifacts](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Nightlies_RoachtestNightlyGceBazel/10950435?buildTab=artifacts#/decommissionBench/nodes=4/warehouses=1000/duration=1h0m0s) on master @ [7675ca4998134028f0623e04737b5cb69fcc33a9](https://github.com/cockroachdb/cockroach/commits/7675ca4998134028f0623e04737b5cb69fcc33a9): ``` (decommissionbench.go:840).runDecommissionBenchLong: monitor failure: monitor task failed: ~ COCKROACH_CONNECT_TIMEOUT=1200 ./cockroach sql --url 'postgres://root@localhost:26257?sslmode=disable' -e "CREATE SCHEDULE IF NOT EXISTS test_only_backup FOR BACKUP INTO 'gs://cockroach-backup-testing-private/roachprod-scheduled-backups/teamcity-10950435-1689659335-84-n5cpu16/1689665414989201905?AUTH=implicit' RECURRING '*/15 * * * *' FULL BACKUP '@hourly' WITH SCHEDULE OPTIONS first_run = 'now'" ERROR: unexpected error occurred when checking for existing backups in gs://cockroach-backup-testing-private/roachprod-scheduled-backups/teamcity-10950435-1689659335-84-n5cpu16/1689665414989201905?AUTH=implicit: unable to list files in gcs bucket: googleapi: Error 403: 21965078311-compute@developer.gserviceaccount.com does not have storage.objects.list access to the Google Cloud Storage bucket. Permission 'storage.objects.list' denied on resource (or it may not exist). SQLSTATE: 58030 Failed running "sql": COMMAND_PROBLEM: exit status 1 test artifacts and logs in: /artifacts/decommissionBench/nodes=4/warehouses=1000/duration=1h0m0s/run_1 ``` <p>Parameters: <code>ROACHTEST_arch=amd64</code> , <code>ROACHTEST_cloud=gce</code> , <code>ROACHTEST_cpu=16</code> , <code>ROACHTEST_encrypted=false</code> , <code>ROACHTEST_fs=ext4</code> , <code>ROACHTEST_localSSD=true</code> , <code>ROACHTEST_ssd=0</code> </p> <details><summary>Help</summary> <p> See: [roachtest README](https://github.com/cockroachdb/cockroach/blob/master/pkg/cmd/roachtest/README.md) See: [How To Investigate \(internal\)](https://cockroachlabs.atlassian.net/l/c/SSSBr8c7) </p> </details> /cc @cockroachdb/kv-triage <sub> [This test on roachdash](https://roachdash.crdb.dev/?filter=status:open%20t:.*decommissionBench/nodes=4/warehouses=1000/duration=1h0m0s.*&sort=title+created&display=lastcommented+project) | [Improve this report!](https://github.com/cockroachdb/cockroach/tree/master/pkg/cmd/internal/issues) </sub> Jira issue: CRDB-29855
2.0
roachtest: decommissionBench/nodes=4/warehouses=1000/duration=1h0m0s failed - roachtest.decommissionBench/nodes=4/warehouses=1000/duration=1h0m0s [failed](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Nightlies_RoachtestNightlyGceBazel/10950435?buildTab=log) with [artifacts](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Nightlies_RoachtestNightlyGceBazel/10950435?buildTab=artifacts#/decommissionBench/nodes=4/warehouses=1000/duration=1h0m0s) on master @ [7675ca4998134028f0623e04737b5cb69fcc33a9](https://github.com/cockroachdb/cockroach/commits/7675ca4998134028f0623e04737b5cb69fcc33a9): ``` (decommissionbench.go:840).runDecommissionBenchLong: monitor failure: monitor task failed: ~ COCKROACH_CONNECT_TIMEOUT=1200 ./cockroach sql --url 'postgres://root@localhost:26257?sslmode=disable' -e "CREATE SCHEDULE IF NOT EXISTS test_only_backup FOR BACKUP INTO 'gs://cockroach-backup-testing-private/roachprod-scheduled-backups/teamcity-10950435-1689659335-84-n5cpu16/1689665414989201905?AUTH=implicit' RECURRING '*/15 * * * *' FULL BACKUP '@hourly' WITH SCHEDULE OPTIONS first_run = 'now'" ERROR: unexpected error occurred when checking for existing backups in gs://cockroach-backup-testing-private/roachprod-scheduled-backups/teamcity-10950435-1689659335-84-n5cpu16/1689665414989201905?AUTH=implicit: unable to list files in gcs bucket: googleapi: Error 403: 21965078311-compute@developer.gserviceaccount.com does not have storage.objects.list access to the Google Cloud Storage bucket. Permission 'storage.objects.list' denied on resource (or it may not exist). SQLSTATE: 58030 Failed running "sql": COMMAND_PROBLEM: exit status 1 test artifacts and logs in: /artifacts/decommissionBench/nodes=4/warehouses=1000/duration=1h0m0s/run_1 ``` <p>Parameters: <code>ROACHTEST_arch=amd64</code> , <code>ROACHTEST_cloud=gce</code> , <code>ROACHTEST_cpu=16</code> , <code>ROACHTEST_encrypted=false</code> , <code>ROACHTEST_fs=ext4</code> , <code>ROACHTEST_localSSD=true</code> , <code>ROACHTEST_ssd=0</code> </p> <details><summary>Help</summary> <p> See: [roachtest README](https://github.com/cockroachdb/cockroach/blob/master/pkg/cmd/roachtest/README.md) See: [How To Investigate \(internal\)](https://cockroachlabs.atlassian.net/l/c/SSSBr8c7) </p> </details> /cc @cockroachdb/kv-triage <sub> [This test on roachdash](https://roachdash.crdb.dev/?filter=status:open%20t:.*decommissionBench/nodes=4/warehouses=1000/duration=1h0m0s.*&sort=title+created&display=lastcommented+project) | [Improve this report!](https://github.com/cockroachdb/cockroach/tree/master/pkg/cmd/internal/issues) </sub> Jira issue: CRDB-29855
non_priority
roachtest decommissionbench nodes warehouses duration failed roachtest decommissionbench nodes warehouses duration with on master decommissionbench go rundecommissionbenchlong monitor failure monitor task failed cockroach connect timeout cockroach sql url postgres root localhost sslmode disable e create schedule if not exists test only backup for backup into gs cockroach backup testing private roachprod scheduled backups teamcity auth implicit recurring full backup hourly with schedule options first run now error unexpected error occurred when checking for existing backups in gs cockroach backup testing private roachprod scheduled backups teamcity auth implicit unable to list files in gcs bucket googleapi error compute developer gserviceaccount com does not have storage objects list access to the google cloud storage bucket permission storage objects list denied on resource or it may not exist sqlstate failed running sql command problem exit status test artifacts and logs in artifacts decommissionbench nodes warehouses duration run parameters roachtest arch roachtest cloud gce roachtest cpu roachtest encrypted false roachtest fs roachtest localssd true roachtest ssd help see see cc cockroachdb kv triage jira issue crdb
0