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
785,144
27,601,123,374
IssuesEvent
2023-03-09 10:02:00
SonarSource/sonar-scanner-msbuild
https://api.github.com/repos/SonarSource/sonar-scanner-msbuild
opened
Speed up the CI execution time: run the full scanner ci on our own machines
Type: Task Priority: high
The free solution from Azure is free but very slow. We should migrate to our own infrastructure to reduce the waiting time: ![image](https://user-images.githubusercontent.com/56015273/223987456-90e9b0f1-e8ca-4bdb-81ae-001c03051c2c.png) The above example just the build of the project took 18min. The ITs are not executed yet so the total time is much more than that. Source: https://dev.azure.com/sonarsource/DotNetTeam%20Project/_build/results?buildId=64345&view=results
1.0
Speed up the CI execution time: run the full scanner ci on our own machines - The free solution from Azure is free but very slow. We should migrate to our own infrastructure to reduce the waiting time: ![image](https://user-images.githubusercontent.com/56015273/223987456-90e9b0f1-e8ca-4bdb-81ae-001c03051c2c.png) The above example just the build of the project took 18min. The ITs are not executed yet so the total time is much more than that. Source: https://dev.azure.com/sonarsource/DotNetTeam%20Project/_build/results?buildId=64345&view=results
priority
speed up the ci execution time run the full scanner ci on our own machines the free solution from azure is free but very slow we should migrate to our own infrastructure to reduce the waiting time the above example just the build of the project took the its are not executed yet so the total time is much more than that source
1
5,905
6,084,512,190
IssuesEvent
2017-06-17 04:30:38
moby/moby
https://api.github.com/repos/moby/moby
closed
Getting the system time with ntptime returns an error in an unprivileged container
area/security/seccomp version/1.12
<!-- If you are reporting a new issue, make sure that we do not have any duplicates already open. You can ensure this by searching the issue list for this repository. If there is a duplicate, please close your issue and add a comment to the existing issue instead. If you suspect your issue is a bug, please edit your issue description to include the BUG REPORT INFORMATION shown below. If you fail to provide this information within 7 days, we cannot debug your issue and will close it. We will, however, reopen it if you later provide the information. For more information about reporting issues, see https://github.com/docker/docker/blob/master/CONTRIBUTING.md#reporting-other-issues --------------------------------------------------- GENERAL SUPPORT INFORMATION --------------------------------------------------- The GitHub issue tracker is for bug reports and feature requests. General support can be found at the following locations: - Docker Support Forums - https://forums.docker.com - IRC - irc.freenode.net #docker channel - Post a question on StackOverflow, using the Docker tag --------------------------------------------------- BUG REPORT INFORMATION --------------------------------------------------- Use the commands below to provide key information from your environment: You do NOT have to include this information if this is a FEATURE REQUEST --> **Description** <!-- Briefly describe the problem you are having in a few paragraphs. --> I was able to repro this with ntptime. The command fails in a non-privileged Docker container. strace ntptime adjtimex is always called with modes=0: ``` adjtimex({modes=0, offset=-79766, freq=7440, maxerror=821262, esterror=1774, status=STA_PLL|STA_NANO, constant=9, precision=1, tolerance=32768000, time={1494361186, 267332645}, tick=10000, ppsfreq=0, jitter=0, shift=0, stabil=0, jitcnt=0, calcnt=0, errcnt=0, stbcnt=0}) = 0 (TIME_OK)... ``` The Linux kernel does not require CAP_SYS_TIME, if 'modes' is 0 https://github.com/torvalds/linux/blob/d33d5a6c88fcd53fec329a1521010f1bc55fa191/kernel/time/ntp.c ``` if (txc->modes & ADJ_ADJTIME) { ... } else { /* In order to modify anything, you gotta be super-user! */ if (txc->modes && !capable(CAP_SYS_TIME)) return -EPERM; ... } ``` On the other hand the default Docker `seccomp_default.go` marks `CAP_SYS_TIME` as required for every call combination of adjtimex inputs instead of an allow entry for `modes==0` regardless of `CAP_SYS_TIME`. https://github.com/moby/moby/blob/master/profiles/seccomp/seccomp_default.go { Names: []string{ "settimeofday", "stime", "adjtimex", "clock_settime", }, Action: types.ActAllow, Args:   []*types.Arg{}, Includes: types.Filter{ Caps: []string{"CAP_SYS_TIME"}, }, }, **Steps to reproduce the issue:** 1. Install Docker on CentOS 7 or Ubuntu 16. Run docker run -ti centos:7 2. yum install -y ntp 3. ntptime **Describe the results you received:** ``` ntp_gettime() call fails: Operation not permitted Must be root to set kernel values ntp_adjtime() call fails: Operation not permitted ``` **Describe the results you expected:** ``` ntp_gettime() returns code 0 (OK) time dcbcaa81.6bae1454 Tue, May 9 2017 20:52:17.420, (.420625175), maximum error 481016 us, estimated error 1672 us, TAI offset 0 ntp_adjtime() returns code 0 (OK) modes 0x0 (), offset 328.412 us, frequency 0.157 ppm, interval 1 s, maximum error 481016 us, estimated error 1672 us, status 0x6001 (PLL,NANO,MODE), time constant 10, precision 0.001 us, tolerance 500 ppm, ``` **Additional information you deem important (e.g. issue happens only occasionally):** `modes=0` shows a READ operation, not an adjustment as stated in the resolution of the related issue https://github.com/moby/moby/issues/16905. It should work in an unprivileged container. **Output of `docker version`:** ``` Client: Version: 1.12.6 API version: 1.24 Package version: docker-common-1.12.6-16.el7.centos.x86_64 Go version: go1.7.4 Git commit: 3a094bd/1.12.6 Built: Fri Apr 14 13:46:13 2017 OS/Arch: linux/amd64 Server: Version: 1.12.6 API version: 1.24 Package version: docker-common-1.12.6-16.el7.centos.x86_64 Go version: go1.7.4 Git commit: 3a094bd/1.12.6 Built: Fri Apr 14 13:46:13 2017 OS/Arch: linux/amd64 ``` **Output of `docker info`:** ``` Containers: 84 Running: 21 Paused: 0 Stopped: 63 Images: 71 Server Version: 1.12.6 Storage Driver: devicemapper Pool Name: docker-8:1-654329922-pool Pool Blocksize: 65.54 kB Base Device Size: 10.74 GB Backing Filesystem: xfs Data file: /dev/loop0 Metadata file: /dev/loop1 Data Space Used: 5.546 GB Data Space Total: 107.4 GB Data Space Available: 98.22 GB Metadata Space Used: 11.37 MB Metadata Space Total: 2.147 GB Metadata Space Available: 2.136 GB Thin Pool Minimum Free Space: 10.74 GB Udev Sync Supported: true Deferred Removal Enabled: false Deferred Deletion Enabled: false Deferred Deleted Device Count: 0 Data loop file: /var/lib/docker/devicemapper/devicemapper/data WARNING: Usage of loopback devices is strongly discouraged for production use. Use `--storage-opt dm.thinpooldev` to specify a custom block storage device. Metadata loop file: /var/lib/docker/devicemapper/devicemapper/metadata Library Version: 1.02.135-RHEL7 (2016-11-16) Logging Driver: journald Cgroup Driver: systemd Plugins: Volume: local Network: bridge overlay host null Swarm: inactive Runtimes: docker-runc runc Default Runtime: docker-runc Security Options: seccomp Kernel Version: 3.10.0-514.2.2.el7.x86_64 Operating System: CentOS Linux 7 (Core) OSType: linux Architecture: x86_64 Number of Docker Hooks: 2 CPUs: 1 Total Memory: 1.657 GiB Name: host.example.com ID: FO3J:AJ2R:RXSE:3B75:EMVA:IP2Y:ZKTZ:PCP2:CZSR:JLA7:BTQT:Y7M4 Docker Root Dir: /var/lib/docker Debug Mode (client): false Debug Mode (server): false Registry: https://index.docker.io/v1/ Insecure Registries: 127.0.0.0/8 Registries: docker.io (secure) ``` **Additional environment details (AWS, VirtualBox, physical, etc.):** GCE VM
True
Getting the system time with ntptime returns an error in an unprivileged container - <!-- If you are reporting a new issue, make sure that we do not have any duplicates already open. You can ensure this by searching the issue list for this repository. If there is a duplicate, please close your issue and add a comment to the existing issue instead. If you suspect your issue is a bug, please edit your issue description to include the BUG REPORT INFORMATION shown below. If you fail to provide this information within 7 days, we cannot debug your issue and will close it. We will, however, reopen it if you later provide the information. For more information about reporting issues, see https://github.com/docker/docker/blob/master/CONTRIBUTING.md#reporting-other-issues --------------------------------------------------- GENERAL SUPPORT INFORMATION --------------------------------------------------- The GitHub issue tracker is for bug reports and feature requests. General support can be found at the following locations: - Docker Support Forums - https://forums.docker.com - IRC - irc.freenode.net #docker channel - Post a question on StackOverflow, using the Docker tag --------------------------------------------------- BUG REPORT INFORMATION --------------------------------------------------- Use the commands below to provide key information from your environment: You do NOT have to include this information if this is a FEATURE REQUEST --> **Description** <!-- Briefly describe the problem you are having in a few paragraphs. --> I was able to repro this with ntptime. The command fails in a non-privileged Docker container. strace ntptime adjtimex is always called with modes=0: ``` adjtimex({modes=0, offset=-79766, freq=7440, maxerror=821262, esterror=1774, status=STA_PLL|STA_NANO, constant=9, precision=1, tolerance=32768000, time={1494361186, 267332645}, tick=10000, ppsfreq=0, jitter=0, shift=0, stabil=0, jitcnt=0, calcnt=0, errcnt=0, stbcnt=0}) = 0 (TIME_OK)... ``` The Linux kernel does not require CAP_SYS_TIME, if 'modes' is 0 https://github.com/torvalds/linux/blob/d33d5a6c88fcd53fec329a1521010f1bc55fa191/kernel/time/ntp.c ``` if (txc->modes & ADJ_ADJTIME) { ... } else { /* In order to modify anything, you gotta be super-user! */ if (txc->modes && !capable(CAP_SYS_TIME)) return -EPERM; ... } ``` On the other hand the default Docker `seccomp_default.go` marks `CAP_SYS_TIME` as required for every call combination of adjtimex inputs instead of an allow entry for `modes==0` regardless of `CAP_SYS_TIME`. https://github.com/moby/moby/blob/master/profiles/seccomp/seccomp_default.go { Names: []string{ "settimeofday", "stime", "adjtimex", "clock_settime", }, Action: types.ActAllow, Args:   []*types.Arg{}, Includes: types.Filter{ Caps: []string{"CAP_SYS_TIME"}, }, }, **Steps to reproduce the issue:** 1. Install Docker on CentOS 7 or Ubuntu 16. Run docker run -ti centos:7 2. yum install -y ntp 3. ntptime **Describe the results you received:** ``` ntp_gettime() call fails: Operation not permitted Must be root to set kernel values ntp_adjtime() call fails: Operation not permitted ``` **Describe the results you expected:** ``` ntp_gettime() returns code 0 (OK) time dcbcaa81.6bae1454 Tue, May 9 2017 20:52:17.420, (.420625175), maximum error 481016 us, estimated error 1672 us, TAI offset 0 ntp_adjtime() returns code 0 (OK) modes 0x0 (), offset 328.412 us, frequency 0.157 ppm, interval 1 s, maximum error 481016 us, estimated error 1672 us, status 0x6001 (PLL,NANO,MODE), time constant 10, precision 0.001 us, tolerance 500 ppm, ``` **Additional information you deem important (e.g. issue happens only occasionally):** `modes=0` shows a READ operation, not an adjustment as stated in the resolution of the related issue https://github.com/moby/moby/issues/16905. It should work in an unprivileged container. **Output of `docker version`:** ``` Client: Version: 1.12.6 API version: 1.24 Package version: docker-common-1.12.6-16.el7.centos.x86_64 Go version: go1.7.4 Git commit: 3a094bd/1.12.6 Built: Fri Apr 14 13:46:13 2017 OS/Arch: linux/amd64 Server: Version: 1.12.6 API version: 1.24 Package version: docker-common-1.12.6-16.el7.centos.x86_64 Go version: go1.7.4 Git commit: 3a094bd/1.12.6 Built: Fri Apr 14 13:46:13 2017 OS/Arch: linux/amd64 ``` **Output of `docker info`:** ``` Containers: 84 Running: 21 Paused: 0 Stopped: 63 Images: 71 Server Version: 1.12.6 Storage Driver: devicemapper Pool Name: docker-8:1-654329922-pool Pool Blocksize: 65.54 kB Base Device Size: 10.74 GB Backing Filesystem: xfs Data file: /dev/loop0 Metadata file: /dev/loop1 Data Space Used: 5.546 GB Data Space Total: 107.4 GB Data Space Available: 98.22 GB Metadata Space Used: 11.37 MB Metadata Space Total: 2.147 GB Metadata Space Available: 2.136 GB Thin Pool Minimum Free Space: 10.74 GB Udev Sync Supported: true Deferred Removal Enabled: false Deferred Deletion Enabled: false Deferred Deleted Device Count: 0 Data loop file: /var/lib/docker/devicemapper/devicemapper/data WARNING: Usage of loopback devices is strongly discouraged for production use. Use `--storage-opt dm.thinpooldev` to specify a custom block storage device. Metadata loop file: /var/lib/docker/devicemapper/devicemapper/metadata Library Version: 1.02.135-RHEL7 (2016-11-16) Logging Driver: journald Cgroup Driver: systemd Plugins: Volume: local Network: bridge overlay host null Swarm: inactive Runtimes: docker-runc runc Default Runtime: docker-runc Security Options: seccomp Kernel Version: 3.10.0-514.2.2.el7.x86_64 Operating System: CentOS Linux 7 (Core) OSType: linux Architecture: x86_64 Number of Docker Hooks: 2 CPUs: 1 Total Memory: 1.657 GiB Name: host.example.com ID: FO3J:AJ2R:RXSE:3B75:EMVA:IP2Y:ZKTZ:PCP2:CZSR:JLA7:BTQT:Y7M4 Docker Root Dir: /var/lib/docker Debug Mode (client): false Debug Mode (server): false Registry: https://index.docker.io/v1/ Insecure Registries: 127.0.0.0/8 Registries: docker.io (secure) ``` **Additional environment details (AWS, VirtualBox, physical, etc.):** GCE VM
non_priority
getting the system time with ntptime returns an error in an unprivileged container if you are reporting a new issue make sure that we do not have any duplicates already open you can ensure this by searching the issue list for this repository if there is a duplicate please close your issue and add a comment to the existing issue instead if you suspect your issue is a bug please edit your issue description to include the bug report information shown below if you fail to provide this information within days we cannot debug your issue and will close it we will however reopen it if you later provide the information for more information about reporting issues see general support information the github issue tracker is for bug reports and feature requests general support can be found at the following locations docker support forums irc irc freenode net docker channel post a question on stackoverflow using the docker tag bug report information use the commands below to provide key information from your environment you do not have to include this information if this is a feature request description briefly describe the problem you are having in a few paragraphs i was able to repro this with ntptime the command fails in a non privileged docker container strace ntptime adjtimex is always called with modes adjtimex modes offset freq maxerror esterror status sta pll sta nano constant precision tolerance time tick ppsfreq jitter shift stabil jitcnt calcnt errcnt stbcnt time ok the linux kernel does not require cap sys time if modes is if txc modes adj adjtime else in order to modify anything you gotta be super user if txc modes capable cap sys time return eperm on the other hand the default docker seccomp default go marks cap sys time as required for every call combination of adjtimex inputs instead of an allow entry for modes regardless of cap sys time names string settimeofday stime adjtimex clock settime action types actallow args   types arg includes types filter caps string cap sys time steps to reproduce the issue install docker on centos or ubuntu run docker run ti centos yum install y ntp ntptime describe the results you received ntp gettime call fails operation not permitted must be root to set kernel values ntp adjtime call fails operation not permitted describe the results you expected ntp gettime returns code ok time tue may maximum error us estimated error us tai offset ntp adjtime returns code ok modes offset us frequency ppm interval s maximum error us estimated error us status pll nano mode time constant precision us tolerance ppm additional information you deem important e g issue happens only occasionally modes shows a read operation not an adjustment as stated in the resolution of the related issue it should work in an unprivileged container output of docker version client version api version package version docker common centos go version git commit built fri apr os arch linux server version api version package version docker common centos go version git commit built fri apr os arch linux output of docker info containers running paused stopped images server version storage driver devicemapper pool name docker pool pool blocksize kb base device size gb backing filesystem xfs data file dev metadata file dev data space used gb data space total gb data space available gb metadata space used mb metadata space total gb metadata space available gb thin pool minimum free space gb udev sync supported true deferred removal enabled false deferred deletion enabled false deferred deleted device count data loop file var lib docker devicemapper devicemapper data warning usage of loopback devices is strongly discouraged for production use use storage opt dm thinpooldev to specify a custom block storage device metadata loop file var lib docker devicemapper devicemapper metadata library version logging driver journald cgroup driver systemd plugins volume local network bridge overlay host null swarm inactive runtimes docker runc runc default runtime docker runc security options seccomp kernel version operating system centos linux core ostype linux architecture number of docker hooks cpus total memory gib name host example com id rxse emva zktz czsr btqt docker root dir var lib docker debug mode client false debug mode server false registry insecure registries registries docker io secure additional environment details aws virtualbox physical etc gce vm
0
362,676
25,385,339,328
IssuesEvent
2022-11-21 21:20:16
amplication/amplication
https://api.github.com/repos/amplication/amplication
opened
Update urls to docs
priority: low type: chore setup @amplication/client @amplication/data-service-generator documentation setup-script
### What happened? The docs site went through a restructure where were removed `docs/` from page's paths. That segment of the urls should be removed from all links to our docs site. ### What you expected to happen See urls that look like docs.amplication.com/* instead of docs.amplication.com/docs/* ### How to reproduce Just visit the app, or run the setup of the repo ### Amplication version 1.1.0 ### Environment _No response_ ### Are you willing to submit PR? Yes I am willing to submit a PR!
1.0
Update urls to docs - ### What happened? The docs site went through a restructure where were removed `docs/` from page's paths. That segment of the urls should be removed from all links to our docs site. ### What you expected to happen See urls that look like docs.amplication.com/* instead of docs.amplication.com/docs/* ### How to reproduce Just visit the app, or run the setup of the repo ### Amplication version 1.1.0 ### Environment _No response_ ### Are you willing to submit PR? Yes I am willing to submit a PR!
non_priority
update urls to docs what happened the docs site went through a restructure where were removed docs from page s paths that segment of the urls should be removed from all links to our docs site what you expected to happen see urls that look like docs amplication com instead of docs amplication com docs how to reproduce just visit the app or run the setup of the repo amplication version environment no response are you willing to submit pr yes i am willing to submit a pr
0
69,137
3,295,622,167
IssuesEvent
2015-11-01 03:58:54
web-cat/code-workout
https://api.github.com/repos/web-cat/code-workout
closed
Exercise thumbnail point displays
bug priority: normal
Exercise thumbnails need to include meaningful point displays even when the exercise is not associated with the current workout, and need to include meaningful points earned info if the current user has completed (or attempted) it. At present, the logic for displaying points earned + total points in thumbnails is incomplete and needs to be redone. It does not appropriately tie into XP when exercises are outside of assigned workouts.
1.0
Exercise thumbnail point displays - Exercise thumbnails need to include meaningful point displays even when the exercise is not associated with the current workout, and need to include meaningful points earned info if the current user has completed (or attempted) it. At present, the logic for displaying points earned + total points in thumbnails is incomplete and needs to be redone. It does not appropriately tie into XP when exercises are outside of assigned workouts.
priority
exercise thumbnail point displays exercise thumbnails need to include meaningful point displays even when the exercise is not associated with the current workout and need to include meaningful points earned info if the current user has completed or attempted it at present the logic for displaying points earned total points in thumbnails is incomplete and needs to be redone it does not appropriately tie into xp when exercises are outside of assigned workouts
1
19,972
5,960,988,480
IssuesEvent
2017-05-29 15:39:58
numbbo/coco
https://api.github.com/repos/numbbo/coco
closed
recommendations in bbob2009 logger
Code-Experiments Priority-Medium
The bbob2009 logger should log recommendations according to https://github.com/numbbo/coco/issues/169#issuecomment-219077484. For this #220 should be resolved first.
1.0
recommendations in bbob2009 logger - The bbob2009 logger should log recommendations according to https://github.com/numbbo/coco/issues/169#issuecomment-219077484. For this #220 should be resolved first.
non_priority
recommendations in logger the logger should log recommendations according to for this should be resolved first
0
372,319
11,012,796,493
IssuesEvent
2019-12-04 19:03:48
vigetlabs/npm
https://api.github.com/repos/vigetlabs/npm
closed
Program carousel changes
High Priority NPM Request
**Related Trello card:** https://trello.com/c/MMcpK9k1 **Changes:** * [x] Remove the field ‘Available on’ completely. * [x] Make the hostnames the same size and weight as the description text (not bold or larger). * [x] Add the header ‘Description’ above the description text in the same style as the other headers. * [x] Make the ‘X’ that flips the cards back to the front side a little larger. * [x] Fix the position of the cards (Z value) to be under the nav) * [x] Change the text on the front of the cards to be not bold. * [x] Convert pink button into text link style (to help shorten back heights of cards * [x] Move previous/next buttons down a bit to prevent flipped cards from covering them up at smaller (laptop-sized) browser windows ([screenshot of current](https://www.dropbox.com/s/22x66351bmz8ijd/Screenshot%202019-11-22%2014.52.56.png?dl=0)).
1.0
Program carousel changes - **Related Trello card:** https://trello.com/c/MMcpK9k1 **Changes:** * [x] Remove the field ‘Available on’ completely. * [x] Make the hostnames the same size and weight as the description text (not bold or larger). * [x] Add the header ‘Description’ above the description text in the same style as the other headers. * [x] Make the ‘X’ that flips the cards back to the front side a little larger. * [x] Fix the position of the cards (Z value) to be under the nav) * [x] Change the text on the front of the cards to be not bold. * [x] Convert pink button into text link style (to help shorten back heights of cards * [x] Move previous/next buttons down a bit to prevent flipped cards from covering them up at smaller (laptop-sized) browser windows ([screenshot of current](https://www.dropbox.com/s/22x66351bmz8ijd/Screenshot%202019-11-22%2014.52.56.png?dl=0)).
priority
program carousel changes related trello card changes remove the field ‘available on’ completely make the hostnames the same size and weight as the description text not bold or larger add the header ‘description’ above the description text in the same style as the other headers make the ‘x’ that flips the cards back to the front side a little larger fix the position of the cards z value to be under the nav change the text on the front of the cards to be not bold convert pink button into text link style to help shorten back heights of cards move previous next buttons down a bit to prevent flipped cards from covering them up at smaller laptop sized browser windows
1
157,896
12,394,513,857
IssuesEvent
2020-05-20 17:03:39
ansible/awx
https://api.github.com/repos/ansible/awx
closed
Teams Access List
component:ui_next state:needs_test
##### ISSUE TYPE - Feature Idea ##### SUMMARY Access List for Teams. This should include the toolbar, but does not have add functionality. The links should link out to the appropriate resource details page.
1.0
Teams Access List - ##### ISSUE TYPE - Feature Idea ##### SUMMARY Access List for Teams. This should include the toolbar, but does not have add functionality. The links should link out to the appropriate resource details page.
non_priority
teams access list issue type feature idea summary access list for teams this should include the toolbar but does not have add functionality the links should link out to the appropriate resource details page
0
8,594
2,611,532,125
IssuesEvent
2015-02-27 06:03:30
chrsmith/hedgewars
https://api.github.com/repos/chrsmith/hedgewars
closed
captcha is not recognising the code.
auto-migrated Priority-Medium Type-Defect
``` I have entered it numerous times and it repeatedly tells me it is incorrect. ``` Original issue reported on code.google.com by `TheCozz...@gmail.com` on 1 Jun 2013 at 9:23
1.0
captcha is not recognising the code. - ``` I have entered it numerous times and it repeatedly tells me it is incorrect. ``` Original issue reported on code.google.com by `TheCozz...@gmail.com` on 1 Jun 2013 at 9:23
non_priority
captcha is not recognising the code i have entered it numerous times and it repeatedly tells me it is incorrect original issue reported on code google com by thecozz gmail com on jun at
0
295,580
9,098,452,290
IssuesEvent
2019-02-20 00:00:46
kubernetes/minikube
https://api.github.com/repos/kubernetes/minikube
closed
minikube fails from D:\: open minikube-v0.31.0.iso: The system cannot find the path specified.
help wanted kind/bug os/windows priority/backlog
**Environment**: **Minikube version**: 0.31.0 - **OS**: Win Pro 10 - **VM Driver**: hyperv - **ISO version**: *The Issue is with this* - - **Install tools**: chocolate (using elevated privileges) **What happened and how to (maybe) reproduce it**: I was get a problem with minikube not resolving an IP address after starting and decided to uninstall everything to start again. After uninstalling kubernetes-*cli and minikube with chocolate I rebooted my machine. I had to manually delete the VM instance from Hyper-V as the chocolate uninstall did not remove this. I then used chocolate to reinstall the latest version of minikube and tried to start it and it failed. The minikube VM was there. After doing a ```minikube delete``` and then ```minikube start``` it downloaded the VM ISO. When I then did a ```minikube start --vm-driver hyperv --hyperv-virtual-switch DockerNAT``` and got the following response; ``` Starting local Kubernetes v1.10.0 cluster... Starting VM... E1217 19:55:15.470643 12160 start.go:180] Error starting host: Error creating host: Error executing step: Creating VM. : exit status 1. Retrying. E1217 19:55:15.767287 12160 start.go:186] Error starting host: Error creating host: Error executing step: Creating VM. : exit status 1 ``` A second time with just ```minikube star --vm-driver hyperv``` worked (though starting took some time). **What you expected to happen**: - Uninstalling with choco would completely uninstall with no additional work required. - Starting the first time after reinstalling using ```minikube start --vm-driver hyperv``` would install the VM with a default switch named something like ```minikube``` (I would only need to specify switch if I wanted something different.) **Anything else that instant actually need-to-know**: I would like to update the documentation to include an **Uninstall** section and **Reinstall** that notes the steps I mentioned above, yet I'm not confident that the issues I have encounter are just my fault or common to others. Can someone please confirm the problems I have are not atypical? Or if they are suggest where I may have been going wrong. (Clarification in documentation would still be nice and I hope I can become competent enough to contribute.) Also extending the chocolate Windows installation/uninstall scripts to ***completely** uninstall would be useful. Though I understand that some may not actually want this behaviour. Adding a nice progress indicator to ```minikube start``` would be a a nice-to-have though hardly essential. **Further research on problem** Despite having create a minikube vm and got it running I was still unable to use it fully. It returned an IP6 address when I did ```minikube ip``` and refused with lots of errors to open ```minikube dashboard```. I looked as if kubernetes was not setup correctly? I found this closed post https://github.com/kubernetes/minikube/issues/1012#issue-201297319 with a similar problems and the fix being; ``` rm -rf ~/.minikube ``` Deleting the entire minikube configuration and its resources. Now after doing minikube start once again I get this error; ``` Downloading Minikube ISO 178.87 MB / 178.87 MB [============================================] 100.00% 0s E1218 18:44:28.588155 12684 start.go:180] Error starting host: Error creating host: Error executing step: Creating VM. : open /Users/Alan/.minikube/cache/iso/minikube-v0.31.0.iso: The system cannot find the path specified.. Retrying. E1218 18:44:28.590154 12684 start.go:186] Error starting host: Error creating host: Error executing step: Creating VM. : open /Users/Alan/.minikube/cache/iso/minikube-v0.31.0.iso: The system cannot find the path specified. ``` The problem might be caused by me having being on drive (D:\) rather than (C:\) as I notice the open statement above does not specify what drive to access.
1.0
minikube fails from D:\: open minikube-v0.31.0.iso: The system cannot find the path specified. - **Environment**: **Minikube version**: 0.31.0 - **OS**: Win Pro 10 - **VM Driver**: hyperv - **ISO version**: *The Issue is with this* - - **Install tools**: chocolate (using elevated privileges) **What happened and how to (maybe) reproduce it**: I was get a problem with minikube not resolving an IP address after starting and decided to uninstall everything to start again. After uninstalling kubernetes-*cli and minikube with chocolate I rebooted my machine. I had to manually delete the VM instance from Hyper-V as the chocolate uninstall did not remove this. I then used chocolate to reinstall the latest version of minikube and tried to start it and it failed. The minikube VM was there. After doing a ```minikube delete``` and then ```minikube start``` it downloaded the VM ISO. When I then did a ```minikube start --vm-driver hyperv --hyperv-virtual-switch DockerNAT``` and got the following response; ``` Starting local Kubernetes v1.10.0 cluster... Starting VM... E1217 19:55:15.470643 12160 start.go:180] Error starting host: Error creating host: Error executing step: Creating VM. : exit status 1. Retrying. E1217 19:55:15.767287 12160 start.go:186] Error starting host: Error creating host: Error executing step: Creating VM. : exit status 1 ``` A second time with just ```minikube star --vm-driver hyperv``` worked (though starting took some time). **What you expected to happen**: - Uninstalling with choco would completely uninstall with no additional work required. - Starting the first time after reinstalling using ```minikube start --vm-driver hyperv``` would install the VM with a default switch named something like ```minikube``` (I would only need to specify switch if I wanted something different.) **Anything else that instant actually need-to-know**: I would like to update the documentation to include an **Uninstall** section and **Reinstall** that notes the steps I mentioned above, yet I'm not confident that the issues I have encounter are just my fault or common to others. Can someone please confirm the problems I have are not atypical? Or if they are suggest where I may have been going wrong. (Clarification in documentation would still be nice and I hope I can become competent enough to contribute.) Also extending the chocolate Windows installation/uninstall scripts to ***completely** uninstall would be useful. Though I understand that some may not actually want this behaviour. Adding a nice progress indicator to ```minikube start``` would be a a nice-to-have though hardly essential. **Further research on problem** Despite having create a minikube vm and got it running I was still unable to use it fully. It returned an IP6 address when I did ```minikube ip``` and refused with lots of errors to open ```minikube dashboard```. I looked as if kubernetes was not setup correctly? I found this closed post https://github.com/kubernetes/minikube/issues/1012#issue-201297319 with a similar problems and the fix being; ``` rm -rf ~/.minikube ``` Deleting the entire minikube configuration and its resources. Now after doing minikube start once again I get this error; ``` Downloading Minikube ISO 178.87 MB / 178.87 MB [============================================] 100.00% 0s E1218 18:44:28.588155 12684 start.go:180] Error starting host: Error creating host: Error executing step: Creating VM. : open /Users/Alan/.minikube/cache/iso/minikube-v0.31.0.iso: The system cannot find the path specified.. Retrying. E1218 18:44:28.590154 12684 start.go:186] Error starting host: Error creating host: Error executing step: Creating VM. : open /Users/Alan/.minikube/cache/iso/minikube-v0.31.0.iso: The system cannot find the path specified. ``` The problem might be caused by me having being on drive (D:\) rather than (C:\) as I notice the open statement above does not specify what drive to access.
priority
minikube fails from d open minikube iso the system cannot find the path specified environment minikube version os win pro vm driver hyperv iso version the issue is with this install tools chocolate using elevated privileges what happened and how to maybe reproduce it i was get a problem with minikube not resolving an ip address after starting and decided to uninstall everything to start again after uninstalling kubernetes cli and minikube with chocolate i rebooted my machine i had to manually delete the vm instance from hyper v as the chocolate uninstall did not remove this i then used chocolate to reinstall the latest version of minikube and tried to start it and it failed the minikube vm was there after doing a minikube delete and then minikube start it downloaded the vm iso when i then did a minikube start vm driver hyperv hyperv virtual switch dockernat and got the following response starting local kubernetes cluster starting vm start go error starting host error creating host error executing step creating vm exit status retrying start go error starting host error creating host error executing step creating vm exit status a second time with just minikube star vm driver hyperv worked though starting took some time what you expected to happen uninstalling with choco would completely uninstall with no additional work required starting the first time after reinstalling using minikube start vm driver hyperv would install the vm with a default switch named something like minikube i would only need to specify switch if i wanted something different anything else that instant actually need to know i would like to update the documentation to include an uninstall section and reinstall that notes the steps i mentioned above yet i m not confident that the issues i have encounter are just my fault or common to others can someone please confirm the problems i have are not atypical or if they are suggest where i may have been going wrong clarification in documentation would still be nice and i hope i can become competent enough to contribute also extending the chocolate windows installation uninstall scripts to completely uninstall would be useful though i understand that some may not actually want this behaviour adding a nice progress indicator to minikube start would be a a nice to have though hardly essential further research on problem despite having create a minikube vm and got it running i was still unable to use it fully it returned an address when i did minikube ip and refused with lots of errors to open minikube dashboard i looked as if kubernetes was not setup correctly i found this closed post with a similar problems and the fix being rm rf minikube deleting the entire minikube configuration and its resources now after doing minikube start once again i get this error downloading minikube iso mb mb start go error starting host error creating host error executing step creating vm open users alan minikube cache iso minikube iso the system cannot find the path specified retrying start go error starting host error creating host error executing step creating vm open users alan minikube cache iso minikube iso the system cannot find the path specified the problem might be caused by me having being on drive d rather than c as i notice the open statement above does not specify what drive to access
1
355,248
25,175,877,105
IssuesEvent
2022-11-11 09:12:52
therealdaofu/pe
https://api.github.com/repos/therealdaofu/pe
opened
Typo for prefix
severity.VeryLow type.DocumentationBug
Under add item feature, there is a typo for cost price, I believe it should be cp/ instead of cp. ![image.png](https://raw.githubusercontent.com/therealdaofu/pe/main/files/a830ca00-2be9-4597-99a5-9ea55f1b3af5.png) <!--session: 1668151041741-0bdc1ea8-0ece-4032-ac45-a862fa01fc1d--> <!--Version: Web v3.4.4-->
1.0
Typo for prefix - Under add item feature, there is a typo for cost price, I believe it should be cp/ instead of cp. ![image.png](https://raw.githubusercontent.com/therealdaofu/pe/main/files/a830ca00-2be9-4597-99a5-9ea55f1b3af5.png) <!--session: 1668151041741-0bdc1ea8-0ece-4032-ac45-a862fa01fc1d--> <!--Version: Web v3.4.4-->
non_priority
typo for prefix under add item feature there is a typo for cost price i believe it should be cp instead of cp
0
650,633
21,411,531,935
IssuesEvent
2022-04-22 06:39:14
canonical-web-and-design/maas-ui
https://api.github.com/repos/canonical-web-and-design/maas-ui
closed
Subnets breaks page frame at some screen sizes.
Priority: Medium Bug 🐛
**Describe the bug** At middle screen sizes some content extends outside the page frame. **To Reproduce** Steps to reproduce the behavior: 1. Go to Subnets 2. Adjust your window size to about 1050. 3. See that there is a gap around the page and the help icon floating the void. **Screenshots** <img width="1063" alt="Screen Shot 2022-04-20 at 4 41 17 pm" src="https://user-images.githubusercontent.com/361637/164166848-cfae7019-07c5-4963-ad6d-fddcf2a37fe9.png">
1.0
Subnets breaks page frame at some screen sizes. - **Describe the bug** At middle screen sizes some content extends outside the page frame. **To Reproduce** Steps to reproduce the behavior: 1. Go to Subnets 2. Adjust your window size to about 1050. 3. See that there is a gap around the page and the help icon floating the void. **Screenshots** <img width="1063" alt="Screen Shot 2022-04-20 at 4 41 17 pm" src="https://user-images.githubusercontent.com/361637/164166848-cfae7019-07c5-4963-ad6d-fddcf2a37fe9.png">
priority
subnets breaks page frame at some screen sizes describe the bug at middle screen sizes some content extends outside the page frame to reproduce steps to reproduce the behavior go to subnets adjust your window size to about see that there is a gap around the page and the help icon floating the void screenshots img width alt screen shot at pm src
1
197,253
22,585,215,499
IssuesEvent
2022-06-28 14:44:36
RG4421/developers
https://api.github.com/repos/RG4421/developers
opened
CVE-2022-2216 (High) detected in parse-url-5.0.2.tgz
security vulnerability
## CVE-2022-2216 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>parse-url-5.0.2.tgz</b></p></summary> <p>An advanced url parser supporting git urls too.</p> <p>Library home page: <a href="https://registry.npmjs.org/parse-url/-/parse-url-5.0.2.tgz">https://registry.npmjs.org/parse-url/-/parse-url-5.0.2.tgz</a></p> <p>Path to dependency file: /package.json</p> <p>Path to vulnerable library: /node_modules/parse-url/package.json</p> <p> Dependency Hierarchy: - gatsby-2.32.8.tgz (Root Library) - gatsby-telemetry-1.10.1.tgz - git-up-4.0.2.tgz - :x: **parse-url-5.0.2.tgz** (Vulnerable Library) <p>Found in base branch: <b>development</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> Server-Side Request Forgery (SSRF) in GitHub repository ionicabizau/parse-url prior to 7.0.0. <p>Publish Date: 2022-06-27 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-2216>CVE-2022-2216</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.4</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://huntr.dev/bounties/505a3d39-2723-4a06-b1f7-9b2d133c92e1/">https://huntr.dev/bounties/505a3d39-2723-4a06-b1f7-9b2d133c92e1/</a></p> <p>Release Date: 2022-06-27</p> <p>Fix Resolution: parse-url - 6.0.1</p> </p> </details> <p></p>
True
CVE-2022-2216 (High) detected in parse-url-5.0.2.tgz - ## CVE-2022-2216 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>parse-url-5.0.2.tgz</b></p></summary> <p>An advanced url parser supporting git urls too.</p> <p>Library home page: <a href="https://registry.npmjs.org/parse-url/-/parse-url-5.0.2.tgz">https://registry.npmjs.org/parse-url/-/parse-url-5.0.2.tgz</a></p> <p>Path to dependency file: /package.json</p> <p>Path to vulnerable library: /node_modules/parse-url/package.json</p> <p> Dependency Hierarchy: - gatsby-2.32.8.tgz (Root Library) - gatsby-telemetry-1.10.1.tgz - git-up-4.0.2.tgz - :x: **parse-url-5.0.2.tgz** (Vulnerable Library) <p>Found in base branch: <b>development</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> Server-Side Request Forgery (SSRF) in GitHub repository ionicabizau/parse-url prior to 7.0.0. <p>Publish Date: 2022-06-27 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-2216>CVE-2022-2216</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.4</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://huntr.dev/bounties/505a3d39-2723-4a06-b1f7-9b2d133c92e1/">https://huntr.dev/bounties/505a3d39-2723-4a06-b1f7-9b2d133c92e1/</a></p> <p>Release Date: 2022-06-27</p> <p>Fix Resolution: parse-url - 6.0.1</p> </p> </details> <p></p>
non_priority
cve high detected in parse url tgz cve high severity vulnerability vulnerable library parse url tgz an advanced url parser supporting git urls too library home page a href path to dependency file package json path to vulnerable library node modules parse url package json dependency hierarchy gatsby tgz root library gatsby telemetry tgz git up tgz x parse url tgz vulnerable library found in base branch development vulnerability details server side request forgery ssrf in github repository ionicabizau parse url prior to publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact low 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 parse url
0
15,805
10,349,651,607
IssuesEvent
2019-09-04 23:20:58
MicrosoftDocs/powerbi-docs
https://api.github.com/repos/MicrosoftDocs/powerbi-docs
closed
Size Range limitation
assigned-to-author doc-enhancement powerbi-service/subsvc powerbi/svc pri1
It would be useful to add a comment on the size limitation of pinning excel ranges to a dashboard, please can you state the maximum cell range that can be pinned. --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: 458afd24-a62a-7944-5cd4-de9a9290c308 * Version Independent ID: ed6a56f0-e067-9f92-5d54-6755b49f3bc0 * Content: [Using Power BI publisher for Excel - Power BI](https://docs.microsoft.com/en-us/power-bi/publisher-for-excel#feedback) * Content Source: [powerbi-docs/publisher-for-excel.md](https://github.com/MicrosoftDocs/powerbi-docs/blob/live/powerbi-docs/publisher-for-excel.md) * Service: **powerbi** * Sub-service: **powerbi-service** * GitHub Login: @davidiseminger * Microsoft Alias: **davidi**
1.0
Size Range limitation - It would be useful to add a comment on the size limitation of pinning excel ranges to a dashboard, please can you state the maximum cell range that can be pinned. --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: 458afd24-a62a-7944-5cd4-de9a9290c308 * Version Independent ID: ed6a56f0-e067-9f92-5d54-6755b49f3bc0 * Content: [Using Power BI publisher for Excel - Power BI](https://docs.microsoft.com/en-us/power-bi/publisher-for-excel#feedback) * Content Source: [powerbi-docs/publisher-for-excel.md](https://github.com/MicrosoftDocs/powerbi-docs/blob/live/powerbi-docs/publisher-for-excel.md) * Service: **powerbi** * Sub-service: **powerbi-service** * GitHub Login: @davidiseminger * Microsoft Alias: **davidi**
non_priority
size range limitation it would be useful to add a comment on the size limitation of pinning excel ranges to a dashboard please can you state the maximum cell range that can be pinned document details ⚠ do not edit this section it is required for docs microsoft com ➟ github issue linking id version independent id content content source service powerbi sub service powerbi service github login davidiseminger microsoft alias davidi
0
2,053
11,349,132,903
IssuesEvent
2020-01-24 03:22:58
home-assistant/home-assistant
https://api.github.com/repos/home-assistant/home-assistant
closed
Automation triggering while state is not matching
integration: automation stale
**Home Assistant release with the issue: ** 0.98.4 Frontend version: 20190828.0 - latest **Operating environment (Hass.io/Docker/Windows/etc.): ** Docker on pi3 **Integration: ** N/A **Description of problem: Given an Automation configured to trigger when sensor state is ON for 30 minutes. When said sensor has a quick state transition (due to debouncing) from OFF > ON > OFF > ON (less than 30min) > OFF, the automation is triggered after 30 minutes. Checking the sensor's history, it is clear that its state was set to ON less than 30 minutes and then is OFF. **Problem-relevant `configuration.yaml` entries and (fill out even if it seems unimportant):** ``` - id: '1558813853078' alias: Alert Doors Open trigger: - entity_id: binary_sensor.0x00158d0002c6698c_contact for: 00:30:00 platform: state to: 'on' condition: [] action: - data_template: message: '{{ trigger.to_state.attributes.friendlier_name }} is open for 30 min.' service: notify.mobile_app_skyg6 ``` This automation should not trigger in this case, as the sensor's state was never at any given time set to ON for 30 minutes. **Traceback (if applicable):** NA **Additional information:** See following community topic for screenshots etc https://community.home-assistant.io/t/xiaomi-contact-sensor-debouncing-question/142692
1.0
Automation triggering while state is not matching - **Home Assistant release with the issue: ** 0.98.4 Frontend version: 20190828.0 - latest **Operating environment (Hass.io/Docker/Windows/etc.): ** Docker on pi3 **Integration: ** N/A **Description of problem: Given an Automation configured to trigger when sensor state is ON for 30 minutes. When said sensor has a quick state transition (due to debouncing) from OFF > ON > OFF > ON (less than 30min) > OFF, the automation is triggered after 30 minutes. Checking the sensor's history, it is clear that its state was set to ON less than 30 minutes and then is OFF. **Problem-relevant `configuration.yaml` entries and (fill out even if it seems unimportant):** ``` - id: '1558813853078' alias: Alert Doors Open trigger: - entity_id: binary_sensor.0x00158d0002c6698c_contact for: 00:30:00 platform: state to: 'on' condition: [] action: - data_template: message: '{{ trigger.to_state.attributes.friendlier_name }} is open for 30 min.' service: notify.mobile_app_skyg6 ``` This automation should not trigger in this case, as the sensor's state was never at any given time set to ON for 30 minutes. **Traceback (if applicable):** NA **Additional information:** See following community topic for screenshots etc https://community.home-assistant.io/t/xiaomi-contact-sensor-debouncing-question/142692
non_priority
automation triggering while state is not matching home assistant release with the issue frontend version latest operating environment hass io docker windows etc docker on integration n a description of problem given an automation configured to trigger when sensor state is on for minutes when said sensor has a quick state transition due to debouncing from off on off on less than off the automation is triggered after minutes checking the sensor s history it is clear that its state was set to on less than minutes and then is off problem relevant configuration yaml entries and fill out even if it seems unimportant id alias alert doors open trigger entity id binary sensor contact for platform state to on condition action data template message trigger to state attributes friendlier name is open for min service notify mobile app this automation should not trigger in this case as the sensor s state was never at any given time set to on for minutes traceback if applicable na additional information see following community topic for screenshots etc
0
69,243
14,981,737,977
IssuesEvent
2021-01-28 15:11:20
dof-dss/architecture-catalogue
https://api.github.com/repos/dof-dss/architecture-catalogue
opened
CVE-2019-20149 (High) detected in nodev10.7.0
security vulnerability
## CVE-2019-20149 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>nodev10.7.0</b></p></summary> <p> <p>Node.js JavaScript runtime :sparkles::turtle::rocket::sparkles:</p> <p>Library home page: <a href=https://github.com/nodejs/node.git>https://github.com/nodejs/node.git</a></p> <p>Found in HEAD commit: <a href="https://github.com/dof-dss/architecture-catalogue/commit/35f76242424bd8dc7dc8dbff41cd00e5683ea73b">35f76242424bd8dc7dc8dbff41cd00e5683ea73b</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 (0)</summary> <p></p> <p> </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> ctorName in index.js in kind-of v6.0.2 allows external user input to overwrite certain internal attributes via a conflicting name, as demonstrated by 'constructor': {'name':'Symbol'}. Hence, a crafted payload can overwrite this builtin attribute to manipulate the type detection result. <p>Publish Date: 2019-12-30 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-20149>CVE-2019-20149</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: High - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <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="http://web.nvd.nist.gov/view/vuln/detail?vulnId=CVE-2019-20149">http://web.nvd.nist.gov/view/vuln/detail?vulnId=CVE-2019-20149</a></p> <p>Release Date: 2019-12-30</p> <p>Fix Resolution: 6.0.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-2019-20149 (High) detected in nodev10.7.0 - ## CVE-2019-20149 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>nodev10.7.0</b></p></summary> <p> <p>Node.js JavaScript runtime :sparkles::turtle::rocket::sparkles:</p> <p>Library home page: <a href=https://github.com/nodejs/node.git>https://github.com/nodejs/node.git</a></p> <p>Found in HEAD commit: <a href="https://github.com/dof-dss/architecture-catalogue/commit/35f76242424bd8dc7dc8dbff41cd00e5683ea73b">35f76242424bd8dc7dc8dbff41cd00e5683ea73b</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 (0)</summary> <p></p> <p> </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> ctorName in index.js in kind-of v6.0.2 allows external user input to overwrite certain internal attributes via a conflicting name, as demonstrated by 'constructor': {'name':'Symbol'}. Hence, a crafted payload can overwrite this builtin attribute to manipulate the type detection result. <p>Publish Date: 2019-12-30 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-20149>CVE-2019-20149</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: High - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <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="http://web.nvd.nist.gov/view/vuln/detail?vulnId=CVE-2019-20149">http://web.nvd.nist.gov/view/vuln/detail?vulnId=CVE-2019-20149</a></p> <p>Release Date: 2019-12-30</p> <p>Fix Resolution: 6.0.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 cve high severity vulnerability vulnerable library node js javascript runtime sparkles turtle rocket sparkles library home page a href found in head commit a href found in base branch master vulnerable source files vulnerability details ctorname in index js in kind of allows external user input to overwrite certain internal attributes via a conflicting name as demonstrated by constructor name symbol hence a crafted payload can overwrite this builtin attribute to manipulate the type detection result 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 whitesource
0
92,164
26,599,464,009
IssuesEvent
2023-01-23 14:49:42
envoyproxy/envoy
https://api.github.com/repos/envoyproxy/envoy
closed
Devcontainer docker image build failure
bug area/build
*Title*: Can not create a fresh Dev container *Description*: When clicking "Reopen in Dev container mode", the image build fails. Expectation is that vscode should be able to launch our repo in [Dev container mode](https://github.com/envoyproxy/envoy/blob/main/tools/vscode/README.md). *Repro steps*: Delete docker image for vscode devcontainer OR update the sha here : https://github.com/envoyproxy/envoy/blob/43a3a3eec30f48ee1cd68f6a5949dce2a6d70aa4/.devcontainer/Dockerfile#L1 to retrigger a docker image build *Logs*: ``` >I➜ .devcontainer git:(main) docker build . [+] Building 15.8s (5/5) FINISHED => [internal] load build definition from Dockerfile 0.0s => => transferring dockerfile: 935B 0.0s => [internal] load .dockerignore 0.0s => => transferring context: 2B 0.0s => [internal] load metadata for gcr.io/envoy-ci/envoy-build:b0ff77ae3f25b0bf595f9b8bba46b489723ab446 0.9s => CACHED [1/2] FROM gcr.io/envoy-ci/envoy-build:b0ff77ae3f25b0bf595f9b8bba46b489723ab446@sha256:d3719606a009d1cc256389eed268b2f49964ff310d4a7bda11998b558af22d24 0.0s => ERROR [2/2] RUN apt-get -y update && apt-get -y install --no-install-recommends libpython2.7 net-tools psmisc vim 2>&1 && groupadd --gid 501 vscode && useradd -s /bin/bash --uid 501 --g 14.8s ------ > [2/2] RUN apt-get -y update && apt-get -y install --no-install-recommends libpython2.7 net-tools psmisc vim 2>&1 && groupadd --gid 501 vscode && useradd -s /bin/bash --uid 501 --gid 501 -m vscode -G pcap -d /build && echo vscode ALL=(root) NOPASSWD:ALL > /etc/sudoers.d/vscode && chmod 0440 /etc/sudoers.d/vscode: #5 0.391 Get:1 https://download.docker.com/linux/ubuntu focal InRelease [57.7 kB] #5 0.494 Get:2 https://download.docker.com/linux/ubuntu focal/stable amd64 Packages [26.4 kB] #5 0.804 Get:3 http://security.ubuntu.com/ubuntu focal-security InRelease [114 kB] #5 0.971 Get:4 http://ppa.launchpad.net/deadsnakes/ppa/ubuntu focal InRelease [18.1 kB] #5 1.530 Get:5 http://archive.ubuntu.com/ubuntu focal InRelease [265 kB] #5 1.599 Get:6 http://ppa.launchpad.net/deadsnakes/ppa/ubuntu focal/main amd64 Packages [29.5 kB] #5 1.678 Get:7 http://packages.cloud.google.com/apt cloud-sdk InRelease [6,361 B] #5 1.756 Err:7 http://packages.cloud.google.com/apt cloud-sdk InRelease #5 1.756 The following signatures couldn't be verified because the public key is not available: NO_PUBKEY B53DC80D13EDEF05 #5 1.967 Get:8 http://security.ubuntu.com/ubuntu focal-security/main amd64 Packages [2,436 kB] #5 2.541 Get:9 https://apt.kitware.com/ubuntu focal InRelease [15.5 kB] #5 2.849 Err:9 https://apt.kitware.com/ubuntu focal InRelease #5 2.849 The following signatures couldn't be verified because the public key is not available: NO_PUBKEY 42D5A192B819C5DA #5 2.954 Get:10 http://archive.ubuntu.com/ubuntu focal-updates InRelease [114 kB] #5 4.539 Get:11 http://security.ubuntu.com/ubuntu focal-security/multiverse amd64 Packages [27.7 kB] #5 4.547 Get:12 http://security.ubuntu.com/ubuntu focal-security/restricted amd64 Packages [1,879 kB] #5 5.275 Get:13 http://security.ubuntu.com/ubuntu focal-security/universe amd64 Packages [982 kB] #5 5.611 Get:14 http://archive.ubuntu.com/ubuntu focal-backports InRelease [108 kB] #5 6.090 Get:15 http://archive.ubuntu.com/ubuntu focal/main amd64 Packages [1,275 kB] #5 7.771 Get:16 http://archive.ubuntu.com/ubuntu focal/universe amd64 Packages [11.3 MB] #5 11.16 Get:17 http://archive.ubuntu.com/ubuntu focal/restricted amd64 Packages [33.4 kB] #5 11.16 Get:18 http://archive.ubuntu.com/ubuntu focal/multiverse amd64 Packages [177 kB] #5 11.19 Get:19 http://archive.ubuntu.com/ubuntu focal-updates/multiverse amd64 Packages [31.2 kB] #5 11.19 Get:20 http://archive.ubuntu.com/ubuntu focal-updates/restricted amd64 Packages [2,003 kB] #5 11.44 Get:21 http://archive.ubuntu.com/ubuntu focal-updates/universe amd64 Packages [1,284 kB] #5 12.02 Get:22 http://archive.ubuntu.com/ubuntu focal-updates/main amd64 Packages [2,909 kB] #5 13.92 Get:23 http://archive.ubuntu.com/ubuntu focal-backports/main amd64 Packages [55.2 kB] #5 14.10 Get:24 http://archive.ubuntu.com/ubuntu focal-backports/universe amd64 Packages [28.6 kB] #5 14.12 Reading package lists... #5 14.77 W: GPG error: http://packages.cloud.google.com/apt cloud-sdk InRelease: The following signatures couldn't be verified because the public key is not available: NO_PUBKEY B53DC80D13EDEF05 #5 14.77 E: The repository 'http://packages.cloud.google.com/apt cloud-sdk InRelease' is not signed. #5 14.77 W: GPG error: https://apt.kitware.com/ubuntu focal InRelease: The following signatures couldn't be verified because the public key is not available: NO_PUBKEY 42D5A192B819C5DA #5 14.77 E: The repository 'https://apt.kitware.com/ubuntu focal InRelease' is not signed. ------ executor failed running [/bin/sh -c apt-get -y update && apt-get -y install --no-install-recommends libpython2.7 net-tools psmisc vim 2>&1 && groupadd --gid $USER_GID $USERNAME && useradd -s /bin/bash --uid $USER_UID --gid $USER_GID -m $USERNAME -G pcap -d /build && echo $USERNAME ALL=\(root\) NOPASSWD:ALL > /etc/sudoers.d/$USERNAME && chmod 0440 /etc/sudoers.d/$USERNAME]: exit code: 100 ``` *Workaround*: Tried manually importing keys etc. The following worked for me ``` diff --git a/.devcontainer/Dockerfile b/.devcontainer/Dockerfile index 26a7dd543c..0148847ae9 100644 --- a/.devcontainer/Dockerfile +++ b/.devcontainer/Dockerfile @@ -8,9 +8,10 @@ ENV BUILD_DIR=/build ENV ENVOY_STDLIB=libstdc++ ENV DEBIAN_FRONTEND=noninteractive -RUN apt-get -y update \ - && apt-get -y install --no-install-recommends libpython2.7 net-tools psmisc vim 2>&1 \ - # Create a non-root user to use if preferred - see https://aka.ms/vscode-remote/containers/non-root-user. +RUN curl https://packages.cloud.google.com/apt/doc/apt-key.gpg | sudo apt-key --keyring /usr/share/keyrings/cloud.google.gpg add - +RUN apt-key adv --keyserver keyserver.ubuntu.com --recv 42D5A192B819C5DA \ + && apt-get -y update \ + && apt-get -y install --no-install-recommends net-tools psmisc vim 2>&1 \ && groupadd --gid $USER_GID $USERNAME \ && useradd -s /bin/bash --uid $USER_UID --gid $USER_GID -m $USERNAME -G pcap -d /build \ # [Optional] Add sudo support for non-root user ```
1.0
Devcontainer docker image build failure - *Title*: Can not create a fresh Dev container *Description*: When clicking "Reopen in Dev container mode", the image build fails. Expectation is that vscode should be able to launch our repo in [Dev container mode](https://github.com/envoyproxy/envoy/blob/main/tools/vscode/README.md). *Repro steps*: Delete docker image for vscode devcontainer OR update the sha here : https://github.com/envoyproxy/envoy/blob/43a3a3eec30f48ee1cd68f6a5949dce2a6d70aa4/.devcontainer/Dockerfile#L1 to retrigger a docker image build *Logs*: ``` >I➜ .devcontainer git:(main) docker build . [+] Building 15.8s (5/5) FINISHED => [internal] load build definition from Dockerfile 0.0s => => transferring dockerfile: 935B 0.0s => [internal] load .dockerignore 0.0s => => transferring context: 2B 0.0s => [internal] load metadata for gcr.io/envoy-ci/envoy-build:b0ff77ae3f25b0bf595f9b8bba46b489723ab446 0.9s => CACHED [1/2] FROM gcr.io/envoy-ci/envoy-build:b0ff77ae3f25b0bf595f9b8bba46b489723ab446@sha256:d3719606a009d1cc256389eed268b2f49964ff310d4a7bda11998b558af22d24 0.0s => ERROR [2/2] RUN apt-get -y update && apt-get -y install --no-install-recommends libpython2.7 net-tools psmisc vim 2>&1 && groupadd --gid 501 vscode && useradd -s /bin/bash --uid 501 --g 14.8s ------ > [2/2] RUN apt-get -y update && apt-get -y install --no-install-recommends libpython2.7 net-tools psmisc vim 2>&1 && groupadd --gid 501 vscode && useradd -s /bin/bash --uid 501 --gid 501 -m vscode -G pcap -d /build && echo vscode ALL=(root) NOPASSWD:ALL > /etc/sudoers.d/vscode && chmod 0440 /etc/sudoers.d/vscode: #5 0.391 Get:1 https://download.docker.com/linux/ubuntu focal InRelease [57.7 kB] #5 0.494 Get:2 https://download.docker.com/linux/ubuntu focal/stable amd64 Packages [26.4 kB] #5 0.804 Get:3 http://security.ubuntu.com/ubuntu focal-security InRelease [114 kB] #5 0.971 Get:4 http://ppa.launchpad.net/deadsnakes/ppa/ubuntu focal InRelease [18.1 kB] #5 1.530 Get:5 http://archive.ubuntu.com/ubuntu focal InRelease [265 kB] #5 1.599 Get:6 http://ppa.launchpad.net/deadsnakes/ppa/ubuntu focal/main amd64 Packages [29.5 kB] #5 1.678 Get:7 http://packages.cloud.google.com/apt cloud-sdk InRelease [6,361 B] #5 1.756 Err:7 http://packages.cloud.google.com/apt cloud-sdk InRelease #5 1.756 The following signatures couldn't be verified because the public key is not available: NO_PUBKEY B53DC80D13EDEF05 #5 1.967 Get:8 http://security.ubuntu.com/ubuntu focal-security/main amd64 Packages [2,436 kB] #5 2.541 Get:9 https://apt.kitware.com/ubuntu focal InRelease [15.5 kB] #5 2.849 Err:9 https://apt.kitware.com/ubuntu focal InRelease #5 2.849 The following signatures couldn't be verified because the public key is not available: NO_PUBKEY 42D5A192B819C5DA #5 2.954 Get:10 http://archive.ubuntu.com/ubuntu focal-updates InRelease [114 kB] #5 4.539 Get:11 http://security.ubuntu.com/ubuntu focal-security/multiverse amd64 Packages [27.7 kB] #5 4.547 Get:12 http://security.ubuntu.com/ubuntu focal-security/restricted amd64 Packages [1,879 kB] #5 5.275 Get:13 http://security.ubuntu.com/ubuntu focal-security/universe amd64 Packages [982 kB] #5 5.611 Get:14 http://archive.ubuntu.com/ubuntu focal-backports InRelease [108 kB] #5 6.090 Get:15 http://archive.ubuntu.com/ubuntu focal/main amd64 Packages [1,275 kB] #5 7.771 Get:16 http://archive.ubuntu.com/ubuntu focal/universe amd64 Packages [11.3 MB] #5 11.16 Get:17 http://archive.ubuntu.com/ubuntu focal/restricted amd64 Packages [33.4 kB] #5 11.16 Get:18 http://archive.ubuntu.com/ubuntu focal/multiverse amd64 Packages [177 kB] #5 11.19 Get:19 http://archive.ubuntu.com/ubuntu focal-updates/multiverse amd64 Packages [31.2 kB] #5 11.19 Get:20 http://archive.ubuntu.com/ubuntu focal-updates/restricted amd64 Packages [2,003 kB] #5 11.44 Get:21 http://archive.ubuntu.com/ubuntu focal-updates/universe amd64 Packages [1,284 kB] #5 12.02 Get:22 http://archive.ubuntu.com/ubuntu focal-updates/main amd64 Packages [2,909 kB] #5 13.92 Get:23 http://archive.ubuntu.com/ubuntu focal-backports/main amd64 Packages [55.2 kB] #5 14.10 Get:24 http://archive.ubuntu.com/ubuntu focal-backports/universe amd64 Packages [28.6 kB] #5 14.12 Reading package lists... #5 14.77 W: GPG error: http://packages.cloud.google.com/apt cloud-sdk InRelease: The following signatures couldn't be verified because the public key is not available: NO_PUBKEY B53DC80D13EDEF05 #5 14.77 E: The repository 'http://packages.cloud.google.com/apt cloud-sdk InRelease' is not signed. #5 14.77 W: GPG error: https://apt.kitware.com/ubuntu focal InRelease: The following signatures couldn't be verified because the public key is not available: NO_PUBKEY 42D5A192B819C5DA #5 14.77 E: The repository 'https://apt.kitware.com/ubuntu focal InRelease' is not signed. ------ executor failed running [/bin/sh -c apt-get -y update && apt-get -y install --no-install-recommends libpython2.7 net-tools psmisc vim 2>&1 && groupadd --gid $USER_GID $USERNAME && useradd -s /bin/bash --uid $USER_UID --gid $USER_GID -m $USERNAME -G pcap -d /build && echo $USERNAME ALL=\(root\) NOPASSWD:ALL > /etc/sudoers.d/$USERNAME && chmod 0440 /etc/sudoers.d/$USERNAME]: exit code: 100 ``` *Workaround*: Tried manually importing keys etc. The following worked for me ``` diff --git a/.devcontainer/Dockerfile b/.devcontainer/Dockerfile index 26a7dd543c..0148847ae9 100644 --- a/.devcontainer/Dockerfile +++ b/.devcontainer/Dockerfile @@ -8,9 +8,10 @@ ENV BUILD_DIR=/build ENV ENVOY_STDLIB=libstdc++ ENV DEBIAN_FRONTEND=noninteractive -RUN apt-get -y update \ - && apt-get -y install --no-install-recommends libpython2.7 net-tools psmisc vim 2>&1 \ - # Create a non-root user to use if preferred - see https://aka.ms/vscode-remote/containers/non-root-user. +RUN curl https://packages.cloud.google.com/apt/doc/apt-key.gpg | sudo apt-key --keyring /usr/share/keyrings/cloud.google.gpg add - +RUN apt-key adv --keyserver keyserver.ubuntu.com --recv 42D5A192B819C5DA \ + && apt-get -y update \ + && apt-get -y install --no-install-recommends net-tools psmisc vim 2>&1 \ && groupadd --gid $USER_GID $USERNAME \ && useradd -s /bin/bash --uid $USER_UID --gid $USER_GID -m $USERNAME -G pcap -d /build \ # [Optional] Add sudo support for non-root user ```
non_priority
devcontainer docker image build failure title can not create a fresh dev container description when clicking reopen in dev container mode the image build fails expectation is that vscode should be able to launch our repo in repro steps delete docker image for vscode devcontainer or update the sha here to retrigger a docker image build logs i➜ devcontainer git main docker build building finished load build definition from dockerfile transferring dockerfile load dockerignore transferring context load metadata for gcr io envoy ci envoy build cached from gcr io envoy ci envoy build error run apt get y update apt get y install no install recommends net tools psmisc vim groupadd gid vscode useradd s bin bash uid g run apt get y update apt get y install no install recommends net tools psmisc vim groupadd gid vscode useradd s bin bash uid gid m vscode g pcap d build echo vscode all root nopasswd all etc sudoers d vscode chmod etc sudoers d vscode get focal inrelease get focal stable packages get focal security inrelease get focal inrelease get focal inrelease get focal main packages get cloud sdk inrelease err cloud sdk inrelease the following signatures couldn t be verified because the public key is not available no pubkey get focal security main packages get focal inrelease err focal inrelease the following signatures couldn t be verified because the public key is not available no pubkey get focal updates inrelease get focal security multiverse packages get focal security restricted packages get focal security universe packages get focal backports inrelease get focal main packages get focal universe packages get focal restricted packages get focal multiverse packages get focal updates multiverse packages get focal updates restricted packages get focal updates universe packages get focal updates main packages get focal backports main packages get focal backports universe packages reading package lists w gpg error cloud sdk inrelease the following signatures couldn t be verified because the public key is not available no pubkey e the repository cloud sdk inrelease is not signed w gpg error focal inrelease the following signatures couldn t be verified because the public key is not available no pubkey e the repository focal inrelease is not signed executor failed running exit code workaround tried manually importing keys etc the following worked for me diff git a devcontainer dockerfile b devcontainer dockerfile index a devcontainer dockerfile b devcontainer dockerfile env build dir build env envoy stdlib libstdc env debian frontend noninteractive run apt get y update apt get y install no install recommends net tools psmisc vim create a non root user to use if preferred see run curl sudo apt key keyring usr share keyrings cloud google gpg add run apt key adv keyserver keyserver ubuntu com recv apt get y update apt get y install no install recommends net tools psmisc vim groupadd gid user gid username useradd s bin bash uid user uid gid user gid m username g pcap d build add sudo support for non root user
0
218,222
7,330,843,528
IssuesEvent
2018-03-05 11:20:10
NCEAS/metacat
https://api.github.com/repos/NCEAS/metacat
closed
ESA registry gets locked into searching KNB
Category: registry Component: Bugzilla-Id Priority: Normal Status: Resolved Tracker: Bug
--- Author Name: **Will Tyburczy** (Will Tyburczy) Original Redmine Issue: 2796, https://projects.ecoinformatics.org/ecoinfo/issues/2796 Original Date: 2007-03-09 Original Assignee: ben leinfelder --- The ESA registry webpage gets stuck into always searching the KNB for queries after an initial search across the entire KNB. To reproduce this bug: 1) select "search ALL of KNB" and enter a search term 2) look at those results 3) use the back button on the browser 4) then select "search only ESA" At this point, even though the controls say only to search within ESA, the search query gets sent to knb.ecoinformatics.org, rather than the ESA metacat
1.0
ESA registry gets locked into searching KNB - --- Author Name: **Will Tyburczy** (Will Tyburczy) Original Redmine Issue: 2796, https://projects.ecoinformatics.org/ecoinfo/issues/2796 Original Date: 2007-03-09 Original Assignee: ben leinfelder --- The ESA registry webpage gets stuck into always searching the KNB for queries after an initial search across the entire KNB. To reproduce this bug: 1) select "search ALL of KNB" and enter a search term 2) look at those results 3) use the back button on the browser 4) then select "search only ESA" At this point, even though the controls say only to search within ESA, the search query gets sent to knb.ecoinformatics.org, rather than the ESA metacat
priority
esa registry gets locked into searching knb author name will tyburczy will tyburczy original redmine issue original date original assignee ben leinfelder the esa registry webpage gets stuck into always searching the knb for queries after an initial search across the entire knb to reproduce this bug select search all of knb and enter a search term look at those results use the back button on the browser then select search only esa at this point even though the controls say only to search within esa the search query gets sent to knb ecoinformatics org rather than the esa metacat
1
635,763
20,508,384,534
IssuesEvent
2022-03-01 01:57:49
ApollosProject/apollos-apps
https://api.github.com/repos/ApollosProject/apollos-apps
closed
Fundamentally improved remote campus support
enhancement Priority stale
Our UI and our API need to display and expose remote campuses better than they do currently. We need to stop highjacking the address fields and have a description field for remote campuses. We should also expose if a campus is remote or not for client apps that use custom campus screens. See this LCBC screen for an example of flaws with the current approach <img width="320" alt="preview-full-Screen Shot 2020-09-08 at 11 08 25 AM" src="https://user-images.githubusercontent.com/2659478/116425565-60afa900-a810-11eb-849a-8a86021749ee.png">
1.0
Fundamentally improved remote campus support - Our UI and our API need to display and expose remote campuses better than they do currently. We need to stop highjacking the address fields and have a description field for remote campuses. We should also expose if a campus is remote or not for client apps that use custom campus screens. See this LCBC screen for an example of flaws with the current approach <img width="320" alt="preview-full-Screen Shot 2020-09-08 at 11 08 25 AM" src="https://user-images.githubusercontent.com/2659478/116425565-60afa900-a810-11eb-849a-8a86021749ee.png">
priority
fundamentally improved remote campus support our ui and our api need to display and expose remote campuses better than they do currently we need to stop highjacking the address fields and have a description field for remote campuses we should also expose if a campus is remote or not for client apps that use custom campus screens see this lcbc screen for an example of flaws with the current approach img width alt preview full screen shot at am src
1
18,669
13,155,797,476
IssuesEvent
2020-08-10 09:32:51
pombase/canto
https://api.github.com/repos/pombase/canto
closed
Add sorting buttons to column headers
usability
(Sub-issue of https://github.com/pombase/canto/issues/2310) Sorting annotation tables on the summary page is currently done by clicking the text in the column header. Unfortunately, It isn't very obvious how to sort the columns (or that sorting is even possible) until you mouse-over the column headers. We could make it more obvious how to sort the tables by adding a visual cue. I'd suggest an icon, which is always visible, that indicates whether the columns are sortable. Clicking the icon would change the sorting mode of the column. The icons could change their appearance depending on the sort order. Here's an example from Wikipedia: ![image](https://user-images.githubusercontent.com/37659591/89163967-5eb10600-d56e-11ea-87d7-1a605f14a85e.png)
True
Add sorting buttons to column headers - (Sub-issue of https://github.com/pombase/canto/issues/2310) Sorting annotation tables on the summary page is currently done by clicking the text in the column header. Unfortunately, It isn't very obvious how to sort the columns (or that sorting is even possible) until you mouse-over the column headers. We could make it more obvious how to sort the tables by adding a visual cue. I'd suggest an icon, which is always visible, that indicates whether the columns are sortable. Clicking the icon would change the sorting mode of the column. The icons could change their appearance depending on the sort order. Here's an example from Wikipedia: ![image](https://user-images.githubusercontent.com/37659591/89163967-5eb10600-d56e-11ea-87d7-1a605f14a85e.png)
non_priority
add sorting buttons to column headers sub issue of sorting annotation tables on the summary page is currently done by clicking the text in the column header unfortunately it isn t very obvious how to sort the columns or that sorting is even possible until you mouse over the column headers we could make it more obvious how to sort the tables by adding a visual cue i d suggest an icon which is always visible that indicates whether the columns are sortable clicking the icon would change the sorting mode of the column the icons could change their appearance depending on the sort order here s an example from wikipedia
0
203,565
15,884,903,696
IssuesEvent
2021-04-09 19:39:19
chocolatey/ChocolateyGUI
https://api.github.com/repos/chocolatey/ChocolateyGUI
reopened
Provide installation examples that work from command prompt as well as PowerShell
Documentation
When installing ChocolateyGui and passing package parameters on install as per the example on [the package page](https://chocolatey.org/packages/ChocolateyGUI), the parameters are not actually set for the package. **CLI used**: `cmd` / run as admin **Choco**: 0.10.15 **ChocolateyGUI**: 0.17.20 Command passed: ``` choco install chocolateygui --package-parameters="'/ShowConsoleOutput=$true /ShowAdditionalPackageInformation=$true'" ``` When opening the GUI once the command has finished and going to `settings`, the settings which were passed on the command-line on install have not been set. Output log: https://gist.github.com/jrfnl/454a553a667b8510c2ee677e07f5f195 [Line 776-777](https://gist.github.com/jrfnl/454a553a667b8510c2ee677e07f5f195#file-chocolateygui-log-L776-L777) show that the parameters _are_ picked up correctly. The actual problem is most likely related to the logs on [lines 782-783](https://gist.github.com/jrfnl/454a553a667b8510c2ee677e07f5f195#file-chocolateygui-log-L782-L783): ``` 2021-01-09 11:41:19,555 2308 [DEBUG] - Elevating permissions and running ["chocolateyguicli" feature disable --name=ShowConsoleOutput]. This may take a while, depending on the statements. 2021-01-09 11:41:19,555 2308 [WARN ] - WARNING: May not be able to find 'chocolateyguicli'. Please use full path for executables. ```
1.0
Provide installation examples that work from command prompt as well as PowerShell - When installing ChocolateyGui and passing package parameters on install as per the example on [the package page](https://chocolatey.org/packages/ChocolateyGUI), the parameters are not actually set for the package. **CLI used**: `cmd` / run as admin **Choco**: 0.10.15 **ChocolateyGUI**: 0.17.20 Command passed: ``` choco install chocolateygui --package-parameters="'/ShowConsoleOutput=$true /ShowAdditionalPackageInformation=$true'" ``` When opening the GUI once the command has finished and going to `settings`, the settings which were passed on the command-line on install have not been set. Output log: https://gist.github.com/jrfnl/454a553a667b8510c2ee677e07f5f195 [Line 776-777](https://gist.github.com/jrfnl/454a553a667b8510c2ee677e07f5f195#file-chocolateygui-log-L776-L777) show that the parameters _are_ picked up correctly. The actual problem is most likely related to the logs on [lines 782-783](https://gist.github.com/jrfnl/454a553a667b8510c2ee677e07f5f195#file-chocolateygui-log-L782-L783): ``` 2021-01-09 11:41:19,555 2308 [DEBUG] - Elevating permissions and running ["chocolateyguicli" feature disable --name=ShowConsoleOutput]. This may take a while, depending on the statements. 2021-01-09 11:41:19,555 2308 [WARN ] - WARNING: May not be able to find 'chocolateyguicli'. Please use full path for executables. ```
non_priority
provide installation examples that work from command prompt as well as powershell when installing chocolateygui and passing package parameters on install as per the example on the parameters are not actually set for the package cli used cmd run as admin choco chocolateygui command passed choco install chocolateygui package parameters showconsoleoutput true showadditionalpackageinformation true when opening the gui once the command has finished and going to settings the settings which were passed on the command line on install have not been set output log show that the parameters are picked up correctly the actual problem is most likely related to the logs on elevating permissions and running this may take a while depending on the statements warning may not be able to find chocolateyguicli please use full path for executables
0
212,558
7,238,515,147
IssuesEvent
2018-02-13 14:51:11
kubernetes/kubernetes
https://api.github.com/repos/kubernetes/kubernetes
closed
Heapster should collect compute resource usage of core cluster components
area/introspection lifecycle/rotten priority/backlog sig/node
This requires running all the components in a separate cgroup (or docker containers)
1.0
Heapster should collect compute resource usage of core cluster components - This requires running all the components in a separate cgroup (or docker containers)
priority
heapster should collect compute resource usage of core cluster components this requires running all the components in a separate cgroup or docker containers
1
759,899
26,616,976,886
IssuesEvent
2023-01-24 08:10:19
ppy/osu
https://api.github.com/repos/ppy/osu
closed
Argon skin hit circles may not display correctly after quick rewind in editor
priority:0 area:editor
Need to investigate. Looks like an oversight in rewind logic? ### Discussed in https://github.com/ppy/osu/discussions/22314 <div type='discussions-op-text'> <sup>Originally posted by **RBQcat** January 21, 2023</sup> https://user-images.githubusercontent.com/74862110/213864090-80a88b98-4b40-45fd-8c0c-5901e2751ebf.mp4 </div>
1.0
Argon skin hit circles may not display correctly after quick rewind in editor - Need to investigate. Looks like an oversight in rewind logic? ### Discussed in https://github.com/ppy/osu/discussions/22314 <div type='discussions-op-text'> <sup>Originally posted by **RBQcat** January 21, 2023</sup> https://user-images.githubusercontent.com/74862110/213864090-80a88b98-4b40-45fd-8c0c-5901e2751ebf.mp4 </div>
priority
argon skin hit circles may not display correctly after quick rewind in editor need to investigate looks like an oversight in rewind logic discussed in originally posted by rbqcat january
1
448,289
12,947,152,208
IssuesEvent
2020-07-18 22:01:53
RobotLocomotion/drake
https://api.github.com/repos/RobotLocomotion/drake
opened
pydrake: Should ensure that torch>=1.5.0 does not create an issue, relax warning
priority: medium
In #12073, the solution was to print a warning that points to this issue: https://github.com/pytorch/pytorch/issues/3059#issuecomment-534676459 That pytorch issue was closed in the following commit, which is part of `torch>=1.5.0`: https://github.com/pytorch/pytorch/commit/ddff4efa26d527c99cd9892278a32529ddc77e66 However, if I now test in a `virtualenv` with `torch==1.5.1`, our warning still triggers: ```sh ( set -eux drake_base=drake-20200718-bionic.tar.gz drake_file=~/Downloads/${drake_base} if [[ ! -f ${drake_file} ]]; then wget https://drake-packages.csail.mit.edu/drake/nightly/${drake_base} -O ${drake_file} fi cd $(mktemp -d) python3 -m virtualenv -p python3 . --system-site-packages tar -xzf ~/Downloads/drake-20200718-bionic.tar.gz --strip-components=1 pip install torch==1.5.1 python3 -c 'import torch; import pydrake' ) ``` I'm bringing this up b/c I'm looking into #13571, and in Anzu, our import logic gets a little messy if we leave the condition that `pydrake` should be imported before `pytorch`. (Also, false positives here are annoying.)
1.0
pydrake: Should ensure that torch>=1.5.0 does not create an issue, relax warning - In #12073, the solution was to print a warning that points to this issue: https://github.com/pytorch/pytorch/issues/3059#issuecomment-534676459 That pytorch issue was closed in the following commit, which is part of `torch>=1.5.0`: https://github.com/pytorch/pytorch/commit/ddff4efa26d527c99cd9892278a32529ddc77e66 However, if I now test in a `virtualenv` with `torch==1.5.1`, our warning still triggers: ```sh ( set -eux drake_base=drake-20200718-bionic.tar.gz drake_file=~/Downloads/${drake_base} if [[ ! -f ${drake_file} ]]; then wget https://drake-packages.csail.mit.edu/drake/nightly/${drake_base} -O ${drake_file} fi cd $(mktemp -d) python3 -m virtualenv -p python3 . --system-site-packages tar -xzf ~/Downloads/drake-20200718-bionic.tar.gz --strip-components=1 pip install torch==1.5.1 python3 -c 'import torch; import pydrake' ) ``` I'm bringing this up b/c I'm looking into #13571, and in Anzu, our import logic gets a little messy if we leave the condition that `pydrake` should be imported before `pytorch`. (Also, false positives here are annoying.)
priority
pydrake should ensure that torch does not create an issue relax warning in the solution was to print a warning that points to this issue that pytorch issue was closed in the following commit which is part of torch however if i now test in a virtualenv with torch our warning still triggers sh set eux drake base drake bionic tar gz drake file downloads drake base if then wget o drake file fi cd mktemp d m virtualenv p system site packages tar xzf downloads drake bionic tar gz strip components pip install torch c import torch import pydrake i m bringing this up b c i m looking into and in anzu our import logic gets a little messy if we leave the condition that pydrake should be imported before pytorch also false positives here are annoying
1
133,097
5,196,948,658
IssuesEvent
2017-01-23 14:24:43
hpi-swt2/wimi-portal
https://api.github.com/repos/hpi-swt2/wimi-portal
closed
Arrow key navigation on time_sheet#edit
enhancement priority-3
Allow keyboard navigation using arrow keys in the work times table.
1.0
Arrow key navigation on time_sheet#edit - Allow keyboard navigation using arrow keys in the work times table.
priority
arrow key navigation on time sheet edit allow keyboard navigation using arrow keys in the work times table
1
174,465
6,540,369,145
IssuesEvent
2017-09-01 15:10:37
stevekrouse/WoofJS
https://api.github.com/repos/stevekrouse/WoofJS
closed
add all of the sprites and sounds from the tutorials to the docs
feature good for beginners priority woofjs.com
A number of teachers, parents, and students have asked for this. Clearly this will be a never ending battle beacuse we keep adding curriculum but we can add a whole bunch more like we did before here: https://github.com/stevekrouse/WoofJS/pull/408 In the words of one parent: > I can see it [not including all images] makes sense in the context of a teaching environment like the Coding Space, were you have mentors to ask and a curriculum to follow. > > However, woofjs.com is also great environment for individual exploration without mentors. All those lonely kids on the planet who out-grew Scratch and need a next step. In that context it seems inconsistent that the resources needed to follow the tutorials are not available. The step to realising "oh, I need to get my own images and use an external img hosting service" might be a bit too steep. > > My suggestion is you make the woofjs.com tutorials a seamless and intuitive experience all the way through. Include all the resources needed within woofjs.com, don't leave the kids hanging mid-air. Higher level tutorials could then introduce the concept of using external resources, how to format external uris etc.
1.0
add all of the sprites and sounds from the tutorials to the docs - A number of teachers, parents, and students have asked for this. Clearly this will be a never ending battle beacuse we keep adding curriculum but we can add a whole bunch more like we did before here: https://github.com/stevekrouse/WoofJS/pull/408 In the words of one parent: > I can see it [not including all images] makes sense in the context of a teaching environment like the Coding Space, were you have mentors to ask and a curriculum to follow. > > However, woofjs.com is also great environment for individual exploration without mentors. All those lonely kids on the planet who out-grew Scratch and need a next step. In that context it seems inconsistent that the resources needed to follow the tutorials are not available. The step to realising "oh, I need to get my own images and use an external img hosting service" might be a bit too steep. > > My suggestion is you make the woofjs.com tutorials a seamless and intuitive experience all the way through. Include all the resources needed within woofjs.com, don't leave the kids hanging mid-air. Higher level tutorials could then introduce the concept of using external resources, how to format external uris etc.
priority
add all of the sprites and sounds from the tutorials to the docs a number of teachers parents and students have asked for this clearly this will be a never ending battle beacuse we keep adding curriculum but we can add a whole bunch more like we did before here in the words of one parent i can see it makes sense in the context of a teaching environment like the coding space were you have mentors to ask and a curriculum to follow however woofjs com is also great environment for individual exploration without mentors all those lonely kids on the planet who out grew scratch and need a next step in that context it seems inconsistent that the resources needed to follow the tutorials are not available the step to realising oh i need to get my own images and use an external img hosting service might be a bit too steep my suggestion is you make the woofjs com tutorials a seamless and intuitive experience all the way through include all the resources needed within woofjs com don t leave the kids hanging mid air higher level tutorials could then introduce the concept of using external resources how to format external uris etc
1
269,767
8,443,209,640
IssuesEvent
2018-10-18 15:02:59
openshiftio/openshift.io
https://api.github.com/repos/openshiftio/openshift.io
closed
Creating a project on Openshift.io throws 404
SEV3-medium priority/P4 team/app-creation type/bug
##### Issue Overview Creating a project on Openshift.io throws 404. ##### Steps To Reproduce 1. Log In to Openshift.io 2. Click on Create 3. Click on a`add a code base` 4. Fill in the name of the project and select the checkbox `import an existing codebase` 5. Click on continue and you will see the following ![screenshot from 2018-10-18 13-50-14](https://user-images.githubusercontent.com/8664238/47140787-c4ba9380-d2dc-11e8-9fa1-2f8b00b8139c.png)
1.0
Creating a project on Openshift.io throws 404 - ##### Issue Overview Creating a project on Openshift.io throws 404. ##### Steps To Reproduce 1. Log In to Openshift.io 2. Click on Create 3. Click on a`add a code base` 4. Fill in the name of the project and select the checkbox `import an existing codebase` 5. Click on continue and you will see the following ![screenshot from 2018-10-18 13-50-14](https://user-images.githubusercontent.com/8664238/47140787-c4ba9380-d2dc-11e8-9fa1-2f8b00b8139c.png)
priority
creating a project on openshift io throws issue overview creating a project on openshift io throws steps to reproduce log in to openshift io click on create click on a add a code base fill in the name of the project and select the checkbox import an existing codebase click on continue and you will see the following
1
692,676
23,745,583,116
IssuesEvent
2022-08-31 15:40:46
prisma/prisma
https://api.github.com/repos/prisma/prisma
closed
PANIC: supplied instant is later than self in library/std/src/time.rs:313:48
bug/1-unconfirmed kind/bug tech/engines team/client topic: basic error report priority/high size/unknown
Hi Prisma Team! My Prisma Client just crashed. This is the report: ## Versions | Name | Version | |-----------------|--------------------| | Node | v16.13.0 | | OS | debian-openssl-1.1.x| | Prisma Client | 3.9.2 | | Query Engine | 0.1.0 | | Database | postgresql | ## Logs ``` prisma:tryLoadEnv Environment variables not found at null prisma:tryLoadEnv Environment variables not found at undefined prisma:tryLoadEnv No Environment variables loaded prisma:tryLoadEnv Environment variables not found at null prisma:tryLoadEnv Environment variables not found at undefined prisma:tryLoadEnv No Environment variables loaded prisma:client clientVersion: 3.9.2 prisma:client clientEngineType: library prisma:client:libraryEngine internalSetup prisma:client:libraryEngine Searching for Query Engine Library in /src/app/node_modules/.prisma/client prisma:client:libraryEngine loadEngine using /src/app/node_modules/.prisma/client/libquery_engine-debian-openssl-1.1.x.so.node prisma:client:libraryEngine library starting prisma:client:libraryEngine library started prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine requestBatch prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine requestBatch prisma:client:libraryEngine requestBatch prisma:client:libraryEngine requestBatch prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true ``` ## Client Snippet ```ts await this.prisma.user.findUnique({ where: { id: id, email: email, }, include: { members: { include: { collective: true }, }, userCompany: true, }, }); ``` ## Schema ```prisma model User { id String @id @default(cuid()) email String @unique @db.VarChar(255) token String? @db.VarChar(1000) tokenExp DateTime? @db.Timestamptz(3) createdAt DateTime @default(now()) @db.Timestamptz(3) members Member[] userCompany UserCompany? } model UserCompany { id String @id @default(cuid()) userId String @unique name String? companyRegistrationId String? user User @relation(fields: [userId], references: [id], onDelete: Cascade) } model Member { id String @id @default(cuid()) userId String collectiveId String createdAt DateTime @default(now()) @db.Timestamptz(3) title String? @db.VarChar(255) bio String? references String? user User @relation(fields: [userId], references: [id], onDelete: Cascade) collective Collective @relation(fields: [collectiveId], references: [id]) @@unique([userId, collectiveId]) } model Collective { id String @id @default(cuid()) name String @db.VarChar(255) createdAt DateTime @default(now()) @db.Timestamptz(3) members Member[] } ``` ## Prisma Engine Query ``` ``` ## Error ``` Error: Invalid `this.prisma.user.findUnique()` invocation in /src/app/dist/apps/backend/main.js:12832:49 12829 } 12830 getByUniqueId({ id, email, }) { 12831 return (0, tslib_1.__awaiter)(this, void 0, void 0, function* () { → 12832 const user = yield this.prisma.user.findUnique( PANIC: supplied instant is later than self in library/std/src/time.rs:313:48 ``` ## Additional notes I got in my logs the following error ``` thread 'tokio-runtime-worker' panicked at 'supplied instant is later than self', library/std/src/time.rs:313:48 ```
1.0
PANIC: supplied instant is later than self in library/std/src/time.rs:313:48 - Hi Prisma Team! My Prisma Client just crashed. This is the report: ## Versions | Name | Version | |-----------------|--------------------| | Node | v16.13.0 | | OS | debian-openssl-1.1.x| | Prisma Client | 3.9.2 | | Query Engine | 0.1.0 | | Database | postgresql | ## Logs ``` prisma:tryLoadEnv Environment variables not found at null prisma:tryLoadEnv Environment variables not found at undefined prisma:tryLoadEnv No Environment variables loaded prisma:tryLoadEnv Environment variables not found at null prisma:tryLoadEnv Environment variables not found at undefined prisma:tryLoadEnv No Environment variables loaded prisma:client clientVersion: 3.9.2 prisma:client clientEngineType: library prisma:client:libraryEngine internalSetup prisma:client:libraryEngine Searching for Query Engine Library in /src/app/node_modules/.prisma/client prisma:client:libraryEngine loadEngine using /src/app/node_modules/.prisma/client/libquery_engine-debian-openssl-1.1.x.so.node prisma:client:libraryEngine library starting prisma:client:libraryEngine library started prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine requestBatch prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine requestBatch prisma:client:libraryEngine requestBatch prisma:client:libraryEngine requestBatch prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true prisma:client:libraryEngine sending request, this.libraryStarted: true ``` ## Client Snippet ```ts await this.prisma.user.findUnique({ where: { id: id, email: email, }, include: { members: { include: { collective: true }, }, userCompany: true, }, }); ``` ## Schema ```prisma model User { id String @id @default(cuid()) email String @unique @db.VarChar(255) token String? @db.VarChar(1000) tokenExp DateTime? @db.Timestamptz(3) createdAt DateTime @default(now()) @db.Timestamptz(3) members Member[] userCompany UserCompany? } model UserCompany { id String @id @default(cuid()) userId String @unique name String? companyRegistrationId String? user User @relation(fields: [userId], references: [id], onDelete: Cascade) } model Member { id String @id @default(cuid()) userId String collectiveId String createdAt DateTime @default(now()) @db.Timestamptz(3) title String? @db.VarChar(255) bio String? references String? user User @relation(fields: [userId], references: [id], onDelete: Cascade) collective Collective @relation(fields: [collectiveId], references: [id]) @@unique([userId, collectiveId]) } model Collective { id String @id @default(cuid()) name String @db.VarChar(255) createdAt DateTime @default(now()) @db.Timestamptz(3) members Member[] } ``` ## Prisma Engine Query ``` ``` ## Error ``` Error: Invalid `this.prisma.user.findUnique()` invocation in /src/app/dist/apps/backend/main.js:12832:49 12829 } 12830 getByUniqueId({ id, email, }) { 12831 return (0, tslib_1.__awaiter)(this, void 0, void 0, function* () { → 12832 const user = yield this.prisma.user.findUnique( PANIC: supplied instant is later than self in library/std/src/time.rs:313:48 ``` ## Additional notes I got in my logs the following error ``` thread 'tokio-runtime-worker' panicked at 'supplied instant is later than self', library/std/src/time.rs:313:48 ```
priority
panic supplied instant is later than self in library std src time rs hi prisma team my prisma client just crashed this is the report versions name version node os debian openssl x prisma client query engine database postgresql logs prisma tryloadenv environment variables not found at null prisma tryloadenv environment variables not found at undefined prisma tryloadenv no environment variables loaded prisma tryloadenv environment variables not found at null prisma tryloadenv environment variables not found at undefined prisma tryloadenv no environment variables loaded prisma client clientversion prisma client clientenginetype library prisma client libraryengine internalsetup prisma client libraryengine searching for query engine library in src app node modules prisma client prisma client libraryengine loadengine using src app node modules prisma client libquery engine debian openssl x so node prisma client libraryengine library starting prisma client libraryengine library started prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine requestbatch prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine requestbatch prisma client libraryengine requestbatch prisma client libraryengine requestbatch prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true prisma client libraryengine sending request this librarystarted true client snippet ts await this prisma user findunique where id id email email include members include collective true usercompany true schema prisma model user id string id default cuid email string unique db varchar token string db varchar tokenexp datetime db timestamptz createdat datetime default now db timestamptz members member usercompany usercompany model usercompany id string id default cuid userid string unique name string companyregistrationid string user user relation fields references ondelete cascade model member id string id default cuid userid string collectiveid string createdat datetime default now db timestamptz title string db varchar bio string references string user user relation fields references ondelete cascade collective collective relation fields references unique model collective id string id default cuid name string db varchar createdat datetime default now db timestamptz members member prisma engine query error error invalid this prisma user findunique invocation in src app dist apps backend main js getbyuniqueid id email return tslib awaiter this void void function → const user yield this prisma user findunique panic supplied instant is later than self in library std src time rs additional notes i got in my logs the following error thread tokio runtime worker panicked at supplied instant is later than self library std src time rs
1
570,812
17,023,186,789
IssuesEvent
2021-07-03 00:45:57
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Render station icon over subway independent of layer tag
Component: osmarender Priority: minor Resolution: worksforme Type: enhancement
**[Submitted to the original trac issue database at 6.58pm, Monday, 5th November 2007]** If a railway=subway has layer=1 you can't see the station icon. Example: [http://www.openstreetmap.org/?lat=48.21162&lon=16.33916&zoom=17&layers=0BT Josefstdter Strae] station icon is below the bridge of the subway. It should be like [http://www.openstreetmap.org/?lat=48.21682&lon=16.34223&zoom=17&layers=0BT Alser Strae]. Here i gave the station node a layer=1 tag. But imho the station should always be over the subway track otherwise you have to tag the station node with a layer tag.
1.0
Render station icon over subway independent of layer tag - **[Submitted to the original trac issue database at 6.58pm, Monday, 5th November 2007]** If a railway=subway has layer=1 you can't see the station icon. Example: [http://www.openstreetmap.org/?lat=48.21162&lon=16.33916&zoom=17&layers=0BT Josefstdter Strae] station icon is below the bridge of the subway. It should be like [http://www.openstreetmap.org/?lat=48.21682&lon=16.34223&zoom=17&layers=0BT Alser Strae]. Here i gave the station node a layer=1 tag. But imho the station should always be over the subway track otherwise you have to tag the station node with a layer tag.
priority
render station icon over subway independent of layer tag if a railway subway has layer you can t see the station icon example station icon is below the bridge of the subway it should be like here i gave the station node a layer tag but imho the station should always be over the subway track otherwise you have to tag the station node with a layer tag
1
78,340
15,569,970,478
IssuesEvent
2021-03-17 01:25:16
jrrk/riscv-linux
https://api.github.com/repos/jrrk/riscv-linux
opened
CVE-2019-19807 (High) detected in aspeedaspeed-4.19-devicetree-no-fsi
security vulnerability
## CVE-2019-19807 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>aspeedaspeed-4.19-devicetree-no-fsi</b></p></summary> <p> <p>ASPEED ARM SoC development</p> <p>Library home page: <a href=https://git.kernel.org/pub/scm/linux/kernel/git/joel/aspeed.git>https://git.kernel.org/pub/scm/linux/kernel/git/joel/aspeed.git</a></p> </p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (0)</summary> <p></p> <p> </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 the Linux kernel before 5.3.11, sound/core/timer.c has a use-after-free caused by erroneous code refactoring, aka CID-e7af6307a8a5. This is related to snd_timer_open and snd_timer_close_locked. The timeri variable was originally intended to be for a newly created timer instance, but was used for a different purpose after refactoring. <p>Publish Date: 2019-12-15 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-19807>CVE-2019-19807</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://github.com/torvalds/linux/tree/v5.4-rc7">https://github.com/torvalds/linux/tree/v5.4-rc7</a></p> <p>Release Date: 2019-12-15</p> <p>Fix Resolution: v5.4-rc7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2019-19807 (High) detected in aspeedaspeed-4.19-devicetree-no-fsi - ## CVE-2019-19807 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>aspeedaspeed-4.19-devicetree-no-fsi</b></p></summary> <p> <p>ASPEED ARM SoC development</p> <p>Library home page: <a href=https://git.kernel.org/pub/scm/linux/kernel/git/joel/aspeed.git>https://git.kernel.org/pub/scm/linux/kernel/git/joel/aspeed.git</a></p> </p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (0)</summary> <p></p> <p> </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 the Linux kernel before 5.3.11, sound/core/timer.c has a use-after-free caused by erroneous code refactoring, aka CID-e7af6307a8a5. This is related to snd_timer_open and snd_timer_close_locked. The timeri variable was originally intended to be for a newly created timer instance, but was used for a different purpose after refactoring. <p>Publish Date: 2019-12-15 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-19807>CVE-2019-19807</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://github.com/torvalds/linux/tree/v5.4-rc7">https://github.com/torvalds/linux/tree/v5.4-rc7</a></p> <p>Release Date: 2019-12-15</p> <p>Fix Resolution: v5.4-rc7</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 aspeedaspeed devicetree no fsi cve high severity vulnerability vulnerable library aspeedaspeed devicetree no fsi aspeed arm soc development library home page a href vulnerable source files vulnerability details in the linux kernel before sound core timer c has a use after free caused by erroneous code refactoring aka cid this is related to snd timer open and snd timer close locked the timeri variable was originally intended to be for a newly created timer instance but was used for a different purpose after refactoring 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 step up your open source security game with whitesource
0
508,089
14,689,659,516
IssuesEvent
2021-01-02 11:06:39
wowdev/noggit3
https://api.github.com/repos/wowdev/noggit3
opened
When saving a tile that had MLCQ, also remove flags in MCNK
bug priority: high
Client sees the flag and loads random data as if it were MCLQ, which we don’t save.
1.0
When saving a tile that had MLCQ, also remove flags in MCNK - Client sees the flag and loads random data as if it were MCLQ, which we don’t save.
priority
when saving a tile that had mlcq also remove flags in mcnk client sees the flag and loads random data as if it were mclq which we don’t save
1
676,274
23,120,900,844
IssuesEvent
2022-07-27 21:22:01
cal-itp/data-infra
https://api.github.com/repos/cal-itp/data-infra
closed
Turn RT Archiver V2 ticker and consumer prototype into production-ready code
gtfs-rt Priority: P1 scope:gtfs-rt-archive
### User Story As a Data Engineer, I want to turn the RT Archiver V2 ticker and consumer experimental code into a production-grade MVP ### Acceptance Criteria - RT Archiver V2 is deployed in parallel with RT Archiver V1 - Deployed application is able to service the full catalog of URLs - MVP does not have to meet SLOs, but should be within reasonable "reach" given immediately subsequent optimizations and feature work ### Notes Working branch: https://github.com/cal-itp/data-infra/pull/1614 The deployed application does not have to be fully optimized, but conceptually sound enough that we can make incremental improvements that will allow us to confidently fulfill SLOs. **The work here is to essentially take the learnings from the prototype and implement a comparable version that is _at least_ minimally viable for supporting the full RT URL scraping workload.** # Sprint Ready Checklist 1. - [ ] Acceptance criteria defined 2. - [ ] Team understands acceptance criteria 3. - [ ] Team has defined solution / steps to satisfy acceptance criteria 4. - [ ] Acceptance criteria is verifiable / testable 5. - [ ] External / 3rd Party dependencies identified
1.0
Turn RT Archiver V2 ticker and consumer prototype into production-ready code - ### User Story As a Data Engineer, I want to turn the RT Archiver V2 ticker and consumer experimental code into a production-grade MVP ### Acceptance Criteria - RT Archiver V2 is deployed in parallel with RT Archiver V1 - Deployed application is able to service the full catalog of URLs - MVP does not have to meet SLOs, but should be within reasonable "reach" given immediately subsequent optimizations and feature work ### Notes Working branch: https://github.com/cal-itp/data-infra/pull/1614 The deployed application does not have to be fully optimized, but conceptually sound enough that we can make incremental improvements that will allow us to confidently fulfill SLOs. **The work here is to essentially take the learnings from the prototype and implement a comparable version that is _at least_ minimally viable for supporting the full RT URL scraping workload.** # Sprint Ready Checklist 1. - [ ] Acceptance criteria defined 2. - [ ] Team understands acceptance criteria 3. - [ ] Team has defined solution / steps to satisfy acceptance criteria 4. - [ ] Acceptance criteria is verifiable / testable 5. - [ ] External / 3rd Party dependencies identified
priority
turn rt archiver ticker and consumer prototype into production ready code user story as a data engineer i want to turn the rt archiver ticker and consumer experimental code into a production grade mvp acceptance criteria rt archiver is deployed in parallel with rt archiver deployed application is able to service the full catalog of urls mvp does not have to meet slos but should be within reasonable reach given immediately subsequent optimizations and feature work notes working branch the deployed application does not have to be fully optimized but conceptually sound enough that we can make incremental improvements that will allow us to confidently fulfill slos the work here is to essentially take the learnings from the prototype and implement a comparable version that is at least minimally viable for supporting the full rt url scraping workload sprint ready checklist acceptance criteria defined team understands acceptance criteria team has defined solution steps to satisfy acceptance criteria acceptance criteria is verifiable testable external party dependencies identified
1
606,842
18,769,229,948
IssuesEvent
2021-11-06 14:20:43
zephyrproject-rtos/zephyr
https://api.github.com/repos/zephyrproject-rtos/zephyr
closed
modem: uart mux reading optimization never used
bug priority: medium area: UART area: Modem
**Describe the bug** A check to optimize uart sending (prevent to encapsulating every character in a frame when uart muxing is active) is always false Both the optimization and the always false check has been introduced in https://github.com/zephyrproject-rtos/zephyr/pull/28475. see comment: https://github.com/zephyrproject-rtos/zephyr/pull/28475#discussion_r737258042
1.0
modem: uart mux reading optimization never used - **Describe the bug** A check to optimize uart sending (prevent to encapsulating every character in a frame when uart muxing is active) is always false Both the optimization and the always false check has been introduced in https://github.com/zephyrproject-rtos/zephyr/pull/28475. see comment: https://github.com/zephyrproject-rtos/zephyr/pull/28475#discussion_r737258042
priority
modem uart mux reading optimization never used describe the bug a check to optimize uart sending prevent to encapsulating every character in a frame when uart muxing is active is always false both the optimization and the always false check has been introduced in see comment
1
59,787
3,117,555,939
IssuesEvent
2015-09-04 02:34:24
framingeinstein/issues-test
https://api.github.com/repos/framingeinstein/issues-test
opened
SPK-333: Resources & Downloads
priority:normal resolution:fixed
Hi Paul, Can we have the horizontal rules & color blocks be full-width? There are a few examples of this already on the site. See http://speakman.rallyapp.co/collections/the-rain-bathroom for an example. I also noticed this throughout the pages you've coded. If you see a full-width issue can you update to match the design? Thanks!
1.0
SPK-333: Resources & Downloads - Hi Paul, Can we have the horizontal rules & color blocks be full-width? There are a few examples of this already on the site. See http://speakman.rallyapp.co/collections/the-rain-bathroom for an example. I also noticed this throughout the pages you've coded. If you see a full-width issue can you update to match the design? Thanks!
priority
spk resources downloads hi paul can we have the horizontal rules color blocks be full width there are a few examples of this already on the site see for an example i also noticed this throughout the pages you ve coded if you see a full width issue can you update to match the design thanks
1
223,876
7,461,544,100
IssuesEvent
2018-03-31 04:27:48
CS2103JAN2018-W15-B4/main
https://api.github.com/repos/CS2103JAN2018-W15-B4/main
closed
As an exco member, I want to be able to view all the tasks in the club book
priority.medium
So that I can monitor all activity and provide my input/suggestions where needed.
1.0
As an exco member, I want to be able to view all the tasks in the club book - So that I can monitor all activity and provide my input/suggestions where needed.
priority
as an exco member i want to be able to view all the tasks in the club book so that i can monitor all activity and provide my input suggestions where needed
1
30,533
2,724,004,158
IssuesEvent
2015-04-14 15:33:47
CruxFramework/crux-widgets
https://api.github.com/repos/CruxFramework/crux-widgets
closed
I need to restart devMode when I add a declared i18n message on crux page
bug CruxCore imported Milestone-4.0.0 Priority-Medium
_From [thi...@cruxframework.org](https://code.google.com/u/114650528804514463329/) on January 07, 2011 15:22:06_ I need to restart devMode when I add a declared i18n message on crux page _Original issue: http://code.google.com/p/crux-framework/issues/detail?id=232_
1.0
I need to restart devMode when I add a declared i18n message on crux page - _From [thi...@cruxframework.org](https://code.google.com/u/114650528804514463329/) on January 07, 2011 15:22:06_ I need to restart devMode when I add a declared i18n message on crux page _Original issue: http://code.google.com/p/crux-framework/issues/detail?id=232_
priority
i need to restart devmode when i add a declared message on crux page from on january i need to restart devmode when i add a declared message on crux page original issue
1
46,216
19,006,408,889
IssuesEvent
2021-11-23 00:50:03
elastic/kibana
https://api.github.com/repos/elastic/kibana
opened
[Task Manager][Docs] Consistent list of important task types in documentation
Feature:Task Manager Team:Alerting Services docs
There are a few places in the task manager documentation that list the types of tasks that may be handled by task manager: In https://github.com/elastic/kibana/blob/main/docs/user/production-considerations/task-manager-health-monitoring.asciidoc, it says `Alerting and Actions` In https://github.com/elastic/kibana/blob/main/docs/user/production-considerations/task-manager-production-considerations.asciidoc it says `Alerting, Actions, and Reporting`, and then later in the doc, it says `Alerting and Reporting` In https://github.com/elastic/kibana/blob/main/docs/user/production-considerations/task-manager-troubleshooting.asciidoc it says `Alerting, Reporting and Telemetry` We should determine if these list of task types should all be the same in these locations and update accordingly.
1.0
[Task Manager][Docs] Consistent list of important task types in documentation - There are a few places in the task manager documentation that list the types of tasks that may be handled by task manager: In https://github.com/elastic/kibana/blob/main/docs/user/production-considerations/task-manager-health-monitoring.asciidoc, it says `Alerting and Actions` In https://github.com/elastic/kibana/blob/main/docs/user/production-considerations/task-manager-production-considerations.asciidoc it says `Alerting, Actions, and Reporting`, and then later in the doc, it says `Alerting and Reporting` In https://github.com/elastic/kibana/blob/main/docs/user/production-considerations/task-manager-troubleshooting.asciidoc it says `Alerting, Reporting and Telemetry` We should determine if these list of task types should all be the same in these locations and update accordingly.
non_priority
consistent list of important task types in documentation there are a few places in the task manager documentation that list the types of tasks that may be handled by task manager in it says alerting and actions in it says alerting actions and reporting and then later in the doc it says alerting and reporting in it says alerting reporting and telemetry we should determine if these list of task types should all be the same in these locations and update accordingly
0
79,925
3,548,754,427
IssuesEvent
2016-01-20 15:36:57
gama-platform/gama
https://api.github.com/repos/gama-platform/gama
opened
The Agents menu should give access to the population of simulations
Affects Usability Concerns Interface Concerns Simulation OS All Priority Critical Version Git
Right now, it only gives access to the latest simulation and its agents.
1.0
The Agents menu should give access to the population of simulations - Right now, it only gives access to the latest simulation and its agents.
priority
the agents menu should give access to the population of simulations right now it only gives access to the latest simulation and its agents
1
692,026
23,720,549,199
IssuesEvent
2022-08-30 15:01:14
kubernetes/ingress-nginx
https://api.github.com/repos/kubernetes/ingress-nginx
closed
Issue with the Nginx on K8 1.22
needs-kind needs-triage needs-priority
<!-- Welcome to ingress-nginx! For a smooth issue process, try to answer the following questions. Don't worry if they're not all applicable; just try to include what you can :-). More info helps better understanding of the issue (needless to say). If you need to include code snippets or logs, please put them in fenced code blocks. If they're super-long, please use the details tag like <details><summary>super-long log</summary> lots of stuff </details> --> <!-- IMPORTANT!!! Please complete the next sections or the issue will be closed. This questions are the first thing we need to know to understand the context. --> **What happened**: I have recently encountered an issue that I cannot resolve. My nginx pods cannot get started. Here is the logs: I0828 23:25:02.939911 7 main.go:230] "Creating API client" host="" I0828 23:25:02.946584 7 main.go:274] "Running in Kubernetes cluster" major="1" minor="22" git="v1.22.12-gke.300" state="clean" commit="26604476cf3bcb64bec486e4b5880a5773a52e75" platform="linux/amd64" I0828 23:25:03.746221 7 main.go:104] "SSL fake certificate created" file="/etc/ingress-controller/ssl/default-fake-certificate.pem" I0828 23:25:03.770387 7 ssl.go:531] "loading tls certificate" path="/usr/local/certificates/cert" key="/usr/local/certificates/key" I0828 23:25:03.791790 7 nginx.go:258] "Starting NGINX Ingress controller" I0828 23:25:03.821313 7 backend_ssl.go:65] "Adding secret to local store" name="xxxxxx" I0828 23:26:00.812581 7 main.go:176] "Received SIGTERM, shutting down" I0828 23:26:00.812621 7 nginx.go:377] "Shutting down controller queues" E0828 23:26:00.813438 7 store.go:176] timed out waiting for caches to sync I0828 23:26:00.813524 7 trace.go:205] Trace[830188982]: "Reflector ListAndWatch" name:k8s.io/client-go@v0.23.6/tools/cache/reflector.go:167 (28-Aug-2022 23:25:03.793) (total time: 57020ms): Trace[830188982]: [57.02000915s] [57.02000915s] END It seems Adding secrets to local store took a long time. Here is my nginx info: NGINX Ingress controller Release: v1.3.0 Build: https://github.com/kubernetes/ingress-nginx/commit/2b7b74854d90ad9b4b96a5011b9e8b67d20bfb8f Repository: https://github.com/kubernetes/ingress-nginx nginx version: nginx/1.19.10 **What you expected to happen**: I expect the pods to run smoothly. **NGINX Ingress controller version** (exec into the pod and run nginx-ingress-controller --version.): NGINX Ingress controller Release: v1.3.0 Build: 2b7b74854d90ad9b4b96a5011b9e8b67d20bfb8f Repository: https://github.com/kubernetes/ingress-nginx nginx version: nginx/1.19.10 **Kubernetes version** (use `kubectl version`): 1.22 **Environment**: - **Cloud provider or hardware configuration**: - **OS** (e.g. from /etc/os-release): - **Kernel** (e.g. `uname -a`): - **Install tools**: - `Please mention how/where was the cluster created like kubeadm/kops/minikube/kind etc. ` - **Basic cluster related info**: - `kubectl version` - `kubectl get nodes -o wide` - **How was the ingress-nginx-controller installed**: - If helm was used then please show output of `helm ls -A | grep -i ingress` - If helm was used then please show output of `helm -n <ingresscontrollernamepspace> get values <helmreleasename>` - If helm was not used, then copy/paste the complete precise command used to install the controller, along with the flags and options used - if you have more than one instance of the ingress-nginx-controller installed in the same cluster, please provide details for all the instances - **Current State of the controller**: - `kubectl describe ingressclasses` - `kubectl -n <ingresscontrollernamespace> get all -A -o wide` - `kubectl -n <ingresscontrollernamespace> describe po <ingresscontrollerpodname>` - `kubectl -n <ingresscontrollernamespace> describe svc <ingresscontrollerservicename>` - **Current state of ingress object, if applicable**: - `kubectl -n <appnnamespace> get all,ing -o wide` - `kubectl -n <appnamespace> describe ing <ingressname>` - If applicable, then, your complete and exact curl/grpcurl command (redacted if required) and the reponse to the curl/grpcurl command with the -v flag - **Others**: - Any other related information like ; - copy/paste of the snippet (if applicable) - `kubectl describe ...` of any custom configmap(s) created and in use - Any other related information that may help **How to reproduce this issue**: <!--- As minimally and precisely as possible. Keep in mind we do not have access to your cluster or application. Help up us (if possible) reproducing the issue using minikube or kind. ## Install minikube/kind - Minikube https://minikube.sigs.k8s.io/docs/start/ - Kind https://kind.sigs.k8s.io/docs/user/quick-start/ ## Install the ingress controller kubectl apply -f https://raw.githubusercontent.com/kubernetes/ingress-nginx/main/deploy/static/provider/baremetal/deploy.yaml ## Install an application that will act as default backend (is just an echo app) kubectl apply -f https://raw.githubusercontent.com/kubernetes/ingress-nginx/main/docs/examples/http-svc.yaml ## Create an ingress (please add any additional annotation required) echo " apiVersion: networking.k8s.io/v1 kind: Ingress metadata: name: foo-bar annotations: kubernetes.io/ingress.class: nginx spec: ingressClassName: nginx # omit this if you're on controller version below 1.0.0 rules: - host: foo.bar http: paths: - path: / pathType: Prefix backend: service: name: http-svc port: number: 80 " | kubectl apply -f - ## make a request POD_NAME=$(k get pods -n ingress-nginx -l app.kubernetes.io/name=ingress-nginx -o NAME) kubectl exec -it -n ingress-nginx $POD_NAME -- curl -H 'Host: foo.bar' localhost ---> **Anything else we need to know**: <!-- If this is actually about documentation, uncomment the following block --> <!-- /kind documentation /remove-kind bug -->
1.0
Issue with the Nginx on K8 1.22 - <!-- Welcome to ingress-nginx! For a smooth issue process, try to answer the following questions. Don't worry if they're not all applicable; just try to include what you can :-). More info helps better understanding of the issue (needless to say). If you need to include code snippets or logs, please put them in fenced code blocks. If they're super-long, please use the details tag like <details><summary>super-long log</summary> lots of stuff </details> --> <!-- IMPORTANT!!! Please complete the next sections or the issue will be closed. This questions are the first thing we need to know to understand the context. --> **What happened**: I have recently encountered an issue that I cannot resolve. My nginx pods cannot get started. Here is the logs: I0828 23:25:02.939911 7 main.go:230] "Creating API client" host="" I0828 23:25:02.946584 7 main.go:274] "Running in Kubernetes cluster" major="1" minor="22" git="v1.22.12-gke.300" state="clean" commit="26604476cf3bcb64bec486e4b5880a5773a52e75" platform="linux/amd64" I0828 23:25:03.746221 7 main.go:104] "SSL fake certificate created" file="/etc/ingress-controller/ssl/default-fake-certificate.pem" I0828 23:25:03.770387 7 ssl.go:531] "loading tls certificate" path="/usr/local/certificates/cert" key="/usr/local/certificates/key" I0828 23:25:03.791790 7 nginx.go:258] "Starting NGINX Ingress controller" I0828 23:25:03.821313 7 backend_ssl.go:65] "Adding secret to local store" name="xxxxxx" I0828 23:26:00.812581 7 main.go:176] "Received SIGTERM, shutting down" I0828 23:26:00.812621 7 nginx.go:377] "Shutting down controller queues" E0828 23:26:00.813438 7 store.go:176] timed out waiting for caches to sync I0828 23:26:00.813524 7 trace.go:205] Trace[830188982]: "Reflector ListAndWatch" name:k8s.io/client-go@v0.23.6/tools/cache/reflector.go:167 (28-Aug-2022 23:25:03.793) (total time: 57020ms): Trace[830188982]: [57.02000915s] [57.02000915s] END It seems Adding secrets to local store took a long time. Here is my nginx info: NGINX Ingress controller Release: v1.3.0 Build: https://github.com/kubernetes/ingress-nginx/commit/2b7b74854d90ad9b4b96a5011b9e8b67d20bfb8f Repository: https://github.com/kubernetes/ingress-nginx nginx version: nginx/1.19.10 **What you expected to happen**: I expect the pods to run smoothly. **NGINX Ingress controller version** (exec into the pod and run nginx-ingress-controller --version.): NGINX Ingress controller Release: v1.3.0 Build: 2b7b74854d90ad9b4b96a5011b9e8b67d20bfb8f Repository: https://github.com/kubernetes/ingress-nginx nginx version: nginx/1.19.10 **Kubernetes version** (use `kubectl version`): 1.22 **Environment**: - **Cloud provider or hardware configuration**: - **OS** (e.g. from /etc/os-release): - **Kernel** (e.g. `uname -a`): - **Install tools**: - `Please mention how/where was the cluster created like kubeadm/kops/minikube/kind etc. ` - **Basic cluster related info**: - `kubectl version` - `kubectl get nodes -o wide` - **How was the ingress-nginx-controller installed**: - If helm was used then please show output of `helm ls -A | grep -i ingress` - If helm was used then please show output of `helm -n <ingresscontrollernamepspace> get values <helmreleasename>` - If helm was not used, then copy/paste the complete precise command used to install the controller, along with the flags and options used - if you have more than one instance of the ingress-nginx-controller installed in the same cluster, please provide details for all the instances - **Current State of the controller**: - `kubectl describe ingressclasses` - `kubectl -n <ingresscontrollernamespace> get all -A -o wide` - `kubectl -n <ingresscontrollernamespace> describe po <ingresscontrollerpodname>` - `kubectl -n <ingresscontrollernamespace> describe svc <ingresscontrollerservicename>` - **Current state of ingress object, if applicable**: - `kubectl -n <appnnamespace> get all,ing -o wide` - `kubectl -n <appnamespace> describe ing <ingressname>` - If applicable, then, your complete and exact curl/grpcurl command (redacted if required) and the reponse to the curl/grpcurl command with the -v flag - **Others**: - Any other related information like ; - copy/paste of the snippet (if applicable) - `kubectl describe ...` of any custom configmap(s) created and in use - Any other related information that may help **How to reproduce this issue**: <!--- As minimally and precisely as possible. Keep in mind we do not have access to your cluster or application. Help up us (if possible) reproducing the issue using minikube or kind. ## Install minikube/kind - Minikube https://minikube.sigs.k8s.io/docs/start/ - Kind https://kind.sigs.k8s.io/docs/user/quick-start/ ## Install the ingress controller kubectl apply -f https://raw.githubusercontent.com/kubernetes/ingress-nginx/main/deploy/static/provider/baremetal/deploy.yaml ## Install an application that will act as default backend (is just an echo app) kubectl apply -f https://raw.githubusercontent.com/kubernetes/ingress-nginx/main/docs/examples/http-svc.yaml ## Create an ingress (please add any additional annotation required) echo " apiVersion: networking.k8s.io/v1 kind: Ingress metadata: name: foo-bar annotations: kubernetes.io/ingress.class: nginx spec: ingressClassName: nginx # omit this if you're on controller version below 1.0.0 rules: - host: foo.bar http: paths: - path: / pathType: Prefix backend: service: name: http-svc port: number: 80 " | kubectl apply -f - ## make a request POD_NAME=$(k get pods -n ingress-nginx -l app.kubernetes.io/name=ingress-nginx -o NAME) kubectl exec -it -n ingress-nginx $POD_NAME -- curl -H 'Host: foo.bar' localhost ---> **Anything else we need to know**: <!-- If this is actually about documentation, uncomment the following block --> <!-- /kind documentation /remove-kind bug -->
priority
issue with the nginx on welcome to ingress nginx for a smooth issue process try to answer the following questions don t worry if they re not all applicable just try to include what you can more info helps better understanding of the issue needless to say if you need to include code snippets or logs please put them in fenced code blocks if they re super long please use the details tag like super long log lots of stuff important please complete the next sections or the issue will be closed this questions are the first thing we need to know to understand the context what happened i have recently encountered an issue that i cannot resolve my nginx pods cannot get started here is the logs main go creating api client host main go running in kubernetes cluster major minor git gke state clean commit platform linux main go ssl fake certificate created file etc ingress controller ssl default fake certificate pem ssl go loading tls certificate path usr local certificates cert key usr local certificates key nginx go starting nginx ingress controller backend ssl go adding secret to local store name xxxxxx main go received sigterm shutting down nginx go shutting down controller queues store go timed out waiting for caches to sync trace go trace reflector listandwatch name io client go tools cache reflector go aug total time trace end it seems adding secrets to local store took a long time here is my nginx info nginx ingress controller release build repository nginx version nginx what you expected to happen i expect the pods to run smoothly nginx ingress controller version exec into the pod and run nginx ingress controller version nginx ingress controller release build repository nginx version nginx kubernetes version use kubectl version environment cloud provider or hardware configuration os e g from etc os release kernel e g uname a install tools please mention how where was the cluster created like kubeadm kops minikube kind etc basic cluster related info kubectl version kubectl get nodes o wide how was the ingress nginx controller installed if helm was used then please show output of helm ls a grep i ingress if helm was used then please show output of helm n get values if helm was not used then copy paste the complete precise command used to install the controller along with the flags and options used if you have more than one instance of the ingress nginx controller installed in the same cluster please provide details for all the instances current state of the controller kubectl describe ingressclasses kubectl n get all a o wide kubectl n describe po kubectl n describe svc current state of ingress object if applicable kubectl n get all ing o wide kubectl n describe ing if applicable then your complete and exact curl grpcurl command redacted if required and the reponse to the curl grpcurl command with the v flag others any other related information like copy paste of the snippet if applicable kubectl describe of any custom configmap s created and in use any other related information that may help how to reproduce this issue as minimally and precisely as possible keep in mind we do not have access to your cluster or application help up us if possible reproducing the issue using minikube or kind install minikube kind minikube kind install the ingress controller kubectl apply f install an application that will act as default backend is just an echo app kubectl apply f create an ingress please add any additional annotation required echo apiversion networking io kind ingress metadata name foo bar annotations kubernetes io ingress class nginx spec ingressclassname nginx omit this if you re on controller version below rules host foo bar http paths path pathtype prefix backend service name http svc port number kubectl apply f make a request pod name k get pods n ingress nginx l app kubernetes io name ingress nginx o name kubectl exec it n ingress nginx pod name curl h host foo bar localhost anything else we need to know kind documentation remove kind bug
1
169,818
13,162,503,087
IssuesEvent
2020-08-10 21:45:35
rancher/rke2
https://api.github.com/repos/rancher/rke2
closed
Rancher Integration: Recognize RKE2 cluster on import
[zube]: To Test kind/task rancher-integration
Much like with K3s, add support for recognizing an imported RKE2 cluster.
1.0
Rancher Integration: Recognize RKE2 cluster on import - Much like with K3s, add support for recognizing an imported RKE2 cluster.
non_priority
rancher integration recognize cluster on import much like with add support for recognizing an imported cluster
0
47,809
19,725,765,714
IssuesEvent
2022-01-13 19:47:55
cityofaustin/atd-data-tech
https://api.github.com/repos/cityofaustin/atd-data-tech
closed
Request for new GISDM / MAINT accounts for Ryan V.
Type: IT Support Service: Geo Workgroup: SMS
Ryan will now be working on the MAINT parking inventory migration, will need account in SDE.
1.0
Request for new GISDM / MAINT accounts for Ryan V. - Ryan will now be working on the MAINT parking inventory migration, will need account in SDE.
non_priority
request for new gisdm maint accounts for ryan v ryan will now be working on the maint parking inventory migration will need account in sde
0
699,019
24,000,863,731
IssuesEvent
2022-09-14 11:20:08
Krysset/TDA367-Projektgrupp-16
https://api.github.com/repos/Krysset/TDA367-Projektgrupp-16
closed
As a player I want to see my environment so I know where I am
High Priority graphical
- [x] parse tilesets - [x] implement map renderer class
1.0
As a player I want to see my environment so I know where I am - - [x] parse tilesets - [x] implement map renderer class
priority
as a player i want to see my environment so i know where i am parse tilesets implement map renderer class
1
795,326
28,069,476,155
IssuesEvent
2023-03-29 17:56:30
AY2223S2-CS2103T-W11-3/tp
https://api.github.com/repos/AY2223S2-CS2103T-W11-3/tp
closed
[Review] Improve clarity in user experience
priority.High
- [x] Allow user to unflip cards #178 - [x] Do not immediately move to next card upon marking correct #178 - [x] Include nav guide into side bar #179 - [x] Reconsider User Commands for flip, next, prev, correct, wrong #179 - [x] Add different colour for flipped card #181 - [x] Style nav guide
1.0
[Review] Improve clarity in user experience - - [x] Allow user to unflip cards #178 - [x] Do not immediately move to next card upon marking correct #178 - [x] Include nav guide into side bar #179 - [x] Reconsider User Commands for flip, next, prev, correct, wrong #179 - [x] Add different colour for flipped card #181 - [x] Style nav guide
priority
improve clarity in user experience allow user to unflip cards do not immediately move to next card upon marking correct include nav guide into side bar reconsider user commands for flip next prev correct wrong add different colour for flipped card style nav guide
1
77,344
3,506,353,516
IssuesEvent
2016-01-08 06:02:03
OregonCore/OregonCore
https://api.github.com/repos/OregonCore/OregonCore
closed
Searing Totem II is not casting (BB #390)
Category: Miscellaneous migrated Priority: Medium Type: Bug
This issue was migrated from bitbucket. **Original Reporter:** PadreWoW **Original Date:** 01.02.2012 11:10:54 GMT+0000 **Original Priority:** major **Original Type:** bug **Original State:** invalid **Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/390 <hr> Searing Totem II is not casting and try to WALK!!!
1.0
Searing Totem II is not casting (BB #390) - This issue was migrated from bitbucket. **Original Reporter:** PadreWoW **Original Date:** 01.02.2012 11:10:54 GMT+0000 **Original Priority:** major **Original Type:** bug **Original State:** invalid **Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/390 <hr> Searing Totem II is not casting and try to WALK!!!
priority
searing totem ii is not casting bb this issue was migrated from bitbucket original reporter padrewow original date gmt original priority major original type bug original state invalid direct link searing totem ii is not casting and try to walk
1
394,743
11,648,208,241
IssuesEvent
2020-03-01 19:24:49
Cloud-CV/EvalAI
https://api.github.com/repos/Cloud-CV/EvalAI
opened
django-import-export is not able to export the files
GSoC-2020 backend bug critical priority-high
**Description:** Django import-export isn't able to export the files. The list for the type of file to be exported doesn't open. Please see the screenshot for more reference. <img width="1390" alt="Screenshot 2020-03-01 at 2 22 28 PM" src="https://user-images.githubusercontent.com/12206047/75632267-66880b00-5bc8-11ea-84e7-d90ee695f848.png">
1.0
django-import-export is not able to export the files - **Description:** Django import-export isn't able to export the files. The list for the type of file to be exported doesn't open. Please see the screenshot for more reference. <img width="1390" alt="Screenshot 2020-03-01 at 2 22 28 PM" src="https://user-images.githubusercontent.com/12206047/75632267-66880b00-5bc8-11ea-84e7-d90ee695f848.png">
priority
django import export is not able to export the files description django import export isn t able to export the files the list for the type of file to be exported doesn t open please see the screenshot for more reference img width alt screenshot at pm src
1
138,596
30,913,866,947
IssuesEvent
2023-08-05 03:11:28
h4sh5/pypi-auto-scanner
https://api.github.com/repos/h4sh5/pypi-auto-scanner
opened
mosec 0.8.0 has 1 GuardDog issues
guarddog code-execution
https://pypi.org/project/mosec https://inspector.pypi.io/project/mosec ```{ "dependency": "mosec", "version": "0.8.0", "result": { "issues": 1, "errors": {}, "results": { "code-execution": [ { "location": "mosec-0.8.0/setup.py:58", "code": " errno = subprocess.call(build_cmd)", "message": "This package is executing OS commands in the setup.py file" } ] }, "path": "/tmp/tmp03g45o9a/mosec" } }```
1.0
mosec 0.8.0 has 1 GuardDog issues - https://pypi.org/project/mosec https://inspector.pypi.io/project/mosec ```{ "dependency": "mosec", "version": "0.8.0", "result": { "issues": 1, "errors": {}, "results": { "code-execution": [ { "location": "mosec-0.8.0/setup.py:58", "code": " errno = subprocess.call(build_cmd)", "message": "This package is executing OS commands in the setup.py file" } ] }, "path": "/tmp/tmp03g45o9a/mosec" } }```
non_priority
mosec has guarddog issues dependency mosec version result issues errors results code execution location mosec setup py code errno subprocess call build cmd message this package is executing os commands in the setup py file path tmp mosec
0
98,175
4,018,471,800
IssuesEvent
2016-05-16 10:43:48
kubernetes/kubernetes
https://api.github.com/repos/kubernetes/kubernetes
closed
GKE e2e flake: Horizontal pod autoscaling (scale resource: CPU) [Serial] [Slow] ReplicationController Should scale from 5 pods to 3 pods and from 3 to 1
kind/flake priority/P1 team/control-plane team/gke
http://kubekins.dls.corp.google.com/view/Critical%20Builds/job/kubernetes-e2e-gke-serial/691/ /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/horizontal_pod_autoscaling.go:62 Mar 3 08:59:13.439: Number of replicas has changed: expected 3, got 4 cc/ @mwielgus @piosz
1.0
GKE e2e flake: Horizontal pod autoscaling (scale resource: CPU) [Serial] [Slow] ReplicationController Should scale from 5 pods to 3 pods and from 3 to 1 - http://kubekins.dls.corp.google.com/view/Critical%20Builds/job/kubernetes-e2e-gke-serial/691/ /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/horizontal_pod_autoscaling.go:62 Mar 3 08:59:13.439: Number of replicas has changed: expected 3, got 4 cc/ @mwielgus @piosz
priority
gke flake horizontal pod autoscaling scale resource cpu replicationcontroller should scale from pods to pods and from to go src io kubernetes output dockerized go src io kubernetes test horizontal pod autoscaling go mar number of replicas has changed expected got cc mwielgus piosz
1
61,955
25,797,306,070
IssuesEvent
2022-12-10 17:42:20
hashicorp/terraform-provider-aws
https://api.github.com/repos/hashicorp/terraform-provider-aws
closed
tests/provider: Various RDS cluster tests failing (GovCloud)
tests service/rds stale partition/aws-us-gov
<!--- 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 ---> ### Description These tests are successful (or ignored) in the commercial partition but fail in GovCloud: #### InvalidParameterValue: - [ ] TestAccAWSRDSCluster_BacktrackWindow (`Backtrack is not enabled for the aurora engine.`) - [ ] TestAccAWSRDSCluster_ReplicationSourceIdentifier_KmsKeyId (`Read replica DB clusters are not available in this region for engine aurora`) - [ ] TestAccAWSRDSCluster_EngineMode_Multimaster (`The engine mode multimaster you requested is currently unavailable.`) - [ ] TestAccAWSRDSCluster_EnableHttpEndpoint (`The engine mode serverless you requested is currently unavailable.`) - [ ] TestAccAWSRDSCluster_EngineMode (`The engine mode serverless you requested is currently unavailable.`) - [ ] TestAccAWSRDSCluster_ScalingConfiguration (`The engine mode serverless you requested is currently unavailable.`) - [ ] TestAccAWSRDSCluster_ScalingConfiguration_DefaultMinCapacity (`The engine mode serverless you requested is currently unavailable.`) - [ ] TestAccAWSRDSCluster_EngineMode_ParallelQuery (`The requested engine version was not found or does not support parallelquery functionality`) - [ ] TestAccAWSRDSCluster_SnapshotIdentifier_EngineMode_ParallelQuery (`The requested engine version was not found or does not support parallelquery functionality`) #### InvalidParameterCombination - [x] (#16038) TestAccAWSRDSCluster_EngineVersion (`Cannot find version 9.6.3 for aurora-postgresql`) - [x] (#16038) TestAccAWSRDSCluster_EngineVersionWithPrimaryInstance (`Cannot find version 9.6.3 for aurora-postgresql`) - [x] (#16038) TestAccAWSRDSCluster_SnapshotIdentifier_EngineVersion_Different (`Cannot find version 9.6.3 for aurora-postgresql`) - [x] (#16038) TestAccAWSRDSCluster_SnapshotIdentifier_EngineVersion_Equal (`Cannot find version 9.6.3 for aurora-postgresql`) ### New or Affected Resource(s) <!--- Please list the new or affected resources and data sources. ---> * aws_rds_cluster ### Terraform Configuration Files Example config: ```hcl resource "aws_rds_cluster" "test" { apply_immediately = true backtrack_window = 43200 cluster_identifier_prefix = "tf-acc-test-" master_password = "mustbeeightcharaters" master_username = "test" skip_final_snapshot = true } ``` ### Debug Output ``` Error: error creating RDS cluster: InvalidParameterValue: Backtrack is not enabled for the aurora engine. Error: error creating RDS cluster: InvalidParameterValue: Read replica DB clusters are not available in this region for engine aurora Error: error creating RDS cluster: InvalidParameterValue: The engine mode multimaster you requested is currently unavailable. Error: error creating RDS cluster: InvalidParameterValue: The engine mode serverless you requested is currently unavailable. Error: error creating RDS cluster: InvalidParameterValue: The requested engine version was not found or does not support parallelquery functionality Error: error creating RDS cluster: InvalidParameterCombination: Cannot find version 9.6.3 for aurora-postgresql ``` ### References * hashicorp/terraform-plugin-sdk#592
1.0
tests/provider: Various RDS cluster tests failing (GovCloud) - <!--- 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 ---> ### Description These tests are successful (or ignored) in the commercial partition but fail in GovCloud: #### InvalidParameterValue: - [ ] TestAccAWSRDSCluster_BacktrackWindow (`Backtrack is not enabled for the aurora engine.`) - [ ] TestAccAWSRDSCluster_ReplicationSourceIdentifier_KmsKeyId (`Read replica DB clusters are not available in this region for engine aurora`) - [ ] TestAccAWSRDSCluster_EngineMode_Multimaster (`The engine mode multimaster you requested is currently unavailable.`) - [ ] TestAccAWSRDSCluster_EnableHttpEndpoint (`The engine mode serverless you requested is currently unavailable.`) - [ ] TestAccAWSRDSCluster_EngineMode (`The engine mode serverless you requested is currently unavailable.`) - [ ] TestAccAWSRDSCluster_ScalingConfiguration (`The engine mode serverless you requested is currently unavailable.`) - [ ] TestAccAWSRDSCluster_ScalingConfiguration_DefaultMinCapacity (`The engine mode serverless you requested is currently unavailable.`) - [ ] TestAccAWSRDSCluster_EngineMode_ParallelQuery (`The requested engine version was not found or does not support parallelquery functionality`) - [ ] TestAccAWSRDSCluster_SnapshotIdentifier_EngineMode_ParallelQuery (`The requested engine version was not found or does not support parallelquery functionality`) #### InvalidParameterCombination - [x] (#16038) TestAccAWSRDSCluster_EngineVersion (`Cannot find version 9.6.3 for aurora-postgresql`) - [x] (#16038) TestAccAWSRDSCluster_EngineVersionWithPrimaryInstance (`Cannot find version 9.6.3 for aurora-postgresql`) - [x] (#16038) TestAccAWSRDSCluster_SnapshotIdentifier_EngineVersion_Different (`Cannot find version 9.6.3 for aurora-postgresql`) - [x] (#16038) TestAccAWSRDSCluster_SnapshotIdentifier_EngineVersion_Equal (`Cannot find version 9.6.3 for aurora-postgresql`) ### New or Affected Resource(s) <!--- Please list the new or affected resources and data sources. ---> * aws_rds_cluster ### Terraform Configuration Files Example config: ```hcl resource "aws_rds_cluster" "test" { apply_immediately = true backtrack_window = 43200 cluster_identifier_prefix = "tf-acc-test-" master_password = "mustbeeightcharaters" master_username = "test" skip_final_snapshot = true } ``` ### Debug Output ``` Error: error creating RDS cluster: InvalidParameterValue: Backtrack is not enabled for the aurora engine. Error: error creating RDS cluster: InvalidParameterValue: Read replica DB clusters are not available in this region for engine aurora Error: error creating RDS cluster: InvalidParameterValue: The engine mode multimaster you requested is currently unavailable. Error: error creating RDS cluster: InvalidParameterValue: The engine mode serverless you requested is currently unavailable. Error: error creating RDS cluster: InvalidParameterValue: The requested engine version was not found or does not support parallelquery functionality Error: error creating RDS cluster: InvalidParameterCombination: Cannot find version 9.6.3 for aurora-postgresql ``` ### References * hashicorp/terraform-plugin-sdk#592
non_priority
tests provider various rds cluster tests failing govcloud 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 description these tests are successful or ignored in the commercial partition but fail in govcloud invalidparametervalue testaccawsrdscluster backtrackwindow backtrack is not enabled for the aurora engine testaccawsrdscluster replicationsourceidentifier kmskeyid read replica db clusters are not available in this region for engine aurora testaccawsrdscluster enginemode multimaster the engine mode multimaster you requested is currently unavailable testaccawsrdscluster enablehttpendpoint the engine mode serverless you requested is currently unavailable testaccawsrdscluster enginemode the engine mode serverless you requested is currently unavailable testaccawsrdscluster scalingconfiguration the engine mode serverless you requested is currently unavailable testaccawsrdscluster scalingconfiguration defaultmincapacity the engine mode serverless you requested is currently unavailable testaccawsrdscluster enginemode parallelquery the requested engine version was not found or does not support parallelquery functionality testaccawsrdscluster snapshotidentifier enginemode parallelquery the requested engine version was not found or does not support parallelquery functionality invalidparametercombination testaccawsrdscluster engineversion cannot find version for aurora postgresql testaccawsrdscluster engineversionwithprimaryinstance cannot find version for aurora postgresql testaccawsrdscluster snapshotidentifier engineversion different cannot find version for aurora postgresql testaccawsrdscluster snapshotidentifier engineversion equal cannot find version for aurora postgresql new or affected resource s aws rds cluster terraform configuration files example config hcl resource aws rds cluster test apply immediately true backtrack window cluster identifier prefix tf acc test master password mustbeeightcharaters master username test skip final snapshot true debug output error error creating rds cluster invalidparametervalue backtrack is not enabled for the aurora engine error error creating rds cluster invalidparametervalue read replica db clusters are not available in this region for engine aurora error error creating rds cluster invalidparametervalue the engine mode multimaster you requested is currently unavailable error error creating rds cluster invalidparametervalue the engine mode serverless you requested is currently unavailable error error creating rds cluster invalidparametervalue the requested engine version was not found or does not support parallelquery functionality error error creating rds cluster invalidparametercombination cannot find version for aurora postgresql references hashicorp terraform plugin sdk
0
104,552
13,097,403,089
IssuesEvent
2020-08-03 17:23:56
department-of-veterans-affairs/va.gov-team
https://api.github.com/repos/department-of-veterans-affairs/va.gov-team
closed
Redirect users from bookmarked 'How EC works' if inactive
content design vaos
For Veterans who bookmark the Express Care page or Veterans who use the direct Express care url from a VAMC specific site, if EC is inactive when they navigate to the EC flow from a VAMC website or bookmark redirect them to VAOS app homepage. ## Acceptance Criteria: - [ ] If user navigates directly to EC page "How Express Care works" and EC window is not active redirect user to VAOS app homepage This maps to the following GH issue: #11034
1.0
Redirect users from bookmarked 'How EC works' if inactive - For Veterans who bookmark the Express Care page or Veterans who use the direct Express care url from a VAMC specific site, if EC is inactive when they navigate to the EC flow from a VAMC website or bookmark redirect them to VAOS app homepage. ## Acceptance Criteria: - [ ] If user navigates directly to EC page "How Express Care works" and EC window is not active redirect user to VAOS app homepage This maps to the following GH issue: #11034
non_priority
redirect users from bookmarked how ec works if inactive for veterans who bookmark the express care page or veterans who use the direct express care url from a vamc specific site if ec is inactive when they navigate to the ec flow from a vamc website or bookmark redirect them to vaos app homepage acceptance criteria if user navigates directly to ec page how express care works and ec window is not active redirect user to vaos app homepage this maps to the following gh issue
0
276,174
20,972,055,645
IssuesEvent
2022-03-28 12:19:44
neuromorphs/tonic
https://api.github.com/repos/neuromorphs/tonic
closed
Include at least some of the tutorial notebooks in the CI pipeline
documentation
rather than not executing any tutorial notebooks, at least some should be included in the Github action Documentaiton pipeline. Make use of the exclude pattern in MyST to achieve that https://myst-nb.readthedocs.io/en/latest/use/execute.html#triggering-notebook-execution
1.0
Include at least some of the tutorial notebooks in the CI pipeline - rather than not executing any tutorial notebooks, at least some should be included in the Github action Documentaiton pipeline. Make use of the exclude pattern in MyST to achieve that https://myst-nb.readthedocs.io/en/latest/use/execute.html#triggering-notebook-execution
non_priority
include at least some of the tutorial notebooks in the ci pipeline rather than not executing any tutorial notebooks at least some should be included in the github action documentaiton pipeline make use of the exclude pattern in myst to achieve that
0
107,202
9,204,023,740
IssuesEvent
2019-03-08 05:31:09
kubernetes/kubernetes
https://api.github.com/repos/kubernetes/kubernetes
opened
TestAttacherWithCSIDriver flakes
kind/failing-test
<!-- Please only use this template for submitting reports about failing tests in Kubernetes CI jobs --> **Which jobs are failing**: https://storage.googleapis.com/k8s-gubernator/triage/index.html?pr=1&text=TestAttacherWithCSIDriver ``` E0308 05:14:42.798363 15 csi_attacher.go:207] kubernetes.io/csi: attachment for vol02 failed: attacher error E0308 05:14:54.451156 15 csi_attacher.go:188] kubernetes.io/csi: attacher.WaitForAttach timeout after 15s [volume=vol01; attachment.ID=csi-75f1d3164ac9ae6f73784b2ed6b77839daf5b01a8dd52e787c8769b6fdb1b8ec] E0308 05:14:55.586363 15 csi_attacher.go:188] kubernetes.io/csi: attacher.WaitForAttach timeout after 15s [volume=vol02; attachment.ID=csi-8d666355799344c2b14819eb973950d28cf52f4d3a58e3fbeb8b92e29851fa17] E0308 05:14:56.686716 15 csi_attacher.go:188] kubernetes.io/csi: attacher.WaitForAttach timeout after 15s [volume=vol02; attachment.ID=csi-fd8097578f4563d9a74d4e7ba8397c32e42b2cea4ae677f8ccb4ba12bbd0008f] E0308 05:14:58.015137 15 csi_attacher.go:188] kubernetes.io/csi: attacher.WaitForAttach timeout after 15s [volume=test-vol; attachment.ID=csi-ee944121dabf8fe14295e9f2c7675639d989a9a6b2f5cee459cfbcd4b61e9b6b] --- FAIL: TestAttacherWithCSIDriver (15.43s) --- FAIL: TestAttacherWithCSIDriver/CSIDriver_is_attachable (15.10s) csi_attacher_test.go:273: Attach() failed: attachment timeout for volume test-vol csi_attacher_test.go:276: Expected attachID, got nothing ``` /sig storage /kind flake
1.0
TestAttacherWithCSIDriver flakes - <!-- Please only use this template for submitting reports about failing tests in Kubernetes CI jobs --> **Which jobs are failing**: https://storage.googleapis.com/k8s-gubernator/triage/index.html?pr=1&text=TestAttacherWithCSIDriver ``` E0308 05:14:42.798363 15 csi_attacher.go:207] kubernetes.io/csi: attachment for vol02 failed: attacher error E0308 05:14:54.451156 15 csi_attacher.go:188] kubernetes.io/csi: attacher.WaitForAttach timeout after 15s [volume=vol01; attachment.ID=csi-75f1d3164ac9ae6f73784b2ed6b77839daf5b01a8dd52e787c8769b6fdb1b8ec] E0308 05:14:55.586363 15 csi_attacher.go:188] kubernetes.io/csi: attacher.WaitForAttach timeout after 15s [volume=vol02; attachment.ID=csi-8d666355799344c2b14819eb973950d28cf52f4d3a58e3fbeb8b92e29851fa17] E0308 05:14:56.686716 15 csi_attacher.go:188] kubernetes.io/csi: attacher.WaitForAttach timeout after 15s [volume=vol02; attachment.ID=csi-fd8097578f4563d9a74d4e7ba8397c32e42b2cea4ae677f8ccb4ba12bbd0008f] E0308 05:14:58.015137 15 csi_attacher.go:188] kubernetes.io/csi: attacher.WaitForAttach timeout after 15s [volume=test-vol; attachment.ID=csi-ee944121dabf8fe14295e9f2c7675639d989a9a6b2f5cee459cfbcd4b61e9b6b] --- FAIL: TestAttacherWithCSIDriver (15.43s) --- FAIL: TestAttacherWithCSIDriver/CSIDriver_is_attachable (15.10s) csi_attacher_test.go:273: Attach() failed: attachment timeout for volume test-vol csi_attacher_test.go:276: Expected attachID, got nothing ``` /sig storage /kind flake
non_priority
testattacherwithcsidriver flakes which jobs are failing csi attacher go kubernetes io csi attachment for failed attacher error csi attacher go kubernetes io csi attacher waitforattach timeout after csi attacher go kubernetes io csi attacher waitforattach timeout after csi attacher go kubernetes io csi attacher waitforattach timeout after csi attacher go kubernetes io csi attacher waitforattach timeout after fail testattacherwithcsidriver fail testattacherwithcsidriver csidriver is attachable csi attacher test go attach failed attachment timeout for volume test vol csi attacher test go expected attachid got nothing sig storage kind flake
0
282,423
21,315,488,599
IssuesEvent
2022-04-16 07:38:48
goalfix/pe
https://api.github.com/repos/goalfix/pe
opened
Low resolution for some sequence diagrams
severity.Low type.DocumentationBug
In 5.12.4 ![Screenshot 2022-04-16 at 3.37.03 PM.png](https://raw.githubusercontent.com/goalfix/pe/main/files/fdf04084-fde4-43e3-990a-e5e1de1fdfb4.png) In 5.9.4 ![Screenshot 2022-04-16 at 3.37.58 PM.png](https://raw.githubusercontent.com/goalfix/pe/main/files/f576a3bc-96ac-4eca-a706-114feceb6610.png) However, it seems like you have a good example here which all sequence diagrams should follow. ![Screenshot 2022-04-16 at 3.37.48 PM.png](https://raw.githubusercontent.com/goalfix/pe/main/files/8d3b5d2b-9bc6-47f5-abe1-846f53239837.png) <!--session: 1650088658228-66852185-3cd6-4c4a-9844-05fde729e129--> <!--Version: Web v3.4.2-->
1.0
Low resolution for some sequence diagrams - In 5.12.4 ![Screenshot 2022-04-16 at 3.37.03 PM.png](https://raw.githubusercontent.com/goalfix/pe/main/files/fdf04084-fde4-43e3-990a-e5e1de1fdfb4.png) In 5.9.4 ![Screenshot 2022-04-16 at 3.37.58 PM.png](https://raw.githubusercontent.com/goalfix/pe/main/files/f576a3bc-96ac-4eca-a706-114feceb6610.png) However, it seems like you have a good example here which all sequence diagrams should follow. ![Screenshot 2022-04-16 at 3.37.48 PM.png](https://raw.githubusercontent.com/goalfix/pe/main/files/8d3b5d2b-9bc6-47f5-abe1-846f53239837.png) <!--session: 1650088658228-66852185-3cd6-4c4a-9844-05fde729e129--> <!--Version: Web v3.4.2-->
non_priority
low resolution for some sequence diagrams in in however it seems like you have a good example here which all sequence diagrams should follow
0
52,099
13,722,089,195
IssuesEvent
2020-10-03 01:41:01
sosaheri/CasaGarcia
https://api.github.com/repos/sosaheri/CasaGarcia
opened
CVE-2019-8331 (Medium) detected in bootstrap-3.3.5.min.js
security vulnerability
## CVE-2019-8331 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>bootstrap-3.3.5.min.js</b></p></summary> <p>The most popular front-end framework for developing responsive, mobile first projects on the web.</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/3.3.5/js/bootstrap.min.js">https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/3.3.5/js/bootstrap.min.js</a></p> <p>Path to dependency file: CasaGarcia/casagarcia/dashboard/documentation/documentation.html</p> <p>Path to vulnerable library: CasaGarcia/casagarcia/dashboard/documentation/../assets/js/bootstrap.min.js,CasaGarcia/dashboard/assets/js/bootstrap.min.js,CasaGarcia/dashboard/documentation/../assets/js/bootstrap.min.js,CasaGarcia/casagarcia/dashboard/assets/js/bootstrap.min.js</p> <p> Dependency Hierarchy: - :x: **bootstrap-3.3.5.min.js** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/sosaheri/CasaGarcia/commit/27ba7637e5e6dc7db4c3d9b6774781f8eb78351d">27ba7637e5e6dc7db4c3d9b6774781f8eb78351d</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> In Bootstrap before 3.4.1 and 4.3.x before 4.3.1, XSS is possible in the tooltip or popover data-template attribute. <p>Publish Date: 2019-02-20 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-8331>CVE-2019-8331</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/twbs/bootstrap/pull/28236">https://github.com/twbs/bootstrap/pull/28236</a></p> <p>Release Date: 2019-02-20</p> <p>Fix Resolution: bootstrap - 3.4.1,4.3.1;bootstrap-sass - 3.4.1,4.3.1</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2019-8331 (Medium) detected in bootstrap-3.3.5.min.js - ## CVE-2019-8331 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>bootstrap-3.3.5.min.js</b></p></summary> <p>The most popular front-end framework for developing responsive, mobile first projects on the web.</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/3.3.5/js/bootstrap.min.js">https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/3.3.5/js/bootstrap.min.js</a></p> <p>Path to dependency file: CasaGarcia/casagarcia/dashboard/documentation/documentation.html</p> <p>Path to vulnerable library: CasaGarcia/casagarcia/dashboard/documentation/../assets/js/bootstrap.min.js,CasaGarcia/dashboard/assets/js/bootstrap.min.js,CasaGarcia/dashboard/documentation/../assets/js/bootstrap.min.js,CasaGarcia/casagarcia/dashboard/assets/js/bootstrap.min.js</p> <p> Dependency Hierarchy: - :x: **bootstrap-3.3.5.min.js** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/sosaheri/CasaGarcia/commit/27ba7637e5e6dc7db4c3d9b6774781f8eb78351d">27ba7637e5e6dc7db4c3d9b6774781f8eb78351d</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> In Bootstrap before 3.4.1 and 4.3.x before 4.3.1, XSS is possible in the tooltip or popover data-template attribute. <p>Publish Date: 2019-02-20 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-8331>CVE-2019-8331</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/twbs/bootstrap/pull/28236">https://github.com/twbs/bootstrap/pull/28236</a></p> <p>Release Date: 2019-02-20</p> <p>Fix Resolution: bootstrap - 3.4.1,4.3.1;bootstrap-sass - 3.4.1,4.3.1</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
cve medium detected in bootstrap min js cve medium severity vulnerability vulnerable library bootstrap min js the most popular front end framework for developing responsive mobile first projects on the web library home page a href path to dependency file casagarcia casagarcia dashboard documentation documentation html path to vulnerable library casagarcia casagarcia dashboard documentation assets js bootstrap min js casagarcia dashboard assets js bootstrap min js casagarcia dashboard documentation assets js bootstrap min js casagarcia casagarcia dashboard assets js bootstrap min js dependency hierarchy x bootstrap min js vulnerable library found in head commit a href found in base branch master vulnerability details in bootstrap before and x before xss is possible in the tooltip or popover data template attribute publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope changed impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution bootstrap bootstrap sass step up your open source security game with whitesource
0
603,886
18,673,535,279
IssuesEvent
2021-10-31 06:16:42
naev/naev
https://api.github.com/repos/naev/naev
closed
[proposal] boarding
Type-Enhancement Priority-Low
Boarding is horrible and a relic of the EV clone past. It's time to get over it. This proposal discusses what I believe to be the best direction for improving boarding. 1. It should be implemented in Lua (love2d stuff can be used to render arbitrary stuff, will have to be consistent with the toolkit though) 2. Should have a minigame 2.1. Needs to have a difficulty setting (based on boarding ship vs boarded ship) 2.2. Should be fairly fast (10 to 30s) 2.3. Have a random factor 3. Probably have a limit on what/how much you can take based on how well you did in the minigame For the minigame, I would recommend something like [paradroid](https://www.youtube.com/watch?v=azKPxC425XA), of which there is an open source clone "freedroid", although it is in C. However, if anyone else has good minigame recommendations, I'm all ears.
1.0
[proposal] boarding - Boarding is horrible and a relic of the EV clone past. It's time to get over it. This proposal discusses what I believe to be the best direction for improving boarding. 1. It should be implemented in Lua (love2d stuff can be used to render arbitrary stuff, will have to be consistent with the toolkit though) 2. Should have a minigame 2.1. Needs to have a difficulty setting (based on boarding ship vs boarded ship) 2.2. Should be fairly fast (10 to 30s) 2.3. Have a random factor 3. Probably have a limit on what/how much you can take based on how well you did in the minigame For the minigame, I would recommend something like [paradroid](https://www.youtube.com/watch?v=azKPxC425XA), of which there is an open source clone "freedroid", although it is in C. However, if anyone else has good minigame recommendations, I'm all ears.
priority
boarding boarding is horrible and a relic of the ev clone past it s time to get over it this proposal discusses what i believe to be the best direction for improving boarding it should be implemented in lua stuff can be used to render arbitrary stuff will have to be consistent with the toolkit though should have a minigame needs to have a difficulty setting based on boarding ship vs boarded ship should be fairly fast to have a random factor probably have a limit on what how much you can take based on how well you did in the minigame for the minigame i would recommend something like of which there is an open source clone freedroid although it is in c however if anyone else has good minigame recommendations i m all ears
1
318,051
27,282,624,916
IssuesEvent
2023-02-23 11:10:12
HyphaApp/hypha
https://api.github.com/repos/HyphaApp/hypha
closed
Add url to 2FA setup user interface
Status: Tested - approved for live ✅
### Description Add a url to the user interface for 2FA setup for users to copy the url so that they can manually add it rather than just scan the qr code ![203175930-06b60d75-d555-4f4c-873e-706d79de6984](https://user-images.githubusercontent.com/20019656/217024666-df916a4f-bc61-4075-bfa9-e097989a62e2.png) ### Related https://github.com/HyphaApp/hypha/issues/3019 https://github.com/HyphaApp/hypha/issues/2846
1.0
Add url to 2FA setup user interface - ### Description Add a url to the user interface for 2FA setup for users to copy the url so that they can manually add it rather than just scan the qr code ![203175930-06b60d75-d555-4f4c-873e-706d79de6984](https://user-images.githubusercontent.com/20019656/217024666-df916a4f-bc61-4075-bfa9-e097989a62e2.png) ### Related https://github.com/HyphaApp/hypha/issues/3019 https://github.com/HyphaApp/hypha/issues/2846
non_priority
add url to setup user interface description add a url to the user interface for setup for users to copy the url so that they can manually add it rather than just scan the qr code related
0
245,476
7,886,849,627
IssuesEvent
2018-06-27 16:29:24
smiths/caseStudies
https://api.github.com/repos/smiths/caseStudies
closed
Update SSP Force Diagram for Symbol Change
low priority
As discussed in issue #98, SSP's force diagram needs to be updated for the symbol change that came about from having duplicate `E` symbols (i.e. changing interslice normal force to be denoted by `G` instead of an `E` to remove ambiguity that comes about from elastic modulus also being denoted as `E`). Redrawing of the figure should be tried in **draw.io** so that it can be saved for future editing. **EDIT: Make sure to remove the note under the ForceDiagram images in relation to the relabelling both this repo and Drasil**
1.0
Update SSP Force Diagram for Symbol Change - As discussed in issue #98, SSP's force diagram needs to be updated for the symbol change that came about from having duplicate `E` symbols (i.e. changing interslice normal force to be denoted by `G` instead of an `E` to remove ambiguity that comes about from elastic modulus also being denoted as `E`). Redrawing of the figure should be tried in **draw.io** so that it can be saved for future editing. **EDIT: Make sure to remove the note under the ForceDiagram images in relation to the relabelling both this repo and Drasil**
priority
update ssp force diagram for symbol change as discussed in issue ssp s force diagram needs to be updated for the symbol change that came about from having duplicate e symbols i e changing interslice normal force to be denoted by g instead of an e to remove ambiguity that comes about from elastic modulus also being denoted as e redrawing of the figure should be tried in draw io so that it can be saved for future editing edit make sure to remove the note under the forcediagram images in relation to the relabelling both this repo and drasil
1
792,673
27,970,693,499
IssuesEvent
2023-03-25 01:48:52
se6-njit/mywebclass-simulation-intermediate
https://api.github.com/repos/se6-njit/mywebclass-simulation-intermediate
closed
implementing Google Analytics and GDPR
feature points: 3 priority: medium
**Is your feature request related to a problem? Please describe.** There is no problem, but it would be good to see the statistics of the site **Describe the solution you'd like** Access google analytics to view how well my webpage is doing **Describe alternatives you've considered** Google Search Console **Additional context** <img width="980" alt="Screen Shot 2023-03-24 at 9 16 40 PM" src="https://user-images.githubusercontent.com/98928740/227674944-c2e53159-2f48-4569-9fff-686214a26269.png">
1.0
implementing Google Analytics and GDPR - **Is your feature request related to a problem? Please describe.** There is no problem, but it would be good to see the statistics of the site **Describe the solution you'd like** Access google analytics to view how well my webpage is doing **Describe alternatives you've considered** Google Search Console **Additional context** <img width="980" alt="Screen Shot 2023-03-24 at 9 16 40 PM" src="https://user-images.githubusercontent.com/98928740/227674944-c2e53159-2f48-4569-9fff-686214a26269.png">
priority
implementing google analytics and gdpr is your feature request related to a problem please describe there is no problem but it would be good to see the statistics of the site describe the solution you d like access google analytics to view how well my webpage is doing describe alternatives you ve considered google search console additional context img width alt screen shot at pm src
1
519,913
15,074,865,213
IssuesEvent
2021-02-05 00:44:19
microsoft/terminal
https://api.github.com/repos/microsoft/terminal
closed
A hidden mouse cursor won't reappear when moved if over a tab
Area-TerminalControl Help Wanted In-PR Issue-Bug Priority-2 Product-Terminal
# Environment Windows build number: Version 10.0.18363.1256 Windows Terminal version (if applicable): commit d29d72e1e023491800b6a03bc226c35e5f9ec240 # Steps to reproduce 1. You'll need to be running a build of WT that includes the mouse hiding feature introduced in PR #8629. 2. Move the mouse so it's positioned over one of the tab labels. 3. Start typing something so the mouse cursor disappears. 4. Try and move the mouse, but without moving off the label. # Expected behavior The mouse cursor should reappear. # Actual behavior The mouse cursor remains invisible until you move it onto the main output area of the window. But you can still see focus interactions, and tooltips changing, as you move over the tab controls. Interestingly, if you move the mouse right off the WT window, it will become visible, but then moving back onto a tab will make it disappear again.
1.0
A hidden mouse cursor won't reappear when moved if over a tab - # Environment Windows build number: Version 10.0.18363.1256 Windows Terminal version (if applicable): commit d29d72e1e023491800b6a03bc226c35e5f9ec240 # Steps to reproduce 1. You'll need to be running a build of WT that includes the mouse hiding feature introduced in PR #8629. 2. Move the mouse so it's positioned over one of the tab labels. 3. Start typing something so the mouse cursor disappears. 4. Try and move the mouse, but without moving off the label. # Expected behavior The mouse cursor should reappear. # Actual behavior The mouse cursor remains invisible until you move it onto the main output area of the window. But you can still see focus interactions, and tooltips changing, as you move over the tab controls. Interestingly, if you move the mouse right off the WT window, it will become visible, but then moving back onto a tab will make it disappear again.
priority
a hidden mouse cursor won t reappear when moved if over a tab environment windows build number version windows terminal version if applicable commit steps to reproduce you ll need to be running a build of wt that includes the mouse hiding feature introduced in pr move the mouse so it s positioned over one of the tab labels start typing something so the mouse cursor disappears try and move the mouse but without moving off the label expected behavior the mouse cursor should reappear actual behavior the mouse cursor remains invisible until you move it onto the main output area of the window but you can still see focus interactions and tooltips changing as you move over the tab controls interestingly if you move the mouse right off the wt window it will become visible but then moving back onto a tab will make it disappear again
1
78,773
10,084,378,906
IssuesEvent
2019-07-25 15:32:34
CentOS-PaaS-SIG/linchpin
https://api.github.com/repos/CentOS-PaaS-SIG/linchpin
closed
Linchpin Usecase: Provisioning Openstack cluster single node
deployment documentation tutorials
The current ticket is issue tracker to provision openstack using linchpin either by designing linchpin infrared plugin or linchpin hooks.
1.0
Linchpin Usecase: Provisioning Openstack cluster single node - The current ticket is issue tracker to provision openstack using linchpin either by designing linchpin infrared plugin or linchpin hooks.
non_priority
linchpin usecase provisioning openstack cluster single node the current ticket is issue tracker to provision openstack using linchpin either by designing linchpin infrared plugin or linchpin hooks
0
48,307
13,068,433,467
IssuesEvent
2020-07-31 03:33:49
icecube-trac/tix2
https://api.github.com/repos/icecube-trac/tix2
closed
segments in wimpsimreader.py (Trac #2161)
Migrated from Trac combo simulation defect
Both segments at [http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/wimpsim-reader/trunk/python/wimpsimreader.py] are supposed to launch I3WimpSimReader module, but they are set with non acceptable values of variable InjectionRadius. The real default is NaN, and not 0 as visible here [http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/wimpsim-reader/trunk/private/wimpsim-reader/I3WimpSimReader.cxx]. The variable has this function (from docs): ''InjectionRadius [Default=NAN] If >0, events will be injected in cylinder with specified radius and [zmin, zmax] height instead of rectangular box'' If the original intention was to avoid the cylinder, this value should be left to NaN, as default. (Or the value 0 should be accepted in I3 module at lines 180-181) For WimpSimReaderEarth there is an issue with GCD, the code isn't able to read time in given format: ```No registered converter was able to produce a C++ rvalue of type std::string from this Python object of type I3Time``` To avoid it, time should be taken as julian day (or another "good" format), so for example ```line 55: return frame.Get("I3DetectorStatus").start_time``` could be: ```line 55: return frame.Get("I3DetectorStatus").start_time.mod_julian_day_double``` Migrated from https://code.icecube.wisc.edu/ticket/2161 ```json { "status": "closed", "changetime": "2019-02-13T14:15:23", "description": "Both segments at [http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/wimpsim-reader/trunk/python/wimpsimreader.py] are supposed to launch I3WimpSimReader module, but they are set with non acceptable values of variable InjectionRadius. The real default is NaN, and not 0 as visible here [http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/wimpsim-reader/trunk/private/wimpsim-reader/I3WimpSimReader.cxx]. The variable has this function (from docs):\n\n''InjectionRadius [Default=NAN] If >0, events will be injected in cylinder with specified radius and [zmin, zmax] height instead of rectangular box''\n\nIf the original intention was to avoid the cylinder, this value should be left to NaN, as default. (Or the value 0 should be accepted in I3 module at lines 180-181)\n\nFor WimpSimReaderEarth there is an issue with GCD, the code isn't able to read time in given format:\n\n{{{No registered converter was able to produce a C++ rvalue of type std::string from this Python object of type I3Time}}}\n\nTo avoid it, time should be taken as julian day (or another \"good\" format), so for example\n\n{{{line 55: return frame.Get(\"I3DetectorStatus\").start_time}}}\n\ncould be:\n\n{{{line 55: return frame.Get(\"I3DetectorStatus\").start_time.mod_julian_day_double}}}", "reporter": "grenzi", "cc": "", "resolution": "fixed", "_ts": "1550067323910946", "component": "combo simulation", "summary": "segments in wimpsimreader.py", "priority": "normal", "keywords": "", "time": "2018-06-12T10:09:52", "milestone": "", "owner": "nega", "type": "defect" } ```
1.0
segments in wimpsimreader.py (Trac #2161) - Both segments at [http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/wimpsim-reader/trunk/python/wimpsimreader.py] are supposed to launch I3WimpSimReader module, but they are set with non acceptable values of variable InjectionRadius. The real default is NaN, and not 0 as visible here [http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/wimpsim-reader/trunk/private/wimpsim-reader/I3WimpSimReader.cxx]. The variable has this function (from docs): ''InjectionRadius [Default=NAN] If >0, events will be injected in cylinder with specified radius and [zmin, zmax] height instead of rectangular box'' If the original intention was to avoid the cylinder, this value should be left to NaN, as default. (Or the value 0 should be accepted in I3 module at lines 180-181) For WimpSimReaderEarth there is an issue with GCD, the code isn't able to read time in given format: ```No registered converter was able to produce a C++ rvalue of type std::string from this Python object of type I3Time``` To avoid it, time should be taken as julian day (or another "good" format), so for example ```line 55: return frame.Get("I3DetectorStatus").start_time``` could be: ```line 55: return frame.Get("I3DetectorStatus").start_time.mod_julian_day_double``` Migrated from https://code.icecube.wisc.edu/ticket/2161 ```json { "status": "closed", "changetime": "2019-02-13T14:15:23", "description": "Both segments at [http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/wimpsim-reader/trunk/python/wimpsimreader.py] are supposed to launch I3WimpSimReader module, but they are set with non acceptable values of variable InjectionRadius. The real default is NaN, and not 0 as visible here [http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/wimpsim-reader/trunk/private/wimpsim-reader/I3WimpSimReader.cxx]. The variable has this function (from docs):\n\n''InjectionRadius [Default=NAN] If >0, events will be injected in cylinder with specified radius and [zmin, zmax] height instead of rectangular box''\n\nIf the original intention was to avoid the cylinder, this value should be left to NaN, as default. (Or the value 0 should be accepted in I3 module at lines 180-181)\n\nFor WimpSimReaderEarth there is an issue with GCD, the code isn't able to read time in given format:\n\n{{{No registered converter was able to produce a C++ rvalue of type std::string from this Python object of type I3Time}}}\n\nTo avoid it, time should be taken as julian day (or another \"good\" format), so for example\n\n{{{line 55: return frame.Get(\"I3DetectorStatus\").start_time}}}\n\ncould be:\n\n{{{line 55: return frame.Get(\"I3DetectorStatus\").start_time.mod_julian_day_double}}}", "reporter": "grenzi", "cc": "", "resolution": "fixed", "_ts": "1550067323910946", "component": "combo simulation", "summary": "segments in wimpsimreader.py", "priority": "normal", "keywords": "", "time": "2018-06-12T10:09:52", "milestone": "", "owner": "nega", "type": "defect" } ```
non_priority
segments in wimpsimreader py trac both segments at are supposed to launch module but they are set with non acceptable values of variable injectionradius the real default is nan and not as visible here the variable has this function from docs injectionradius if events will be injected in cylinder with specified radius and height instead of rectangular box if the original intention was to avoid the cylinder this value should be left to nan as default or the value should be accepted in module at lines for wimpsimreaderearth there is an issue with gcd the code isn t able to read time in given format no registered converter was able to produce a c rvalue of type std string from this python object of type to avoid it time should be taken as julian day or another good format so for example line return frame get start time could be line return frame get start time mod julian day double migrated from json status closed changetime description both segments at are supposed to launch module but they are set with non acceptable values of variable injectionradius the real default is nan and not as visible here the variable has this function from docs n n injectionradius if events will be injected in cylinder with specified radius and height instead of rectangular box n nif the original intention was to avoid the cylinder this value should be left to nan as default or the value should be accepted in module at lines n nfor wimpsimreaderearth there is an issue with gcd the code isn t able to read time in given format n n no registered converter was able to produce a c rvalue of type std string from this python object of type n nto avoid it time should be taken as julian day or another good format so for example n n line return frame get start time n ncould be n n line return frame get start time mod julian day double reporter grenzi cc resolution fixed ts component combo simulation summary segments in wimpsimreader py priority normal keywords time milestone owner nega type defect
0
208,295
15,884,109,260
IssuesEvent
2021-04-09 18:22:58
Data-Boom/SOEN490
https://api.github.com/repos/Data-Boom/SOEN490
closed
AT-4 Account Information
acceptance test acceptance-test
Tests | Variable Inputs | Expected Result | Status -- | -- | -- | -- Access the home page | Launch the website on localhost | Homepage is shown |   Navigate to Log in page | Click “LOG IN” button in the top right corner to navigate to the login page | Login page is shown |   Log in to your account | Enter the email address and password in the required fields and when done click “LOG IN” | Redirected to Home page and the user is signed in |   Navigate to Profile page | Navigate to the profile page from the side menu | The profile page appears |   Edit your profile | Click “EDIT PROFILE” button to edit some personal information | A list of editable information will be shown |   Save your new settings | Click “SAVE” after editing or “CANCEL” to cancel your changes | The settings will be saved and updated or cancelled based on the choice |   Sign Out | Click “SIGN OUT” button on the top right corner to sign out of your account | The user will get signed out |   ### Demo Steps
2.0
AT-4 Account Information - Tests | Variable Inputs | Expected Result | Status -- | -- | -- | -- Access the home page | Launch the website on localhost | Homepage is shown |   Navigate to Log in page | Click “LOG IN” button in the top right corner to navigate to the login page | Login page is shown |   Log in to your account | Enter the email address and password in the required fields and when done click “LOG IN” | Redirected to Home page and the user is signed in |   Navigate to Profile page | Navigate to the profile page from the side menu | The profile page appears |   Edit your profile | Click “EDIT PROFILE” button to edit some personal information | A list of editable information will be shown |   Save your new settings | Click “SAVE” after editing or “CANCEL” to cancel your changes | The settings will be saved and updated or cancelled based on the choice |   Sign Out | Click “SIGN OUT” button on the top right corner to sign out of your account | The user will get signed out |   ### Demo Steps
non_priority
at account information tests variable inputs expected result status access the home page launch the website on localhost homepage is shown   navigate to log in page click “log in” button in the top right corner to navigate to the login page login page is shown   log in to your account enter the email address and password in the required fields and when done click “log in” redirected to home page and the user is signed in   navigate to profile page navigate to the profile page from the side menu the profile page appears   edit your profile click “edit profile” button to edit some personal information a list of editable information will be shown   save your new settings click “save” after editing or “cancel” to cancel your changes the settings will be saved and updated or cancelled based on the choice   sign out click “sign out” button on the top right corner to sign out of your account the user will get signed out   demo steps
0
6,747
2,610,275,366
IssuesEvent
2015-02-26 19:28:07
chrsmith/scribefire-chrome
https://api.github.com/repos/chrsmith/scribefire-chrome
closed
Posted to a WordPress as a page, not a post
auto-migrated Priority-Medium Type-Defect
``` What's the problem? I made a post to a Wordpress.org blog, and it posted to the blog as a page and not as a post. What browser are you using? Firefox 3.17pre What version of ScribeFire are you running? SFNext 1.51 ``` ----- Original issue reported on code.google.com by `siegel...@gmail.com` on 23 Mar 2011 at 5:21
1.0
Posted to a WordPress as a page, not a post - ``` What's the problem? I made a post to a Wordpress.org blog, and it posted to the blog as a page and not as a post. What browser are you using? Firefox 3.17pre What version of ScribeFire are you running? SFNext 1.51 ``` ----- Original issue reported on code.google.com by `siegel...@gmail.com` on 23 Mar 2011 at 5:21
non_priority
posted to a wordpress as a page not a post what s the problem i made a post to a wordpress org blog and it posted to the blog as a page and not as a post what browser are you using firefox what version of scribefire are you running sfnext original issue reported on code google com by siegel gmail com on mar at
0
298,398
25,822,500,168
IssuesEvent
2022-12-12 10:33:19
dusk-network/wallet-cli
https://api.github.com/repos/dusk-network/wallet-cli
closed
Display staking address
mark:testnet
#### Summary The user need to know which staking address (BLS Public Key in base58) belong to his wallet. This is required in order to let the staking owner to allow the staker onchain #### Possible solution design or implementation Should be feasible to extend the current `Address` struct in order to support BLS key too #### Additional context See also #85
1.0
Display staking address - #### Summary The user need to know which staking address (BLS Public Key in base58) belong to his wallet. This is required in order to let the staking owner to allow the staker onchain #### Possible solution design or implementation Should be feasible to extend the current `Address` struct in order to support BLS key too #### Additional context See also #85
non_priority
display staking address summary the user need to know which staking address bls public key in belong to his wallet this is required in order to let the staking owner to allow the staker onchain possible solution design or implementation should be feasible to extend the current address struct in order to support bls key too additional context see also
0
24,511
23,856,191,959
IssuesEvent
2022-09-07 00:00:21
FreeTubeApp/FreeTube
https://api.github.com/repos/FreeTubeApp/FreeTube
closed
[Bug]: Localhost Proxy usage breaks local invidious instance
bug U: Waiting for Response from Author B: content not loading B: accessibility B: usability B: API issue
### Proxy usage combined with local instance does not work and result in broken local instance Tested with http proxy (unknown about sock4,socks5 & https ) I use a **localhost http proxy** which is a fail-safe VPN redirect https://github.com/binhex/arch-delugevpn **Error: Status code: 502** **Proxy usage combined with local instance does not work and result in broken local instance** using website instance from someone else works fine, sadly does lead to more traffic on their end. ### Expected Behavior Either use proxychain or a similar tool to redirect traffic through the proxy or notice the user that for local instance the proxy setting will be ignored and than you ignore the proxy for local instance requests. ### Issue Labels accessibility issue, API issue, content not loading, usability issue ### FreeTube Version v0.16.0 Beta ### Operating System Version Arch Aur Package
True
[Bug]: Localhost Proxy usage breaks local invidious instance - ### Proxy usage combined with local instance does not work and result in broken local instance Tested with http proxy (unknown about sock4,socks5 & https ) I use a **localhost http proxy** which is a fail-safe VPN redirect https://github.com/binhex/arch-delugevpn **Error: Status code: 502** **Proxy usage combined with local instance does not work and result in broken local instance** using website instance from someone else works fine, sadly does lead to more traffic on their end. ### Expected Behavior Either use proxychain or a similar tool to redirect traffic through the proxy or notice the user that for local instance the proxy setting will be ignored and than you ignore the proxy for local instance requests. ### Issue Labels accessibility issue, API issue, content not loading, usability issue ### FreeTube Version v0.16.0 Beta ### Operating System Version Arch Aur Package
non_priority
localhost proxy usage breaks local invidious instance proxy usage combined with local instance does not work and result in broken local instance tested with http proxy unknown about https i use a localhost http proxy which is a fail safe vpn redirect error status code proxy usage combined with local instance does not work and result in broken local instance using website instance from someone else works fine sadly does lead to more traffic on their end expected behavior either use proxychain or a similar tool to redirect traffic through the proxy or notice the user that for local instance the proxy setting will be ignored and than you ignore the proxy for local instance requests issue labels accessibility issue api issue content not loading usability issue freetube version beta operating system version arch aur package
0
754,773
26,401,737,830
IssuesEvent
2023-01-13 02:11:54
EzWzs/TerminalMC
https://api.github.com/repos/EzWzs/TerminalMC
opened
fix skript functions not working for some reason
High Priority help wanted
Waiting for help in skript discord to fix this. Should complete most of the migration, just need to transfer data.
1.0
fix skript functions not working for some reason - Waiting for help in skript discord to fix this. Should complete most of the migration, just need to transfer data.
priority
fix skript functions not working for some reason waiting for help in skript discord to fix this should complete most of the migration just need to transfer data
1
435,326
30,494,069,682
IssuesEvent
2023-07-18 09:37:19
hpcflow/matflow-new
https://api.github.com/repos/hpcflow/matflow-new
opened
Switch install command in docs to install onefolder
documentation
Onefolder version is faster and user shouldn't notice any other differences.
1.0
Switch install command in docs to install onefolder - Onefolder version is faster and user shouldn't notice any other differences.
non_priority
switch install command in docs to install onefolder onefolder version is faster and user shouldn t notice any other differences
0
662,102
22,101,751,916
IssuesEvent
2022-06-01 14:12:51
Tomas-Kraus/metro-jax-ws
https://api.github.com/repos/Tomas-Kraus/metro-jax-ws
opened
Web Service Explorer or WTP Project fails to import WSDL's created by metro
Priority: Major Component: runtime Type: Improvement ERR: Assignee
When trying to import a WSDL generated by Metro the Web Services Explorer of the WTP project fails. While looking into it I found it was because the WSDL being imported imports another WSDL whose import location is something like [http://svc:8080/app/services/MyService?wsdl=1](http://svc:8080/app/services/MyService?wsdl=1). As it turns out WSE needs a file extension on that URI (so something like [http://svc:8080/app/services/MyService.wsdl?](http://svc:8080/app/services/MyService.wsdl?) wsdl=1) in order to work properly. So although this is a probably a defect in WSE, I'd like to have the ability to control the naming of those imports which is currently done in HTTPAdapter. Right now the ServletAdapter is a final class and the variables holding the SDDocumentSource to location mapping is a public final Map so its impossible to change those values. I propose making the ServletAdapter not final and allowing for the overriding of the code that assigns the ?wsdl=1 identifiers to the metadata. Also possibly allow for ServletContext to provide the logic for naming the SDDocumentSource metadata. #### Environment Operating System: All Platform: All #### Affected Versions [current]
1.0
Web Service Explorer or WTP Project fails to import WSDL's created by metro - When trying to import a WSDL generated by Metro the Web Services Explorer of the WTP project fails. While looking into it I found it was because the WSDL being imported imports another WSDL whose import location is something like [http://svc:8080/app/services/MyService?wsdl=1](http://svc:8080/app/services/MyService?wsdl=1). As it turns out WSE needs a file extension on that URI (so something like [http://svc:8080/app/services/MyService.wsdl?](http://svc:8080/app/services/MyService.wsdl?) wsdl=1) in order to work properly. So although this is a probably a defect in WSE, I'd like to have the ability to control the naming of those imports which is currently done in HTTPAdapter. Right now the ServletAdapter is a final class and the variables holding the SDDocumentSource to location mapping is a public final Map so its impossible to change those values. I propose making the ServletAdapter not final and allowing for the overriding of the code that assigns the ?wsdl=1 identifiers to the metadata. Also possibly allow for ServletContext to provide the logic for naming the SDDocumentSource metadata. #### Environment Operating System: All Platform: All #### Affected Versions [current]
priority
web service explorer or wtp project fails to import wsdl s created by metro when trying to import a wsdl generated by metro the web services explorer of the wtp project fails while looking into it i found it was because the wsdl being imported imports another wsdl whose import location is something like as it turns out wse needs a file extension on that uri so something like wsdl in order to work properly so although this is a probably a defect in wse i d like to have the ability to control the naming of those imports which is currently done in httpadapter right now the servletadapter is a final class and the variables holding the sddocumentsource to location mapping is a public final map so its impossible to change those values i propose making the servletadapter not final and allowing for the overriding of the code that assigns the wsdl identifiers to the metadata also possibly allow for servletcontext to provide the logic for naming the sddocumentsource metadata environment operating system all platform all affected versions
1
577,419
17,109,956,295
IssuesEvent
2021-07-10 04:37:40
google/mozc
https://api.github.com/repos/google/mozc
closed
Mozc-0.11.383.102: Wrong conversion
OpSys-All Priority-Medium Type-Conversion auto-migrated
``` > we'd like to appreciate it if you send us sentences or phrases moze failed to convert. OK, Mozc-0.11.383.102 doesn't convert these strings properly. You can close this issue after you release next Mozc. (and someone will open new issue for the new Mozc.) これはうれしいごサンです うれしい誤算 これはダメだというシ これはダメだと思うカラ 気心のしれ田中なので しれた仲なので 改悟は本当にタイ編です 介護は本当に大変 凸メを送ったら デコメ 読くんに頼みましょう さとるくん その子とカラもわかるように その事から 日本チームの演技派この後すぐです 演技は ボーリング上の近くです 場。「じょう」で切り直すと「�� �雨」になる しょっぱい味が下 味がした とんでもないやつが洗われた 現れた 申の鳴き声がすごい 猿 保守的な麺もあるね 面 ``` Original issue reported on code.google.com by `heathros...@gmail.com` on 16 Jun 2010 at 9:30
1.0
Mozc-0.11.383.102: Wrong conversion - ``` > we'd like to appreciate it if you send us sentences or phrases moze failed to convert. OK, Mozc-0.11.383.102 doesn't convert these strings properly. You can close this issue after you release next Mozc. (and someone will open new issue for the new Mozc.) これはうれしいごサンです うれしい誤算 これはダメだというシ これはダメだと思うカラ 気心のしれ田中なので しれた仲なので 改悟は本当にタイ編です 介護は本当に大変 凸メを送ったら デコメ 読くんに頼みましょう さとるくん その子とカラもわかるように その事から 日本チームの演技派この後すぐです 演技は ボーリング上の近くです 場。「じょう」で切り直すと「�� �雨」になる しょっぱい味が下 味がした とんでもないやつが洗われた 現れた 申の鳴き声がすごい 猿 保守的な麺もあるね 面 ``` Original issue reported on code.google.com by `heathros...@gmail.com` on 16 Jun 2010 at 9:30
priority
mozc wrong conversion we d like to appreciate it if you send us sentences or phrases moze failed to convert ok mozc doesn t convert these strings properly you can close this issue after you release next mozc and someone will open new issue for the new mozc これはうれしいごサンです うれしい誤算 これはダメだというシ これはダメだと思うカラ 気心のしれ田中なので しれた仲なので 改悟は本当にタイ編です 介護は本当に大変 凸メを送ったら デコメ 読くんに頼みましょう さとるくん その子とカラもわかるように その事から 日本チームの演技派この後すぐです 演技は ボーリング上の近くです 場。「じょう」で切り直すと「�� �雨」になる しょっぱい味が下 味がした とんでもないやつが洗われた 現れた 申の鳴き声がすごい 猿 保守的な麺もあるね 面 original issue reported on code google com by heathros gmail com on jun at
1
304,068
26,250,574,625
IssuesEvent
2023-01-05 18:54:39
opentibiabr/canary
https://api.github.com/repos/opentibiabr/canary
closed
Player skills not increasing past 11
Type: Bug Priority: Medium Status: Pending Test
### Priority Medium ### Area - [ ] Datapack - [X] Source - [ ] Map - [ ] Other ### What happened? Hello, I'm new to using this repo. I'm running a fresh release build with no customizations except setting the starting town to Thais instead of Dawnport. The `Player:onGainSkillTries()` function gets called as normally for skilling Axe, Sword, Club, Distance, and Fist (haven't tried Fishing) until the skill reaches level 11. Then the skill stops increasing and the function no longer gets called. `Player:onGainSkillTries` does however continue to get called for mana used contributing to the magic level. I've tested with all vocations and multiple accounts with no success. Any ideas of the problem? ### What OS are you seeing the problem on? Windows ### Code of Conduct - [X] I agree to follow this project's Code of Conduct
1.0
Player skills not increasing past 11 - ### Priority Medium ### Area - [ ] Datapack - [X] Source - [ ] Map - [ ] Other ### What happened? Hello, I'm new to using this repo. I'm running a fresh release build with no customizations except setting the starting town to Thais instead of Dawnport. The `Player:onGainSkillTries()` function gets called as normally for skilling Axe, Sword, Club, Distance, and Fist (haven't tried Fishing) until the skill reaches level 11. Then the skill stops increasing and the function no longer gets called. `Player:onGainSkillTries` does however continue to get called for mana used contributing to the magic level. I've tested with all vocations and multiple accounts with no success. Any ideas of the problem? ### What OS are you seeing the problem on? Windows ### Code of Conduct - [X] I agree to follow this project's Code of Conduct
non_priority
player skills not increasing past priority medium area datapack source map other what happened hello i m new to using this repo i m running a fresh release build with no customizations except setting the starting town to thais instead of dawnport the player ongainskilltries function gets called as normally for skilling axe sword club distance and fist haven t tried fishing until the skill reaches level then the skill stops increasing and the function no longer gets called player ongainskilltries does however continue to get called for mana used contributing to the magic level i ve tested with all vocations and multiple accounts with no success any ideas of the problem what os are you seeing the problem on windows code of conduct i agree to follow this project s code of conduct
0
440,589
12,701,618,973
IssuesEvent
2020-06-22 18:31:13
WoWManiaUK/Redemption
https://api.github.com/repos/WoWManiaUK/Redemption
closed
[World Event][Quest]: Midsummer Bonfires contain a duplicate "Desecrate This Fire!" quest.
Priority - Low
Links: https://www.wow-mania.com/armory/?achievement=1032 https://www.wow-mania.com/armory/?quest=11735 https://www.youtube.com/watch?v=s63re3OfCZQ What is happening: When you interact with an opposing faction's Midsummer Bonfire, the Bonfire will offer 2 quests; one being a duplicate of the other. As soon as you turn in either quest, the other one disappears, so the player can not abuse it and complete it twice from one Bonfire - So marking this one as "Low Priority Cosmetic issue". What Should happen: Midsummer Bonfires should only give out one quest. https://www.youtube.com/watch?v=s63re3OfCZQ As seen here, the Midsummer Bonfires offers no additional quests. <img width="234" alt="Desecrate this Fire!" src="https://user-images.githubusercontent.com/47272908/85236255-b2331e80-b41c-11ea-9581-1f26c36a1562.png">
1.0
[World Event][Quest]: Midsummer Bonfires contain a duplicate "Desecrate This Fire!" quest. - Links: https://www.wow-mania.com/armory/?achievement=1032 https://www.wow-mania.com/armory/?quest=11735 https://www.youtube.com/watch?v=s63re3OfCZQ What is happening: When you interact with an opposing faction's Midsummer Bonfire, the Bonfire will offer 2 quests; one being a duplicate of the other. As soon as you turn in either quest, the other one disappears, so the player can not abuse it and complete it twice from one Bonfire - So marking this one as "Low Priority Cosmetic issue". What Should happen: Midsummer Bonfires should only give out one quest. https://www.youtube.com/watch?v=s63re3OfCZQ As seen here, the Midsummer Bonfires offers no additional quests. <img width="234" alt="Desecrate this Fire!" src="https://user-images.githubusercontent.com/47272908/85236255-b2331e80-b41c-11ea-9581-1f26c36a1562.png">
priority
midsummer bonfires contain a duplicate desecrate this fire quest links what is happening when you interact with an opposing faction s midsummer bonfire the bonfire will offer quests one being a duplicate of the other as soon as you turn in either quest the other one disappears so the player can not abuse it and complete it twice from one bonfire so marking this one as low priority cosmetic issue what should happen midsummer bonfires should only give out one quest as seen here the midsummer bonfires offers no additional quests img width alt desecrate this fire src
1
84,699
7,929,857,180
IssuesEvent
2018-07-06 16:29:57
kframework/solidity-semantics
https://api.github.com/repos/kframework/solidity-semantics
closed
Extract and organise test cases from the Solidity Compiler
testing
Instead of being all on a single file, they should be splitted and named accordingly.
1.0
Extract and organise test cases from the Solidity Compiler - Instead of being all on a single file, they should be splitted and named accordingly.
non_priority
extract and organise test cases from the solidity compiler instead of being all on a single file they should be splitted and named accordingly
0
327,972
9,984,162,233
IssuesEvent
2019-07-10 13:59:30
fusor/cpma
https://api.github.com/repos/fusor/cpma
closed
Consider alternative for retreiving node hostnames from k8s api.
Priority: Medium enhancement
Related to #252 Most of the sample multinode deployments which are close to a customer-like state are using internal hostnames for communication between nodes. Here is the survey of nodes from agnosticd: ``` ? Select master node [Use arrows to move, space to select, type to filter] infranode1.ci-agnosticd-p-101.internal > master1.ci-agnosticd-p-101.internal node1.ci-agnosticd-p-101.internal ``` This is how the k8s api sees it. This leads to a following error: ``` WARN[01 Jul 19 15:33 CEST]/home/dgrigore/Documents/work/openshift/cpma-my/pkg/transform/transform.go:139 github.com/fusor/cpma/pkg/transform.HandleError() Skipping API - Cannot connect to master.ci-agnosticd-p-101.internal:22 : dial tcp: lookup master.ci-agnosticd-p-101.internal on 10.34.129.60:53: no such host ``` This issue can easily be fixed by specifying the external hostname, which is ` master1.ci-agnosticd-p-101.mg.dog8code.com` So the following fixes could be applied: 1) Add an option to get master node address from user input. (This is how it is fixed now, by substitution of `.internal` prefix to `.mg.dog8code.com`) 2) Find a resource in openshift, which specifies the information we need, and then get the value from API. 3) Preprovision clusters with external hostnames for nodes (as it is done in quicklab based deployment), and document this step in prerequisites to CPMA. What is a better solution?
1.0
Consider alternative for retreiving node hostnames from k8s api. - Related to #252 Most of the sample multinode deployments which are close to a customer-like state are using internal hostnames for communication between nodes. Here is the survey of nodes from agnosticd: ``` ? Select master node [Use arrows to move, space to select, type to filter] infranode1.ci-agnosticd-p-101.internal > master1.ci-agnosticd-p-101.internal node1.ci-agnosticd-p-101.internal ``` This is how the k8s api sees it. This leads to a following error: ``` WARN[01 Jul 19 15:33 CEST]/home/dgrigore/Documents/work/openshift/cpma-my/pkg/transform/transform.go:139 github.com/fusor/cpma/pkg/transform.HandleError() Skipping API - Cannot connect to master.ci-agnosticd-p-101.internal:22 : dial tcp: lookup master.ci-agnosticd-p-101.internal on 10.34.129.60:53: no such host ``` This issue can easily be fixed by specifying the external hostname, which is ` master1.ci-agnosticd-p-101.mg.dog8code.com` So the following fixes could be applied: 1) Add an option to get master node address from user input. (This is how it is fixed now, by substitution of `.internal` prefix to `.mg.dog8code.com`) 2) Find a resource in openshift, which specifies the information we need, and then get the value from API. 3) Preprovision clusters with external hostnames for nodes (as it is done in quicklab based deployment), and document this step in prerequisites to CPMA. What is a better solution?
priority
consider alternative for retreiving node hostnames from api related to most of the sample multinode deployments which are close to a customer like state are using internal hostnames for communication between nodes here is the survey of nodes from agnosticd select master node ci agnosticd p internal ci agnosticd p internal ci agnosticd p internal this is how the api sees it this leads to a following error warn home dgrigore documents work openshift cpma my pkg transform transform go github com fusor cpma pkg transform handleerror skipping api cannot connect to master ci agnosticd p internal dial tcp lookup master ci agnosticd p internal on no such host this issue can easily be fixed by specifying the external hostname which is ci agnosticd p mg com so the following fixes could be applied add an option to get master node address from user input this is how it is fixed now by substitution of internal prefix to mg com find a resource in openshift which specifies the information we need and then get the value from api preprovision clusters with external hostnames for nodes as it is done in quicklab based deployment and document this step in prerequisites to cpma what is a better solution
1
124,352
10,309,700,199
IssuesEvent
2019-08-29 13:48:23
cds-snc/report-a-cybercrime
https://api.github.com/repos/cds-snc/report-a-cybercrime
closed
Dates did not change to what participants had input on "review your report".
Prototype 2 Usability Test Result high priority
Happens in P2: 1. Launch P2 2. Go to /timeframe 3. Enter dates that are not today's date 4. Skip to confirmation ERROR - The dates show as today's date despite selecting a different date.
1.0
Dates did not change to what participants had input on "review your report". - Happens in P2: 1. Launch P2 2. Go to /timeframe 3. Enter dates that are not today's date 4. Skip to confirmation ERROR - The dates show as today's date despite selecting a different date.
non_priority
dates did not change to what participants had input on review your report happens in launch go to timeframe enter dates that are not today s date skip to confirmation error the dates show as today s date despite selecting a different date
0
559,482
16,564,032,302
IssuesEvent
2021-05-29 03:49:22
hotg-ai/rune
https://api.github.com/repos/hotg-ai/rune
opened
Research reusing TensorFloe operations in Proc Blocks
area - proc blocks category - enhancement effort - hard priority - on-demand
@kthakore raised a really cool idea [on Slack](https://hotg-ai.slack.com/archives/C01B8R53ZPV/p1622258897480300?thread_ts=1622234872.477000&cid=C01B8R53ZPV), namely that I'd be nice if we can make proc blocks which wrap an existing TensorFlow operation instead of needing to port an existing one to Rust This would have been quite useful when implementing microspeech because trying to write complicated math code which matches existing code, especially when that code may use third party libraries or be unreadable. This will probably involve: 1. Convincing the TensorFlow build system to cross-compile parts of the codebase to WebAssembly (doing this the hacky way by compiling the relevant files yourself using `cc` will be easy, but doing it the proper way via Bazel will probably be very hard) 2. Figure out how to link Rust to WebAssembly (I'm guessing it'll either *Just Work* or turn into a massive rabbit hole) 3. Create libraries and abstractions that make going between Rust and TensorFlow easier
1.0
Research reusing TensorFloe operations in Proc Blocks - @kthakore raised a really cool idea [on Slack](https://hotg-ai.slack.com/archives/C01B8R53ZPV/p1622258897480300?thread_ts=1622234872.477000&cid=C01B8R53ZPV), namely that I'd be nice if we can make proc blocks which wrap an existing TensorFlow operation instead of needing to port an existing one to Rust This would have been quite useful when implementing microspeech because trying to write complicated math code which matches existing code, especially when that code may use third party libraries or be unreadable. This will probably involve: 1. Convincing the TensorFlow build system to cross-compile parts of the codebase to WebAssembly (doing this the hacky way by compiling the relevant files yourself using `cc` will be easy, but doing it the proper way via Bazel will probably be very hard) 2. Figure out how to link Rust to WebAssembly (I'm guessing it'll either *Just Work* or turn into a massive rabbit hole) 3. Create libraries and abstractions that make going between Rust and TensorFlow easier
priority
research reusing tensorfloe operations in proc blocks kthakore raised a really cool idea namely that i d be nice if we can make proc blocks which wrap an existing tensorflow operation instead of needing to port an existing one to rust this would have been quite useful when implementing microspeech because trying to write complicated math code which matches existing code especially when that code may use third party libraries or be unreadable this will probably involve convincing the tensorflow build system to cross compile parts of the codebase to webassembly doing this the hacky way by compiling the relevant files yourself using cc will be easy but doing it the proper way via bazel will probably be very hard figure out how to link rust to webassembly i m guessing it ll either just work or turn into a massive rabbit hole create libraries and abstractions that make going between rust and tensorflow easier
1
146,394
19,403,572,341
IssuesEvent
2021-12-19 16:08:07
victorlmneves/fed-pug-boilerplate-v2
https://api.github.com/repos/victorlmneves/fed-pug-boilerplate-v2
closed
CVE-2019-6284 (Medium) detected in opennmsopennms-source-26.0.0-1, node-sass-4.14.1.tgz - autoclosed
security vulnerability
## CVE-2019-6284 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>opennmsopennms-source-26.0.0-1</b>, <b>node-sass-4.14.1.tgz</b></p></summary> <p> <details><summary><b>node-sass-4.14.1.tgz</b></p></summary> <p>Wrapper around libsass</p> <p>Library home page: <a href="https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz">https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz</a></p> <p>Path to dependency file: fed-pug-boilerplate-v2/package.json</p> <p>Path to vulnerable library: fed-pug-boilerplate-v2/node_modules/node-sass/package.json</p> <p> Dependency Hierarchy: - node-sass-middleware-0.11.0.tgz (Root Library) - :x: **node-sass-4.14.1.tgz** (Vulnerable Library) </details> <p>Found in HEAD commit: <a href="https://github.com/victorlmneves/fed-pug-boilerplate-v2/commit/473ea3597a89ac9b7c4f4d251f4b4c119b4643eb">473ea3597a89ac9b7c4f4d251f4b4c119b4643eb</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> In LibSass 3.5.5, a heap-based buffer over-read exists in Sass::Prelexer::alternatives in prelexer.hpp. <p>Publish Date: 2019-01-14 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-6284>CVE-2019-6284</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.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-6284">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-6284</a></p> <p>Release Date: 2019-08-06</p> <p>Fix Resolution: LibSass - 3.6.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-2019-6284 (Medium) detected in opennmsopennms-source-26.0.0-1, node-sass-4.14.1.tgz - autoclosed - ## CVE-2019-6284 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>opennmsopennms-source-26.0.0-1</b>, <b>node-sass-4.14.1.tgz</b></p></summary> <p> <details><summary><b>node-sass-4.14.1.tgz</b></p></summary> <p>Wrapper around libsass</p> <p>Library home page: <a href="https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz">https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz</a></p> <p>Path to dependency file: fed-pug-boilerplate-v2/package.json</p> <p>Path to vulnerable library: fed-pug-boilerplate-v2/node_modules/node-sass/package.json</p> <p> Dependency Hierarchy: - node-sass-middleware-0.11.0.tgz (Root Library) - :x: **node-sass-4.14.1.tgz** (Vulnerable Library) </details> <p>Found in HEAD commit: <a href="https://github.com/victorlmneves/fed-pug-boilerplate-v2/commit/473ea3597a89ac9b7c4f4d251f4b4c119b4643eb">473ea3597a89ac9b7c4f4d251f4b4c119b4643eb</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> In LibSass 3.5.5, a heap-based buffer over-read exists in Sass::Prelexer::alternatives in prelexer.hpp. <p>Publish Date: 2019-01-14 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-6284>CVE-2019-6284</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.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-6284">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-6284</a></p> <p>Release Date: 2019-08-06</p> <p>Fix Resolution: LibSass - 3.6.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 opennmsopennms source node sass tgz autoclosed cve medium severity vulnerability vulnerable libraries opennmsopennms source node sass tgz node sass tgz wrapper around libsass library home page a href path to dependency file fed pug boilerplate package json path to vulnerable library fed pug boilerplate node modules node sass package json dependency hierarchy node sass middleware tgz root library x node sass tgz vulnerable library found in head commit a href found in base branch master vulnerability details in libsass a heap based buffer over read exists in sass prelexer alternatives in prelexer hpp 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 unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution libsass step up your open source security game with whitesource
0
300,594
9,211,514,897
IssuesEvent
2019-03-09 16:02:28
qgisissuebot/QGIS
https://api.github.com/repos/qgisissuebot/QGIS
closed
branch 3.6 fails to build - src/core/qgsdistancearea.cpp:491:3: error: ‘geod_inverseline’ was not declared in this scope
Bug Priority: normal
--- Author Name: **vince ice** (vince ice) Original Redmine Issue: 21432, https://issues.qgis.org/issues/21432 Original Date: 2019-02-28T21:20:59.436Z Original Assignee: Nyall Dawson Affected QGIS version: 3.6.0 --- Just tried to build branch 3.6. This is what I get: > @[ 16%] Building CXX object src/core/CMakeFiles/qgis_core.dir/qgserror.cpp.o > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp: In member function ‘double QgsDistanceArea::latitudeGeodesicCrossesAntimeridian(const QgsPointXY&, const QgsPointXY&, double&) const’: > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:491:3: error: ‘geod_inverseline’ was not declared in this scope > geod_inverseline( &line, &geod, p1y, p1x, p2y, p2x, GEOD_ALL ); > ^~~~~~~~~~~~~~~~ > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:491:3: note: suggested alternative: ‘geod_inverse’ > geod_inverseline( &line, &geod, p1y, p1x, p2y, p2x, GEOD_ALL ); > ^~~~~~~~~~~~~~~~ > geod_inverse > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:493:33: error: ‘struct geod_geodesicline’ has no member named ‘s13’ > const double totalDist = line.s13; > ^~~ > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:494:34: error: ‘struct geod_geodesicline’ has no member named ‘s13’ > double intersectionDist = line.s13; > ^~~ > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:517:31: error: ‘struct geod_geodesicline’ has no member named ‘s13’ > intersectionDist = line.s13 * 0.5; > ^~~ > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp: In member function ‘QVector<QVector<QgsPointXY> > QgsDistanceArea::geodesicLine(const QgsPointXY&, const QgsPointXY&, double, bool) const’: > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:696:3: error: ‘geod_inverseline’ was not declared in this scope > geod_inverseline( &line, &geod, pp1.y(), pp1.x(), pp2.y(), pp2.x(), GEOD_ALL ); > ^~~~~~~~~~~~~~~~ > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:696:3: note: suggested alternative: ‘geod_inverse’ > geod_inverseline( &line, &geod, pp1.y(), pp1.x(), pp2.y(), pp2.x(), GEOD_ALL ); > ^~~~~~~~~~~~~~~~ > geod_inverse > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:697:33: error: ‘struct geod_geodesicline’ has no member named ‘s13’ > const double totalDist = line.s13; > ^~~ > make[2]: *** [src/core/CMakeFiles/qgis_core.dir/build.make:5066: src/core/CMakeFiles/qgis_core.dir/qgsdistancearea.cpp.o] Error 1 > make[2]: *** Attesa per i processi non terminati.... > make[1]: *** [CMakeFiles/Makefile2:316: src/core/CMakeFiles/qgis_core.dir/all] Error 2 > make: *** [Makefile:152: all] Error 2 > @
1.0
branch 3.6 fails to build - src/core/qgsdistancearea.cpp:491:3: error: ‘geod_inverseline’ was not declared in this scope - --- Author Name: **vince ice** (vince ice) Original Redmine Issue: 21432, https://issues.qgis.org/issues/21432 Original Date: 2019-02-28T21:20:59.436Z Original Assignee: Nyall Dawson Affected QGIS version: 3.6.0 --- Just tried to build branch 3.6. This is what I get: > @[ 16%] Building CXX object src/core/CMakeFiles/qgis_core.dir/qgserror.cpp.o > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp: In member function ‘double QgsDistanceArea::latitudeGeodesicCrossesAntimeridian(const QgsPointXY&, const QgsPointXY&, double&) const’: > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:491:3: error: ‘geod_inverseline’ was not declared in this scope > geod_inverseline( &line, &geod, p1y, p1x, p2y, p2x, GEOD_ALL ); > ^~~~~~~~~~~~~~~~ > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:491:3: note: suggested alternative: ‘geod_inverse’ > geod_inverseline( &line, &geod, p1y, p1x, p2y, p2x, GEOD_ALL ); > ^~~~~~~~~~~~~~~~ > geod_inverse > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:493:33: error: ‘struct geod_geodesicline’ has no member named ‘s13’ > const double totalDist = line.s13; > ^~~ > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:494:34: error: ‘struct geod_geodesicline’ has no member named ‘s13’ > double intersectionDist = line.s13; > ^~~ > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:517:31: error: ‘struct geod_geodesicline’ has no member named ‘s13’ > intersectionDist = line.s13 * 0.5; > ^~~ > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp: In member function ‘QVector<QVector<QgsPointXY> > QgsDistanceArea::geodesicLine(const QgsPointXY&, const QgsPointXY&, double, bool) const’: > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:696:3: error: ‘geod_inverseline’ was not declared in this scope > geod_inverseline( &line, &geod, pp1.y(), pp1.x(), pp2.y(), pp2.x(), GEOD_ALL ); > ^~~~~~~~~~~~~~~~ > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:696:3: note: suggested alternative: ‘geod_inverse’ > geod_inverseline( &line, &geod, pp1.y(), pp1.x(), pp2.y(), pp2.x(), GEOD_ALL ); > ^~~~~~~~~~~~~~~~ > geod_inverse > /tmp/QGIS/QGIS/src/core/qgsdistancearea.cpp:697:33: error: ‘struct geod_geodesicline’ has no member named ‘s13’ > const double totalDist = line.s13; > ^~~ > make[2]: *** [src/core/CMakeFiles/qgis_core.dir/build.make:5066: src/core/CMakeFiles/qgis_core.dir/qgsdistancearea.cpp.o] Error 1 > make[2]: *** Attesa per i processi non terminati.... > make[1]: *** [CMakeFiles/Makefile2:316: src/core/CMakeFiles/qgis_core.dir/all] Error 2 > make: *** [Makefile:152: all] Error 2 > @
priority
branch fails to build src core qgsdistancearea cpp error ‘geod inverseline’ was not declared in this scope author name vince ice vince ice original redmine issue original date original assignee nyall dawson affected qgis version just tried to build branch this is what i get building cxx object src core cmakefiles qgis core dir qgserror cpp o tmp qgis qgis src core qgsdistancearea cpp in member function ‘double qgsdistancearea latitudegeodesiccrossesantimeridian const qgspointxy const qgspointxy double const’ tmp qgis qgis src core qgsdistancearea cpp error ‘geod inverseline’ was not declared in this scope geod inverseline line geod geod all tmp qgis qgis src core qgsdistancearea cpp note suggested alternative ‘geod inverse’ geod inverseline line geod geod all geod inverse tmp qgis qgis src core qgsdistancearea cpp error ‘struct geod geodesicline’ has no member named ‘ ’ const double totaldist line tmp qgis qgis src core qgsdistancearea cpp error ‘struct geod geodesicline’ has no member named ‘ ’ double intersectiondist line tmp qgis qgis src core qgsdistancearea cpp error ‘struct geod geodesicline’ has no member named ‘ ’ intersectiondist line tmp qgis qgis src core qgsdistancearea cpp in member function ‘qvector qgsdistancearea geodesicline const qgspointxy const qgspointxy double bool const’ tmp qgis qgis src core qgsdistancearea cpp error ‘geod inverseline’ was not declared in this scope geod inverseline line geod y x y x geod all tmp qgis qgis src core qgsdistancearea cpp note suggested alternative ‘geod inverse’ geod inverseline line geod y x y x geod all geod inverse tmp qgis qgis src core qgsdistancearea cpp error ‘struct geod geodesicline’ has no member named ‘ ’ const double totaldist line make error make attesa per i processi non terminati make error make error
1
541,297
15,824,393,217
IssuesEvent
2021-04-06 03:10:38
ballerina-platform/ballerina-lang
https://api.github.com/repos/ballerina-platform/ballerina-lang
closed
Rollback statement not suggested
Area/Completion Priority/Blocker Team/LanguageServer Type/Bug
**Description:** ![rollback](https://user-images.githubusercontent.com/15815199/113145836-916de400-924c-11eb-8e72-3aec291ecbf2.gif) **Steps to reproduce:** ```ballerina public function main() { transaction { var res = getError(); if(res is error) { rollba } else { checkpanic commit; } } } function getError() returns error? { return error("Custom error"); } ``` **Affected Versions:** SL Alpha 4 **OS, DB, other environment details and versions:** **Related Issues (optional):** <!-- Any related issues such as sub tasks, issues reported in other repositories (e.g component repositories), similar problems, etc. --> **Suggested Labels (optional):** <!-- Optional comma separated list of suggested labels. Non committers can’t assign labels to issues, so this will help issue creators who are not a committer to suggest possible labels--> **Suggested Assignees (optional):** <!--Optional comma separated list of suggested team members who should attend the issue. Non committers can’t assign issues to assignees, so this will help issue creators who are not a committer to suggest possible assignees-->
1.0
Rollback statement not suggested - **Description:** ![rollback](https://user-images.githubusercontent.com/15815199/113145836-916de400-924c-11eb-8e72-3aec291ecbf2.gif) **Steps to reproduce:** ```ballerina public function main() { transaction { var res = getError(); if(res is error) { rollba } else { checkpanic commit; } } } function getError() returns error? { return error("Custom error"); } ``` **Affected Versions:** SL Alpha 4 **OS, DB, other environment details and versions:** **Related Issues (optional):** <!-- Any related issues such as sub tasks, issues reported in other repositories (e.g component repositories), similar problems, etc. --> **Suggested Labels (optional):** <!-- Optional comma separated list of suggested labels. Non committers can’t assign labels to issues, so this will help issue creators who are not a committer to suggest possible labels--> **Suggested Assignees (optional):** <!--Optional comma separated list of suggested team members who should attend the issue. Non committers can’t assign issues to assignees, so this will help issue creators who are not a committer to suggest possible assignees-->
priority
rollback statement not suggested description steps to reproduce ballerina public function main transaction var res geterror if res is error rollba else checkpanic commit function geterror returns error return error custom error affected versions sl alpha os db other environment details and versions related issues optional suggested labels optional suggested assignees optional
1
709,208
24,370,564,015
IssuesEvent
2022-10-03 18:53:51
phetsims/sun
https://api.github.com/repos/phetsims/sun
closed
RectangularRadioButton problems related to appearance strategies
priority:2-high status:blocks-publication dev:typescript
A couple of TypeScript problems in RectangularRadioButton.ts: * FlatAppearanceStrategyOptions and ContentAppearanceStrategyOptions are missing, and `any` is used. * SelfOptions duplicates a bunch of definitons that should be in FlatAppearanceStrategyOptions, ContentAppearanceStrategyOptions * These comment in SelfOptions are troubling, I don't know how someone would "add your own options". And these should be nested options. ```js // Options used by RectangularRadioButton.FlatAppearanceStrategy. // If you define your own buttonAppearanceStrategy, then you may need to add your own options. ... // Options used by RectangularRadioButton.ContentAppearanceStrategy. // If you define your own contentAppearanceStrategy, then you may need to add your own options. ``` Assigning to @jbphet since he's the architect of appearance strategies.
1.0
RectangularRadioButton problems related to appearance strategies - A couple of TypeScript problems in RectangularRadioButton.ts: * FlatAppearanceStrategyOptions and ContentAppearanceStrategyOptions are missing, and `any` is used. * SelfOptions duplicates a bunch of definitons that should be in FlatAppearanceStrategyOptions, ContentAppearanceStrategyOptions * These comment in SelfOptions are troubling, I don't know how someone would "add your own options". And these should be nested options. ```js // Options used by RectangularRadioButton.FlatAppearanceStrategy. // If you define your own buttonAppearanceStrategy, then you may need to add your own options. ... // Options used by RectangularRadioButton.ContentAppearanceStrategy. // If you define your own contentAppearanceStrategy, then you may need to add your own options. ``` Assigning to @jbphet since he's the architect of appearance strategies.
priority
rectangularradiobutton problems related to appearance strategies a couple of typescript problems in rectangularradiobutton ts flatappearancestrategyoptions and contentappearancestrategyoptions are missing and any is used selfoptions duplicates a bunch of definitons that should be in flatappearancestrategyoptions contentappearancestrategyoptions these comment in selfoptions are troubling i don t know how someone would add your own options and these should be nested options js options used by rectangularradiobutton flatappearancestrategy if you define your own buttonappearancestrategy then you may need to add your own options options used by rectangularradiobutton contentappearancestrategy if you define your own contentappearancestrategy then you may need to add your own options assigning to jbphet since he s the architect of appearance strategies
1
320,315
27,430,488,085
IssuesEvent
2023-03-02 00:40:54
devssa/onde-codar-em-salvador
https://api.github.com/repos/devssa/onde-codar-em-salvador
closed
[SALVADOR] [TAMBÉM PCD] Analista de Testes no [ACP GROUP]
SALVADOR CASOS DE TESTES HELP WANTED VAGA PARA PCD TAMBÉM Stale
<!-- ================================================== POR FAVOR, SÓ POSTE SE A VAGA FOR PARA SALVADOR E CIDADES VIZINHAS! Use: "Desenvolvedor Front-end" ao invés de "Front-End Developer" \o/ Exemplo: `[JAVASCRIPT] [MYSQL] [NODE.JS] Desenvolvedor Front-End na [NOME DA EMPRESA]` ================================================== --> ## Descrição da vaga - Analista de Testes no ACP Group ## Local - Salvador ## Benefícios - Informações diretamente com o responsável pela vaga/recrutador. ## Requisitos **Obrigatórios:** - Superior completo em TI ou áreas afins; - Necessária experiência com roteiro e casos de teste. ## Contratação - a combinar ## Nossa empresa - Estamos muito orgulhosos em anunciar a criação do ACP Group. Um símbolo da união de valores, práticas, processos e culturas organizacionais existentes e exercidas cotidianamente entre as Empresas Avansys Tecnologia e Ciberian TI. - A nova forma de atuação em grupo parte da convergência entre condutas e princípios já conhecidos como a experiência na melhoria de processos, na maior eficiência em custos e na valorização do nosso time de profissionais, fonte de toda inovação, soluções e projetos que moldaram o sucesso das empresas e que muito nos orgulham. - Todo esse esforço foi feito para potencializar o nosso objetivo maior: criar e construir resultados reais, concretos e mensuráveis para os nossos Clientes. ## Como se candidatar - Por favor envie um email para curriculo@acpgroup.com.br com seu CV anexado - enviar no assunto: ANALISTA DE TESTES
1.0
[SALVADOR] [TAMBÉM PCD] Analista de Testes no [ACP GROUP] - <!-- ================================================== POR FAVOR, SÓ POSTE SE A VAGA FOR PARA SALVADOR E CIDADES VIZINHAS! Use: "Desenvolvedor Front-end" ao invés de "Front-End Developer" \o/ Exemplo: `[JAVASCRIPT] [MYSQL] [NODE.JS] Desenvolvedor Front-End na [NOME DA EMPRESA]` ================================================== --> ## Descrição da vaga - Analista de Testes no ACP Group ## Local - Salvador ## Benefícios - Informações diretamente com o responsável pela vaga/recrutador. ## Requisitos **Obrigatórios:** - Superior completo em TI ou áreas afins; - Necessária experiência com roteiro e casos de teste. ## Contratação - a combinar ## Nossa empresa - Estamos muito orgulhosos em anunciar a criação do ACP Group. Um símbolo da união de valores, práticas, processos e culturas organizacionais existentes e exercidas cotidianamente entre as Empresas Avansys Tecnologia e Ciberian TI. - A nova forma de atuação em grupo parte da convergência entre condutas e princípios já conhecidos como a experiência na melhoria de processos, na maior eficiência em custos e na valorização do nosso time de profissionais, fonte de toda inovação, soluções e projetos que moldaram o sucesso das empresas e que muito nos orgulham. - Todo esse esforço foi feito para potencializar o nosso objetivo maior: criar e construir resultados reais, concretos e mensuráveis para os nossos Clientes. ## Como se candidatar - Por favor envie um email para curriculo@acpgroup.com.br com seu CV anexado - enviar no assunto: ANALISTA DE TESTES
non_priority
analista de testes no por favor só poste se a vaga for para salvador e cidades vizinhas use desenvolvedor front end ao invés de front end developer o exemplo desenvolvedor front end na descrição da vaga analista de testes no acp group local salvador benefícios informações diretamente com o responsável pela vaga recrutador requisitos obrigatórios superior completo em ti ou áreas afins necessária experiência com roteiro e casos de teste contratação a combinar nossa empresa estamos muito orgulhosos em anunciar a criação do acp group um símbolo da união de valores práticas processos e culturas organizacionais existentes e exercidas cotidianamente entre as empresas avansys tecnologia e ciberian ti a nova forma de atuação em grupo parte da convergência entre condutas e princípios já conhecidos como a experiência na melhoria de processos na maior eficiência em custos e na valorização do nosso time de profissionais fonte de toda inovação soluções e projetos que moldaram o sucesso das empresas e que muito nos orgulham todo esse esforço foi feito para potencializar o nosso objetivo maior criar e construir resultados reais concretos e mensuráveis para os nossos clientes como se candidatar por favor envie um email para curriculo acpgroup com br com seu cv anexado enviar no assunto analista de testes
0
190,290
15,226,020,311
IssuesEvent
2021-02-18 08:17:25
payloadcms/payload
https://api.github.com/repos/payloadcms/payload
reopened
hasMany not assignable to field type 'upload'
documentation enhancement
# Bug Report hasMany does not seem to be assignable to to the field type "upload". ## Expected Behavior According to the docs (https://payloadcms.com/docs/fields/upload) hasMany should be available for the uploads field. ## Current Behavior Error: Object literal may only specify known properties, and 'hasMany' does not exist in type 'UploadField'. ## Detailed Description ``` { label: 'Gallery', name: 'gallery', type: 'group', fields: [ { label: 'Add images', name: 'galleryImage', type: 'upload', relationTo: 'gallery-images', hasMany: true, } ] }, ```
1.0
hasMany not assignable to field type 'upload' - # Bug Report hasMany does not seem to be assignable to to the field type "upload". ## Expected Behavior According to the docs (https://payloadcms.com/docs/fields/upload) hasMany should be available for the uploads field. ## Current Behavior Error: Object literal may only specify known properties, and 'hasMany' does not exist in type 'UploadField'. ## Detailed Description ``` { label: 'Gallery', name: 'gallery', type: 'group', fields: [ { label: 'Add images', name: 'galleryImage', type: 'upload', relationTo: 'gallery-images', hasMany: true, } ] }, ```
non_priority
hasmany not assignable to field type upload bug report hasmany does not seem to be assignable to to the field type upload expected behavior according to the docs hasmany should be available for the uploads field current behavior error object literal may only specify known properties and hasmany does not exist in type uploadfield detailed description label gallery name gallery type group fields label add images name galleryimage type upload relationto gallery images hasmany true
0
163,663
12,740,854,159
IssuesEvent
2020-06-26 04:05:55
iNavFlight/inav
https://api.github.com/repos/iNavFlight/inav
closed
Flight Time Counter Stops When NAV LAUNCH Selected Mid Flight
Inactive Testing Required
## Current Behavior Selecting Nav Launch Mode when already flying stops the flight time counter. Don't know if switching it off mid flight restarts the counter again because Nav Launch remained on until landing disarm. ## Steps to Reproduce Takeoff without Nav Launch Mode on. Select Nav Launch mode whilst flying. Flight time counter stops when Nav Launch selected. ## Expected behavior Selecting Nav Launch mid flight shouldn't stop flight time counter. ## Suggested solution(s) Whatever works best to disable Nav Launch once Armed and flying, i.e. after it has done its job if used to Launch or if mode is selected mid flight. ## Additional context Easily avoided by not reselecting Nav Launch once flying but confusing if you do it all the same. - FC Board name and vendor: Omnibus F4 V3 Clone - INAV version string: INAV/OMNIBUSF4V3 2.3.0
1.0
Flight Time Counter Stops When NAV LAUNCH Selected Mid Flight - ## Current Behavior Selecting Nav Launch Mode when already flying stops the flight time counter. Don't know if switching it off mid flight restarts the counter again because Nav Launch remained on until landing disarm. ## Steps to Reproduce Takeoff without Nav Launch Mode on. Select Nav Launch mode whilst flying. Flight time counter stops when Nav Launch selected. ## Expected behavior Selecting Nav Launch mid flight shouldn't stop flight time counter. ## Suggested solution(s) Whatever works best to disable Nav Launch once Armed and flying, i.e. after it has done its job if used to Launch or if mode is selected mid flight. ## Additional context Easily avoided by not reselecting Nav Launch once flying but confusing if you do it all the same. - FC Board name and vendor: Omnibus F4 V3 Clone - INAV version string: INAV/OMNIBUSF4V3 2.3.0
non_priority
flight time counter stops when nav launch selected mid flight current behavior selecting nav launch mode when already flying stops the flight time counter don t know if switching it off mid flight restarts the counter again because nav launch remained on until landing disarm steps to reproduce takeoff without nav launch mode on select nav launch mode whilst flying flight time counter stops when nav launch selected expected behavior selecting nav launch mid flight shouldn t stop flight time counter suggested solution s whatever works best to disable nav launch once armed and flying i e after it has done its job if used to launch or if mode is selected mid flight additional context easily avoided by not reselecting nav launch once flying but confusing if you do it all the same fc board name and vendor omnibus clone inav version string inav
0
518,434
15,028,305,918
IssuesEvent
2021-02-02 02:46:25
Sentropic/SkillAPI-s
https://api.github.com/repos/Sentropic/SkillAPI-s
closed
Casting option broken
bug low priority
**Describe the bug** Enabling the main casting feature does not seem to work, or does not work completely on my 1.16.4 Paper server. I've cleared the plugin folder several times to retry with varying results. It worked as written in the config only one time. The other times, either left/right clicking with the skill book does nothing OR moves the cursor to the left-most position without displaying any skills (both of these also seem to duplicate the skill book). Attempting to press Q while holding it either drops the book and gives another, or it opens up the skill bar editor without displaying any skills. **To Reproduce** Enable main casting in the config with bars also enabled, and reload the plugin with /class reload or restart the server. **Version** SkillAPI v1.97 Paper 409 (1.16.4-R0.1-SNAPSHOT)
1.0
Casting option broken - **Describe the bug** Enabling the main casting feature does not seem to work, or does not work completely on my 1.16.4 Paper server. I've cleared the plugin folder several times to retry with varying results. It worked as written in the config only one time. The other times, either left/right clicking with the skill book does nothing OR moves the cursor to the left-most position without displaying any skills (both of these also seem to duplicate the skill book). Attempting to press Q while holding it either drops the book and gives another, or it opens up the skill bar editor without displaying any skills. **To Reproduce** Enable main casting in the config with bars also enabled, and reload the plugin with /class reload or restart the server. **Version** SkillAPI v1.97 Paper 409 (1.16.4-R0.1-SNAPSHOT)
priority
casting option broken describe the bug enabling the main casting feature does not seem to work or does not work completely on my paper server i ve cleared the plugin folder several times to retry with varying results it worked as written in the config only one time the other times either left right clicking with the skill book does nothing or moves the cursor to the left most position without displaying any skills both of these also seem to duplicate the skill book attempting to press q while holding it either drops the book and gives another or it opens up the skill bar editor without displaying any skills to reproduce enable main casting in the config with bars also enabled and reload the plugin with class reload or restart the server version skillapi paper snapshot
1
193,931
6,889,656,826
IssuesEvent
2017-11-22 11:08:14
hamon-in/librtcdcpp
https://api.github.com/repos/hamon-in/librtcdcpp
closed
[UX] Complain if the client cannot connect to a centrifugo server
low priority
Throw an exception or exit the program early before the prompt is made usable in peer.py.
1.0
[UX] Complain if the client cannot connect to a centrifugo server - Throw an exception or exit the program early before the prompt is made usable in peer.py.
priority
complain if the client cannot connect to a centrifugo server throw an exception or exit the program early before the prompt is made usable in peer py
1
123,108
4,857,284,397
IssuesEvent
2016-11-12 14:34:24
fallenswordhelper/fallenswordhelper
https://api.github.com/repos/fallenswordhelper/fallenswordhelper
opened
Change dynamic CSS to embedded <style> tag
enhancement major priority:2
Parsing the CSS appears to be slow. 1 sec on my Dev system. See if inserting <style> tag is faster Hopefully this will mean that we can only load the styles necessary for the page
1.0
Change dynamic CSS to embedded <style> tag - Parsing the CSS appears to be slow. 1 sec on my Dev system. See if inserting <style> tag is faster Hopefully this will mean that we can only load the styles necessary for the page
priority
change dynamic css to embedded tag parsing the css appears to be slow sec on my dev system see if inserting tag is faster hopefully this will mean that we can only load the styles necessary for the page
1
30,812
5,865,318,773
IssuesEvent
2017-05-13 02:42:01
galaxyproject/galaxy
https://api.github.com/repos/galaxyproject/galaxy
opened
integrate DB schema generation into the makefile/docs process
area/documentation
we used [schemaspy](http://schemaspy.sourceforge.net/) before which is java based and could be straight forward to integrate and have Jenkins do and publish it for us cc @tnabtaf
1.0
integrate DB schema generation into the makefile/docs process - we used [schemaspy](http://schemaspy.sourceforge.net/) before which is java based and could be straight forward to integrate and have Jenkins do and publish it for us cc @tnabtaf
non_priority
integrate db schema generation into the makefile docs process we used before which is java based and could be straight forward to integrate and have jenkins do and publish it for us cc tnabtaf
0
728,661
25,087,953,086
IssuesEvent
2022-11-08 02:18:23
space-wizards/space-station-14
https://api.github.com/repos/space-wizards/space-station-14
closed
"Current map" can lie to you
Issue: Bug Priority: 2-Before Release Difficulty: 2-Medium
## Description Loaded in and the map was actually Pillar, not Bagel This is probably caused by the map vote picking Bagel during the lobby which changes the "current map" even though Pillar was loaded in when the lobby actually started The "current map" should probably really be "next map", and "current map" should use a different mechanism for figuring out what map is currently loaded ![image](https://user-images.githubusercontent.com/19853115/152852660-9de6920e-933a-44f3-82e5-716c66f04edd.png) **Additional context** <!-- Add any other context about the problem here. -->
1.0
"Current map" can lie to you - ## Description Loaded in and the map was actually Pillar, not Bagel This is probably caused by the map vote picking Bagel during the lobby which changes the "current map" even though Pillar was loaded in when the lobby actually started The "current map" should probably really be "next map", and "current map" should use a different mechanism for figuring out what map is currently loaded ![image](https://user-images.githubusercontent.com/19853115/152852660-9de6920e-933a-44f3-82e5-716c66f04edd.png) **Additional context** <!-- Add any other context about the problem here. -->
priority
current map can lie to you description loaded in and the map was actually pillar not bagel this is probably caused by the map vote picking bagel during the lobby which changes the current map even though pillar was loaded in when the lobby actually started the current map should probably really be next map and current map should use a different mechanism for figuring out what map is currently loaded additional context
1
384,571
26,593,608,133
IssuesEvent
2023-01-23 10:41:18
hablapps/doric
https://api.github.com/repos/hablapps/doric
closed
[Feature request]: Add spark 3.3.1
documentation enhancement good first issue CI/CD API spark_3.3
### Feature suggestion Spark [3.3.1](https://spark.apache.org/releases/spark-release-3-3-1.html) has been released. We should: - [x] Update sbt to be this version the default version - [x] Update CI - [x] Update docs - [x] Add new sql functions: - [x] It seems no new functions were added Related to #301 ### Current behaviour N/A
1.0
[Feature request]: Add spark 3.3.1 - ### Feature suggestion Spark [3.3.1](https://spark.apache.org/releases/spark-release-3-3-1.html) has been released. We should: - [x] Update sbt to be this version the default version - [x] Update CI - [x] Update docs - [x] Add new sql functions: - [x] It seems no new functions were added Related to #301 ### Current behaviour N/A
non_priority
add spark feature suggestion spark has been released we should update sbt to be this version the default version update ci update docs add new sql functions it seems no new functions were added related to current behaviour n a
0
161,109
25,287,154,121
IssuesEvent
2022-11-16 20:19:56
elastic/kibana
https://api.github.com/repos/elastic/kibana
closed
[controls] time slider play button "display=fill" property not being respected
bug regression Team:Presentation design
In the screen shot below, notice how the "play" button has a grey background and white button. To reproduce the problem, create a new dashboard, click "Controls" and select "Add time slider control". <img width="800" alt="Screen Shot 2022-11-15 at 3 01 12 PM" src="https://user-images.githubusercontent.com/373691/202034384-9ad1852c-4226-4326-9e03-51155da97174.png"> The play button should have the primary color background because the [component](https://github.com/elastic/kibana/blob/main/src/plugins/controls/public/time_slider/components/time_slider_prepend.tsx#L91) sets `display="fill"` and look like the below screen shot (from 8.5.0). This is a regression that may be caused by https://github.com/elastic/kibana/pull/141279 <img width="600" alt="Screen Shot 2022-08-29 at 1 26 38 PM" src="https://user-images.githubusercontent.com/373691/187282240-0dd23a98-c7a8-462f-915c-4c41dacf1389.png"> The problem is that background is getting set to grey by this css rule, https://github.com/elastic/eui/blob/main/src/components/form/form_control_layout/_form_control_layout.scss#L95 <img width="369" alt="Screen Shot 2022-11-15 at 3 04 14 PM" src="https://user-images.githubusercontent.com/373691/202034821-dd33e6a0-dd01-4696-bb82-e5c31b8e1106.png">
1.0
[controls] time slider play button "display=fill" property not being respected - In the screen shot below, notice how the "play" button has a grey background and white button. To reproduce the problem, create a new dashboard, click "Controls" and select "Add time slider control". <img width="800" alt="Screen Shot 2022-11-15 at 3 01 12 PM" src="https://user-images.githubusercontent.com/373691/202034384-9ad1852c-4226-4326-9e03-51155da97174.png"> The play button should have the primary color background because the [component](https://github.com/elastic/kibana/blob/main/src/plugins/controls/public/time_slider/components/time_slider_prepend.tsx#L91) sets `display="fill"` and look like the below screen shot (from 8.5.0). This is a regression that may be caused by https://github.com/elastic/kibana/pull/141279 <img width="600" alt="Screen Shot 2022-08-29 at 1 26 38 PM" src="https://user-images.githubusercontent.com/373691/187282240-0dd23a98-c7a8-462f-915c-4c41dacf1389.png"> The problem is that background is getting set to grey by this css rule, https://github.com/elastic/eui/blob/main/src/components/form/form_control_layout/_form_control_layout.scss#L95 <img width="369" alt="Screen Shot 2022-11-15 at 3 04 14 PM" src="https://user-images.githubusercontent.com/373691/202034821-dd33e6a0-dd01-4696-bb82-e5c31b8e1106.png">
non_priority
time slider play button display fill property not being respected in the screen shot below notice how the play button has a grey background and white button to reproduce the problem create a new dashboard click controls and select add time slider control img width alt screen shot at pm src the play button should have the primary color background because the sets display fill and look like the below screen shot from this is a regression that may be caused by img width alt screen shot at pm src the problem is that background is getting set to grey by this css rule img width alt screen shot at pm src
0
175,588
6,552,426,532
IssuesEvent
2017-09-05 18:18:50
kubernetes/kubernetes
https://api.github.com/repos/kubernetes/kubernetes
closed
[k8s.io] Services should be able to change the type and ports of a service [Slow] {Kubernetes e2e suite}
kind/flake priority/backlog sig/aws sig/network
https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/logs/ci-kubernetes-e2e-kops-aws-slow/316/ Failed: [k8s.io] Services should be able to change the type and ports of a service [Slow] {Kubernetes e2e suite} ``` /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:777 Mar 17 19:38:07.704: Could not reach HTTP service through 35.163.41.97:32251 after 5m0s: timed out waiting for the condition /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/framework/service_util.go:670 ``` Previous issues for this test: #26134
1.0
[k8s.io] Services should be able to change the type and ports of a service [Slow] {Kubernetes e2e suite} - https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/logs/ci-kubernetes-e2e-kops-aws-slow/316/ Failed: [k8s.io] Services should be able to change the type and ports of a service [Slow] {Kubernetes e2e suite} ``` /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:777 Mar 17 19:38:07.704: Could not reach HTTP service through 35.163.41.97:32251 after 5m0s: timed out waiting for the condition /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/framework/service_util.go:670 ``` Previous issues for this test: #26134
priority
services should be able to change the type and ports of a service kubernetes suite failed services should be able to change the type and ports of a service kubernetes suite go src io kubernetes output dockerized go src io kubernetes test service go mar could not reach http service through after timed out waiting for the condition go src io kubernetes output dockerized go src io kubernetes test framework service util go previous issues for this test
1
473,077
13,636,279,037
IssuesEvent
2020-09-25 05:25:11
AY2021S1-CS2103T-T09-4/tp
https://api.github.com/repos/AY2021S1-CS2103T-T09-4/tp
closed
Convert person in address book to entries
Priority.High type.Function
Change person in code to entries Format: english phrase | translation
1.0
Convert person in address book to entries - Change person in code to entries Format: english phrase | translation
priority
convert person in address book to entries change person in code to entries format english phrase translation
1
475,339
13,691,318,514
IssuesEvent
2020-09-30 15:24:07
mozilla/addons-server
https://api.github.com/repos/mozilla/addons-server
closed
For some add-ons the calendar shows inactive dates when trying to select a custom date
component: statistics priority: p3
From https://github.com/mozilla/addons-server/issues/15213#issuecomment-693306177 STR: 1. Go to one of the following add-ons: https://addons-dev.allizom.org/en-US/firefox/addon/facebook-container/statistics/?last=7 https://addons-dev.allizom.org/en-US/firefox/addon/firefox-color/statistics/?last=30 https://addons-dev.allizom.org/en-US/firefox/addon/private-relay/statistics/?last=90 https://addons-dev.allizom.org/en-US/firefox/addon/statistics-reloaded/statistics/?last=365 2. Open `Custom` and go back to a different month, observe the calendar. Expected result: Dates can be selected. Actual result: At some point, dates become inactive. Notes: As a workaround - click on `From` and a calendar opens which can be used for selecting a number. Not for all add-ons is reproducible. I did not find it reproducible for the lang packs below https://addons-dev.allizom.org/en-US/firefox/addon/asturianu-language-pack/statistics/?last=7 https://addons-dev.allizom.org/en-US/firefox/addon/czech-cz-language-pack/statistics/?last=30 ![selectable2](https://user-images.githubusercontent.com/33448286/93453176-03e72a00-f8e2-11ea-8c4a-c232f97a1177.gif)
1.0
For some add-ons the calendar shows inactive dates when trying to select a custom date - From https://github.com/mozilla/addons-server/issues/15213#issuecomment-693306177 STR: 1. Go to one of the following add-ons: https://addons-dev.allizom.org/en-US/firefox/addon/facebook-container/statistics/?last=7 https://addons-dev.allizom.org/en-US/firefox/addon/firefox-color/statistics/?last=30 https://addons-dev.allizom.org/en-US/firefox/addon/private-relay/statistics/?last=90 https://addons-dev.allizom.org/en-US/firefox/addon/statistics-reloaded/statistics/?last=365 2. Open `Custom` and go back to a different month, observe the calendar. Expected result: Dates can be selected. Actual result: At some point, dates become inactive. Notes: As a workaround - click on `From` and a calendar opens which can be used for selecting a number. Not for all add-ons is reproducible. I did not find it reproducible for the lang packs below https://addons-dev.allizom.org/en-US/firefox/addon/asturianu-language-pack/statistics/?last=7 https://addons-dev.allizom.org/en-US/firefox/addon/czech-cz-language-pack/statistics/?last=30 ![selectable2](https://user-images.githubusercontent.com/33448286/93453176-03e72a00-f8e2-11ea-8c4a-c232f97a1177.gif)
priority
for some add ons the calendar shows inactive dates when trying to select a custom date from str go to one of the following add ons open custom and go back to a different month observe the calendar expected result dates can be selected actual result at some point dates become inactive notes as a workaround click on from and a calendar opens which can be used for selecting a number not for all add ons is reproducible i did not find it reproducible for the lang packs below
1
25,172
18,239,116,087
IssuesEvent
2021-10-01 10:39:32
coq/coq
https://api.github.com/repos/coq/coq
closed
make-changelog.sh generates a file the whitespace linter does not like
kind: infrastructure
```bash printf '%s **%s:**\n Bla bla\n (`#%s <https://github.com/coq/coq/pull/%s>`_,%s\n by %s).' - "$type_full" "$PR" "$PR" "$fixes_string" "$(git config user.name)" > "$where" ``` seems to lack a `\n`
1.0
make-changelog.sh generates a file the whitespace linter does not like - ```bash printf '%s **%s:**\n Bla bla\n (`#%s <https://github.com/coq/coq/pull/%s>`_,%s\n by %s).' - "$type_full" "$PR" "$PR" "$fixes_string" "$(git config user.name)" > "$where" ``` seems to lack a `\n`
non_priority
make changelog sh generates a file the whitespace linter does not like bash printf s s n bla bla n s where seems to lack a n
0
373,283
11,038,434,286
IssuesEvent
2019-12-08 14:00:45
ballerina-platform/ballerina-lang
https://api.github.com/repos/ballerina-platform/ballerina-lang
closed
Find possible improvements and optimize the BIR
Area/jBallerina Points/2 Priority/High Type/Task
**Description:** Current BIR has room for improvements, need to investigate what can be optimized and optimize the BIR so the generated code will be more optimized
1.0
Find possible improvements and optimize the BIR - **Description:** Current BIR has room for improvements, need to investigate what can be optimized and optimize the BIR so the generated code will be more optimized
priority
find possible improvements and optimize the bir description current bir has room for improvements need to investigate what can be optimized and optimize the bir so the generated code will be more optimized
1
251,680
27,199,133,758
IssuesEvent
2023-02-20 08:24:55
jgithaiga/jgithaiga.github.io
https://api.github.com/repos/jgithaiga/jgithaiga.github.io
closed
WS-2022-0238 (High) detected in parse-url-6.0.0.tgz - autoclosed
security vulnerability
## WS-2022-0238 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>parse-url-6.0.0.tgz</b></p></summary> <p>An advanced url parser supporting git urls too.</p> <p>Library home page: <a href="https://registry.npmjs.org/parse-url/-/parse-url-6.0.0.tgz">https://registry.npmjs.org/parse-url/-/parse-url-6.0.0.tgz</a></p> <p>Path to dependency file: /package.json</p> <p>Path to vulnerable library: /node_modules/parse-url/package.json</p> <p> Dependency Hierarchy: - gatsby-4.17.0.tgz (Root Library) - gatsby-telemetry-3.17.0.tgz - git-up-4.0.5.tgz - :x: **parse-url-6.0.0.tgz** (Vulnerable Library) <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> File Protocol Spoofing in parse-url before 8.0.0 can lead to attacks, such as XSS, Arbitrary Read/Write File, and Remote Code Execution. <p>Publish Date: 2022-06-30 <p>URL: <a href=https://huntr.dev/bounties/52060edb-e426-431b-a0d0-e70407e44f18/>WS-2022-0238</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://huntr.dev/bounties/52060edb-e426-431b-a0d0-e70407e44f18/">https://huntr.dev/bounties/52060edb-e426-431b-a0d0-e70407e44f18/</a></p> <p>Release Date: 2022-06-30</p> <p>Fix Resolution: parse-url - 8.0.0 </p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
WS-2022-0238 (High) detected in parse-url-6.0.0.tgz - autoclosed - ## WS-2022-0238 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>parse-url-6.0.0.tgz</b></p></summary> <p>An advanced url parser supporting git urls too.</p> <p>Library home page: <a href="https://registry.npmjs.org/parse-url/-/parse-url-6.0.0.tgz">https://registry.npmjs.org/parse-url/-/parse-url-6.0.0.tgz</a></p> <p>Path to dependency file: /package.json</p> <p>Path to vulnerable library: /node_modules/parse-url/package.json</p> <p> Dependency Hierarchy: - gatsby-4.17.0.tgz (Root Library) - gatsby-telemetry-3.17.0.tgz - git-up-4.0.5.tgz - :x: **parse-url-6.0.0.tgz** (Vulnerable Library) <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> File Protocol Spoofing in parse-url before 8.0.0 can lead to attacks, such as XSS, Arbitrary Read/Write File, and Remote Code Execution. <p>Publish Date: 2022-06-30 <p>URL: <a href=https://huntr.dev/bounties/52060edb-e426-431b-a0d0-e70407e44f18/>WS-2022-0238</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://huntr.dev/bounties/52060edb-e426-431b-a0d0-e70407e44f18/">https://huntr.dev/bounties/52060edb-e426-431b-a0d0-e70407e44f18/</a></p> <p>Release Date: 2022-06-30</p> <p>Fix Resolution: parse-url - 8.0.0 </p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
ws high detected in parse url tgz autoclosed ws high severity vulnerability vulnerable library parse url tgz an advanced url parser supporting git urls too library home page a href path to dependency file package json path to vulnerable library node modules parse url package json dependency hierarchy gatsby tgz root library gatsby telemetry tgz git up tgz x parse url tgz vulnerable library found in base branch master vulnerability details file protocol spoofing in parse url before can lead to attacks such as xss arbitrary read write file and remote code execution publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity high privileges required none user interaction required scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution parse url step up your open source security game with mend
0
2,908
5,731,544,939
IssuesEvent
2017-04-21 12:43:51
tumpio/toolbarpositionchanger
https://api.github.com/repos/tumpio/toolbarpositionchanger
closed
Conflict with All-in-One Sidebar and Tab Mix Plus
compatibility issue
I don't know how to explain the problem in words, but the screenshot and names explain the problem better than I can with words. Toolbar Position Changer Problem (01) (Disabled) - Default 01 ![toolbar position changer problem 01 disabled - default 01](https://cloud.githubusercontent.com/assets/27228399/24876773/947165c8-1df2-11e7-8f1e-d5b4abee2810.jpg) Toolbar Position Changer Problem (02) (Disabled) - Default 02 ![toolbar position changer problem 02 disabled - default 02](https://cloud.githubusercontent.com/assets/27228399/24876774/94744432-1df2-11e7-8449-f6387c0240e6.jpg) Toolbar Position Changer Problem (03) (Enabled) - Before Customize 01 ![toolbar position changer problem 03 enabled - before customize 01](https://cloud.githubusercontent.com/assets/27228399/24876775/947a8662-1df2-11e7-8475-bab657ebfb9b.jpg) Toolbar Position Changer Problem (04) (Enabled) - After Customize 01 ![toolbar position changer problem 04 enabled - after customize 01](https://cloud.githubusercontent.com/assets/27228399/24876776/9480e548-1df2-11e7-9b34-89488e896808.jpg) Toolbar Position Changer Problem (05) (Enabled) - Customize View for the Second Time use 01 ![toolbar position changer problem 05 enabled - customize view for the second time use 01](https://cloud.githubusercontent.com/assets/27228399/24876777/94866784-1df2-11e7-97a3-a9cbb3590344.jpg) Toolbar Position Changer Problem (06) (Enabled) - After the Customize View for the Second Time use 01 ![toolbar position changer problem 06 enabled - after the customize view for the second time use 01](https://cloud.githubusercontent.com/assets/27228399/24876778/948b5ec4-1df2-11e7-886b-7b84f15f4494.jpg)
True
Conflict with All-in-One Sidebar and Tab Mix Plus - I don't know how to explain the problem in words, but the screenshot and names explain the problem better than I can with words. Toolbar Position Changer Problem (01) (Disabled) - Default 01 ![toolbar position changer problem 01 disabled - default 01](https://cloud.githubusercontent.com/assets/27228399/24876773/947165c8-1df2-11e7-8f1e-d5b4abee2810.jpg) Toolbar Position Changer Problem (02) (Disabled) - Default 02 ![toolbar position changer problem 02 disabled - default 02](https://cloud.githubusercontent.com/assets/27228399/24876774/94744432-1df2-11e7-8449-f6387c0240e6.jpg) Toolbar Position Changer Problem (03) (Enabled) - Before Customize 01 ![toolbar position changer problem 03 enabled - before customize 01](https://cloud.githubusercontent.com/assets/27228399/24876775/947a8662-1df2-11e7-8475-bab657ebfb9b.jpg) Toolbar Position Changer Problem (04) (Enabled) - After Customize 01 ![toolbar position changer problem 04 enabled - after customize 01](https://cloud.githubusercontent.com/assets/27228399/24876776/9480e548-1df2-11e7-9b34-89488e896808.jpg) Toolbar Position Changer Problem (05) (Enabled) - Customize View for the Second Time use 01 ![toolbar position changer problem 05 enabled - customize view for the second time use 01](https://cloud.githubusercontent.com/assets/27228399/24876777/94866784-1df2-11e7-97a3-a9cbb3590344.jpg) Toolbar Position Changer Problem (06) (Enabled) - After the Customize View for the Second Time use 01 ![toolbar position changer problem 06 enabled - after the customize view for the second time use 01](https://cloud.githubusercontent.com/assets/27228399/24876778/948b5ec4-1df2-11e7-886b-7b84f15f4494.jpg)
non_priority
conflict with all in one sidebar and tab mix plus i don t know how to explain the problem in words but the screenshot and names explain the problem better than i can with words toolbar position changer problem disabled default toolbar position changer problem disabled default toolbar position changer problem enabled before customize toolbar position changer problem enabled after customize toolbar position changer problem enabled customize view for the second time use toolbar position changer problem enabled after the customize view for the second time use
0
31,454
4,706,816,089
IssuesEvent
2016-10-13 18:17:27
amadeusproject/amadeuslms
https://api.github.com/repos/amadeusproject/amadeuslms
closed
[Test] Remover Link
Test
- Mensagem de OK caso o objeto seja removido e sua não existência verificada. - Mensagem de Erro caso o objeto seja removido e sua existência verificada.
1.0
[Test] Remover Link - - Mensagem de OK caso o objeto seja removido e sua não existência verificada. - Mensagem de Erro caso o objeto seja removido e sua existência verificada.
non_priority
remover link mensagem de ok caso o objeto seja removido e sua não existência verificada mensagem de erro caso o objeto seja removido e sua existência verificada
0
288,468
31,861,390,675
IssuesEvent
2023-09-15 11:11:11
nidhi7598/linux-v4.19.72_CVE-2022-3564
https://api.github.com/repos/nidhi7598/linux-v4.19.72_CVE-2022-3564
opened
CVE-2022-39189 (High) detected in linuxlinux-4.19.294, linuxlinux-4.19.294
Mend: dependency security vulnerability
## CVE-2022-39189 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>linuxlinux-4.19.294</b>, <b>linuxlinux-4.19.294</b></p></summary> <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> An issue was discovered the x86 KVM subsystem in the Linux kernel before 5.18.17. Unprivileged guest users can compromise the guest kernel because TLB flush operations are mishandled in certain KVM_VCPU_PREEMPTED situations. <p>Publish Date: 2022-09-02 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-39189>CVE-2022-39189</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://www.linuxkernelcves.com/cves/CVE-2022-39189">https://www.linuxkernelcves.com/cves/CVE-2022-39189</a></p> <p>Release Date: 2022-09-02</p> <p>Fix Resolution: v5.15.60,v5.18.17</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2022-39189 (High) detected in linuxlinux-4.19.294, linuxlinux-4.19.294 - ## CVE-2022-39189 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>linuxlinux-4.19.294</b>, <b>linuxlinux-4.19.294</b></p></summary> <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> An issue was discovered the x86 KVM subsystem in the Linux kernel before 5.18.17. Unprivileged guest users can compromise the guest kernel because TLB flush operations are mishandled in certain KVM_VCPU_PREEMPTED situations. <p>Publish Date: 2022-09-02 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-39189>CVE-2022-39189</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://www.linuxkernelcves.com/cves/CVE-2022-39189">https://www.linuxkernelcves.com/cves/CVE-2022-39189</a></p> <p>Release Date: 2022-09-02</p> <p>Fix Resolution: v5.15.60,v5.18.17</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
cve high detected in linuxlinux linuxlinux cve high severity vulnerability vulnerable libraries linuxlinux linuxlinux vulnerability details an issue was discovered the kvm subsystem in the linux kernel before unprivileged guest users can compromise the guest kernel because tlb flush operations are mishandled in certain kvm vcpu preempted situations 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 step up your open source security game with mend
0
659,744
21,940,011,374
IssuesEvent
2022-05-23 17:04:21
bigbio/quantms
https://api.github.com/repos/bigbio/quantms
opened
Support conversion to mzML of timTOF data
low-priority
### Description of feature When timtof data is provided, we should be able to convert to mzML. A similar pipeline in nextflow has been previously reported. https://github.com/gtluu/timsconvert We should allow that in quantms for data from timTOF.
1.0
Support conversion to mzML of timTOF data - ### Description of feature When timtof data is provided, we should be able to convert to mzML. A similar pipeline in nextflow has been previously reported. https://github.com/gtluu/timsconvert We should allow that in quantms for data from timTOF.
priority
support conversion to mzml of timtof data description of feature when timtof data is provided we should be able to convert to mzml a similar pipeline in nextflow has been previously reported we should allow that in quantms for data from timtof
1
91,746
26,478,414,777
IssuesEvent
2023-01-17 12:59:47
hashicorp/terraform-provider-aws
https://api.github.com/repos/hashicorp/terraform-provider-aws
closed
aws_imagebuilder_component forcing replacement when data changes
enhancement service/imagebuilder
### 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 ### Terraform CLI and Terraform AWS Provider Version * Terraform CLI version 0.15.0 * AWS Provider version 4.23.0 ### Affected Resource(s) * aws_imagebuilder_component ### Terraform Configuration Files <!--- Information about code formatting: https://help.github.com/articles/basic-writing-and-formatting-syntax/#quoting-code ---> Please include all Terraform configurations required to reproduce the bug. Bug reports without a functional reproduction may be closed without investigation. ```hcl resource "aws_image_builder_component" "this" { name = var.component_name version = var.semantic_versioning platform = var.platform data = yamlencode(var.data) } ``` ### Debug Output <!--- Please provide a link to a GitHub Gist containing the complete debug output. Please do NOT paste the debug output in the issue; just paste a link to the Gist. To obtain the debug output, see the [Terraform documentation on debugging](https://www.terraform.io/docs/internals/debugging.html). ---> ### Panic Output <!--- If Terraform produced a panic, please provide a link to a GitHub Gist containing the output of the `crash.log`. ---> ### Expected Behavior When changing the `version` and also `data`, terraform should create a new version of the component instead of forcing its replacement, removing it. #### AWS CLI Behavior If you have the same `version` and `data`, AWS CLI it bring us the error `ResourceAlreadyExistsException`. If you have the same `version` with a different `data`, AWS CLI it bring us the error `ResourceAlreadyExistsException`. If you have the same `data` with a different `version`, AWS CLI creates a new version. If you have the new `data` and `version` values, AWS CLI creates a new version. ### Actual Behavior When changing both `data` and `version` to new values, Terraform destroys the previous version and creates a new one. ### Steps to Reproduce 1. Specify `name`, `version`, `platform`, and `data`. 2. `terraform apply` will create the resource with informed version. 3. Change both `version` and `data` to new values. 4. `terraform apply` will destroy existing version, and then, will create the resource with new informed version and data. ### Important Factoids <!--- Are there anything atypical about your accounts that we should know? For example: Running in EC2 Classic? ---> ### References <!--- Information about referencing Github Issues: https://help.github.com/articles/basic-writing-and-formatting-syntax/#referencing-issues-and-pull-requests Are there any other GitHub issues (open or closed) or pull requests that should be linked here? Vendor documentation? For example: ---> * #0000
1.0
aws_imagebuilder_component forcing replacement when data changes - ### 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 ### Terraform CLI and Terraform AWS Provider Version * Terraform CLI version 0.15.0 * AWS Provider version 4.23.0 ### Affected Resource(s) * aws_imagebuilder_component ### Terraform Configuration Files <!--- Information about code formatting: https://help.github.com/articles/basic-writing-and-formatting-syntax/#quoting-code ---> Please include all Terraform configurations required to reproduce the bug. Bug reports without a functional reproduction may be closed without investigation. ```hcl resource "aws_image_builder_component" "this" { name = var.component_name version = var.semantic_versioning platform = var.platform data = yamlencode(var.data) } ``` ### Debug Output <!--- Please provide a link to a GitHub Gist containing the complete debug output. Please do NOT paste the debug output in the issue; just paste a link to the Gist. To obtain the debug output, see the [Terraform documentation on debugging](https://www.terraform.io/docs/internals/debugging.html). ---> ### Panic Output <!--- If Terraform produced a panic, please provide a link to a GitHub Gist containing the output of the `crash.log`. ---> ### Expected Behavior When changing the `version` and also `data`, terraform should create a new version of the component instead of forcing its replacement, removing it. #### AWS CLI Behavior If you have the same `version` and `data`, AWS CLI it bring us the error `ResourceAlreadyExistsException`. If you have the same `version` with a different `data`, AWS CLI it bring us the error `ResourceAlreadyExistsException`. If you have the same `data` with a different `version`, AWS CLI creates a new version. If you have the new `data` and `version` values, AWS CLI creates a new version. ### Actual Behavior When changing both `data` and `version` to new values, Terraform destroys the previous version and creates a new one. ### Steps to Reproduce 1. Specify `name`, `version`, `platform`, and `data`. 2. `terraform apply` will create the resource with informed version. 3. Change both `version` and `data` to new values. 4. `terraform apply` will destroy existing version, and then, will create the resource with new informed version and data. ### Important Factoids <!--- Are there anything atypical about your accounts that we should know? For example: Running in EC2 Classic? ---> ### References <!--- Information about referencing Github Issues: https://help.github.com/articles/basic-writing-and-formatting-syntax/#referencing-issues-and-pull-requests Are there any other GitHub issues (open or closed) or pull requests that should be linked here? Vendor documentation? For example: ---> * #0000
non_priority
aws imagebuilder component forcing replacement when data changes 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 terraform cli and terraform aws provider version terraform cli version aws provider version affected resource s aws imagebuilder component terraform configuration files please include all terraform configurations required to reproduce the bug bug reports without a functional reproduction may be closed without investigation hcl resource aws image builder component this name var component name version var semantic versioning platform var platform data yamlencode var data debug output please provide a link to a github gist containing the complete debug output please do not paste the debug output in the issue just paste a link to the gist to obtain the debug output see the panic output expected behavior when changing the version and also data terraform should create a new version of the component instead of forcing its replacement removing it aws cli behavior if you have the same version and data aws cli it bring us the error resourcealreadyexistsexception if you have the same version with a different data aws cli it bring us the error resourcealreadyexistsexception if you have the same data with a different version aws cli creates a new version if you have the new data and version values aws cli creates a new version actual behavior when changing both data and version to new values terraform destroys the previous version and creates a new one steps to reproduce specify name version platform and data terraform apply will create the resource with informed version change both version and data to new values terraform apply will destroy existing version and then will create the resource with new informed version and data important factoids references information about referencing github issues are there any other github issues open or closed or pull requests that should be linked here vendor documentation for example
0
505,268
14,630,874,504
IssuesEvent
2020-12-23 18:38:31
tendermint/starport
https://api.github.com/repos/tendermint/starport
closed
fix: app cmd creates a blockchain with a wrong name on v0.13
bug priority/high
There is something wrong with parsing Github URLs. Username is used as an app name. ``` gitpod /workspace/starport/docs $ starport app github.com/fadeev/voter --sdk-version launchpad ⭐️ Successfully created a Cosmos app 'fadeev'. 👉 Get started with the following commands: % cd fadeev % starport serve NOTE: add --verbose flag for verbose (detailed) output. gitpod /workspace/starport/docs $ starport app github.com/fadeev/voter --sdk-version launchpad repository already exists gitpod /workspace/starport/docs $ starport app github.com/ilgooz/voter --sdk-version launchpad ⭐️ Successfully created a Cosmos app 'ilgooz'. 👉 Get started with the following commands: % cd ilgooz % starport serve NOTE: add --verbose flag for verbose (detailed) output. gitpod /workspace/starport/docs $ starport app github.com/username/voter username/query.proto:4:1: warning: Import google/api/annotations.proto is unused. username/query.proto:5:1: warning: Import cosmos/base/query/v1beta1/pagination.proto is unused. username/query.proto:4:1: warning: Import google/api/annotations.proto is unused. username/query.proto:5:1: warning: Import cosmos/base/query/v1beta1/pagination.proto is unused. ⭐️ Successfully created a Cosmos app 'username'. 👉 Get started with the following commands: % cd username % starport serve NOTE: add --verbose flag for verbose (detailed) output. ```
1.0
fix: app cmd creates a blockchain with a wrong name on v0.13 - There is something wrong with parsing Github URLs. Username is used as an app name. ``` gitpod /workspace/starport/docs $ starport app github.com/fadeev/voter --sdk-version launchpad ⭐️ Successfully created a Cosmos app 'fadeev'. 👉 Get started with the following commands: % cd fadeev % starport serve NOTE: add --verbose flag for verbose (detailed) output. gitpod /workspace/starport/docs $ starport app github.com/fadeev/voter --sdk-version launchpad repository already exists gitpod /workspace/starport/docs $ starport app github.com/ilgooz/voter --sdk-version launchpad ⭐️ Successfully created a Cosmos app 'ilgooz'. 👉 Get started with the following commands: % cd ilgooz % starport serve NOTE: add --verbose flag for verbose (detailed) output. gitpod /workspace/starport/docs $ starport app github.com/username/voter username/query.proto:4:1: warning: Import google/api/annotations.proto is unused. username/query.proto:5:1: warning: Import cosmos/base/query/v1beta1/pagination.proto is unused. username/query.proto:4:1: warning: Import google/api/annotations.proto is unused. username/query.proto:5:1: warning: Import cosmos/base/query/v1beta1/pagination.proto is unused. ⭐️ Successfully created a Cosmos app 'username'. 👉 Get started with the following commands: % cd username % starport serve NOTE: add --verbose flag for verbose (detailed) output. ```
priority
fix app cmd creates a blockchain with a wrong name on there is something wrong with parsing github urls username is used as an app name gitpod workspace starport docs starport app github com fadeev voter sdk version launchpad ⭐️ successfully created a cosmos app fadeev 👉 get started with the following commands cd fadeev starport serve note add verbose flag for verbose detailed output gitpod workspace starport docs starport app github com fadeev voter sdk version launchpad repository already exists gitpod workspace starport docs starport app github com ilgooz voter sdk version launchpad ⭐️ successfully created a cosmos app ilgooz 👉 get started with the following commands cd ilgooz starport serve note add verbose flag for verbose detailed output gitpod workspace starport docs starport app github com username voter username query proto warning import google api annotations proto is unused username query proto warning import cosmos base query pagination proto is unused username query proto warning import google api annotations proto is unused username query proto warning import cosmos base query pagination proto is unused ⭐️ successfully created a cosmos app username 👉 get started with the following commands cd username starport serve note add verbose flag for verbose detailed output
1
344,784
24,827,509,084
IssuesEvent
2022-10-25 22:16:28
comp426-2022-fall/assignments
https://api.github.com/repos/comp426-2022-fall/assignments
opened
Clarification needed: Can't Set Type of NPM Package
documentation
When creating the NPM package for the midterm, I am never given the prompt to set the "type" field. But when looking over everything to confirm it is correct, the "type" field has git instead of module. I'm not sure how to set this field, any help would be appreciated.
1.0
Clarification needed: Can't Set Type of NPM Package - When creating the NPM package for the midterm, I am never given the prompt to set the "type" field. But when looking over everything to confirm it is correct, the "type" field has git instead of module. I'm not sure how to set this field, any help would be appreciated.
non_priority
clarification needed can t set type of npm package when creating the npm package for the midterm i am never given the prompt to set the type field but when looking over everything to confirm it is correct the type field has git instead of module i m not sure how to set this field any help would be appreciated
0