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
757
labels
stringlengths
4
664
body
stringlengths
3
261k
index
stringclasses
10 values
text_combine
stringlengths
96
261k
label
stringclasses
2 values
text
stringlengths
96
232k
binary_label
int64
0
1
272,085
8,495,768,070
IssuesEvent
2018-10-29 06:55:14
pyrocms/pyrocms
https://api.github.com/repos/pyrocms/pyrocms
closed
[users-module] Users must have access to users module to access back-end
Bug Priority: Medium
When you login to the backend at `/admin`, the `/admin` page tries to redirect you to `/admin/dashboard`. However the `AuthorizeModuleAccess` middleware prevents this redirect and throws a 403 if the user's not allowed to atleast read the users stream. ## Steps to replicate 1. Create a user role that only has access to pages 2. Try to login with a user which has only that role
1.0
[users-module] Users must have access to users module to access back-end - When you login to the backend at `/admin`, the `/admin` page tries to redirect you to `/admin/dashboard`. However the `AuthorizeModuleAccess` middleware prevents this redirect and throws a 403 if the user's not allowed to atleast read the users stream. ## Steps to replicate 1. Create a user role that only has access to pages 2. Try to login with a user which has only that role
non_defect
users must have access to users module to access back end when you login to the backend at admin the admin page tries to redirect you to admin dashboard however the authorizemoduleaccess middleware prevents this redirect and throws a if the user s not allowed to atleast read the users stream steps to replicate create a user role that only has access to pages try to login with a user which has only that role
0
35,261
6,426,302,712
IssuesEvent
2017-08-09 17:09:22
dart-lang/sdk
https://api.github.com/repos/dart-lang/sdk
closed
FileSystemEvent.isDirectory property returns wrong value
area-documentation area-vm library-io os-windows
The code is the following: ```dart import "dart:io"; import "dart:async"; main() { Directory dir = new Directory(Directory.systemTemp.path + Platform.pathSeparator + "test-dir"); dir.createSync(); StreamSubscription s = dir.watch().listen((FileSystemEvent event) { print(event); print(event.isDirectory); }); Directory d = dir.createTempSync(); d.delete().then((_) {}).timeout(new Duration(seconds: 1)).then((_) { s.cancel().then((_) { dir.delete(recursive: true); }); }); } ``` This prints for me: ``` FileSystemCreateEvent('C:\Users\sgrekhov\AppData\Local\Temp\test-dir\e77feb7c-7c24-11e7-b777-bcaec534d2ad') false FileSystemDeleteEvent('C:\Users\sgrekhov\AppData\Local\Temp\test-dir\e77feb7c-7c24-11e7-b777-bcaec534d2ad') false ``` `event.isDirectory` here must be `true` Another example: ```dart import "dart:io"; import "dart:async"; main() { Directory dir = new Directory(Directory.systemTemp.path + Platform.pathSeparator + "test-dir"); dir.createSync(); StreamSubscription s = dir.watch().listen((FileSystemEvent event) { print(event); print(event.isDirectory); }); dir.createTemp().then((Directory d) { d.delete().timeout(new Duration(seconds: 1)).then((_) { s.cancel().then((_) { dir.delete(recursive: true); }); }); }); } ``` This produces: ``` FileSystemCreateEvent('C:\Users\sgrekhov\AppData\Local\Temp\test-dir\5e409e53-7c25-11e7-b777-bcaec534d2ad') true FileSystemDeleteEvent('C:\Users\sgrekhov\AppData\Local\Temp\test-dir\5e409e53-7c25-11e7-b777-bcaec534d2ad') false ``` `event.isDirectory` here must be `true` in the second case. Tested on Dart VM version: 1.25.0-dev.9.0 (Tue Aug 01 01:52:00 2017) on "windows_x64"
1.0
FileSystemEvent.isDirectory property returns wrong value - The code is the following: ```dart import "dart:io"; import "dart:async"; main() { Directory dir = new Directory(Directory.systemTemp.path + Platform.pathSeparator + "test-dir"); dir.createSync(); StreamSubscription s = dir.watch().listen((FileSystemEvent event) { print(event); print(event.isDirectory); }); Directory d = dir.createTempSync(); d.delete().then((_) {}).timeout(new Duration(seconds: 1)).then((_) { s.cancel().then((_) { dir.delete(recursive: true); }); }); } ``` This prints for me: ``` FileSystemCreateEvent('C:\Users\sgrekhov\AppData\Local\Temp\test-dir\e77feb7c-7c24-11e7-b777-bcaec534d2ad') false FileSystemDeleteEvent('C:\Users\sgrekhov\AppData\Local\Temp\test-dir\e77feb7c-7c24-11e7-b777-bcaec534d2ad') false ``` `event.isDirectory` here must be `true` Another example: ```dart import "dart:io"; import "dart:async"; main() { Directory dir = new Directory(Directory.systemTemp.path + Platform.pathSeparator + "test-dir"); dir.createSync(); StreamSubscription s = dir.watch().listen((FileSystemEvent event) { print(event); print(event.isDirectory); }); dir.createTemp().then((Directory d) { d.delete().timeout(new Duration(seconds: 1)).then((_) { s.cancel().then((_) { dir.delete(recursive: true); }); }); }); } ``` This produces: ``` FileSystemCreateEvent('C:\Users\sgrekhov\AppData\Local\Temp\test-dir\5e409e53-7c25-11e7-b777-bcaec534d2ad') true FileSystemDeleteEvent('C:\Users\sgrekhov\AppData\Local\Temp\test-dir\5e409e53-7c25-11e7-b777-bcaec534d2ad') false ``` `event.isDirectory` here must be `true` in the second case. Tested on Dart VM version: 1.25.0-dev.9.0 (Tue Aug 01 01:52:00 2017) on "windows_x64"
non_defect
filesystemevent isdirectory property returns wrong value the code is the following dart import dart io import dart async main directory dir new directory directory systemtemp path platform pathseparator test dir dir createsync streamsubscription s dir watch listen filesystemevent event print event print event isdirectory directory d dir createtempsync d delete then timeout new duration seconds then s cancel then dir delete recursive true this prints for me filesystemcreateevent c users sgrekhov appdata local temp test dir false filesystemdeleteevent c users sgrekhov appdata local temp test dir false event isdirectory here must be true another example dart import dart io import dart async main directory dir new directory directory systemtemp path platform pathseparator test dir dir createsync streamsubscription s dir watch listen filesystemevent event print event print event isdirectory dir createtemp then directory d d delete timeout new duration seconds then s cancel then dir delete recursive true this produces filesystemcreateevent c users sgrekhov appdata local temp test dir true filesystemdeleteevent c users sgrekhov appdata local temp test dir false event isdirectory here must be true in the second case tested on dart vm version dev tue aug on windows
0
6,791
2,610,279,599
IssuesEvent
2015-02-26 19:29:23
chrsmith/scribefire-chrome
https://api.github.com/repos/chrsmith/scribefire-chrome
closed
Don't publish my post
auto-migrated Priority-Medium Type-Defect
``` What's the problem? I write my post without problems, and when I click the publish button the post doesn't save to the blog. I don't receive any message, all is ok. My schedule choice is "Publish immediately" What browser are you using? Firefox 4.0 What version of ScribeFire are you running? Scribefire 1.7.1 ``` ----- Original issue reported on code.google.com by `laupe...@gmail.com` on 21 Jun 2011 at 10:16
1.0
Don't publish my post - ``` What's the problem? I write my post without problems, and when I click the publish button the post doesn't save to the blog. I don't receive any message, all is ok. My schedule choice is "Publish immediately" What browser are you using? Firefox 4.0 What version of ScribeFire are you running? Scribefire 1.7.1 ``` ----- Original issue reported on code.google.com by `laupe...@gmail.com` on 21 Jun 2011 at 10:16
defect
don t publish my post what s the problem i write my post without problems and when i click the publish button the post doesn t save to the blog i don t receive any message all is ok my schedule choice is publish immediately what browser are you using firefox what version of scribefire are you running scribefire original issue reported on code google com by laupe gmail com on jun at
1
19,202
3,152,883,903
IssuesEvent
2015-09-16 15:41:22
CMU-CREATE-Lab/create-lab-visual-programmer
https://api.github.com/repos/CMU-CREATE-Lab/create-lab-visual-programmer
opened
Problem with servos in export to arduino
Type-Defect
This was with CLVP 1.4.383 on Windows 7 I had a set of expressions and sequences that I made originally with a blue hummingbird. I opened them with same robot upgraded with a hummingbird duo and the sequences all seemed to just fine. However when I exported the sequence to arduino many of the servo values were incorrect. The "Dino - Chill.xml" `"<?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE expression PUBLIC "-//CREATE Lab//TeRK//Expression//EN" "http://www.createlab.ri.cmu.edu/dtd/terk/expression.dtd"> <expression version="1.0"> <services> <service type-id="::TeRK::motor::VelocityControllableMotorService"> <operation name="setVelocity"> <device id="0"> <parameter name="velocity"><![CDATA[204]]></parameter> </device> </operation> </service> <service type-id="::TeRK::servo::SimpleServoService"> <operation name="setPosition"> <device id="3"> <parameter name="position"><![CDATA[219]]></parameter> </device> <device id="1"> <parameter name="position"><![CDATA[219]]></parameter> </device> <device id="0"> <parameter name="position"><![CDATA[90]]></parameter> </device> </operation> </service> <service type-id="::TeRK::led::FullColorLEDService"> <operation name="setColor"> <device id="0"> <parameter name="red"><![CDATA[0]]></parameter> <parameter name="green"><![CDATA[0]]></parameter> <parameter name="blue"><![CDATA[255]]></parameter> </device> <device id="1"> <parameter name="red"><![CDATA[0]]></parameter> <parameter name="green"><![CDATA[0]]></parameter> <parameter name="blue"><![CDATA[255]]></parameter> </device> </operation> </service> </services> </expression>` became `void DinoChill(){ hummingbird.setMotor(1,-204); hummingbird.setServo(4,-219); hummingbird.setServo(2,-219); hummingbird.setServo(1,-90); hummingbird.setTriColorLED(1,0,0,255); hummingbird.setTriColorLED(2,0,0,255); }` The first issue is that the values sent to the servo became negative when in the XML the value was positive. The second issue is that the current setServo function takes the servo position as 0-180 degrees (not the 0-255 value stored in the xml expression), so that conversion was omitted. Another example, "Dino - Mouth Open" `<?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE expression PUBLIC "-//CREATE Lab//TeRK//Expression//EN" "http://www.createlab.ri.cmu.edu/dtd/terk/expression.dtd"> <expression version="1.0"> <services> <service type-id="::TeRK::servo::SimpleServoService"> <operation name="setPosition"> <device id="1"> <parameter name="position"><![CDATA[173]]></parameter> </device> <device id="3"> <parameter name="position"><![CDATA[173]]></parameter> </device> </operation> </service> </services> </expression>` became `void DinoMouthOpen(){ hummingbird.setServo(2,173); hummingbird.setServo(4,173); }` which suffered from not being converted to the 0-180 range, but was oddly not made negative?
1.0
Problem with servos in export to arduino - This was with CLVP 1.4.383 on Windows 7 I had a set of expressions and sequences that I made originally with a blue hummingbird. I opened them with same robot upgraded with a hummingbird duo and the sequences all seemed to just fine. However when I exported the sequence to arduino many of the servo values were incorrect. The "Dino - Chill.xml" `"<?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE expression PUBLIC "-//CREATE Lab//TeRK//Expression//EN" "http://www.createlab.ri.cmu.edu/dtd/terk/expression.dtd"> <expression version="1.0"> <services> <service type-id="::TeRK::motor::VelocityControllableMotorService"> <operation name="setVelocity"> <device id="0"> <parameter name="velocity"><![CDATA[204]]></parameter> </device> </operation> </service> <service type-id="::TeRK::servo::SimpleServoService"> <operation name="setPosition"> <device id="3"> <parameter name="position"><![CDATA[219]]></parameter> </device> <device id="1"> <parameter name="position"><![CDATA[219]]></parameter> </device> <device id="0"> <parameter name="position"><![CDATA[90]]></parameter> </device> </operation> </service> <service type-id="::TeRK::led::FullColorLEDService"> <operation name="setColor"> <device id="0"> <parameter name="red"><![CDATA[0]]></parameter> <parameter name="green"><![CDATA[0]]></parameter> <parameter name="blue"><![CDATA[255]]></parameter> </device> <device id="1"> <parameter name="red"><![CDATA[0]]></parameter> <parameter name="green"><![CDATA[0]]></parameter> <parameter name="blue"><![CDATA[255]]></parameter> </device> </operation> </service> </services> </expression>` became `void DinoChill(){ hummingbird.setMotor(1,-204); hummingbird.setServo(4,-219); hummingbird.setServo(2,-219); hummingbird.setServo(1,-90); hummingbird.setTriColorLED(1,0,0,255); hummingbird.setTriColorLED(2,0,0,255); }` The first issue is that the values sent to the servo became negative when in the XML the value was positive. The second issue is that the current setServo function takes the servo position as 0-180 degrees (not the 0-255 value stored in the xml expression), so that conversion was omitted. Another example, "Dino - Mouth Open" `<?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE expression PUBLIC "-//CREATE Lab//TeRK//Expression//EN" "http://www.createlab.ri.cmu.edu/dtd/terk/expression.dtd"> <expression version="1.0"> <services> <service type-id="::TeRK::servo::SimpleServoService"> <operation name="setPosition"> <device id="1"> <parameter name="position"><![CDATA[173]]></parameter> </device> <device id="3"> <parameter name="position"><![CDATA[173]]></parameter> </device> </operation> </service> </services> </expression>` became `void DinoMouthOpen(){ hummingbird.setServo(2,173); hummingbird.setServo(4,173); }` which suffered from not being converted to the 0-180 range, but was oddly not made negative?
defect
problem with servos in export to arduino this was with clvp on windows i had a set of expressions and sequences that i made originally with a blue hummingbird i opened them with same robot upgraded with a hummingbird duo and the sequences all seemed to just fine however when i exported the sequence to arduino many of the servo values were incorrect the dino chill xml doctype expression public create lab terk expression en became void dinochill hummingbird setmotor hummingbird setservo hummingbird setservo hummingbird setservo hummingbird settricolorled hummingbird settricolorled the first issue is that the values sent to the servo became negative when in the xml the value was positive the second issue is that the current setservo function takes the servo position as degrees not the value stored in the xml expression so that conversion was omitted another example dino mouth open doctype expression public create lab terk expression en became void dinomouthopen hummingbird setservo hummingbird setservo which suffered from not being converted to the range but was oddly not made negative
1
249,856
21,195,374,409
IssuesEvent
2022-04-08 23:31:16
kubernetes/kubernetes
https://api.github.com/repos/kubernetes/kubernetes
closed
ci-cadvisor-e2e failed
priority/important-soon area/cadvisor sig/node kind/failing-test triage/accepted
### Which jobs are failing? ci-cadvisor-e2e ### Which tests are failing? ``` W0322 22:57:59.666] 2022/03/22 22:57:59 main.go:331: Something went wrong: encountered 1 errors: [error during go run /go/src/k8s.io/kubernetes/test/e2e_node/runner/remote/run_remote.go --cleanup --logtostderr --vmodule=*=4 --ssh-env=gce --results-dir=/workspace/_artifacts --project=ci-cadvisor-e2e --zone=us-central1-f --ssh-user=prow --ssh-key=/workspace/.ssh/google_compute_engine --ginkgo-flags=--nodes=1 --test_args= --test-timeout=10m0s --image-config-file=/workspace/test-infra/jobs/e2e_node/containerd/image-config.yaml --test-suite=cadvisor: exit status 1] W0322 22:57:59.673] Traceback (most recent call last): W0322 22:57:59.674] File "/workspace/./test-infra/jenkins/../scenarios/kubernetes_e2e.py", line 723, in <module> W0322 22:57:59.674] main(parse_args()) W0322 22:57:59.674] File "/workspace/./test-infra/jenkins/../scenarios/kubernetes_e2e.py", line 569, in main W0322 22:57:59.674] mode.start(runner_args) W0322 22:57:59.674] File "/workspace/./test-infra/jenkins/../scenarios/kubernetes_e2e.py", line 228, in start W0322 22:57:59.675] check_env(env, self.command, *args) W0322 22:57:59.675] File "/workspace/./test-infra/jenkins/../scenarios/kubernetes_e2e.py", line 111, in check_env W0322 22:57:59.675] subprocess.check_call(cmd, env=env) W0322 22:57:59.675] File "/usr/lib/python2.7/subprocess.py", line 190, in check_call W0322 22:57:59.675] raise CalledProcessError(retcode, cmd) W0322 22:57:59.676] subprocess.CalledProcessError: Command '('kubetest', '--dump=/workspace/_artifacts', '--gcp-service-account=/etc/service-account/service-account.json', '--up', '--down', '--test', '--deployment=node', '--provider=gce', '--cluster=bootstrap-e2e', '--gcp-network=bootstrap-e2e', '--gcp-project=ci-cadvisor-e2e', '--gcp-zone=us-central1-f', '--node-args=--image-config-file=/workspace/test-infra/jobs/e2e_node/containerd/image-config.yaml --test-suite=cadvisor', '--node-tests=true', '--test_args=--nodes=1', '--timeout=10m')' returned non-zero exit status 1 E0322 22:57:59.677] Command failed I0322 22:57:59.678] process 339 exited with code 1 after 2.2m E0322 22:57:59.678] FAIL: ci-cadvisor-e2e ``` ### Since when has it been failing? Since 03-22. Changes list that may - https://github.com/kubernetes/kubernetes/compare/dd604a0f9a2e015a869d01957297e33f2c0c7025...95e30f66c? - - Candidate1: https://github.com/kubernetes/kubernetes/pull/108704 (but for windows) - https://github.com/kubernetes/test-infra/compare/ce1169a66...a6fe00c22 - - Candidate1: https://github.com/kubernetes/test-infra/pull/25727 - - Candidate2: https://github.com/kubernetes/test-infra/pull/25405 ### Testgrid link https://testgrid.k8s.io/sig-node-cadvisor#cadvisor-e2e ### Reason for failure (if possible) _No response_ ### Anything else we need to know? _No response_ ### Relevant SIG(s) /sig node /area cadvisor
1.0
ci-cadvisor-e2e failed - ### Which jobs are failing? ci-cadvisor-e2e ### Which tests are failing? ``` W0322 22:57:59.666] 2022/03/22 22:57:59 main.go:331: Something went wrong: encountered 1 errors: [error during go run /go/src/k8s.io/kubernetes/test/e2e_node/runner/remote/run_remote.go --cleanup --logtostderr --vmodule=*=4 --ssh-env=gce --results-dir=/workspace/_artifacts --project=ci-cadvisor-e2e --zone=us-central1-f --ssh-user=prow --ssh-key=/workspace/.ssh/google_compute_engine --ginkgo-flags=--nodes=1 --test_args= --test-timeout=10m0s --image-config-file=/workspace/test-infra/jobs/e2e_node/containerd/image-config.yaml --test-suite=cadvisor: exit status 1] W0322 22:57:59.673] Traceback (most recent call last): W0322 22:57:59.674] File "/workspace/./test-infra/jenkins/../scenarios/kubernetes_e2e.py", line 723, in <module> W0322 22:57:59.674] main(parse_args()) W0322 22:57:59.674] File "/workspace/./test-infra/jenkins/../scenarios/kubernetes_e2e.py", line 569, in main W0322 22:57:59.674] mode.start(runner_args) W0322 22:57:59.674] File "/workspace/./test-infra/jenkins/../scenarios/kubernetes_e2e.py", line 228, in start W0322 22:57:59.675] check_env(env, self.command, *args) W0322 22:57:59.675] File "/workspace/./test-infra/jenkins/../scenarios/kubernetes_e2e.py", line 111, in check_env W0322 22:57:59.675] subprocess.check_call(cmd, env=env) W0322 22:57:59.675] File "/usr/lib/python2.7/subprocess.py", line 190, in check_call W0322 22:57:59.675] raise CalledProcessError(retcode, cmd) W0322 22:57:59.676] subprocess.CalledProcessError: Command '('kubetest', '--dump=/workspace/_artifacts', '--gcp-service-account=/etc/service-account/service-account.json', '--up', '--down', '--test', '--deployment=node', '--provider=gce', '--cluster=bootstrap-e2e', '--gcp-network=bootstrap-e2e', '--gcp-project=ci-cadvisor-e2e', '--gcp-zone=us-central1-f', '--node-args=--image-config-file=/workspace/test-infra/jobs/e2e_node/containerd/image-config.yaml --test-suite=cadvisor', '--node-tests=true', '--test_args=--nodes=1', '--timeout=10m')' returned non-zero exit status 1 E0322 22:57:59.677] Command failed I0322 22:57:59.678] process 339 exited with code 1 after 2.2m E0322 22:57:59.678] FAIL: ci-cadvisor-e2e ``` ### Since when has it been failing? Since 03-22. Changes list that may - https://github.com/kubernetes/kubernetes/compare/dd604a0f9a2e015a869d01957297e33f2c0c7025...95e30f66c? - - Candidate1: https://github.com/kubernetes/kubernetes/pull/108704 (but for windows) - https://github.com/kubernetes/test-infra/compare/ce1169a66...a6fe00c22 - - Candidate1: https://github.com/kubernetes/test-infra/pull/25727 - - Candidate2: https://github.com/kubernetes/test-infra/pull/25405 ### Testgrid link https://testgrid.k8s.io/sig-node-cadvisor#cadvisor-e2e ### Reason for failure (if possible) _No response_ ### Anything else we need to know? _No response_ ### Relevant SIG(s) /sig node /area cadvisor
non_defect
ci cadvisor failed which jobs are failing ci cadvisor which tests are failing main go something went wrong encountered errors traceback most recent call last file workspace test infra jenkins scenarios kubernetes py line in main parse args file workspace test infra jenkins scenarios kubernetes py line in main mode start runner args file workspace test infra jenkins scenarios kubernetes py line in start check env env self command args file workspace test infra jenkins scenarios kubernetes py line in check env subprocess check call cmd env env file usr lib subprocess py line in check call raise calledprocesserror retcode cmd subprocess calledprocesserror command kubetest dump workspace artifacts gcp service account etc service account service account json up down test deployment node provider gce cluster bootstrap gcp network bootstrap gcp project ci cadvisor gcp zone us f node args image config file workspace test infra jobs node containerd image config yaml test suite cadvisor node tests true test args nodes timeout returned non zero exit status command failed process exited with code after fail ci cadvisor since when has it been failing since changes list that may (but for windows) testgrid link reason for failure if possible no response anything else we need to know no response relevant sig s sig node area cadvisor
0
334,428
29,863,793,475
IssuesEvent
2023-06-20 00:39:48
chadvandy/cbfm_wh3
https://api.github.com/repos/chadvandy/cbfm_wh3
closed
Skavenslaves and Clanrats with swords use wrong weapon icon on unit card and Banner Art
needs-testing fix-submitted
WH2 fix https://trello.com/c/hGGxUNs8/296-skavenslaves-and-clanrats-use-wrong-icon-and-banner-art https://github.com/chadvandy/community_bugfix_mod/commit/f99bed9d5dd400037d385df4e71106fbd8512de0
1.0
Skavenslaves and Clanrats with swords use wrong weapon icon on unit card and Banner Art - WH2 fix https://trello.com/c/hGGxUNs8/296-skavenslaves-and-clanrats-use-wrong-icon-and-banner-art https://github.com/chadvandy/community_bugfix_mod/commit/f99bed9d5dd400037d385df4e71106fbd8512de0
non_defect
skavenslaves and clanrats with swords use wrong weapon icon on unit card and banner art fix
0
73,492
24,655,334,297
IssuesEvent
2022-10-17 22:42:26
zed-industries/feedback
https://api.github.com/repos/zed-industries/feedback
closed
Terminal Hyperlinks fire on mouse_down, instead of mouse_up
defect terminal
### Check for existing issues - [X] Completed ### Describe the bug By firing on mouse_down, it's impossible to start a selection from inside a hyperlink. This is bad. ### To reproduce Observe the behavior in the title ### Expected behavior On mouse up, not mouse_down ### Environment N/A ### If applicable, add mockups / screenshots to help explain present your vision of the feature _No response_ ### If applicable, attach your `~/Library/Logs/Zed/Zed.log` file to this issue _No response_
1.0
Terminal Hyperlinks fire on mouse_down, instead of mouse_up - ### Check for existing issues - [X] Completed ### Describe the bug By firing on mouse_down, it's impossible to start a selection from inside a hyperlink. This is bad. ### To reproduce Observe the behavior in the title ### Expected behavior On mouse up, not mouse_down ### Environment N/A ### If applicable, add mockups / screenshots to help explain present your vision of the feature _No response_ ### If applicable, attach your `~/Library/Logs/Zed/Zed.log` file to this issue _No response_
defect
terminal hyperlinks fire on mouse down instead of mouse up check for existing issues completed describe the bug by firing on mouse down it s impossible to start a selection from inside a hyperlink this is bad to reproduce observe the behavior in the title expected behavior on mouse up not mouse down environment n a if applicable add mockups screenshots to help explain present your vision of the feature no response if applicable attach your library logs zed zed log file to this issue no response
1
22,542
15,257,084,002
IssuesEvent
2021-02-20 23:17:09
cmu-db/noisepage
https://api.github.com/repos/cmu-db/noisepage
opened
Fail builds for LSAN failures.
infrastructure
# Feature Request ## Summary #1481 happened because a LSAN failure doesn't fail the build. ## Solution Need to poke around in the script folder (see the links in #1481) and try to figure out what exactly happens to exit codes when LSAN reports errors.
1.0
Fail builds for LSAN failures. - # Feature Request ## Summary #1481 happened because a LSAN failure doesn't fail the build. ## Solution Need to poke around in the script folder (see the links in #1481) and try to figure out what exactly happens to exit codes when LSAN reports errors.
non_defect
fail builds for lsan failures feature request summary happened because a lsan failure doesn t fail the build solution need to poke around in the script folder see the links in and try to figure out what exactly happens to exit codes when lsan reports errors
0
31,437
6,524,097,199
IssuesEvent
2017-08-29 11:19:42
supertuxkart/stk-code
https://api.github.com/repos/supertuxkart/stk-code
closed
Freeze when activating sound effects
P4: minor T: defect
**Author: auria** If sound effects are intially disabled, STK will freeze for a few seconds when enabling them. May be worth showing some kind of "loading" screen to communicate that STK hasn't crashed Migrated-From: https://sourceforge.net/apps/trac/supertuxkart/ticket/1119
1.0
Freeze when activating sound effects - **Author: auria** If sound effects are intially disabled, STK will freeze for a few seconds when enabling them. May be worth showing some kind of "loading" screen to communicate that STK hasn't crashed Migrated-From: https://sourceforge.net/apps/trac/supertuxkart/ticket/1119
defect
freeze when activating sound effects author auria if sound effects are intially disabled stk will freeze for a few seconds when enabling them may be worth showing some kind of loading screen to communicate that stk hasn t crashed migrated from
1
7,970
2,611,070,238
IssuesEvent
2015-02-27 00:32:49
alistairreilly/andors-trail
https://api.github.com/repos/alistairreilly/andors-trail
closed
Fatigue Indicator Icon: not relieving on round out
auto-migrated Milestone-0.6.11 Type-Defect
``` Before posting, please read the following guidelines for posts in the issue tracker: http://code.google.com/p/andors-trail/wiki/Forums_vs_issuetracker What steps will reproduce the problem? 1. Go up to BWM 2. Fight some Wyrn [Assistant, Trainers] 3. Notice rounds [check in status until 1 left] then return to gameplay and notice Fatigue doesn't relieve. What is the expected output? What do you see instead? Expected.. Icon dropping away. Result: Icon just stuck more or less [until one manually checks status again] What version of the product are you using? On what device? Started occurring 0.6.11a and continues in b1 Please provide any additional information below. ``` Original issue reported on code.google.com by `insin...@gmail.com` on 30 May 2012 at 5:13
1.0
Fatigue Indicator Icon: not relieving on round out - ``` Before posting, please read the following guidelines for posts in the issue tracker: http://code.google.com/p/andors-trail/wiki/Forums_vs_issuetracker What steps will reproduce the problem? 1. Go up to BWM 2. Fight some Wyrn [Assistant, Trainers] 3. Notice rounds [check in status until 1 left] then return to gameplay and notice Fatigue doesn't relieve. What is the expected output? What do you see instead? Expected.. Icon dropping away. Result: Icon just stuck more or less [until one manually checks status again] What version of the product are you using? On what device? Started occurring 0.6.11a and continues in b1 Please provide any additional information below. ``` Original issue reported on code.google.com by `insin...@gmail.com` on 30 May 2012 at 5:13
defect
fatigue indicator icon not relieving on round out before posting please read the following guidelines for posts in the issue tracker what steps will reproduce the problem go up to bwm fight some wyrn notice rounds then return to gameplay and notice fatigue doesn t relieve what is the expected output what do you see instead expected icon dropping away result icon just stuck more or less what version of the product are you using on what device started occurring and continues in please provide any additional information below original issue reported on code google com by insin gmail com on may at
1
154,584
19,730,317,250
IssuesEvent
2022-01-14 01:11:21
harrinry/DataflowTemplates
https://api.github.com/repos/harrinry/DataflowTemplates
opened
WS-2020-0287 (Low) detected in commons-dbcp2-2.8.0.jar
security vulnerability
## WS-2020-0287 - Low Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>commons-dbcp2-2.8.0.jar</b></p></summary> <p>Apache Commons DBCP software implements Database Connection Pooling</p> <p>Library home page: <a href="https://commons.apache.org/dbcp/">https://commons.apache.org/dbcp/</a></p> <p>Path to dependency file: /pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/apache/commons/commons-dbcp2/2.8.0/commons-dbcp2-2.8.0.jar</p> <p> Dependency Hierarchy: - beam-sdks-java-io-jdbc-2.32.0.jar (Root Library) - :x: **commons-dbcp2-2.8.0.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/harrinry/DataflowTemplates/commit/dd7cd6660b3c3d0de5f379d8294b49e38a94ca65">dd7cd6660b3c3d0de5f379d8294b49e38a94ca65</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/low_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Apache commons-dbcp through 2.8.0 exposes sensitive information via JMX. If a BasicDataSource is created with jmxName set, password property is exposed/exported via jmx and is visible for everybody who is connected to jmx port. <p>Publish Date: 2020-03-04 <p>URL: <a href=https://issues.apache.org/jira/browse/DBCP-562>WS-2020-0287</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>3.0</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Adjacent - Attack Complexity: Low - Privileges Required: Low - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: None - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://nvd.nist.gov/vuln/detail/WS-2020-0287">https://nvd.nist.gov/vuln/detail/WS-2020-0287</a></p> <p>Release Date: 2020-03-04</p> <p>Fix Resolution: org.apache.commons:commons-dbcp2 - 2.9.0,2.7.0.redhat-00001</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"org.apache.commons","packageName":"commons-dbcp2","packageVersion":"2.8.0","packageFilePaths":["/pom.xml"],"isTransitiveDependency":true,"dependencyTree":"org.apache.beam:beam-sdks-java-io-jdbc:2.32.0;org.apache.commons:commons-dbcp2:2.8.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"org.apache.commons:commons-dbcp2 - 2.9.0,2.7.0.redhat-00001","isBinary":false}],"baseBranches":["master"],"vulnerabilityIdentifier":"WS-2020-0287","vulnerabilityDetails":"Apache commons-dbcp through 2.8.0 exposes sensitive information via JMX. If a BasicDataSource is created with jmxName set, password property is exposed/exported via jmx and is visible for everybody who is connected to jmx port.","vulnerabilityUrl":"https://issues.apache.org/jira/browse/DBCP-562","cvss3Severity":"low","cvss3Score":"3.0","cvss3Metrics":{"A":"None","AC":"Low","PR":"Low","S":"Unchanged","C":"Low","UI":"Required","AV":"Adjacent","I":"None"},"extraData":{}}</REMEDIATE> -->
True
WS-2020-0287 (Low) detected in commons-dbcp2-2.8.0.jar - ## WS-2020-0287 - Low Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>commons-dbcp2-2.8.0.jar</b></p></summary> <p>Apache Commons DBCP software implements Database Connection Pooling</p> <p>Library home page: <a href="https://commons.apache.org/dbcp/">https://commons.apache.org/dbcp/</a></p> <p>Path to dependency file: /pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/apache/commons/commons-dbcp2/2.8.0/commons-dbcp2-2.8.0.jar</p> <p> Dependency Hierarchy: - beam-sdks-java-io-jdbc-2.32.0.jar (Root Library) - :x: **commons-dbcp2-2.8.0.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/harrinry/DataflowTemplates/commit/dd7cd6660b3c3d0de5f379d8294b49e38a94ca65">dd7cd6660b3c3d0de5f379d8294b49e38a94ca65</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/low_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Apache commons-dbcp through 2.8.0 exposes sensitive information via JMX. If a BasicDataSource is created with jmxName set, password property is exposed/exported via jmx and is visible for everybody who is connected to jmx port. <p>Publish Date: 2020-03-04 <p>URL: <a href=https://issues.apache.org/jira/browse/DBCP-562>WS-2020-0287</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>3.0</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Adjacent - Attack Complexity: Low - Privileges Required: Low - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: None - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://nvd.nist.gov/vuln/detail/WS-2020-0287">https://nvd.nist.gov/vuln/detail/WS-2020-0287</a></p> <p>Release Date: 2020-03-04</p> <p>Fix Resolution: org.apache.commons:commons-dbcp2 - 2.9.0,2.7.0.redhat-00001</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"org.apache.commons","packageName":"commons-dbcp2","packageVersion":"2.8.0","packageFilePaths":["/pom.xml"],"isTransitiveDependency":true,"dependencyTree":"org.apache.beam:beam-sdks-java-io-jdbc:2.32.0;org.apache.commons:commons-dbcp2:2.8.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"org.apache.commons:commons-dbcp2 - 2.9.0,2.7.0.redhat-00001","isBinary":false}],"baseBranches":["master"],"vulnerabilityIdentifier":"WS-2020-0287","vulnerabilityDetails":"Apache commons-dbcp through 2.8.0 exposes sensitive information via JMX. If a BasicDataSource is created with jmxName set, password property is exposed/exported via jmx and is visible for everybody who is connected to jmx port.","vulnerabilityUrl":"https://issues.apache.org/jira/browse/DBCP-562","cvss3Severity":"low","cvss3Score":"3.0","cvss3Metrics":{"A":"None","AC":"Low","PR":"Low","S":"Unchanged","C":"Low","UI":"Required","AV":"Adjacent","I":"None"},"extraData":{}}</REMEDIATE> -->
non_defect
ws low detected in commons jar ws low severity vulnerability vulnerable library commons jar apache commons dbcp software implements database connection pooling library home page a href path to dependency file pom xml path to vulnerable library home wss scanner repository org apache commons commons commons jar dependency hierarchy beam sdks java io jdbc jar root library x commons jar vulnerable library found in head commit a href found in base branch master vulnerability details apache commons dbcp through exposes sensitive information via jmx if a basicdatasource is created with jmxname set password property is exposed exported via jmx and is visible for everybody who is connected to jmx port publish date url a href cvss score details base score metrics exploitability metrics attack vector adjacent attack complexity low privileges required low user interaction required scope unchanged impact metrics confidentiality impact low integrity impact none availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution org apache commons commons redhat isopenpronvulnerability true ispackagebased true isdefaultbranch true packages istransitivedependency true dependencytree org apache beam beam sdks java io jdbc org apache commons commons isminimumfixversionavailable true minimumfixversion org apache commons commons redhat isbinary false basebranches vulnerabilityidentifier ws vulnerabilitydetails apache commons dbcp through exposes sensitive information via jmx if a basicdatasource is created with jmxname set password property is exposed exported via jmx and is visible for everybody who is connected to jmx port vulnerabilityurl
0
72,863
19,522,999,022
IssuesEvent
2021-12-29 22:56:54
USDA-FSA/fsa-design-system
https://api.github.com/repos/USDA-FSA/fsa-design-system
closed
Soft launch fsa-style@2.7.0
Category: Documentation Category: Site Design & Build Category: Administrative
Depends on https://github.com/USDA-FSA/fsa-style/issues/543 ### Steps - [x] Bump **`package.json`** version - [x] Validate dependencies, most especially `fsa-style` - [x] Validate all Issues in this Project/Milestone are complete and sitting on **`release/x.x.x`** branch. - [x] Test site build, being mindful of features/changes from Release x.x.x - [x] Merge **`release/x.x.x`** to **`gh-pages`** (effectively master) - [x] Git Tag **`gh-pages`** as version, e.g. `1.0.0` - [x] Push tag - [x] Validate on https://github.com/USDA-FSA/fsa-design-system/tags - [x] Push **`gh-pages`** - [x] Validate at http://usda-fsa.github.io/fsa-design-system - [x] Publish tag as a [Release](https://github.com/USDA-FSA/fsa-design-system/releases) - [x] Prune local and remote branches - [x] Close - [x] associated GitHub [Project](https://github.com/orgs/USDA-FSA/projects) - [x] associated GitHub [Milestone](https://github.com/USDA-FSA/fsa-design-system/milestones)
1.0
Soft launch fsa-style@2.7.0 - Depends on https://github.com/USDA-FSA/fsa-style/issues/543 ### Steps - [x] Bump **`package.json`** version - [x] Validate dependencies, most especially `fsa-style` - [x] Validate all Issues in this Project/Milestone are complete and sitting on **`release/x.x.x`** branch. - [x] Test site build, being mindful of features/changes from Release x.x.x - [x] Merge **`release/x.x.x`** to **`gh-pages`** (effectively master) - [x] Git Tag **`gh-pages`** as version, e.g. `1.0.0` - [x] Push tag - [x] Validate on https://github.com/USDA-FSA/fsa-design-system/tags - [x] Push **`gh-pages`** - [x] Validate at http://usda-fsa.github.io/fsa-design-system - [x] Publish tag as a [Release](https://github.com/USDA-FSA/fsa-design-system/releases) - [x] Prune local and remote branches - [x] Close - [x] associated GitHub [Project](https://github.com/orgs/USDA-FSA/projects) - [x] associated GitHub [Milestone](https://github.com/USDA-FSA/fsa-design-system/milestones)
non_defect
soft launch fsa style depends on steps bump package json version validate dependencies most especially fsa style validate all issues in this project milestone are complete and sitting on release x x x branch test site build being mindful of features changes from release x x x merge release x x x to gh pages effectively master git tag gh pages as version e g push tag validate on push gh pages validate at publish tag as a prune local and remote branches close associated github associated github
0
43,531
11,744,292,229
IssuesEvent
2020-03-12 07:20:20
ShaikASK/Testing
https://api.github.com/repos/ShaikASK/Testing
opened
Audit log : Candidate : No Audit log is maintained upon clicking on 'Accept' button in PDF document popup window without clicking on "I have acknowledged checkbox"
Audit Log Candidate Dashboard Candidate Module Defect P1 Release#7
Steps To Replicate : 1. Launch the HR Admin url 2. Create a New Hire >> Initiate the New Hire 3. Login as candidate and fill all the webforms 4. navigated to Dashboard >> Click on Start button 5. Observed that a dynamic web form is displayed fill the form and click on submit button 6. Observed that respective PDF document is displayed with a 'Accept' , 'Cancel' buttons along with Acknowledge check box 7. click on 'Accept' button with out selecting Acknowledge button 8. observed that a toaster message is displayed 9. Switch to audit log and verify for the entry generated or not Experienced behavior : Observed that there is no 'Audit log' generated when the user clicks 'Accept' button with out selecting the acknowledge select a.auditid, a.newhireid, a.actiondate, b.actionname, a.jsondata, b.descr from CandidateAuditLog a join ActionMaster b on b.actionid = a.actionid where a.newhireid=1197 order by a.actiondate desc
1.0
Audit log : Candidate : No Audit log is maintained upon clicking on 'Accept' button in PDF document popup window without clicking on "I have acknowledged checkbox" - Steps To Replicate : 1. Launch the HR Admin url 2. Create a New Hire >> Initiate the New Hire 3. Login as candidate and fill all the webforms 4. navigated to Dashboard >> Click on Start button 5. Observed that a dynamic web form is displayed fill the form and click on submit button 6. Observed that respective PDF document is displayed with a 'Accept' , 'Cancel' buttons along with Acknowledge check box 7. click on 'Accept' button with out selecting Acknowledge button 8. observed that a toaster message is displayed 9. Switch to audit log and verify for the entry generated or not Experienced behavior : Observed that there is no 'Audit log' generated when the user clicks 'Accept' button with out selecting the acknowledge select a.auditid, a.newhireid, a.actiondate, b.actionname, a.jsondata, b.descr from CandidateAuditLog a join ActionMaster b on b.actionid = a.actionid where a.newhireid=1197 order by a.actiondate desc
defect
audit log candidate no audit log is maintained upon clicking on accept button in pdf document popup window without clicking on i have acknowledged checkbox steps to replicate launch the hr admin url create a new hire initiate the new hire login as candidate and fill all the webforms navigated to dashboard click on start button observed that a dynamic web form is displayed fill the form and click on submit button observed that respective pdf document is displayed with a accept cancel buttons along with acknowledge check box click on accept button with out selecting acknowledge button observed that a toaster message is displayed switch to audit log and verify for the entry generated or not experienced behavior observed that there is no audit log generated when the user clicks accept button with out selecting the acknowledge select a auditid a newhireid a actiondate b actionname a jsondata b descr from candidateauditlog a join actionmaster b on b actionid a actionid where a newhireid order by a actiondate desc
1
12,386
3,604,021,740
IssuesEvent
2016-02-03 21:16:20
LoyaltyNZ/hoodoo
https://api.github.com/repos/LoyaltyNZ/hoodoo
opened
Hoodoo Guides update for new routing
documentation
Hoodoo v1.1 introduced a no-convention routing mechanism where `/1/Foo` sits alongside `/v1/foos`. There were some API additions alongside this. RDoc is up to date; Hoodoo Guides need to be updated.
1.0
Hoodoo Guides update for new routing - Hoodoo v1.1 introduced a no-convention routing mechanism where `/1/Foo` sits alongside `/v1/foos`. There were some API additions alongside this. RDoc is up to date; Hoodoo Guides need to be updated.
non_defect
hoodoo guides update for new routing hoodoo introduced a no convention routing mechanism where foo sits alongside foos there were some api additions alongside this rdoc is up to date hoodoo guides need to be updated
0
67,148
20,916,528,269
IssuesEvent
2022-03-24 13:53:44
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
opened
Group chat icon on HomePage
T-Defect
### Steps to reproduce 1. Open the home page ### Outcome #### What did you expect? The group icon should be displayed. #### What happened instead? It is blank. The code to display the icon has been removed because it included `community` in its file name. ![before](https://user-images.githubusercontent.com/3362943/159931240-0f6c8bc0-4d9f-4014-9822-457a60d74ff7.png) ### Operating system _No response_ ### Browser information _No response_ ### URL for webapp localhost ### Application version develop branch ### Homeserver _No response_ ### Will you send logs? No
1.0
Group chat icon on HomePage - ### Steps to reproduce 1. Open the home page ### Outcome #### What did you expect? The group icon should be displayed. #### What happened instead? It is blank. The code to display the icon has been removed because it included `community` in its file name. ![before](https://user-images.githubusercontent.com/3362943/159931240-0f6c8bc0-4d9f-4014-9822-457a60d74ff7.png) ### Operating system _No response_ ### Browser information _No response_ ### URL for webapp localhost ### Application version develop branch ### Homeserver _No response_ ### Will you send logs? No
defect
group chat icon on homepage steps to reproduce open the home page outcome what did you expect the group icon should be displayed what happened instead it is blank the code to display the icon has been removed because it included community in its file name operating system no response browser information no response url for webapp localhost application version develop branch homeserver no response will you send logs no
1
35,392
7,726,466,160
IssuesEvent
2018-05-24 21:18:48
cakephp/cakephp
https://api.github.com/repos/cakephp/cakephp
closed
SecurityComponent does not prevent form tampering
Defect
This is a (multiple allowed): * [x] bug * [ ] enhancement * [ ] feature-discussion (RFC) * CakePHP Version: 3.5.12 ### What you did I load SecurityComponent in AppController.php at the initialize function, also i add this line to beforeFilter() ` public function blackhole($type) { // Handle errors. echo 'Wrong Request!'; } $this->Security->setConfig('blackHoleCallback', 'blackhole');` Also i render my form elements in the template like: ` echo $this->Form->control('name');` so this means i use FormHelper ### What happened I test the form by removing input fields, add hidden field(approved) in the html source code The hidden field value was inserted to database. ### What you expected to happen I expect that the SecurityComponent prevents these kinds of attacks. I know that i can prevent in the entity by the $_accessible array('approved'=>true,) .But it would be easier if i can arrange this from the SecurityComponent As the cookbook has not write any additional settings or source codes which has to be add to make the SecurityComponent works i dont know if it is a bug but the biggest issue is that i have no idea how is possible to debug in this case
1.0
SecurityComponent does not prevent form tampering - This is a (multiple allowed): * [x] bug * [ ] enhancement * [ ] feature-discussion (RFC) * CakePHP Version: 3.5.12 ### What you did I load SecurityComponent in AppController.php at the initialize function, also i add this line to beforeFilter() ` public function blackhole($type) { // Handle errors. echo 'Wrong Request!'; } $this->Security->setConfig('blackHoleCallback', 'blackhole');` Also i render my form elements in the template like: ` echo $this->Form->control('name');` so this means i use FormHelper ### What happened I test the form by removing input fields, add hidden field(approved) in the html source code The hidden field value was inserted to database. ### What you expected to happen I expect that the SecurityComponent prevents these kinds of attacks. I know that i can prevent in the entity by the $_accessible array('approved'=>true,) .But it would be easier if i can arrange this from the SecurityComponent As the cookbook has not write any additional settings or source codes which has to be add to make the SecurityComponent works i dont know if it is a bug but the biggest issue is that i have no idea how is possible to debug in this case
defect
securitycomponent does not prevent form tampering this is a multiple allowed bug enhancement feature discussion rfc cakephp version what you did i load securitycomponent in appcontroller php at the initialize function also i add this line to beforefilter public function blackhole type handle errors echo wrong request this security setconfig blackholecallback blackhole also i render my form elements in the template like echo this form control name so this means i use formhelper what happened i test the form by removing input fields add hidden field approved in the html source code the hidden field value was inserted to database what you expected to happen i expect that the securitycomponent prevents these kinds of attacks i know that i can prevent in the entity by the accessible array approved true but it would be easier if i can arrange this from the securitycomponent as the cookbook has not write any additional settings or source codes which has to be add to make the securitycomponent works i dont know if it is a bug but the biggest issue is that i have no idea how is possible to debug in this case
1
116,480
11,914,236,424
IssuesEvent
2020-03-31 13:18:59
landlab/landlab
https://api.github.com/repos/landlab/landlab
closed
Tutorial interface very user-hostile in updated website
documentation
Just noticed that in the process of cleaning up the tutorial section of the website, we've largely wiped all the useful information on what the tutorials do, what order to do them in, etc. This seems essential for a novice user, especially one out on their own in the wild. (Possibly this is still in there somewhere, but you don't see it if you do the obvious route of Splashpage -> "Tutorials" -> "Notebooks".) This probably needs restoring.
1.0
Tutorial interface very user-hostile in updated website - Just noticed that in the process of cleaning up the tutorial section of the website, we've largely wiped all the useful information on what the tutorials do, what order to do them in, etc. This seems essential for a novice user, especially one out on their own in the wild. (Possibly this is still in there somewhere, but you don't see it if you do the obvious route of Splashpage -> "Tutorials" -> "Notebooks".) This probably needs restoring.
non_defect
tutorial interface very user hostile in updated website just noticed that in the process of cleaning up the tutorial section of the website we ve largely wiped all the useful information on what the tutorials do what order to do them in etc this seems essential for a novice user especially one out on their own in the wild possibly this is still in there somewhere but you don t see it if you do the obvious route of splashpage tutorials notebooks this probably needs restoring
0
292,224
25,206,490,600
IssuesEvent
2022-11-13 18:48:52
MinhazMurks/Bannerlord.Tweaks
https://api.github.com/repos/MinhazMurks/Bannerlord.Tweaks
opened
Test Continue Battle On Losing Duel
testing
Test to see if tweak: "Continue Battle On Losing Duel" works
1.0
Test Continue Battle On Losing Duel - Test to see if tweak: "Continue Battle On Losing Duel" works
non_defect
test continue battle on losing duel test to see if tweak continue battle on losing duel works
0
16,020
2,870,251,850
IssuesEvent
2015-06-07 00:36:50
pdelia/away3d
https://api.github.com/repos/pdelia/away3d
opened
Directional lights seem to fail when shaded meshes are not at 0, 0, 0
auto-migrated Priority-Medium Type-Defect
#73 Issue by __GoogleCodeExporter__, created on: 2015-04-24T07:51:35Z ``` What steps will reproduce the problem? 1. Create a shaded sphere and place at 0, 0, 0 2. Create a directional light and place it somewhere 3. Place camera at any location and move the shaded object progressively What is the expected output? What do you see instead? specular and diffuse shading foci on the object should be placed correctly, translations are being ignored Please use labels and text to provide additional information. BAD BEHAVIOUR: http://www.lidev.com.ar/demos/away3d/directional_lights_bug/ EXPECTED BEHAVIOUR:http://www.lidev.com.ar/demos/away3d/dirlights_pfix1/ Second demo runs with this patch in DirectionalLight.as public function setDiffuseTransform(source:Object3D):void { if (!diffuseTransform[source]) diffuseTransform[source] = new MatrixAway3D(); // UGLY PATCH BY Li (REVIEW!!) ----------------------------------- direction.x = _light.x - source.scenePosition.x; direction.y = _light.y - source.scenePosition.y; direction.z = _light.z - source.scenePosition.z; direction.normalize(); nx = direction.x; ny = direction.y; mod = Math.sqrt(nx*nx + ny*ny); transform.rotationMatrix(ny/mod, -nx/mod, 0, -Math.acos(-direction.z)); //clearTransform(); // --------------------------------------------------------------- diffuseTransform[source].multiply3x3(transform, source.sceneTransform); diffuseTransform[source].normalize(diffuseTransform[source]); } public function setSpecularTransform(source:Object3D, view:View3D):void { //find halfway matrix between camera and direction matricies cameraTransform = view.camera.transform; cameraDirection.x = -cameraTransform.sxz; cameraDirection.y = -cameraTransform.syz; cameraDirection.z = -cameraTransform.szz; // UGLY PATCH BY Li (REVIEW!!) ----------------------------------- var applDirection:Number3D = new Number3D(_light.x - source.scenePosition.x, _light.y - source.scenePosition.y, _light.z - source.scenePosition.z); applDirection.normalize(); // --------------------------------------------------------------- halfVector.add(cameraDirection, applDirection); halfVector.normalize(); nx = halfVector.x; ny = halfVector.y; mod = Math.sqrt(nx*nx + ny*ny); halfTransform.rotationMatrix(-ny/mod, nx/mod, 0, Math.acos(-halfVector.z)); if(!specularTransform[source][view]) specularTransform[source][view] = new MatrixAway3D(); specularTransform[source][view].multiply4x4(halfTransform, source.sceneTransform); specularTransform[source][view].normalize(specularTransform[source][view]); } ``` Original issue reported on code.google.com by `paleblue...@gmail.com` on 20 Oct 2009 at 7:20
1.0
Directional lights seem to fail when shaded meshes are not at 0, 0, 0 - #73 Issue by __GoogleCodeExporter__, created on: 2015-04-24T07:51:35Z ``` What steps will reproduce the problem? 1. Create a shaded sphere and place at 0, 0, 0 2. Create a directional light and place it somewhere 3. Place camera at any location and move the shaded object progressively What is the expected output? What do you see instead? specular and diffuse shading foci on the object should be placed correctly, translations are being ignored Please use labels and text to provide additional information. BAD BEHAVIOUR: http://www.lidev.com.ar/demos/away3d/directional_lights_bug/ EXPECTED BEHAVIOUR:http://www.lidev.com.ar/demos/away3d/dirlights_pfix1/ Second demo runs with this patch in DirectionalLight.as public function setDiffuseTransform(source:Object3D):void { if (!diffuseTransform[source]) diffuseTransform[source] = new MatrixAway3D(); // UGLY PATCH BY Li (REVIEW!!) ----------------------------------- direction.x = _light.x - source.scenePosition.x; direction.y = _light.y - source.scenePosition.y; direction.z = _light.z - source.scenePosition.z; direction.normalize(); nx = direction.x; ny = direction.y; mod = Math.sqrt(nx*nx + ny*ny); transform.rotationMatrix(ny/mod, -nx/mod, 0, -Math.acos(-direction.z)); //clearTransform(); // --------------------------------------------------------------- diffuseTransform[source].multiply3x3(transform, source.sceneTransform); diffuseTransform[source].normalize(diffuseTransform[source]); } public function setSpecularTransform(source:Object3D, view:View3D):void { //find halfway matrix between camera and direction matricies cameraTransform = view.camera.transform; cameraDirection.x = -cameraTransform.sxz; cameraDirection.y = -cameraTransform.syz; cameraDirection.z = -cameraTransform.szz; // UGLY PATCH BY Li (REVIEW!!) ----------------------------------- var applDirection:Number3D = new Number3D(_light.x - source.scenePosition.x, _light.y - source.scenePosition.y, _light.z - source.scenePosition.z); applDirection.normalize(); // --------------------------------------------------------------- halfVector.add(cameraDirection, applDirection); halfVector.normalize(); nx = halfVector.x; ny = halfVector.y; mod = Math.sqrt(nx*nx + ny*ny); halfTransform.rotationMatrix(-ny/mod, nx/mod, 0, Math.acos(-halfVector.z)); if(!specularTransform[source][view]) specularTransform[source][view] = new MatrixAway3D(); specularTransform[source][view].multiply4x4(halfTransform, source.sceneTransform); specularTransform[source][view].normalize(specularTransform[source][view]); } ``` Original issue reported on code.google.com by `paleblue...@gmail.com` on 20 Oct 2009 at 7:20
defect
directional lights seem to fail when shaded meshes are not at issue by googlecodeexporter created on what steps will reproduce the problem create a shaded sphere and place at create a directional light and place it somewhere place camera at any location and move the shaded object progressively what is the expected output what do you see instead specular and diffuse shading foci on the object should be placed correctly translations are being ignored please use labels and text to provide additional information bad behaviour expected behaviour second demo runs with this patch in directionallight as public function setdiffusetransform source void if diffusetransform diffusetransform new ugly patch by li review direction x light x source sceneposition x direction y light y source sceneposition y direction z light z source sceneposition z direction normalize nx direction x ny direction y mod math sqrt nx nx ny ny transform rotationmatrix ny mod nx mod math acos direction z cleartransform diffusetransform transform source scenetransform diffusetransform normalize diffusetransform public function setspeculartransform source view void find halfway matrix between camera and direction matricies cameratransform view camera transform cameradirection x cameratransform sxz cameradirection y cameratransform syz cameradirection z cameratransform szz ugly patch by li review var appldirection new light x source sceneposition x light y source sceneposition y light z source sceneposition z appldirection normalize halfvector add cameradirection appldirection halfvector normalize nx halfvector x ny halfvector y mod math sqrt nx nx ny ny halftransform rotationmatrix ny mod nx mod math acos halfvector z if speculartransform speculartransform new speculartransform halftransform source scenetransform speculartransform normalize speculartransform original issue reported on code google com by paleblue gmail com on oct at
1
38,210
8,697,523,238
IssuesEvent
2018-12-04 20:31:30
ReubenBond/dict4cn
https://api.github.com/repos/ReubenBond/dict4cn
closed
word not find
Priority-Medium Type-Defect auto-migrated
``` What steps will reproduce the problem? 1. 2. 3. What is the expected output? What do you see instead? What version of the product are you using? On what operating system? Please provide any additional information below. ``` Original issue reported on code.google.com by `ja...@mt.com.tw` on 15 Oct 2012 at 9:21
1.0
word not find - ``` What steps will reproduce the problem? 1. 2. 3. What is the expected output? What do you see instead? What version of the product are you using? On what operating system? Please provide any additional information below. ``` Original issue reported on code.google.com by `ja...@mt.com.tw` on 15 Oct 2012 at 9:21
defect
word not find what steps will reproduce the problem what is the expected output what do you see instead what version of the product are you using on what operating system please provide any additional information below original issue reported on code google com by ja mt com tw on oct at
1
336,745
10,196,199,132
IssuesEvent
2019-08-12 20:07:22
kubeflow/pipelines
https://api.github.com/repos/kubeflow/pipelines
closed
Provide sample pipeline for using GPU/TPU.
area/samples priority/p1
As we are developing pipelines, we have been running into issues with correctly configuring the Kubernetes cluster with the correct permissions, node pools, etc. It would be great if some simple pipelines are made available to test using GPUs/TPUs for example or a simple pipeline that tests read/write access to various resources.
1.0
Provide sample pipeline for using GPU/TPU. - As we are developing pipelines, we have been running into issues with correctly configuring the Kubernetes cluster with the correct permissions, node pools, etc. It would be great if some simple pipelines are made available to test using GPUs/TPUs for example or a simple pipeline that tests read/write access to various resources.
non_defect
provide sample pipeline for using gpu tpu as we are developing pipelines we have been running into issues with correctly configuring the kubernetes cluster with the correct permissions node pools etc it would be great if some simple pipelines are made available to test using gpus tpus for example or a simple pipeline that tests read write access to various resources
0
57,276
8,167,217,850
IssuesEvent
2018-08-25 19:13:14
sindresorhus/got
https://api.github.com/repos/sindresorhus/got
closed
Document the `response.retryCount` property
documentation ✭ help wanted ✭
Looks like the [`response` documentation](https://github.com/sindresorhus/got#goturl-options) became outdated with the 9.0 release because the new [`retryCount` property](https://github.com/sindresorhus/got/blob/8f30f1fdefaa96ad55758a352730d00697862952/source/request-as-event-emitter.js#L51) isn't documented.
1.0
Document the `response.retryCount` property - Looks like the [`response` documentation](https://github.com/sindresorhus/got#goturl-options) became outdated with the 9.0 release because the new [`retryCount` property](https://github.com/sindresorhus/got/blob/8f30f1fdefaa96ad55758a352730d00697862952/source/request-as-event-emitter.js#L51) isn't documented.
non_defect
document the response retrycount property looks like the became outdated with the release because the new isn t documented
0
20,295
26,933,097,557
IssuesEvent
2023-02-07 18:17:53
bazelbuild/bazel
https://api.github.com/repos/bazelbuild/bazel
closed
Update java_tools
type: process team-Rules-Java
https://github.com/bazelbuild/bazel/commit/a1a5f3341f2e3052886fee79cffb5c6fcc80c1bd recently added a new flag to singlejar, and the prebuilt in java_tools needs to be updated before the rules can start using the new flag. Would it be possible to get another java_tools release? cc @kshyanashree @comius @hvadehra
1.0
Update java_tools - https://github.com/bazelbuild/bazel/commit/a1a5f3341f2e3052886fee79cffb5c6fcc80c1bd recently added a new flag to singlejar, and the prebuilt in java_tools needs to be updated before the rules can start using the new flag. Would it be possible to get another java_tools release? cc @kshyanashree @comius @hvadehra
non_defect
update java tools recently added a new flag to singlejar and the prebuilt in java tools needs to be updated before the rules can start using the new flag would it be possible to get another java tools release cc kshyanashree comius hvadehra
0
71,785
15,207,926,624
IssuesEvent
2021-02-17 01:21:06
billmcchesney1/hadoop
https://api.github.com/repos/billmcchesney1/hadoop
opened
CVE-2020-36179 (Medium) detected in jackson-databind-2.9.10.1.jar
security vulnerability
## CVE-2020-36179 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.10.1.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to vulnerable library: hadoop/hadoop-yarn-project/hadoop-yarn/hadoop-yarn-server/hadoop-yarn-server-timelineservice-documentstore/target/lib/jackson-databind-2.9.10.1.jar,hadoop/hadoop-yarn-project/hadoop-yarn/hadoop-yarn-server/hadoop-yarn-server-timelineservice-hbase/hadoop-yarn-server-timelineservice-hbase-common/target/lib/jackson-databind-2.9.10.1.jar,hadoop/hadoop-yarn-project/hadoop-yarn/hadoop-yarn-server/hadoop-yarn-server-timelineservice-hbase/hadoop-yarn-server-timelineservice-hbase-client/target/lib/jackson-databind-2.9.10.1.jar</p> <p> Dependency Hierarchy: - :x: **jackson-databind-2.9.10.1.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/billmcchesney1/hadoop/commit/6dcd8400219941dcbd7fb0f6b980cc2c6a2a6b0a">6dcd8400219941dcbd7fb0f6b980cc2c6a2a6b0a</a></p> <p>Found in base branch: <b>trunk</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> FasterXML jackson-databind 2.x before 2.9.10.8 mishandles the interaction between serialization gadgets and typing, related to oadd.org.apache.commons.dbcp.cpdsadapter.DriverAdapterCPDS. <p>Publish Date: 2021-01-07 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-36179>CVE-2020-36179</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>6.8</b>)</summary> <p> Base Score Metrics not available</p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Change files</p> <p>Origin: <a href="https://github.com/FasterXML/jackson-databind/commit/3ded28aece694d0df39c9f0fa1ff385b14a8656b">https://github.com/FasterXML/jackson-databind/commit/3ded28aece694d0df39c9f0fa1ff385b14a8656b</a></p> <p>Release Date: 2021-01-01</p> <p>Fix Resolution: Replace or update the following files: SubTypeValidator.java, VERSION-2.x</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.9.10.1","packageFilePaths":[],"isTransitiveDependency":false,"dependencyTree":"com.fasterxml.jackson.core:jackson-databind:2.9.10.1","isMinimumFixVersionAvailable":false}],"baseBranches":["trunk"],"vulnerabilityIdentifier":"CVE-2020-36179","vulnerabilityDetails":"FasterXML jackson-databind 2.x before 2.9.10.8 mishandles the interaction between serialization gadgets and typing, related to oadd.org.apache.commons.dbcp.cpdsadapter.DriverAdapterCPDS.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-36179","cvss2Severity":"medium","cvss2Score":"6.8","extraData":{}}</REMEDIATE> -->
True
CVE-2020-36179 (Medium) detected in jackson-databind-2.9.10.1.jar - ## CVE-2020-36179 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.10.1.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to vulnerable library: hadoop/hadoop-yarn-project/hadoop-yarn/hadoop-yarn-server/hadoop-yarn-server-timelineservice-documentstore/target/lib/jackson-databind-2.9.10.1.jar,hadoop/hadoop-yarn-project/hadoop-yarn/hadoop-yarn-server/hadoop-yarn-server-timelineservice-hbase/hadoop-yarn-server-timelineservice-hbase-common/target/lib/jackson-databind-2.9.10.1.jar,hadoop/hadoop-yarn-project/hadoop-yarn/hadoop-yarn-server/hadoop-yarn-server-timelineservice-hbase/hadoop-yarn-server-timelineservice-hbase-client/target/lib/jackson-databind-2.9.10.1.jar</p> <p> Dependency Hierarchy: - :x: **jackson-databind-2.9.10.1.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/billmcchesney1/hadoop/commit/6dcd8400219941dcbd7fb0f6b980cc2c6a2a6b0a">6dcd8400219941dcbd7fb0f6b980cc2c6a2a6b0a</a></p> <p>Found in base branch: <b>trunk</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> FasterXML jackson-databind 2.x before 2.9.10.8 mishandles the interaction between serialization gadgets and typing, related to oadd.org.apache.commons.dbcp.cpdsadapter.DriverAdapterCPDS. <p>Publish Date: 2021-01-07 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-36179>CVE-2020-36179</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>6.8</b>)</summary> <p> Base Score Metrics not available</p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Change files</p> <p>Origin: <a href="https://github.com/FasterXML/jackson-databind/commit/3ded28aece694d0df39c9f0fa1ff385b14a8656b">https://github.com/FasterXML/jackson-databind/commit/3ded28aece694d0df39c9f0fa1ff385b14a8656b</a></p> <p>Release Date: 2021-01-01</p> <p>Fix Resolution: Replace or update the following files: SubTypeValidator.java, VERSION-2.x</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.9.10.1","packageFilePaths":[],"isTransitiveDependency":false,"dependencyTree":"com.fasterxml.jackson.core:jackson-databind:2.9.10.1","isMinimumFixVersionAvailable":false}],"baseBranches":["trunk"],"vulnerabilityIdentifier":"CVE-2020-36179","vulnerabilityDetails":"FasterXML jackson-databind 2.x before 2.9.10.8 mishandles the interaction between serialization gadgets and typing, related to oadd.org.apache.commons.dbcp.cpdsadapter.DriverAdapterCPDS.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-36179","cvss2Severity":"medium","cvss2Score":"6.8","extraData":{}}</REMEDIATE> -->
non_defect
cve medium detected in jackson databind jar cve medium severity vulnerability vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to vulnerable library hadoop hadoop yarn project hadoop yarn hadoop yarn server hadoop yarn server timelineservice documentstore target lib jackson databind jar hadoop hadoop yarn project hadoop yarn hadoop yarn server hadoop yarn server timelineservice hbase hadoop yarn server timelineservice hbase common target lib jackson databind jar hadoop hadoop yarn project hadoop yarn hadoop yarn server hadoop yarn server timelineservice hbase hadoop yarn server timelineservice hbase client target lib jackson databind jar dependency hierarchy x jackson databind jar vulnerable library found in head commit a href found in base branch trunk vulnerability details fasterxml jackson databind x before mishandles the interaction between serialization gadgets and typing related to oadd org apache commons dbcp cpdsadapter driveradaptercpds publish date url a href cvss score details base score metrics not available suggested fix type change files origin a href release date fix resolution replace or update the following files subtypevalidator java version x isopenpronvulnerability true ispackagebased true isdefaultbranch true packages istransitivedependency false dependencytree com fasterxml jackson core jackson databind isminimumfixversionavailable false basebranches vulnerabilityidentifier cve vulnerabilitydetails fasterxml jackson databind x before mishandles the interaction between serialization gadgets and typing related to oadd org apache commons dbcp cpdsadapter driveradaptercpds vulnerabilityurl
0
32,221
6,737,151,040
IssuesEvent
2017-10-19 08:20:32
xmindltd/xmind
https://api.github.com/repos/xmindltd/xmind
closed
XMind does not start on Mac OS 10.5.6
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. Download XMind (.dmg) from the website 2. Move XMind to application folder 3. Start XMind 4. XMind crashes (error message attached) 5. The log, which the error message mentions, is not on my system 6. XMind works if I use the portable version What is the expected output? What do you see instead? Error message instead of start screen What version of the product are you using? On what operating system? Xmind 3.01, XMind 3.02 on Mac OS X 10.5.6 Please provide any additional information below. ``` Original issue reported on code.google.com by `ommicha...@gmail.com` on 25 Mar 2009 at 8:40 Attachments: - [XMind.png](https://storage.googleapis.com/google-code-attachments/xmind3/issue-52/comment-0/XMind.png)
1.0
XMind does not start on Mac OS 10.5.6 - ``` What steps will reproduce the problem? 1. Download XMind (.dmg) from the website 2. Move XMind to application folder 3. Start XMind 4. XMind crashes (error message attached) 5. The log, which the error message mentions, is not on my system 6. XMind works if I use the portable version What is the expected output? What do you see instead? Error message instead of start screen What version of the product are you using? On what operating system? Xmind 3.01, XMind 3.02 on Mac OS X 10.5.6 Please provide any additional information below. ``` Original issue reported on code.google.com by `ommicha...@gmail.com` on 25 Mar 2009 at 8:40 Attachments: - [XMind.png](https://storage.googleapis.com/google-code-attachments/xmind3/issue-52/comment-0/XMind.png)
defect
xmind does not start on mac os what steps will reproduce the problem download xmind dmg from the website move xmind to application folder start xmind xmind crashes error message attached the log which the error message mentions is not on my system xmind works if i use the portable version what is the expected output what do you see instead error message instead of start screen what version of the product are you using on what operating system xmind xmind on mac os x please provide any additional information below original issue reported on code google com by ommicha gmail com on mar at attachments
1
117,215
15,077,372,731
IssuesEvent
2021-02-05 06:51:05
flutter/flutter
https://api.github.com/repos/flutter/flutter
closed
Weird 3D effect in ToggleButtons
engine f: material design found in release: 1.25 found in release: 1.26 framework has reproducible steps
When `canvaskit` is used as web renderer than widget `ToggleButtons` has weird 3D effect on switching. ![toggle-buttons-canvas-kit](https://user-images.githubusercontent.com/45417992/103757678-c5ed4d80-5019-11eb-9238-3112677ede16.png)
1.0
Weird 3D effect in ToggleButtons - When `canvaskit` is used as web renderer than widget `ToggleButtons` has weird 3D effect on switching. ![toggle-buttons-canvas-kit](https://user-images.githubusercontent.com/45417992/103757678-c5ed4d80-5019-11eb-9238-3112677ede16.png)
non_defect
weird effect in togglebuttons when canvaskit is used as web renderer than widget togglebuttons has weird effect on switching
0
108,102
13,547,494,659
IssuesEvent
2020-09-17 04:16:09
dotnet/roslyn
https://api.github.com/repos/dotnet/roslyn
closed
Allow `#nullable` as a shorthand for `#nullable enable`
Area-Compilers Area-Language Design Feature Request New Language Feature - Nullable Reference Types
I expect `#nullable enable` will be the most common usage of `#nullable` directive, so it makes sense to give it a shorter form and nicer default.
1.0
Allow `#nullable` as a shorthand for `#nullable enable` - I expect `#nullable enable` will be the most common usage of `#nullable` directive, so it makes sense to give it a shorter form and nicer default.
non_defect
allow nullable as a shorthand for nullable enable i expect nullable enable will be the most common usage of nullable directive so it makes sense to give it a shorter form and nicer default
0
79,296
28,091,818,254
IssuesEvent
2023-03-30 13:31:14
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
closed
AWS: IMDSv2 and ECS-EC2 Discovery
Type: Defect Source: Community Module: Discovery SPI Team: Cloud Native
<!-- Thanks for reporting your issue. Please share with us the following information, to help us resolve your issue quickly and efficiently. --> **Describe the bug** IMDSv1/v2 are not available to ECS EC2 containers running `awsvpc` networking mode. [Recent changes](https://github.com/hazelcast/hazelcast/compare/v5.2.1...v5.2.2#diff-4e70491c4d78f5c6bd4a05b9066e0ac29a47e5ed7b57edb553ba12a549462810) merged into release `5.2.2` appear to force usage of EC2 metadata/token endpoints that are unavailable to ECS tasks running VPC networking. Previously this worked in version `5.2.1` **Expected behavior** Hazelcast containers running as ECS/EC2 tasks in `awsvpc` networking should instead respect/leverage `AWS_CONTAINER_CREDENTIALS_RELATIVE_URI` **To Reproduce** Steps to reproduce the behavior: 1. Run `hazelcast:5.2.2` as an ECS EC2 task with `awsvpc` networking mode 2. Alternatively, run standard container (ex. `ubuntu:latest`) as an ECS EC2 task and test web request to `EC2_METADATA_TOKEN_ENDPOINT` **Stack Trace (3 Container Cluster running on ECS-EC2)** ``` Feb 28, 2023 8:58:04 PM com.hazelcast.internal.config.override.ExternalConfigurationOverride INFO: Detected external configuration entries in environment variables: [hazelcast.network.join.aws.region=us-east-2,hazelcast.network.join.aws.enabled=true,hazelcast.clustername=WFO_LockGrid,hazelcast.network.join.aws.servicename=hazelcast,hazelcast.network.join.multicast.enabled=false,hazelcast.network.port.port=5701,hazelcast.network.join.aws.hzport=5701-5708,hazelcast.partitiongroup.grouptype=ZONE_AWARE,hazelcast.cpsubsystem.cpmembercount=3,hazelcast.network.interfaces.enabled=true,hazelcast.partitiongroup.enabled=true] Feb 28, 2023 8:58:05 PM com.hazelcast.instance.AddressPicker INFO: [LOCAL] [WFO_LockGrid] [5.2.2] Interfaces is enabled, trying to pick one address matching to one of: [10.0.*.*] Feb 28, 2023 8:58:05 PM com.hazelcast.system.logo INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] '+ + o o o o---o o----o o o---o o o----o o--o--o '+ + + + | | / \ / | | / / \ | | '+ + + + + o----o o o o o----o | o o o o----o | '+ + + + | | / \ / | | \ / \ | | '+ + o o o o o---o o----o o----o o---o o o o----o o Feb 28, 2023 8:58:05 PM com.hazelcast.system INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Copyright (c) 2008-2022, Hazelcast, Inc. All Rights Reserved. Feb 28, 2023 8:58:05 PM com.hazelcast.system INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Hazelcast Platform 5.2.2 (20230215 - a221adc) starting at [X.X.X.X]:5701 Feb 28, 2023 8:58:05 PM com.hazelcast.system INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Cluster name: WFO_LockGrid Feb 28, 2023 8:58:05 PM com.hazelcast.system INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Integrity Checker is disabled. Fail-fast on corrupted executables will not be performed. For more information, see the documentation for Integrity Checker. Feb 28, 2023 8:58:05 PM com.hazelcast.system INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] The Jet engine is disabled. To enable the Jet engine on the members, do one of the following: '- Change member config using Java API: config.getJetConfig().setEnabled(true) '- Change XML/YAML configuration property: Set hazelcast.jet.enabled to true '- Add system property: -Dhz.jet.enabled=true (for Hazelcast embedded, works only when loading config via Config.load) '- Add environment variable: HZ_JET_ENABLED=true (recommended when running container image. For Hazelcast embedded, works only when loading config via Config.load) Feb 28, 2023 8:58:05 PM com.hazelcast.aws.AwsDiscoveryStrategy INFO: Using AWS discovery plugin with configuration: AwsConfig{accessKey='***', secretKey='***', iamRole='null', region='us-east-2', hostHeader='null', securityGroupName='null', tags='[]', hzPort=5701-5708, cluster='null', family='null', serviceName='hazelcast', connectionTimeoutSeconds=10, connectionRetries=3, readTimeoutSeconds=10, discoveryMode=Member} Feb 28, 2023 8:58:05 PM com.hazelcast.aws.AwsCredentialsProvider INFO: Using IAM Task Role attached to ECS Task Feb 28, 2023 8:58:05 PM com.hazelcast.spi.utils.RetryUtils WARNING: Couldn't connect to the service, [1] retrying in 1 seconds... Feb 28, 2023 8:58:06 PM com.hazelcast.spi.utils.RetryUtils WARNING: Couldn't connect to the service, [2] retrying in 2 seconds... Feb 28, 2023 8:58:09 PM com.hazelcast.spi.utils.RetryUtils WARNING: Couldn't connect to the service, [3] retrying in 3 seconds... Feb 28, 2023 8:58:12 PM com.hazelcast.instance.impl.Node SEVERE: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Node creation failed java.lang.RuntimeException: Failed to configure discovery strategies at com.hazelcast.spi.discovery.impl.DefaultDiscoveryService.loadDiscoveryStrategies(DefaultDiscoveryService.java:161) at com.hazelcast.spi.discovery.impl.DefaultDiscoveryService.<init>(DefaultDiscoveryService.java:58) at com.hazelcast.spi.discovery.impl.DefaultDiscoveryServiceProvider.newDiscoveryService(DefaultDiscoveryServiceProvider.java:29) at com.hazelcast.instance.impl.Node.createDiscoveryService(Node.java:360) at com.hazelcast.instance.impl.Node.<init>(Node.java:281) at com.hazelcast.instance.impl.HazelcastInstanceImpl.createNode(HazelcastInstanceImpl.java:149) at com.hazelcast.instance.impl.HazelcastInstanceImpl.<init>(HazelcastInstanceImpl.java:118) at com.hazelcast.instance.impl.HazelcastInstanceFactory.constructHazelcastInstance(HazelcastInstanceFactory.java:217) at com.hazelcast.instance.impl.HazelcastInstanceFactory.newHazelcastInstance(HazelcastInstanceFactory.java:196) at com.hazelcast.instance.impl.HazelcastInstanceFactory.newHazelcastInstance(HazelcastInstanceFactory.java:134) at com.hazelcast.core.Hazelcast.newHazelcastInstance(Hazelcast.java:95) at com.hazelcast.core.server.HazelcastMemberStarter.main(HazelcastMemberStarter.java:45) at com.hazelcast.commandline.HazelcastServerCommandLine.lambda$new$2f647568$1(HazelcastServerCommandLine.java:44) at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) at com.hazelcast.commandline.HazelcastServerCommandLine.start(HazelcastServerCommandLine.java:101) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at java.base/jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.base/java.lang.reflect.Method.invoke(Method.java:566) at picocli.CommandLine.executeUserObject(CommandLine.java:1972) at picocli.CommandLine.access$1300(CommandLine.java:145) at picocli.CommandLine$RunLast.executeUserObjectOfLastSubcommandWithSameParent(CommandLine.java:2358) at picocli.CommandLine$RunLast.handle(CommandLine.java:2352) at picocli.CommandLine$RunLast.handle(CommandLine.java:2314) at picocli.CommandLine$AbstractParseResultHandler.execute(CommandLine.java:2179) at picocli.CommandLine$RunLast.execute(CommandLine.java:2316) at picocli.CommandLine.execute(CommandLine.java:2078) at com.hazelcast.commandline.HazelcastServerCommandLine.runCommandLine(HazelcastServerCommandLine.java:63) at com.hazelcast.commandline.HazelcastServerCommandLine.main(HazelcastServerCommandLine.java:52) Caused by: com.hazelcast.spi.exception.RestClientException: Failure in executing REST call at com.hazelcast.spi.utils.RestClient.call(RestClient.java:171) at com.hazelcast.spi.utils.RestClient.lambda$callWithRetries$0(RestClient.java:138) at com.hazelcast.spi.utils.RetryUtils.retry(RetryUtils.java:65) at com.hazelcast.spi.utils.RetryUtils.retry(RetryUtils.java:51) at com.hazelcast.spi.utils.RestClient.callWithRetries(RestClient.java:138) at com.hazelcast.spi.utils.RestClient.put(RestClient.java:134) at com.hazelcast.aws.AwsMetadataApi.retrieveToken(AwsMetadataApi.java:178) at com.hazelcast.aws.AwsMetadataApi.metadataToken(AwsMetadataApi.java:170) at com.hazelcast.aws.AwsMetadataApi.metadataClient(AwsMetadataApi.java:165) at com.hazelcast.aws.AwsMetadataApi.getTaskMetadata(AwsMetadataApi.java:134) at com.hazelcast.aws.AwsMetadataApi.clusterEcs(AwsMetadataApi.java:97) at com.hazelcast.aws.AwsClientConfigurator.resolveCluster(AwsClientConfigurator.java:144) at com.hazelcast.aws.AwsClientConfigurator.createAwsClient(AwsClientConfigurator.java:67) at com.hazelcast.aws.AwsDiscoveryStrategy.<init>(AwsDiscoveryStrategy.java:91) at com.hazelcast.aws.AwsDiscoveryStrategyFactory.newDiscoveryStrategy(AwsDiscoveryStrategyFactory.java:52) at com.hazelcast.spi.discovery.impl.DefaultDiscoveryService.buildDiscoveryStrategy(DefaultDiscoveryService.java:195) at com.hazelcast.spi.discovery.impl.DefaultDiscoveryService.loadDiscoveryStrategies(DefaultDiscoveryService.java:141) ... 28 more Caused by: java.net.ConnectException: Invalid argument (connect failed) at java.base/java.net.PlainSocketImpl.socketConnect(Native Method) at java.base/java.net.AbstractPlainSocketImpl.doConnect(AbstractPlainSocketImpl.java:412) at java.base/java.net.AbstractPlainSocketImpl.connectToAddress(AbstractPlainSocketImpl.java:255) at java.base/java.net.AbstractPlainSocketImpl.connect(AbstractPlainSocketImpl.java:237) at java.base/java.net.Socket.connect(Socket.java:609) at java.base/sun.net.NetworkClient.doConnect(NetworkClient.java:177) at java.base/sun.net.www.http.HttpClient.openServer(HttpClient.java:507) at java.base/sun.net.www.http.HttpClient.openServer(HttpClient.java:602) at java.base/sun.net.www.http.HttpClient.<init>(HttpClient.java:275) at java.base/sun.net.www.http.HttpClient.New(HttpClient.java:374) at java.base/sun.net.www.http.HttpClient.New(HttpClient.java:395) at java.base/sun.net.www.protocol.http.HttpURLConnection.getNewHttpClient(HttpURLConnection.java:1253) at java.base/sun.net.www.protocol.http.HttpURLConnection.plainConnect0(HttpURLConnection.java:1187) at java.base/sun.net.www.protocol.http.HttpURLConnection.plainConnect(HttpURLConnection.java:1081) at java.base/sun.net.www.protocol.http.HttpURLConnection.connect(HttpURLConnection.java:1015) at java.base/sun.net.www.protocol.http.HttpURLConnection.getInputStream0(HttpURLConnection.java:1592) at java.base/sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1520) at java.base/java.net.HttpURLConnection.getResponseCode(HttpURLConnection.java:527) at com.hazelcast.spi.utils.RestClient.checkResponseCode(RestClient.java:224) at com.hazelcast.spi.utils.RestClient.call(RestClient.java:168) ... 44 more Feb 28, 2023 8:58:12 PM com.hazelcast.instance.impl.Node INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Shutting down connection manager... Feb 28, 2023 8:58:12 PM com.hazelcast.instance.impl.Node INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Shutting down node engine... Feb 28, 2023 8:58:12 PM com.hazelcast.instance.impl.NodeExtension INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Destroying node NodeExtension. Failed to configure discovery strategies Usage: hz start [-hV] [-c=<file>] [-i=<interface>] [-p=<port>] Starts a new Hazelcast member '-h, --help Show this help message and exit. '-V, --version Print version information and exit. '-c, --config=<file> Use <file> for Hazelcast configuration. Accepted formats are XML and YAML. '-p, --port=<port> Bind to the specified <port>. Please note that if the specified port is in use, it will auto-increment to the first free port. (default: 5701) '-i, --interface=<interface> Bind to the specified <interface>. ``` **hazelcast.yaml** ``` hazelcast: network: port: 5701 join: multicast: enabled: false aws: enabled: true host-header: ecs interfaces: enabled: true interfaces: - 10.0.*.* ```
1.0
AWS: IMDSv2 and ECS-EC2 Discovery - <!-- Thanks for reporting your issue. Please share with us the following information, to help us resolve your issue quickly and efficiently. --> **Describe the bug** IMDSv1/v2 are not available to ECS EC2 containers running `awsvpc` networking mode. [Recent changes](https://github.com/hazelcast/hazelcast/compare/v5.2.1...v5.2.2#diff-4e70491c4d78f5c6bd4a05b9066e0ac29a47e5ed7b57edb553ba12a549462810) merged into release `5.2.2` appear to force usage of EC2 metadata/token endpoints that are unavailable to ECS tasks running VPC networking. Previously this worked in version `5.2.1` **Expected behavior** Hazelcast containers running as ECS/EC2 tasks in `awsvpc` networking should instead respect/leverage `AWS_CONTAINER_CREDENTIALS_RELATIVE_URI` **To Reproduce** Steps to reproduce the behavior: 1. Run `hazelcast:5.2.2` as an ECS EC2 task with `awsvpc` networking mode 2. Alternatively, run standard container (ex. `ubuntu:latest`) as an ECS EC2 task and test web request to `EC2_METADATA_TOKEN_ENDPOINT` **Stack Trace (3 Container Cluster running on ECS-EC2)** ``` Feb 28, 2023 8:58:04 PM com.hazelcast.internal.config.override.ExternalConfigurationOverride INFO: Detected external configuration entries in environment variables: [hazelcast.network.join.aws.region=us-east-2,hazelcast.network.join.aws.enabled=true,hazelcast.clustername=WFO_LockGrid,hazelcast.network.join.aws.servicename=hazelcast,hazelcast.network.join.multicast.enabled=false,hazelcast.network.port.port=5701,hazelcast.network.join.aws.hzport=5701-5708,hazelcast.partitiongroup.grouptype=ZONE_AWARE,hazelcast.cpsubsystem.cpmembercount=3,hazelcast.network.interfaces.enabled=true,hazelcast.partitiongroup.enabled=true] Feb 28, 2023 8:58:05 PM com.hazelcast.instance.AddressPicker INFO: [LOCAL] [WFO_LockGrid] [5.2.2] Interfaces is enabled, trying to pick one address matching to one of: [10.0.*.*] Feb 28, 2023 8:58:05 PM com.hazelcast.system.logo INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] '+ + o o o o---o o----o o o---o o o----o o--o--o '+ + + + | | / \ / | | / / \ | | '+ + + + + o----o o o o o----o | o o o o----o | '+ + + + | | / \ / | | \ / \ | | '+ + o o o o o---o o----o o----o o---o o o o----o o Feb 28, 2023 8:58:05 PM com.hazelcast.system INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Copyright (c) 2008-2022, Hazelcast, Inc. All Rights Reserved. Feb 28, 2023 8:58:05 PM com.hazelcast.system INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Hazelcast Platform 5.2.2 (20230215 - a221adc) starting at [X.X.X.X]:5701 Feb 28, 2023 8:58:05 PM com.hazelcast.system INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Cluster name: WFO_LockGrid Feb 28, 2023 8:58:05 PM com.hazelcast.system INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Integrity Checker is disabled. Fail-fast on corrupted executables will not be performed. For more information, see the documentation for Integrity Checker. Feb 28, 2023 8:58:05 PM com.hazelcast.system INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] The Jet engine is disabled. To enable the Jet engine on the members, do one of the following: '- Change member config using Java API: config.getJetConfig().setEnabled(true) '- Change XML/YAML configuration property: Set hazelcast.jet.enabled to true '- Add system property: -Dhz.jet.enabled=true (for Hazelcast embedded, works only when loading config via Config.load) '- Add environment variable: HZ_JET_ENABLED=true (recommended when running container image. For Hazelcast embedded, works only when loading config via Config.load) Feb 28, 2023 8:58:05 PM com.hazelcast.aws.AwsDiscoveryStrategy INFO: Using AWS discovery plugin with configuration: AwsConfig{accessKey='***', secretKey='***', iamRole='null', region='us-east-2', hostHeader='null', securityGroupName='null', tags='[]', hzPort=5701-5708, cluster='null', family='null', serviceName='hazelcast', connectionTimeoutSeconds=10, connectionRetries=3, readTimeoutSeconds=10, discoveryMode=Member} Feb 28, 2023 8:58:05 PM com.hazelcast.aws.AwsCredentialsProvider INFO: Using IAM Task Role attached to ECS Task Feb 28, 2023 8:58:05 PM com.hazelcast.spi.utils.RetryUtils WARNING: Couldn't connect to the service, [1] retrying in 1 seconds... Feb 28, 2023 8:58:06 PM com.hazelcast.spi.utils.RetryUtils WARNING: Couldn't connect to the service, [2] retrying in 2 seconds... Feb 28, 2023 8:58:09 PM com.hazelcast.spi.utils.RetryUtils WARNING: Couldn't connect to the service, [3] retrying in 3 seconds... Feb 28, 2023 8:58:12 PM com.hazelcast.instance.impl.Node SEVERE: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Node creation failed java.lang.RuntimeException: Failed to configure discovery strategies at com.hazelcast.spi.discovery.impl.DefaultDiscoveryService.loadDiscoveryStrategies(DefaultDiscoveryService.java:161) at com.hazelcast.spi.discovery.impl.DefaultDiscoveryService.<init>(DefaultDiscoveryService.java:58) at com.hazelcast.spi.discovery.impl.DefaultDiscoveryServiceProvider.newDiscoveryService(DefaultDiscoveryServiceProvider.java:29) at com.hazelcast.instance.impl.Node.createDiscoveryService(Node.java:360) at com.hazelcast.instance.impl.Node.<init>(Node.java:281) at com.hazelcast.instance.impl.HazelcastInstanceImpl.createNode(HazelcastInstanceImpl.java:149) at com.hazelcast.instance.impl.HazelcastInstanceImpl.<init>(HazelcastInstanceImpl.java:118) at com.hazelcast.instance.impl.HazelcastInstanceFactory.constructHazelcastInstance(HazelcastInstanceFactory.java:217) at com.hazelcast.instance.impl.HazelcastInstanceFactory.newHazelcastInstance(HazelcastInstanceFactory.java:196) at com.hazelcast.instance.impl.HazelcastInstanceFactory.newHazelcastInstance(HazelcastInstanceFactory.java:134) at com.hazelcast.core.Hazelcast.newHazelcastInstance(Hazelcast.java:95) at com.hazelcast.core.server.HazelcastMemberStarter.main(HazelcastMemberStarter.java:45) at com.hazelcast.commandline.HazelcastServerCommandLine.lambda$new$2f647568$1(HazelcastServerCommandLine.java:44) at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) at com.hazelcast.commandline.HazelcastServerCommandLine.start(HazelcastServerCommandLine.java:101) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at java.base/jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.base/java.lang.reflect.Method.invoke(Method.java:566) at picocli.CommandLine.executeUserObject(CommandLine.java:1972) at picocli.CommandLine.access$1300(CommandLine.java:145) at picocli.CommandLine$RunLast.executeUserObjectOfLastSubcommandWithSameParent(CommandLine.java:2358) at picocli.CommandLine$RunLast.handle(CommandLine.java:2352) at picocli.CommandLine$RunLast.handle(CommandLine.java:2314) at picocli.CommandLine$AbstractParseResultHandler.execute(CommandLine.java:2179) at picocli.CommandLine$RunLast.execute(CommandLine.java:2316) at picocli.CommandLine.execute(CommandLine.java:2078) at com.hazelcast.commandline.HazelcastServerCommandLine.runCommandLine(HazelcastServerCommandLine.java:63) at com.hazelcast.commandline.HazelcastServerCommandLine.main(HazelcastServerCommandLine.java:52) Caused by: com.hazelcast.spi.exception.RestClientException: Failure in executing REST call at com.hazelcast.spi.utils.RestClient.call(RestClient.java:171) at com.hazelcast.spi.utils.RestClient.lambda$callWithRetries$0(RestClient.java:138) at com.hazelcast.spi.utils.RetryUtils.retry(RetryUtils.java:65) at com.hazelcast.spi.utils.RetryUtils.retry(RetryUtils.java:51) at com.hazelcast.spi.utils.RestClient.callWithRetries(RestClient.java:138) at com.hazelcast.spi.utils.RestClient.put(RestClient.java:134) at com.hazelcast.aws.AwsMetadataApi.retrieveToken(AwsMetadataApi.java:178) at com.hazelcast.aws.AwsMetadataApi.metadataToken(AwsMetadataApi.java:170) at com.hazelcast.aws.AwsMetadataApi.metadataClient(AwsMetadataApi.java:165) at com.hazelcast.aws.AwsMetadataApi.getTaskMetadata(AwsMetadataApi.java:134) at com.hazelcast.aws.AwsMetadataApi.clusterEcs(AwsMetadataApi.java:97) at com.hazelcast.aws.AwsClientConfigurator.resolveCluster(AwsClientConfigurator.java:144) at com.hazelcast.aws.AwsClientConfigurator.createAwsClient(AwsClientConfigurator.java:67) at com.hazelcast.aws.AwsDiscoveryStrategy.<init>(AwsDiscoveryStrategy.java:91) at com.hazelcast.aws.AwsDiscoveryStrategyFactory.newDiscoveryStrategy(AwsDiscoveryStrategyFactory.java:52) at com.hazelcast.spi.discovery.impl.DefaultDiscoveryService.buildDiscoveryStrategy(DefaultDiscoveryService.java:195) at com.hazelcast.spi.discovery.impl.DefaultDiscoveryService.loadDiscoveryStrategies(DefaultDiscoveryService.java:141) ... 28 more Caused by: java.net.ConnectException: Invalid argument (connect failed) at java.base/java.net.PlainSocketImpl.socketConnect(Native Method) at java.base/java.net.AbstractPlainSocketImpl.doConnect(AbstractPlainSocketImpl.java:412) at java.base/java.net.AbstractPlainSocketImpl.connectToAddress(AbstractPlainSocketImpl.java:255) at java.base/java.net.AbstractPlainSocketImpl.connect(AbstractPlainSocketImpl.java:237) at java.base/java.net.Socket.connect(Socket.java:609) at java.base/sun.net.NetworkClient.doConnect(NetworkClient.java:177) at java.base/sun.net.www.http.HttpClient.openServer(HttpClient.java:507) at java.base/sun.net.www.http.HttpClient.openServer(HttpClient.java:602) at java.base/sun.net.www.http.HttpClient.<init>(HttpClient.java:275) at java.base/sun.net.www.http.HttpClient.New(HttpClient.java:374) at java.base/sun.net.www.http.HttpClient.New(HttpClient.java:395) at java.base/sun.net.www.protocol.http.HttpURLConnection.getNewHttpClient(HttpURLConnection.java:1253) at java.base/sun.net.www.protocol.http.HttpURLConnection.plainConnect0(HttpURLConnection.java:1187) at java.base/sun.net.www.protocol.http.HttpURLConnection.plainConnect(HttpURLConnection.java:1081) at java.base/sun.net.www.protocol.http.HttpURLConnection.connect(HttpURLConnection.java:1015) at java.base/sun.net.www.protocol.http.HttpURLConnection.getInputStream0(HttpURLConnection.java:1592) at java.base/sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1520) at java.base/java.net.HttpURLConnection.getResponseCode(HttpURLConnection.java:527) at com.hazelcast.spi.utils.RestClient.checkResponseCode(RestClient.java:224) at com.hazelcast.spi.utils.RestClient.call(RestClient.java:168) ... 44 more Feb 28, 2023 8:58:12 PM com.hazelcast.instance.impl.Node INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Shutting down connection manager... Feb 28, 2023 8:58:12 PM com.hazelcast.instance.impl.Node INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Shutting down node engine... Feb 28, 2023 8:58:12 PM com.hazelcast.instance.impl.NodeExtension INFO: [X.X.X.X]:5701 [WFO_LockGrid] [5.2.2] Destroying node NodeExtension. Failed to configure discovery strategies Usage: hz start [-hV] [-c=<file>] [-i=<interface>] [-p=<port>] Starts a new Hazelcast member '-h, --help Show this help message and exit. '-V, --version Print version information and exit. '-c, --config=<file> Use <file> for Hazelcast configuration. Accepted formats are XML and YAML. '-p, --port=<port> Bind to the specified <port>. Please note that if the specified port is in use, it will auto-increment to the first free port. (default: 5701) '-i, --interface=<interface> Bind to the specified <interface>. ``` **hazelcast.yaml** ``` hazelcast: network: port: 5701 join: multicast: enabled: false aws: enabled: true host-header: ecs interfaces: enabled: true interfaces: - 10.0.*.* ```
defect
aws and ecs discovery thanks for reporting your issue please share with us the following information to help us resolve your issue quickly and efficiently describe the bug are not available to ecs containers running awsvpc networking mode merged into release appear to force usage of metadata token endpoints that are unavailable to ecs tasks running vpc networking previously this worked in version expected behavior hazelcast containers running as ecs tasks in awsvpc networking should instead respect leverage aws container credentials relative uri to reproduce steps to reproduce the behavior run hazelcast as an ecs task with awsvpc networking mode alternatively run standard container ex ubuntu latest as an ecs task and test web request to metadata token endpoint stack trace container cluster running on ecs feb pm com hazelcast internal config override externalconfigurationoverride info detected external configuration entries in environment variables feb pm com hazelcast instance addresspicker info interfaces is enabled trying to pick one address matching to one of feb pm com hazelcast system logo info o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o feb pm com hazelcast system info copyright c hazelcast inc all rights reserved feb pm com hazelcast system info hazelcast platform starting at feb pm com hazelcast system info cluster name wfo lockgrid feb pm com hazelcast system info integrity checker is disabled fail fast on corrupted executables will not be performed for more information see the documentation for integrity checker feb pm com hazelcast system info the jet engine is disabled to enable the jet engine on the members do one of the following change member config using java api config getjetconfig setenabled true change xml yaml configuration property set hazelcast jet enabled to true add system property dhz jet enabled true for hazelcast embedded works only when loading config via config load add environment variable hz jet enabled true recommended when running container image for hazelcast embedded works only when loading config via config load feb pm com hazelcast aws awsdiscoverystrategy info using aws discovery plugin with configuration awsconfig accesskey secretkey iamrole null region us east hostheader null securitygroupname null tags hzport cluster null family null servicename hazelcast connectiontimeoutseconds connectionretries readtimeoutseconds discoverymode member feb pm com hazelcast aws awscredentialsprovider info using iam task role attached to ecs task feb pm com hazelcast spi utils retryutils warning couldn t connect to the service retrying in seconds feb pm com hazelcast spi utils retryutils warning couldn t connect to the service retrying in seconds feb pm com hazelcast spi utils retryutils warning couldn t connect to the service retrying in seconds feb pm com hazelcast instance impl node severe node creation failed java lang runtimeexception failed to configure discovery strategies at com hazelcast spi discovery impl defaultdiscoveryservice loaddiscoverystrategies defaultdiscoveryservice java at com hazelcast spi discovery impl defaultdiscoveryservice defaultdiscoveryservice java at com hazelcast spi discovery impl defaultdiscoveryserviceprovider newdiscoveryservice defaultdiscoveryserviceprovider java at com hazelcast instance impl node creatediscoveryservice node java at com hazelcast instance impl node node java at com hazelcast instance impl hazelcastinstanceimpl createnode hazelcastinstanceimpl java at com hazelcast instance impl hazelcastinstanceimpl hazelcastinstanceimpl java at com hazelcast instance impl hazelcastinstancefactory constructhazelcastinstance hazelcastinstancefactory java at com hazelcast instance impl hazelcastinstancefactory newhazelcastinstance hazelcastinstancefactory java at com hazelcast instance impl hazelcastinstancefactory newhazelcastinstance hazelcastinstancefactory java at com hazelcast core hazelcast newhazelcastinstance hazelcast java at com hazelcast core server hazelcastmemberstarter main hazelcastmemberstarter java at com hazelcast commandline hazelcastservercommandline lambda new hazelcastservercommandline java at com hazelcast jet function runnableex run runnableex java at com hazelcast commandline hazelcastservercommandline start hazelcastservercommandline java at java base jdk internal reflect nativemethodaccessorimpl native method at java base jdk internal reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at java base jdk internal reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java base java lang reflect method invoke method java at picocli commandline executeuserobject commandline java at picocli commandline access commandline java at picocli commandline runlast executeuserobjectoflastsubcommandwithsameparent commandline java at picocli commandline runlast handle commandline java at picocli commandline runlast handle commandline java at picocli commandline abstractparseresulthandler execute commandline java at picocli commandline runlast execute commandline java at picocli commandline execute commandline java at com hazelcast commandline hazelcastservercommandline runcommandline hazelcastservercommandline java at com hazelcast commandline hazelcastservercommandline main hazelcastservercommandline java caused by com hazelcast spi exception restclientexception failure in executing rest call at com hazelcast spi utils restclient call restclient java at com hazelcast spi utils restclient lambda callwithretries restclient java at com hazelcast spi utils retryutils retry retryutils java at com hazelcast spi utils retryutils retry retryutils java at com hazelcast spi utils restclient callwithretries restclient java at com hazelcast spi utils restclient put restclient java at com hazelcast aws awsmetadataapi retrievetoken awsmetadataapi java at com hazelcast aws awsmetadataapi metadatatoken awsmetadataapi java at com hazelcast aws awsmetadataapi metadataclient awsmetadataapi java at com hazelcast aws awsmetadataapi gettaskmetadata awsmetadataapi java at com hazelcast aws awsmetadataapi clusterecs awsmetadataapi java at com hazelcast aws awsclientconfigurator resolvecluster awsclientconfigurator java at com hazelcast aws awsclientconfigurator createawsclient awsclientconfigurator java at com hazelcast aws awsdiscoverystrategy awsdiscoverystrategy java at com hazelcast aws awsdiscoverystrategyfactory newdiscoverystrategy awsdiscoverystrategyfactory java at com hazelcast spi discovery impl defaultdiscoveryservice builddiscoverystrategy defaultdiscoveryservice java at com hazelcast spi discovery impl defaultdiscoveryservice loaddiscoverystrategies defaultdiscoveryservice java more caused by java net connectexception invalid argument connect failed at java base java net plainsocketimpl socketconnect native method at java base java net abstractplainsocketimpl doconnect abstractplainsocketimpl java at java base java net abstractplainsocketimpl connecttoaddress abstractplainsocketimpl java at java base java net abstractplainsocketimpl connect abstractplainsocketimpl java at java base java net socket connect socket java at java base sun net networkclient doconnect networkclient java at java base sun net at java base sun net at java base sun net at java base sun net at java base sun net at java base sun net at java base sun net at java base sun net at java base sun net at java base sun net at java base sun net at java base java net httpurlconnection getresponsecode httpurlconnection java at com hazelcast spi utils restclient checkresponsecode restclient java at com hazelcast spi utils restclient call restclient java more feb pm com hazelcast instance impl node info shutting down connection manager feb pm com hazelcast instance impl node info shutting down node engine feb pm com hazelcast instance impl nodeextension info destroying node nodeextension failed to configure discovery strategies usage hz start starts a new hazelcast member h help show this help message and exit v version print version information and exit c config use for hazelcast configuration accepted formats are xml and yaml p port bind to the specified please note that if the specified port is in use it will auto increment to the first free port default i interface bind to the specified hazelcast yaml hazelcast network port join multicast enabled false aws enabled true host header ecs interfaces enabled true interfaces
1
389,200
11,498,914,059
IssuesEvent
2020-02-12 12:59:27
xwikisas/application-forum
https://api.github.com/repos/xwikisas/application-forum
closed
Simple users can't add a forum
Priority: Critical Type: Bug
Steps to reproduce: Environment: Forum Pro v2.7, and XWiki versions: 8.4.5, 11.3.5 and 11.9 Create a forum with the Simple User The following error will be displayed after saving the new forum: ```Failed to execute the [velocity] macro. Cause: [Error number 9001 in 9: Access denied in edit mode on document xwiki:Forums.Testf.WebPreferences]. Click on this message for details. org.xwiki.rendering.macro.MacroExecutionException: Failed to evaluate Velocity Macro for content [#if($xcontext.action == 'edit') {{html clean='false'}} <div class="xform"> <dl> #edittitle('conversations.titleError') <dt><label for="ForumCode.ForumClass_0_description">$services.localization.render('conversations.forum.description')</label></dt> <dd> {{/html}} $doc.display('description') {{html clean="false"}} </dd> </dl> </div> {{/html}} #else #initForum($doc.space) #set ($statement = 'from doc.object(ForumCode.TopicClass) as topic where doc.space like :space') #set ($topicsQuery = $services.query.xwql($statement)) #set ($topicsQuery = $topicsQuery.bindValue('space').literal("${doc.space}.").anyChars().query()) #set ($topics = $topicsQuery.execute()) #set ($totalTopicsTitle = $escapetool.xml($services.localization.render('conversations.forum.tooltip.totaltopics'))) #displayAlertsMessages() {{html clean='false'}} <div class="forum-container"> <span class="forum-topics-nb" title="$totalTopicsTitle">$topics.size()</span> <div class="forum-description"> {{/html}} $doc.display('description') {{html clean="false"}} </div> <div class="forum-metas"> <span class="forum-author"> #smallUserAvatar($doc.creator)$!xwiki.getUserName($doc.creator) </span> <span class="forum-date">$xwiki.formatDate($doc.date)</span> <span class="forum-topics" title="$totalTopicsTitle"> $topics.size() $services.localization.render('conversations.topic.count') </span> </div> </div> <h3 class="topics-title">$services.localization.render('conversations.topic.all')</h3> #displayAddConversationButton($space 'Topic') <div id="forum-buttons"> <label>$services.localization.render('conversations.forum.sorttopicsby')</label> #displayTopicSortButton('date') #displayTopicSortButton('votes') #displayTopicSortButton('comments') </div> ## Display topic list <div class="topics"> #displayTopics() </div> {{/html}} #end #set ($docextras = [])] at org.xwiki.rendering.internal.macro.velocity.VelocityMacro.evaluateString(VelocityMacro.java:139) at org.xwiki.rendering.internal.macro.velocity.VelocityMacro.evaluateString(VelocityMacro.java:52) at org.xwiki.rendering.macro.script.AbstractScriptMacro.evaluateBlock(AbstractScriptMacro.java:286) at org.xwiki.rendering.macro.script.AbstractScriptMacro.execute(AbstractScriptMacro.java:182) at org.xwiki.rendering.macro.script.AbstractScriptMacro.execute(AbstractScriptMacro.java:58) at org.xwiki.rendering.internal.transformation.macro.MacroTransformation.transform(MacroTransformation.java:297) at org.xwiki.rendering.internal.transformation.DefaultRenderingContext.transformInContext(DefaultRenderingContext.java:183) at org.xwiki.rendering.internal.transformation.DefaultTransformationManager.performTransformations(DefaultTransformationManager.java:101) at org.xwiki.display.internal.DocumentContentDisplayer.display(DocumentContentDisplayer.java:263) at org.xwiki.display.internal.DocumentContentDisplayer.display(DocumentContentDisplayer.java:133) at org.xwiki.display.internal.DocumentContentDisplayer.display(DocumentContentDisplayer.java:58) at org.xwiki.display.internal.DefaultDocumentDisplayer.display(DefaultDocumentDisplayer.java:96) at org.xwiki.display.internal.DefaultDocumentDisplayer.display(DefaultDocumentDisplayer.java:39) at org.xwiki.sheet.internal.SheetDocumentDisplayer.display(SheetDocumentDisplayer.java:245) at org.xwiki.sheet.internal.SheetDocumentDisplayer.applySheet(SheetDocumentDisplayer.java:225) at org.xwiki.sheet.internal.SheetDocumentDisplayer.maybeDisplayWithSheet(SheetDocumentDisplayer.java:180) at org.xwiki.sheet.internal.SheetDocumentDisplayer.display(SheetDocumentDisplayer.java:111) at org.xwiki.sheet.internal.SheetDocumentDisplayer.display(SheetDocumentDisplayer.java:52) at org.xwiki.display.internal.ConfiguredDocumentDisplayer.display(ConfiguredDocumentDisplayer.java:68) at org.xwiki.display.internal.ConfiguredDocumentDisplayer.display(ConfiguredDocumentDisplayer.java:42) at com.xpn.xwiki.doc.XWikiDocument.display(XWikiDocument.java:1208) at com.xpn.xwiki.doc.XWikiDocument.getRenderedContent(XWikiDocument.java:1316) at com.xpn.xwiki.doc.XWikiDocument.displayDocument(XWikiDocument.java:1265) at com.xpn.xwiki.doc.XWikiDocument.displayDocument(XWikiDocument.java:1249) at com.xpn.xwiki.api.Document.displayDocument(Document.java:751) at sun.reflect.GeneratedMethodAccessor432.invoke(Unknown Source) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.doInvoke(UberspectImpl.java:395) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.invoke(UberspectImpl.java:384) at org.apache.velocity.runtime.parser.node.ASTMethod.execute(ASTMethod.java:173) at org.apache.velocity.runtime.parser.node.ASTReference.execute(ASTReference.java:280) at org.apache.velocity.runtime.parser.node.ASTReference.value(ASTReference.java:567) at org.apache.velocity.runtime.parser.node.ASTExpression.value(ASTExpression.java:71) at org.apache.velocity.runtime.parser.node.ASTSetDirective.render(ASTSetDirective.java:142) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.apache.velocity.runtime.parser.node.ASTIfStatement.render(ASTIfStatement.java:106) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.xwiki.velocity.introspection.TryCatchDirective.render(TryCatchDirective.java:87) at org.apache.velocity.runtime.parser.node.ASTDirective.render(ASTDirective.java:207) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluateInternal(DefaultVelocityEngine.java:259) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluate(DefaultVelocityEngine.java:222) at com.xpn.xwiki.render.DefaultVelocityManager.evaluate(DefaultVelocityManager.java:358) at com.xpn.xwiki.internal.template.InternalTemplateManager.evaluateContent(InternalTemplateManager.java:884) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:755) at com.xpn.xwiki.internal.template.InternalTemplateManager.lambda$renderFromSkin$0(InternalTemplateManager.java:730) at com.xpn.xwiki.internal.security.authorization.DefaultAuthorExecutor.call(DefaultAuthorExecutor.java:98) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:729) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:708) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:694) at com.xpn.xwiki.internal.template.DefaultTemplateManager.render(DefaultTemplateManager.java:78) at com.xpn.xwiki.XWiki.evaluateTemplate(XWiki.java:2452) at com.xpn.xwiki.XWiki.parseTemplate(XWiki.java:2430) at com.xpn.xwiki.api.XWiki.parseTemplate(XWiki.java:992) at sun.reflect.GeneratedMethodAccessor121.invoke(Unknown Source) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.doInvoke(UberspectImpl.java:395) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.invoke(UberspectImpl.java:384) at org.apache.velocity.runtime.parser.node.ASTMethod.execute(ASTMethod.java:173) at org.apache.velocity.runtime.parser.node.ASTReference.execute(ASTReference.java:280) at org.apache.velocity.runtime.parser.node.ASTReference.render(ASTReference.java:369) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.directive.VelocimacroProxy.render(VelocimacroProxy.java:216) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:311) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:230) at org.apache.velocity.runtime.parser.node.ASTDirective.render(ASTDirective.java:207) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluateInternal(DefaultVelocityEngine.java:259) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluate(DefaultVelocityEngine.java:222) at com.xpn.xwiki.render.DefaultVelocityManager.evaluate(DefaultVelocityManager.java:358) at com.xpn.xwiki.internal.template.InternalTemplateManager.evaluateContent(InternalTemplateManager.java:884) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:755) at com.xpn.xwiki.internal.template.InternalTemplateManager.lambda$renderFromSkin$0(InternalTemplateManager.java:730) at com.xpn.xwiki.internal.security.authorization.DefaultAuthorExecutor.call(DefaultAuthorExecutor.java:98) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:729) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:708) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:694) at com.xpn.xwiki.internal.template.DefaultTemplateManager.render(DefaultTemplateManager.java:78) at com.xpn.xwiki.XWiki.evaluateTemplate(XWiki.java:2452) at com.xpn.xwiki.XWiki.parseTemplate(XWiki.java:2430) at com.xpn.xwiki.api.XWiki.parseTemplate(XWiki.java:992) at sun.reflect.GeneratedMethodAccessor121.invoke(Unknown Source) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.doInvoke(UberspectImpl.java:395) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.invoke(UberspectImpl.java:384) at org.apache.velocity.runtime.parser.node.ASTMethod.execute(ASTMethod.java:173) at org.apache.velocity.runtime.parser.node.ASTReference.execute(ASTReference.java:280) at org.apache.velocity.runtime.parser.node.ASTReference.render(ASTReference.java:369) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.directive.VelocimacroProxy.render(VelocimacroProxy.java:216) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:311) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:230) at org.apache.velocity.runtime.parser.node.ASTDirective.render(ASTDirective.java:207) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.parser.node.ASTIfStatement.render(ASTIfStatement.java:87) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.apache.velocity.runtime.parser.node.ASTIfStatement.render(ASTIfStatement.java:106) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluateInternal(DefaultVelocityEngine.java:259) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluate(DefaultVelocityEngine.java:222) at com.xpn.xwiki.render.DefaultVelocityManager.evaluate(DefaultVelocityManager.java:358) at com.xpn.xwiki.internal.template.InternalTemplateManager.evaluateContent(InternalTemplateManager.java:884) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:755) at com.xpn.xwiki.internal.template.InternalTemplateManager.lambda$renderFromSkin$0(InternalTemplateManager.java:730) at com.xpn.xwiki.internal.security.authorization.DefaultAuthorExecutor.call(DefaultAuthorExecutor.java:98) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:729) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:708) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:694) at com.xpn.xwiki.internal.template.DefaultTemplateManager.render(DefaultTemplateManager.java:78) at com.xpn.xwiki.XWiki.evaluateTemplate(XWiki.java:2452) at com.xpn.xwiki.web.Utils.parseTemplate(Utils.java:179) at com.xpn.xwiki.web.XWikiAction.execute(XWikiAction.java:515) at com.xpn.xwiki.web.XWikiAction.execute(XWikiAction.java:217) at org.apache.struts.action.RequestProcessor.processActionPerform(RequestProcessor.java:425) at org.apache.struts.action.RequestProcessor.process(RequestProcessor.java:228) at org.apache.struts.action.ActionServlet.process(ActionServlet.java:1913) at org.apache.struts.action.ActionServlet.doGet(ActionServlet.java:449) at javax.servlet.http.HttpServlet.service(HttpServlet.java:687) at javax.servlet.http.HttpServlet.service(HttpServlet.java:790) at org.eclipse.jetty.servlet.ServletHolder.handle(ServletHolder.java:860) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1650) at com.xpn.xwiki.web.ActionFilter.doFilter(ActionFilter.java:112) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1637) at org.xwiki.wysiwyg.filter.ConversionFilter.doFilter(ConversionFilter.java:109) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1637) at org.xwiki.container.servlet.filters.internal.SetHTTPHeaderFilter.doFilter(SetHTTPHeaderFilter.java:63) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1637) at org.xwiki.container.servlet.filters.internal.SavedRequestRestorerFilter.doFilter(SavedRequestRestorerFilter.java:208) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1637) at org.xwiki.container.servlet.filters.internal.SetCharacterEncodingFilter.doFilter(SetCharacterEncodingFilter.java:111) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1637) at org.xwiki.resource.servlet.RoutingFilter.doFilter(RoutingFilter.java:132) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1629) at org.eclipse.jetty.servlet.ServletHandler.doHandle(ServletHandler.java:533) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:143) at org.eclipse.jetty.security.SecurityHandler.handle(SecurityHandler.java:548) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:132) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:190) at org.eclipse.jetty.server.session.SessionHandler.doHandle(SessionHandler.java:1595) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:188) at org.eclipse.jetty.server.handler.ContextHandler.doHandle(ContextHandler.java:1253) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:168) at org.eclipse.jetty.servlet.ServletHandler.doScope(ServletHandler.java:473) at org.eclipse.jetty.server.session.SessionHandler.doScope(SessionHandler.java:1564) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:166) at org.eclipse.jetty.server.handler.ContextHandler.doScope(ContextHandler.java:1155) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:141) at org.eclipse.jetty.server.handler.ContextHandlerCollection.handle(ContextHandlerCollection.java:219) at org.eclipse.jetty.server.handler.HandlerCollection.handle(HandlerCollection.java:126) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:132) at org.eclipse.jetty.server.Server.handle(Server.java:530) at org.eclipse.jetty.server.HttpChannel.handle(HttpChannel.java:347) at org.eclipse.jetty.server.HttpConnection.onFillable(HttpConnection.java:256) at org.eclipse.jetty.io.AbstractConnection$ReadCallback.succeeded(AbstractConnection.java:279) at org.eclipse.jetty.io.FillInterest.fillable(FillInterest.java:102) at org.eclipse.jetty.io.ChannelEndPoint$2.run(ChannelEndPoint.java:124) at org.eclipse.jetty.util.thread.strategy.EatWhatYouKill.doProduce(EatWhatYouKill.java:247) at org.eclipse.jetty.util.thread.strategy.EatWhatYouKill.produce(EatWhatYouKill.java:140) at org.eclipse.jetty.util.thread.strategy.EatWhatYouKill.run(EatWhatYouKill.java:131) at org.eclipse.jetty.util.thread.ReservedThreadExecutor$ReservedThread.run(ReservedThreadExecutor.java:382) at org.eclipse.jetty.util.thread.QueuedThreadPool.runJob(QueuedThreadPool.java:708) at org.eclipse.jetty.util.thread.QueuedThreadPool$2.run(QueuedThreadPool.java:626) at java.lang.Thread.run(Thread.java:748) Caused by: org.xwiki.velocity.XWikiVelocityException: Failed to evaluate content with id [xwiki:ForumCode.ForumSheet] at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluate(DefaultVelocityEngine.java:227) at com.xpn.xwiki.render.DefaultVelocityManager.evaluate(DefaultVelocityManager.java:358) at org.xwiki.rendering.internal.macro.velocity.VelocityMacro.evaluateString(VelocityMacro.java:131) ... 167 more Caused by: org.apache.velocity.exception.MethodInvocationException: Invocation of method 'save' in class com.xpn.xwiki.api.Document threw exception com.xpn.xwiki.XWikiException: Error number 9001 in 9: Access denied in edit mode on document xwiki:Forums.Testf.WebPreferences at 121:xwiki:ForumCode.ForumSheet[line 775, column 39] at org.apache.velocity.runtime.parser.node.ASTMethod.handleInvocationException(ASTMethod.java:243) at org.apache.velocity.runtime.parser.node.ASTMethod.execute(ASTMethod.java:187) at org.apache.velocity.runtime.parser.node.ASTReference.execute(ASTReference.java:280) at org.apache.velocity.runtime.parser.node.ASTReference.value(ASTReference.java:567) at org.apache.velocity.runtime.parser.node.ASTExpression.value(ASTExpression.java:71) at org.apache.velocity.runtime.parser.node.ASTSetDirective.render(ASTSetDirective.java:142) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.directive.VelocimacroProxy.render(VelocimacroProxy.java:216) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:311) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:230) at org.apache.velocity.runtime.parser.node.ASTDirective.render(ASTDirective.java:207) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.parser.node.ASTIfStatement.render(ASTIfStatement.java:87) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.directive.VelocimacroProxy.render(VelocimacroProxy.java:216) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:311) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:230) at org.apache.velocity.runtime.parser.node.ASTDirective.render(ASTDirective.java:207) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.apache.velocity.runtime.parser.node.ASTIfStatement.render(ASTIfStatement.java:106) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluateInternal(DefaultVelocityEngine.java:259) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluate(DefaultVelocityEngine.java:222) ... 169 more Caused by: com.xpn.xwiki.XWikiException: Error number 9001 in 9: Access denied in edit mode on document xwiki:Forums.Testf.WebPreferences at com.xpn.xwiki.api.Document.save(Document.java:2471) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.doInvoke(UberspectImpl.java:395) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.invoke(UberspectImpl.java:384) at org.apache.velocity.runtime.parser.node.ASTMethod.execute(ASTMethod.java:173) ... 191 more```
1.0
Simple users can't add a forum - Steps to reproduce: Environment: Forum Pro v2.7, and XWiki versions: 8.4.5, 11.3.5 and 11.9 Create a forum with the Simple User The following error will be displayed after saving the new forum: ```Failed to execute the [velocity] macro. Cause: [Error number 9001 in 9: Access denied in edit mode on document xwiki:Forums.Testf.WebPreferences]. Click on this message for details. org.xwiki.rendering.macro.MacroExecutionException: Failed to evaluate Velocity Macro for content [#if($xcontext.action == 'edit') {{html clean='false'}} <div class="xform"> <dl> #edittitle('conversations.titleError') <dt><label for="ForumCode.ForumClass_0_description">$services.localization.render('conversations.forum.description')</label></dt> <dd> {{/html}} $doc.display('description') {{html clean="false"}} </dd> </dl> </div> {{/html}} #else #initForum($doc.space) #set ($statement = 'from doc.object(ForumCode.TopicClass) as topic where doc.space like :space') #set ($topicsQuery = $services.query.xwql($statement)) #set ($topicsQuery = $topicsQuery.bindValue('space').literal("${doc.space}.").anyChars().query()) #set ($topics = $topicsQuery.execute()) #set ($totalTopicsTitle = $escapetool.xml($services.localization.render('conversations.forum.tooltip.totaltopics'))) #displayAlertsMessages() {{html clean='false'}} <div class="forum-container"> <span class="forum-topics-nb" title="$totalTopicsTitle">$topics.size()</span> <div class="forum-description"> {{/html}} $doc.display('description') {{html clean="false"}} </div> <div class="forum-metas"> <span class="forum-author"> #smallUserAvatar($doc.creator)$!xwiki.getUserName($doc.creator) </span> <span class="forum-date">$xwiki.formatDate($doc.date)</span> <span class="forum-topics" title="$totalTopicsTitle"> $topics.size() $services.localization.render('conversations.topic.count') </span> </div> </div> <h3 class="topics-title">$services.localization.render('conversations.topic.all')</h3> #displayAddConversationButton($space 'Topic') <div id="forum-buttons"> <label>$services.localization.render('conversations.forum.sorttopicsby')</label> #displayTopicSortButton('date') #displayTopicSortButton('votes') #displayTopicSortButton('comments') </div> ## Display topic list <div class="topics"> #displayTopics() </div> {{/html}} #end #set ($docextras = [])] at org.xwiki.rendering.internal.macro.velocity.VelocityMacro.evaluateString(VelocityMacro.java:139) at org.xwiki.rendering.internal.macro.velocity.VelocityMacro.evaluateString(VelocityMacro.java:52) at org.xwiki.rendering.macro.script.AbstractScriptMacro.evaluateBlock(AbstractScriptMacro.java:286) at org.xwiki.rendering.macro.script.AbstractScriptMacro.execute(AbstractScriptMacro.java:182) at org.xwiki.rendering.macro.script.AbstractScriptMacro.execute(AbstractScriptMacro.java:58) at org.xwiki.rendering.internal.transformation.macro.MacroTransformation.transform(MacroTransformation.java:297) at org.xwiki.rendering.internal.transformation.DefaultRenderingContext.transformInContext(DefaultRenderingContext.java:183) at org.xwiki.rendering.internal.transformation.DefaultTransformationManager.performTransformations(DefaultTransformationManager.java:101) at org.xwiki.display.internal.DocumentContentDisplayer.display(DocumentContentDisplayer.java:263) at org.xwiki.display.internal.DocumentContentDisplayer.display(DocumentContentDisplayer.java:133) at org.xwiki.display.internal.DocumentContentDisplayer.display(DocumentContentDisplayer.java:58) at org.xwiki.display.internal.DefaultDocumentDisplayer.display(DefaultDocumentDisplayer.java:96) at org.xwiki.display.internal.DefaultDocumentDisplayer.display(DefaultDocumentDisplayer.java:39) at org.xwiki.sheet.internal.SheetDocumentDisplayer.display(SheetDocumentDisplayer.java:245) at org.xwiki.sheet.internal.SheetDocumentDisplayer.applySheet(SheetDocumentDisplayer.java:225) at org.xwiki.sheet.internal.SheetDocumentDisplayer.maybeDisplayWithSheet(SheetDocumentDisplayer.java:180) at org.xwiki.sheet.internal.SheetDocumentDisplayer.display(SheetDocumentDisplayer.java:111) at org.xwiki.sheet.internal.SheetDocumentDisplayer.display(SheetDocumentDisplayer.java:52) at org.xwiki.display.internal.ConfiguredDocumentDisplayer.display(ConfiguredDocumentDisplayer.java:68) at org.xwiki.display.internal.ConfiguredDocumentDisplayer.display(ConfiguredDocumentDisplayer.java:42) at com.xpn.xwiki.doc.XWikiDocument.display(XWikiDocument.java:1208) at com.xpn.xwiki.doc.XWikiDocument.getRenderedContent(XWikiDocument.java:1316) at com.xpn.xwiki.doc.XWikiDocument.displayDocument(XWikiDocument.java:1265) at com.xpn.xwiki.doc.XWikiDocument.displayDocument(XWikiDocument.java:1249) at com.xpn.xwiki.api.Document.displayDocument(Document.java:751) at sun.reflect.GeneratedMethodAccessor432.invoke(Unknown Source) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.doInvoke(UberspectImpl.java:395) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.invoke(UberspectImpl.java:384) at org.apache.velocity.runtime.parser.node.ASTMethod.execute(ASTMethod.java:173) at org.apache.velocity.runtime.parser.node.ASTReference.execute(ASTReference.java:280) at org.apache.velocity.runtime.parser.node.ASTReference.value(ASTReference.java:567) at org.apache.velocity.runtime.parser.node.ASTExpression.value(ASTExpression.java:71) at org.apache.velocity.runtime.parser.node.ASTSetDirective.render(ASTSetDirective.java:142) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.apache.velocity.runtime.parser.node.ASTIfStatement.render(ASTIfStatement.java:106) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.xwiki.velocity.introspection.TryCatchDirective.render(TryCatchDirective.java:87) at org.apache.velocity.runtime.parser.node.ASTDirective.render(ASTDirective.java:207) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluateInternal(DefaultVelocityEngine.java:259) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluate(DefaultVelocityEngine.java:222) at com.xpn.xwiki.render.DefaultVelocityManager.evaluate(DefaultVelocityManager.java:358) at com.xpn.xwiki.internal.template.InternalTemplateManager.evaluateContent(InternalTemplateManager.java:884) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:755) at com.xpn.xwiki.internal.template.InternalTemplateManager.lambda$renderFromSkin$0(InternalTemplateManager.java:730) at com.xpn.xwiki.internal.security.authorization.DefaultAuthorExecutor.call(DefaultAuthorExecutor.java:98) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:729) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:708) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:694) at com.xpn.xwiki.internal.template.DefaultTemplateManager.render(DefaultTemplateManager.java:78) at com.xpn.xwiki.XWiki.evaluateTemplate(XWiki.java:2452) at com.xpn.xwiki.XWiki.parseTemplate(XWiki.java:2430) at com.xpn.xwiki.api.XWiki.parseTemplate(XWiki.java:992) at sun.reflect.GeneratedMethodAccessor121.invoke(Unknown Source) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.doInvoke(UberspectImpl.java:395) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.invoke(UberspectImpl.java:384) at org.apache.velocity.runtime.parser.node.ASTMethod.execute(ASTMethod.java:173) at org.apache.velocity.runtime.parser.node.ASTReference.execute(ASTReference.java:280) at org.apache.velocity.runtime.parser.node.ASTReference.render(ASTReference.java:369) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.directive.VelocimacroProxy.render(VelocimacroProxy.java:216) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:311) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:230) at org.apache.velocity.runtime.parser.node.ASTDirective.render(ASTDirective.java:207) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluateInternal(DefaultVelocityEngine.java:259) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluate(DefaultVelocityEngine.java:222) at com.xpn.xwiki.render.DefaultVelocityManager.evaluate(DefaultVelocityManager.java:358) at com.xpn.xwiki.internal.template.InternalTemplateManager.evaluateContent(InternalTemplateManager.java:884) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:755) at com.xpn.xwiki.internal.template.InternalTemplateManager.lambda$renderFromSkin$0(InternalTemplateManager.java:730) at com.xpn.xwiki.internal.security.authorization.DefaultAuthorExecutor.call(DefaultAuthorExecutor.java:98) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:729) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:708) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:694) at com.xpn.xwiki.internal.template.DefaultTemplateManager.render(DefaultTemplateManager.java:78) at com.xpn.xwiki.XWiki.evaluateTemplate(XWiki.java:2452) at com.xpn.xwiki.XWiki.parseTemplate(XWiki.java:2430) at com.xpn.xwiki.api.XWiki.parseTemplate(XWiki.java:992) at sun.reflect.GeneratedMethodAccessor121.invoke(Unknown Source) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.doInvoke(UberspectImpl.java:395) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.invoke(UberspectImpl.java:384) at org.apache.velocity.runtime.parser.node.ASTMethod.execute(ASTMethod.java:173) at org.apache.velocity.runtime.parser.node.ASTReference.execute(ASTReference.java:280) at org.apache.velocity.runtime.parser.node.ASTReference.render(ASTReference.java:369) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.directive.VelocimacroProxy.render(VelocimacroProxy.java:216) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:311) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:230) at org.apache.velocity.runtime.parser.node.ASTDirective.render(ASTDirective.java:207) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.parser.node.ASTIfStatement.render(ASTIfStatement.java:87) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.apache.velocity.runtime.parser.node.ASTIfStatement.render(ASTIfStatement.java:106) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluateInternal(DefaultVelocityEngine.java:259) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluate(DefaultVelocityEngine.java:222) at com.xpn.xwiki.render.DefaultVelocityManager.evaluate(DefaultVelocityManager.java:358) at com.xpn.xwiki.internal.template.InternalTemplateManager.evaluateContent(InternalTemplateManager.java:884) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:755) at com.xpn.xwiki.internal.template.InternalTemplateManager.lambda$renderFromSkin$0(InternalTemplateManager.java:730) at com.xpn.xwiki.internal.security.authorization.DefaultAuthorExecutor.call(DefaultAuthorExecutor.java:98) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:729) at com.xpn.xwiki.internal.template.InternalTemplateManager.renderFromSkin(InternalTemplateManager.java:708) at com.xpn.xwiki.internal.template.InternalTemplateManager.render(InternalTemplateManager.java:694) at com.xpn.xwiki.internal.template.DefaultTemplateManager.render(DefaultTemplateManager.java:78) at com.xpn.xwiki.XWiki.evaluateTemplate(XWiki.java:2452) at com.xpn.xwiki.web.Utils.parseTemplate(Utils.java:179) at com.xpn.xwiki.web.XWikiAction.execute(XWikiAction.java:515) at com.xpn.xwiki.web.XWikiAction.execute(XWikiAction.java:217) at org.apache.struts.action.RequestProcessor.processActionPerform(RequestProcessor.java:425) at org.apache.struts.action.RequestProcessor.process(RequestProcessor.java:228) at org.apache.struts.action.ActionServlet.process(ActionServlet.java:1913) at org.apache.struts.action.ActionServlet.doGet(ActionServlet.java:449) at javax.servlet.http.HttpServlet.service(HttpServlet.java:687) at javax.servlet.http.HttpServlet.service(HttpServlet.java:790) at org.eclipse.jetty.servlet.ServletHolder.handle(ServletHolder.java:860) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1650) at com.xpn.xwiki.web.ActionFilter.doFilter(ActionFilter.java:112) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1637) at org.xwiki.wysiwyg.filter.ConversionFilter.doFilter(ConversionFilter.java:109) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1637) at org.xwiki.container.servlet.filters.internal.SetHTTPHeaderFilter.doFilter(SetHTTPHeaderFilter.java:63) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1637) at org.xwiki.container.servlet.filters.internal.SavedRequestRestorerFilter.doFilter(SavedRequestRestorerFilter.java:208) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1637) at org.xwiki.container.servlet.filters.internal.SetCharacterEncodingFilter.doFilter(SetCharacterEncodingFilter.java:111) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1637) at org.xwiki.resource.servlet.RoutingFilter.doFilter(RoutingFilter.java:132) at org.eclipse.jetty.servlet.ServletHandler$CachedChain.doFilter(ServletHandler.java:1629) at org.eclipse.jetty.servlet.ServletHandler.doHandle(ServletHandler.java:533) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:143) at org.eclipse.jetty.security.SecurityHandler.handle(SecurityHandler.java:548) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:132) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:190) at org.eclipse.jetty.server.session.SessionHandler.doHandle(SessionHandler.java:1595) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:188) at org.eclipse.jetty.server.handler.ContextHandler.doHandle(ContextHandler.java:1253) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:168) at org.eclipse.jetty.servlet.ServletHandler.doScope(ServletHandler.java:473) at org.eclipse.jetty.server.session.SessionHandler.doScope(SessionHandler.java:1564) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:166) at org.eclipse.jetty.server.handler.ContextHandler.doScope(ContextHandler.java:1155) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:141) at org.eclipse.jetty.server.handler.ContextHandlerCollection.handle(ContextHandlerCollection.java:219) at org.eclipse.jetty.server.handler.HandlerCollection.handle(HandlerCollection.java:126) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:132) at org.eclipse.jetty.server.Server.handle(Server.java:530) at org.eclipse.jetty.server.HttpChannel.handle(HttpChannel.java:347) at org.eclipse.jetty.server.HttpConnection.onFillable(HttpConnection.java:256) at org.eclipse.jetty.io.AbstractConnection$ReadCallback.succeeded(AbstractConnection.java:279) at org.eclipse.jetty.io.FillInterest.fillable(FillInterest.java:102) at org.eclipse.jetty.io.ChannelEndPoint$2.run(ChannelEndPoint.java:124) at org.eclipse.jetty.util.thread.strategy.EatWhatYouKill.doProduce(EatWhatYouKill.java:247) at org.eclipse.jetty.util.thread.strategy.EatWhatYouKill.produce(EatWhatYouKill.java:140) at org.eclipse.jetty.util.thread.strategy.EatWhatYouKill.run(EatWhatYouKill.java:131) at org.eclipse.jetty.util.thread.ReservedThreadExecutor$ReservedThread.run(ReservedThreadExecutor.java:382) at org.eclipse.jetty.util.thread.QueuedThreadPool.runJob(QueuedThreadPool.java:708) at org.eclipse.jetty.util.thread.QueuedThreadPool$2.run(QueuedThreadPool.java:626) at java.lang.Thread.run(Thread.java:748) Caused by: org.xwiki.velocity.XWikiVelocityException: Failed to evaluate content with id [xwiki:ForumCode.ForumSheet] at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluate(DefaultVelocityEngine.java:227) at com.xpn.xwiki.render.DefaultVelocityManager.evaluate(DefaultVelocityManager.java:358) at org.xwiki.rendering.internal.macro.velocity.VelocityMacro.evaluateString(VelocityMacro.java:131) ... 167 more Caused by: org.apache.velocity.exception.MethodInvocationException: Invocation of method 'save' in class com.xpn.xwiki.api.Document threw exception com.xpn.xwiki.XWikiException: Error number 9001 in 9: Access denied in edit mode on document xwiki:Forums.Testf.WebPreferences at 121:xwiki:ForumCode.ForumSheet[line 775, column 39] at org.apache.velocity.runtime.parser.node.ASTMethod.handleInvocationException(ASTMethod.java:243) at org.apache.velocity.runtime.parser.node.ASTMethod.execute(ASTMethod.java:187) at org.apache.velocity.runtime.parser.node.ASTReference.execute(ASTReference.java:280) at org.apache.velocity.runtime.parser.node.ASTReference.value(ASTReference.java:567) at org.apache.velocity.runtime.parser.node.ASTExpression.value(ASTExpression.java:71) at org.apache.velocity.runtime.parser.node.ASTSetDirective.render(ASTSetDirective.java:142) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.directive.VelocimacroProxy.render(VelocimacroProxy.java:216) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:311) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:230) at org.apache.velocity.runtime.parser.node.ASTDirective.render(ASTDirective.java:207) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.parser.node.ASTIfStatement.render(ASTIfStatement.java:87) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.directive.VelocimacroProxy.render(VelocimacroProxy.java:216) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:311) at org.apache.velocity.runtime.directive.RuntimeMacro.render(RuntimeMacro.java:230) at org.apache.velocity.runtime.parser.node.ASTDirective.render(ASTDirective.java:207) at org.apache.velocity.runtime.parser.node.ASTBlock.render(ASTBlock.java:72) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.apache.velocity.runtime.parser.node.ASTIfStatement.render(ASTIfStatement.java:106) at org.apache.velocity.runtime.parser.node.SimpleNode.render(SimpleNode.java:342) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluateInternal(DefaultVelocityEngine.java:259) at org.xwiki.velocity.internal.DefaultVelocityEngine.evaluate(DefaultVelocityEngine.java:222) ... 169 more Caused by: com.xpn.xwiki.XWikiException: Error number 9001 in 9: Access denied in edit mode on document xwiki:Forums.Testf.WebPreferences at com.xpn.xwiki.api.Document.save(Document.java:2471) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.doInvoke(UberspectImpl.java:395) at org.apache.velocity.util.introspection.UberspectImpl$VelMethodImpl.invoke(UberspectImpl.java:384) at org.apache.velocity.runtime.parser.node.ASTMethod.execute(ASTMethod.java:173) ... 191 more```
non_defect
simple users can t add a forum steps to reproduce environment forum pro and xwiki versions and create a forum with the simple user the following error will be displayed after saving the new forum failed to execute the macro cause click on this message for details org xwiki rendering macro macroexecutionexception failed to evaluate velocity macro for content if xcontext action edit html clean false edittitle conversations titleerror services localization render conversations forum description html doc display description html clean false html else initforum doc space set statement from doc object forumcode topicclass as topic where doc space like space set topicsquery services query xwql statement set topicsquery topicsquery bindvalue space literal doc space anychars query set topics topicsquery execute set totaltopicstitle escapetool xml services localization render conversations forum tooltip totaltopics displayalertsmessages html clean false topics size html doc display description html clean false smalluseravatar doc creator xwiki getusername doc creator xwiki formatdate doc date topics size services localization render conversations topic count services localization render conversations topic all displayaddconversationbutton space topic services localization render conversations forum sorttopicsby displaytopicsortbutton date displaytopicsortbutton votes displaytopicsortbutton comments display topic list displaytopics html end set docextras at org xwiki rendering internal macro velocity velocitymacro evaluatestring velocitymacro java at org xwiki rendering internal macro velocity velocitymacro evaluatestring velocitymacro java at org xwiki rendering macro script abstractscriptmacro evaluateblock abstractscriptmacro java at org xwiki rendering macro script abstractscriptmacro execute abstractscriptmacro java at org xwiki rendering macro script abstractscriptmacro execute abstractscriptmacro java at org xwiki rendering internal transformation macro macrotransformation transform macrotransformation java at org xwiki rendering internal transformation defaultrenderingcontext transformincontext defaultrenderingcontext java at org xwiki rendering internal transformation defaulttransformationmanager performtransformations defaulttransformationmanager java at org xwiki display internal documentcontentdisplayer display documentcontentdisplayer java at org xwiki display internal documentcontentdisplayer display documentcontentdisplayer java at org xwiki display internal documentcontentdisplayer display documentcontentdisplayer java at org xwiki display internal defaultdocumentdisplayer display defaultdocumentdisplayer java at org xwiki display internal defaultdocumentdisplayer display defaultdocumentdisplayer java at org xwiki sheet internal sheetdocumentdisplayer display sheetdocumentdisplayer java at org xwiki sheet internal sheetdocumentdisplayer applysheet sheetdocumentdisplayer java at org xwiki sheet internal sheetdocumentdisplayer maybedisplaywithsheet sheetdocumentdisplayer java at org xwiki sheet internal sheetdocumentdisplayer display sheetdocumentdisplayer java at org xwiki sheet internal sheetdocumentdisplayer display sheetdocumentdisplayer java at org xwiki display internal configureddocumentdisplayer display configureddocumentdisplayer java at org xwiki display internal configureddocumentdisplayer display configureddocumentdisplayer java at com xpn xwiki doc xwikidocument display xwikidocument java at com xpn xwiki doc xwikidocument getrenderedcontent xwikidocument java at com xpn xwiki doc xwikidocument displaydocument xwikidocument java at com xpn xwiki doc xwikidocument displaydocument xwikidocument java at com xpn xwiki api document displaydocument document java at sun reflect invoke unknown source at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org apache velocity util introspection uberspectimpl velmethodimpl doinvoke uberspectimpl java at org apache velocity util introspection uberspectimpl velmethodimpl invoke uberspectimpl java at org apache velocity runtime parser node astmethod execute astmethod java at org apache velocity runtime parser node astreference execute astreference java at org apache velocity runtime parser node astreference value astreference java at org apache velocity runtime parser node astexpression value astexpression java at org apache velocity runtime parser node astsetdirective render astsetdirective java at org apache velocity runtime parser node astblock render astblock java at org apache velocity runtime parser node simplenode render simplenode java at org apache velocity runtime parser node astifstatement render astifstatement java at org apache velocity runtime parser node astblock render astblock java at org xwiki velocity introspection trycatchdirective render trycatchdirective java at org apache velocity runtime parser node astdirective render astdirective java at org apache velocity runtime parser node simplenode render simplenode java at org xwiki velocity internal defaultvelocityengine evaluateinternal defaultvelocityengine java at org xwiki velocity internal defaultvelocityengine evaluate defaultvelocityengine java at com xpn xwiki render defaultvelocitymanager evaluate defaultvelocitymanager java at com xpn xwiki internal template internaltemplatemanager evaluatecontent internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager render internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager lambda renderfromskin internaltemplatemanager java at com xpn xwiki internal security authorization defaultauthorexecutor call defaultauthorexecutor java at com xpn xwiki internal template internaltemplatemanager renderfromskin internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager renderfromskin internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager render internaltemplatemanager java at com xpn xwiki internal template defaulttemplatemanager render defaulttemplatemanager java at com xpn xwiki xwiki evaluatetemplate xwiki java at com xpn xwiki xwiki parsetemplate xwiki java at com xpn xwiki api xwiki parsetemplate xwiki java at sun reflect invoke unknown source at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org apache velocity util introspection uberspectimpl velmethodimpl doinvoke uberspectimpl java at org apache velocity util introspection uberspectimpl velmethodimpl invoke uberspectimpl java at org apache velocity runtime parser node astmethod execute astmethod java at org apache velocity runtime parser node astreference execute astreference java at org apache velocity runtime parser node astreference render astreference java at org apache velocity runtime parser node astblock render astblock java at org apache velocity runtime directive velocimacroproxy render velocimacroproxy java at org apache velocity runtime directive runtimemacro render runtimemacro java at org apache velocity runtime directive runtimemacro render runtimemacro java at org apache velocity runtime parser node astdirective render astdirective java at org apache velocity runtime parser node simplenode render simplenode java at org xwiki velocity internal defaultvelocityengine evaluateinternal defaultvelocityengine java at org xwiki velocity internal defaultvelocityengine evaluate defaultvelocityengine java at com xpn xwiki render defaultvelocitymanager evaluate defaultvelocitymanager java at com xpn xwiki internal template internaltemplatemanager evaluatecontent internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager render internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager lambda renderfromskin internaltemplatemanager java at com xpn xwiki internal security authorization defaultauthorexecutor call defaultauthorexecutor java at com xpn xwiki internal template internaltemplatemanager renderfromskin internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager renderfromskin internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager render internaltemplatemanager java at com xpn xwiki internal template defaulttemplatemanager render defaulttemplatemanager java at com xpn xwiki xwiki evaluatetemplate xwiki java at com xpn xwiki xwiki parsetemplate xwiki java at com xpn xwiki api xwiki parsetemplate xwiki java at sun reflect invoke unknown source at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org apache velocity util introspection uberspectimpl velmethodimpl doinvoke uberspectimpl java at org apache velocity util introspection uberspectimpl velmethodimpl invoke uberspectimpl java at org apache velocity runtime parser node astmethod execute astmethod java at org apache velocity runtime parser node astreference execute astreference java at org apache velocity runtime parser node astreference render astreference java at org apache velocity runtime parser node astblock render astblock java at org apache velocity runtime directive velocimacroproxy render velocimacroproxy java at org apache velocity runtime directive runtimemacro render runtimemacro java at org apache velocity runtime directive runtimemacro render runtimemacro java at org apache velocity runtime parser node astdirective render astdirective java at org apache velocity runtime parser node astblock render astblock java at org apache velocity runtime parser node astifstatement render astifstatement java at org apache velocity runtime parser node astblock render astblock java at org apache velocity runtime parser node simplenode render simplenode java at org apache velocity runtime parser node astifstatement render astifstatement java at org apache velocity runtime parser node simplenode render simplenode java at org xwiki velocity internal defaultvelocityengine evaluateinternal defaultvelocityengine java at org xwiki velocity internal defaultvelocityengine evaluate defaultvelocityengine java at com xpn xwiki render defaultvelocitymanager evaluate defaultvelocitymanager java at com xpn xwiki internal template internaltemplatemanager evaluatecontent internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager render internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager lambda renderfromskin internaltemplatemanager java at com xpn xwiki internal security authorization defaultauthorexecutor call defaultauthorexecutor java at com xpn xwiki internal template internaltemplatemanager renderfromskin internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager renderfromskin internaltemplatemanager java at com xpn xwiki internal template internaltemplatemanager render internaltemplatemanager java at com xpn xwiki internal template defaulttemplatemanager render defaulttemplatemanager java at com xpn xwiki xwiki evaluatetemplate xwiki java at com xpn xwiki web utils parsetemplate utils java at com xpn xwiki web xwikiaction execute xwikiaction java at com xpn xwiki web xwikiaction execute xwikiaction java at org apache struts action requestprocessor processactionperform requestprocessor java at org apache struts action requestprocessor process requestprocessor java at org apache struts action actionservlet process actionservlet java at org apache struts action actionservlet doget actionservlet java at javax servlet http httpservlet service httpservlet java at javax servlet http httpservlet service httpservlet java at org eclipse jetty servlet servletholder handle servletholder java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at com xpn xwiki web actionfilter dofilter actionfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at org xwiki wysiwyg filter conversionfilter dofilter conversionfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at org xwiki container servlet filters internal sethttpheaderfilter dofilter sethttpheaderfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at org xwiki container servlet filters internal savedrequestrestorerfilter dofilter savedrequestrestorerfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at org xwiki container servlet filters internal setcharacterencodingfilter dofilter setcharacterencodingfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at org xwiki resource servlet routingfilter dofilter routingfilter java at org eclipse jetty servlet servlethandler cachedchain dofilter servlethandler java at org eclipse jetty servlet servlethandler dohandle servlethandler java at org eclipse jetty server handler scopedhandler handle scopedhandler java at org eclipse jetty security securityhandler handle securityhandler java at org eclipse jetty server handler handlerwrapper handle handlerwrapper java at org eclipse jetty server handler scopedhandler nexthandle scopedhandler java at org eclipse jetty server session sessionhandler dohandle sessionhandler java at org eclipse jetty server handler scopedhandler nexthandle scopedhandler java at org eclipse jetty server handler contexthandler dohandle contexthandler java at org eclipse jetty server handler scopedhandler nextscope scopedhandler java at org eclipse jetty servlet servlethandler doscope servlethandler java at org eclipse jetty server session sessionhandler doscope sessionhandler java at org eclipse jetty server handler scopedhandler nextscope scopedhandler java at org eclipse jetty server handler contexthandler doscope contexthandler java at org eclipse jetty server handler scopedhandler handle scopedhandler java at org eclipse jetty server handler contexthandlercollection handle contexthandlercollection java at org eclipse jetty server handler handlercollection handle handlercollection java at org eclipse jetty server handler handlerwrapper handle handlerwrapper java at org eclipse jetty server server handle server java at org eclipse jetty server httpchannel handle httpchannel java at org eclipse jetty server httpconnection onfillable httpconnection java at org eclipse jetty io abstractconnection readcallback succeeded abstractconnection java at org eclipse jetty io fillinterest fillable fillinterest java at org eclipse jetty io channelendpoint run channelendpoint java at org eclipse jetty util thread strategy eatwhatyoukill doproduce eatwhatyoukill java at org eclipse jetty util thread strategy eatwhatyoukill produce eatwhatyoukill java at org eclipse jetty util thread strategy eatwhatyoukill run eatwhatyoukill java at org eclipse jetty util thread reservedthreadexecutor reservedthread run reservedthreadexecutor java at org eclipse jetty util thread queuedthreadpool runjob queuedthreadpool java at org eclipse jetty util thread queuedthreadpool run queuedthreadpool java at java lang thread run thread java caused by org xwiki velocity xwikivelocityexception failed to evaluate content with id at org xwiki velocity internal defaultvelocityengine evaluate defaultvelocityengine java at com xpn xwiki render defaultvelocitymanager evaluate defaultvelocitymanager java at org xwiki rendering internal macro velocity velocitymacro evaluatestring velocitymacro java more caused by org apache velocity exception methodinvocationexception invocation of method save in class com xpn xwiki api document threw exception com xpn xwiki xwikiexception error number in access denied in edit mode on document xwiki forums testf webpreferences at xwiki forumcode forumsheet at org apache velocity runtime parser node astmethod handleinvocationexception astmethod java at org apache velocity runtime parser node astmethod execute astmethod java at org apache velocity runtime parser node astreference execute astreference java at org apache velocity runtime parser node astreference value astreference java at org apache velocity runtime parser node astexpression value astexpression java at org apache velocity runtime parser node astsetdirective render astsetdirective java at org apache velocity runtime parser node astblock render astblock java at org apache velocity runtime directive velocimacroproxy render velocimacroproxy java at org apache velocity runtime directive runtimemacro render runtimemacro java at org apache velocity runtime directive runtimemacro render runtimemacro java at org apache velocity runtime parser node astdirective render astdirective java at org apache velocity runtime parser node astblock render astblock java at org apache velocity runtime parser node astifstatement render astifstatement java at org apache velocity runtime parser node astblock render astblock java at org apache velocity runtime directive velocimacroproxy render velocimacroproxy java at org apache velocity runtime directive runtimemacro render runtimemacro java at org apache velocity runtime directive runtimemacro render runtimemacro java at org apache velocity runtime parser node astdirective render astdirective java at org apache velocity runtime parser node astblock render astblock java at org apache velocity runtime parser node simplenode render simplenode java at org apache velocity runtime parser node astifstatement render astifstatement java at org apache velocity runtime parser node simplenode render simplenode java at org xwiki velocity internal defaultvelocityengine evaluateinternal defaultvelocityengine java at org xwiki velocity internal defaultvelocityengine evaluate defaultvelocityengine java more caused by com xpn xwiki xwikiexception error number in access denied in edit mode on document xwiki forums testf webpreferences at com xpn xwiki api document save document java at sun reflect nativemethodaccessorimpl native method at sun reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org apache velocity util introspection uberspectimpl velmethodimpl doinvoke uberspectimpl java at org apache velocity util introspection uberspectimpl velmethodimpl invoke uberspectimpl java at org apache velocity runtime parser node astmethod execute astmethod java more
0
1,344
2,603,838,436
IssuesEvent
2015-02-24 18:13:57
chrsmith/nishazi6
https://api.github.com/repos/chrsmith/nishazi6
opened
沈阳包皮内长肉疙瘩
auto-migrated Priority-Medium Type-Defect
``` 沈阳包皮内长肉疙瘩〓沈陽軍區政治部醫院性病〓TEL:024-3102 3308〓成立于1946年,68年專注于性傳播疾病的研究和治療。位� ��沈陽市沈河區二緯路32號。是一所與新中國同建立共輝煌的� ��史悠久、設備精良、技術權威、專家云集,是預防、保健、 醫療、科研康復為一體的綜合性醫院。是國家首批公立甲等�� �隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、東� ��大學等知名高等院校的教學醫院。曾被中國人民解放軍空軍 后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體二�� �功。 ``` ----- Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 7:02
1.0
沈阳包皮内长肉疙瘩 - ``` 沈阳包皮内长肉疙瘩〓沈陽軍區政治部醫院性病〓TEL:024-3102 3308〓成立于1946年,68年專注于性傳播疾病的研究和治療。位� ��沈陽市沈河區二緯路32號。是一所與新中國同建立共輝煌的� ��史悠久、設備精良、技術權威、專家云集,是預防、保健、 醫療、科研康復為一體的綜合性醫院。是國家首批公立甲等�� �隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、東� ��大學等知名高等院校的教學醫院。曾被中國人民解放軍空軍 后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體二�� �功。 ``` ----- Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 7:02
defect
沈阳包皮内长肉疙瘩 沈阳包皮内长肉疙瘩〓沈陽軍區政治部醫院性病〓tel: 〓 , 。位� �� 。是一所與新中國同建立共輝煌的� ��史悠久、設備精良、技術權威、專家云集,是預防、保健、 醫療、科研康復為一體的綜合性醫院。是國家首批公立甲等�� �隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、東� ��大學等知名高等院校的教學醫院。曾被中國人民解放軍空軍 后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體二�� �功。 original issue reported on code google com by gmail com on jun at
1
25,083
4,194,604,512
IssuesEvent
2016-06-25 05:55:22
extnet/Ext.NET
https://api.github.com/repos/extnet/Ext.NET
opened
GridPanel's Ext.Net.GridView enableTextSelection setting does not work at all
4.x defect review-after-extjs-upgrade sencha
This was reported in this thread: [GridView EnableTextSelection no works](http://forums.ext.net/showthread.php?61240) Related ExtJS Issue: [(classic) enableTextSelection not working in ExtJS 6.0.2 nightlies](https://www.sencha.com/forum/showthread.php?308143) The user didn't provide a test case, so here it is: ```xml <%@ Page Language="C#" %> <script runat="server"> protected void Page_Load(object sender, EventArgs e) { if (!X.IsAjaxRequest) { this.Store1.DataSource = this.Data; } } private object[] Data { get { return new object[] { new object[] { "3m Co", 71.72, 0.02, 0.03, "9/1 12:00am" }, new object[] { "Alcoa Inc", 29.01, 0.42, 1.47, "9/1 12:00am" }, new object[] { "Altria Group Inc", 83.81, 0.28, 0.34, "9/1 12:00am" }, new object[] { "American Express Company", 52.55, 0.01, 0.02, "9/1 12:00am" }, new object[] { "American International Group, Inc.", 64.13, 0.31, 0.49, "9/1 12:00am" } }; } } </script> <!DOCTYPE html> <html> <head runat="server"> <title>Simple Array Grid - Ext.NET Examples</title> <link href="/resources/css/examples.css" rel="stylesheet" /> <style> .x-grid-row-over .x-grid-cell-inner { font-weight : bold; } </style> <script> var template = '<span style="color:{0};">{1}</span>'; var change = function (value) { return Ext.String.format(template, (value > 0) ? "green" : "red", value); }; var pctChange = function (value) { return Ext.String.format(template, (value > 0) ? "green" : "red", value + "%"); }; </script> </head> <body> <ext:ResourceManager runat="server" /> <h1>Simple Array Grid</h1> <ext:GridPanel ID="GridPanel1" runat="server" Title="Array Grid" Width="700" Height="350"> <Store> <ext:Store ID="Store1" runat="server"> <Model> <ext:Model runat="server"> <Fields> <ext:ModelField Name="company" /> <ext:ModelField Name="price" Type="Float" /> <ext:ModelField Name="change" Type="Float" /> <ext:ModelField Name="pctChange" Type="Float" /> <ext:ModelField Name="lastChange" Type="Date" DateFormat="M/d hh:mmtt" /> </Fields> </ext:Model> </Model> </ext:Store> </Store> <ColumnModel> <Columns> <ext:Column runat="server" Text="Company" DataIndex="company" Flex="1" /> <ext:Column runat="server" Text="Price" DataIndex="price"> <Renderer Format="UsMoney" /> </ext:Column> <ext:Column runat="server" Text="Change" DataIndex="change"> <Renderer Fn="change" /> </ext:Column> <ext:Column runat="server" Text="Change" DataIndex="pctChange"> <Renderer Fn="pctChange" /> </ext:Column> <ext:DateColumn runat="server" Text="Last Updated" DataIndex="lastChange" Width="120" /> </Columns> </ColumnModel> <ViewConfig EnableTextSelection="true" /> <BottomBar> <ext:Toolbar runat="server"> <Items> <ext:Button runat="server" Text="Print" Icon="Printer" Handler="this.up('grid').print();" /> </Items> </ext:Toolbar> </BottomBar> </ext:GridPanel> </body> </html> ``` In current ExtJS release, the option does not enable mouse-drag-selecting text in grid panels when the view's option `enableTextSelection` is `true`. And this override "works around" the problem (provided in [Sencha thread's post #4](https://www.sencha.com/forum/showthread.php?308143&p=1133290#post1133290)): ```javascript Ext.define('ExtOverrides.grid.NavigationModel', { override: 'Ext.grid.NavigationModel', onCellMouseDown: function(view, cell, cellIndex, record, row, recordIndex, mousedownEvent) { var targetComponent = Ext.Component.fromElement(mousedownEvent.target, cell), ac; if (view.actionableMode && (mousedownEvent.getTarget(null, null, true).isTabbable() || ((ac = Ext.ComponentManager.getActiveComponent()) && ac.owns(mousedownEvent)))) { return; } if (mousedownEvent.pointerType !== 'touch') { // mousedownEvent.preventDefault(); // commented for text selection this.setPosition(mousedownEvent.position, null, mousedownEvent); } if (targetComponent && targetComponent.isFocusable && targetComponent.isFocusable()) { view.setActionableMode(true, mousedownEvent.position); targetComponent.focus(); } } }); ```
1.0
GridPanel's Ext.Net.GridView enableTextSelection setting does not work at all - This was reported in this thread: [GridView EnableTextSelection no works](http://forums.ext.net/showthread.php?61240) Related ExtJS Issue: [(classic) enableTextSelection not working in ExtJS 6.0.2 nightlies](https://www.sencha.com/forum/showthread.php?308143) The user didn't provide a test case, so here it is: ```xml <%@ Page Language="C#" %> <script runat="server"> protected void Page_Load(object sender, EventArgs e) { if (!X.IsAjaxRequest) { this.Store1.DataSource = this.Data; } } private object[] Data { get { return new object[] { new object[] { "3m Co", 71.72, 0.02, 0.03, "9/1 12:00am" }, new object[] { "Alcoa Inc", 29.01, 0.42, 1.47, "9/1 12:00am" }, new object[] { "Altria Group Inc", 83.81, 0.28, 0.34, "9/1 12:00am" }, new object[] { "American Express Company", 52.55, 0.01, 0.02, "9/1 12:00am" }, new object[] { "American International Group, Inc.", 64.13, 0.31, 0.49, "9/1 12:00am" } }; } } </script> <!DOCTYPE html> <html> <head runat="server"> <title>Simple Array Grid - Ext.NET Examples</title> <link href="/resources/css/examples.css" rel="stylesheet" /> <style> .x-grid-row-over .x-grid-cell-inner { font-weight : bold; } </style> <script> var template = '<span style="color:{0};">{1}</span>'; var change = function (value) { return Ext.String.format(template, (value > 0) ? "green" : "red", value); }; var pctChange = function (value) { return Ext.String.format(template, (value > 0) ? "green" : "red", value + "%"); }; </script> </head> <body> <ext:ResourceManager runat="server" /> <h1>Simple Array Grid</h1> <ext:GridPanel ID="GridPanel1" runat="server" Title="Array Grid" Width="700" Height="350"> <Store> <ext:Store ID="Store1" runat="server"> <Model> <ext:Model runat="server"> <Fields> <ext:ModelField Name="company" /> <ext:ModelField Name="price" Type="Float" /> <ext:ModelField Name="change" Type="Float" /> <ext:ModelField Name="pctChange" Type="Float" /> <ext:ModelField Name="lastChange" Type="Date" DateFormat="M/d hh:mmtt" /> </Fields> </ext:Model> </Model> </ext:Store> </Store> <ColumnModel> <Columns> <ext:Column runat="server" Text="Company" DataIndex="company" Flex="1" /> <ext:Column runat="server" Text="Price" DataIndex="price"> <Renderer Format="UsMoney" /> </ext:Column> <ext:Column runat="server" Text="Change" DataIndex="change"> <Renderer Fn="change" /> </ext:Column> <ext:Column runat="server" Text="Change" DataIndex="pctChange"> <Renderer Fn="pctChange" /> </ext:Column> <ext:DateColumn runat="server" Text="Last Updated" DataIndex="lastChange" Width="120" /> </Columns> </ColumnModel> <ViewConfig EnableTextSelection="true" /> <BottomBar> <ext:Toolbar runat="server"> <Items> <ext:Button runat="server" Text="Print" Icon="Printer" Handler="this.up('grid').print();" /> </Items> </ext:Toolbar> </BottomBar> </ext:GridPanel> </body> </html> ``` In current ExtJS release, the option does not enable mouse-drag-selecting text in grid panels when the view's option `enableTextSelection` is `true`. And this override "works around" the problem (provided in [Sencha thread's post #4](https://www.sencha.com/forum/showthread.php?308143&p=1133290#post1133290)): ```javascript Ext.define('ExtOverrides.grid.NavigationModel', { override: 'Ext.grid.NavigationModel', onCellMouseDown: function(view, cell, cellIndex, record, row, recordIndex, mousedownEvent) { var targetComponent = Ext.Component.fromElement(mousedownEvent.target, cell), ac; if (view.actionableMode && (mousedownEvent.getTarget(null, null, true).isTabbable() || ((ac = Ext.ComponentManager.getActiveComponent()) && ac.owns(mousedownEvent)))) { return; } if (mousedownEvent.pointerType !== 'touch') { // mousedownEvent.preventDefault(); // commented for text selection this.setPosition(mousedownEvent.position, null, mousedownEvent); } if (targetComponent && targetComponent.isFocusable && targetComponent.isFocusable()) { view.setActionableMode(true, mousedownEvent.position); targetComponent.focus(); } } }); ```
defect
gridpanel s ext net gridview enabletextselection setting does not work at all this was reported in this thread related extjs issue the user didn t provide a test case so here it is xml protected void page load object sender eventargs e if x isajaxrequest this datasource this data private object data get return new object new object co new object alcoa inc new object altria group inc new object american express company new object american international group inc simple array grid ext net examples x grid row over x grid cell inner font weight bold var template var change function value return ext string format template value green red value var pctchange function value return ext string format template value green red value simple array grid ext gridpanel id runat server title array grid width height in current extjs release the option does not enable mouse drag selecting text in grid panels when the view s option enabletextselection is true and this override works around the problem provided in javascript ext define extoverrides grid navigationmodel override ext grid navigationmodel oncellmousedown function view cell cellindex record row recordindex mousedownevent var targetcomponent ext component fromelement mousedownevent target cell ac if view actionablemode mousedownevent gettarget null null true istabbable ac ext componentmanager getactivecomponent ac owns mousedownevent return if mousedownevent pointertype touch mousedownevent preventdefault commented for text selection this setposition mousedownevent position null mousedownevent if targetcomponent targetcomponent isfocusable targetcomponent isfocusable view setactionablemode true mousedownevent position targetcomponent focus
1
18,914
3,098,645,812
IssuesEvent
2015-08-28 12:33:42
jokeane/bjspell
https://api.github.com/repos/jokeane/bjspell
closed
Generazione file dizionario
auto-migrated Priority-Medium Type-Defect
``` Salve, ho trovato questa libreria e mi interesserebbe provarla con un dizionario italiano, però non mi è chiaro come generarlo a partire dai file dict e affix. Simone ``` Original issue reported on code.google.com by `quattord...@gmail.com` on 15 Oct 2012 at 6:38
1.0
Generazione file dizionario - ``` Salve, ho trovato questa libreria e mi interesserebbe provarla con un dizionario italiano, però non mi è chiaro come generarlo a partire dai file dict e affix. Simone ``` Original issue reported on code.google.com by `quattord...@gmail.com` on 15 Oct 2012 at 6:38
defect
generazione file dizionario salve ho trovato questa libreria e mi interesserebbe provarla con un dizionario italiano però non mi è chiaro come generarlo a partire dai file dict e affix simone original issue reported on code google com by quattord gmail com on oct at
1
30,489
13,249,608,296
IssuesEvent
2020-08-19 21:07:23
angular/angular
https://api.github.com/repos/angular/angular
closed
Ivy LS: API to access the component template
comp: compiler comp: language-service type: feature
For some of the `TemplateTypeChecker` APIs, it'll be necessary for the language service to use the "real" parsed template nodes, not just nodes independently parsed from the same template. That's because internally, the `TemplateTypeChecker` may need to look up information about the node in maps that are keyed on the node instance.
1.0
Ivy LS: API to access the component template - For some of the `TemplateTypeChecker` APIs, it'll be necessary for the language service to use the "real" parsed template nodes, not just nodes independently parsed from the same template. That's because internally, the `TemplateTypeChecker` may need to look up information about the node in maps that are keyed on the node instance.
non_defect
ivy ls api to access the component template for some of the templatetypechecker apis it ll be necessary for the language service to use the real parsed template nodes not just nodes independently parsed from the same template that s because internally the templatetypechecker may need to look up information about the node in maps that are keyed on the node instance
0
47,717
13,248,511,080
IssuesEvent
2020-08-19 19:06:13
kenferrara/cbp-theme
https://api.github.com/repos/kenferrara/cbp-theme
opened
CVE-2018-19838 (Medium) detected in multiple libraries
security vulnerability
## CVE-2018-19838 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>node-sass-4.11.0.tgz</b>, <b>node-sass-4.14.1.tgz</b></p></summary> <p> <details><summary><b>node-sass-4.11.0.tgz</b></p></summary> <p>Wrapper around libsass</p> <p>Library home page: <a href="https://registry.npmjs.org/node-sass/-/node-sass-4.11.0.tgz">https://registry.npmjs.org/node-sass/-/node-sass-4.11.0.tgz</a></p> <p>Path to dependency file: /tmp/ws-scm/cbp-theme/cbp-theme/package.json</p> <p>Path to vulnerable library: /cbp-theme/cbp-theme/node_modules/node-sass/package.json</p> <p> Dependency Hierarchy: - :x: **node-sass-4.11.0.tgz** (Vulnerable Library) </details> <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: /tmp/ws-scm/cbp-theme/ds-ux-guidelines/package.json</p> <p>Path to vulnerable library: /cbp-theme/ds-ux-guidelines/node_modules/node-sass/package.json,/cbp-theme/ds-ux-guidelines/node_modules/node-sass/package.json</p> <p> Dependency Hierarchy: - :x: **node-sass-4.14.1.tgz** (Vulnerable Library) </details> <p>Found in HEAD commit: <a href="https://github.com/kenferrara/cbp-theme/commit/00f1482f5efa0120a277f069fffcee0de8e6adec">00f1482f5efa0120a277f069fffcee0de8e6adec</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> In LibSass prior to 3.5.5, functions inside ast.cpp for IMPLEMENT_AST_OPERATORS expansion allow attackers to cause a denial-of-service resulting from stack consumption via a crafted sass file, as demonstrated by recursive calls involving clone(), cloneChildren(), and copy(). <p>Publish Date: 2018-12-04 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2018-19838>CVE-2018-19838</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://github.com/sass/libsass/blob/3.6.0/src/ast.cpp">https://github.com/sass/libsass/blob/3.6.0/src/ast.cpp</a></p> <p>Release Date: 2019-07-01</p> <p>Fix Resolution: LibSass - 3.6.0</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"node-sass","packageVersion":"4.11.0","isTransitiveDependency":false,"dependencyTree":"node-sass:4.11.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"LibSass - 3.6.0"},{"packageType":"javascript/Node.js","packageName":"node-sass","packageVersion":"4.14.1","isTransitiveDependency":false,"dependencyTree":"node-sass:4.14.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"LibSass - 3.6.0"}],"vulnerabilityIdentifier":"CVE-2018-19838","vulnerabilityDetails":"In LibSass prior to 3.5.5, functions inside ast.cpp for IMPLEMENT_AST_OPERATORS expansion allow attackers to cause a denial-of-service resulting from stack consumption via a crafted sass file, as demonstrated by recursive calls involving clone(), cloneChildren(), and copy().","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2018-19838","cvss3Severity":"medium","cvss3Score":"6.5","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"Required","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> -->
True
CVE-2018-19838 (Medium) detected in multiple libraries - ## CVE-2018-19838 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>node-sass-4.11.0.tgz</b>, <b>node-sass-4.14.1.tgz</b></p></summary> <p> <details><summary><b>node-sass-4.11.0.tgz</b></p></summary> <p>Wrapper around libsass</p> <p>Library home page: <a href="https://registry.npmjs.org/node-sass/-/node-sass-4.11.0.tgz">https://registry.npmjs.org/node-sass/-/node-sass-4.11.0.tgz</a></p> <p>Path to dependency file: /tmp/ws-scm/cbp-theme/cbp-theme/package.json</p> <p>Path to vulnerable library: /cbp-theme/cbp-theme/node_modules/node-sass/package.json</p> <p> Dependency Hierarchy: - :x: **node-sass-4.11.0.tgz** (Vulnerable Library) </details> <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: /tmp/ws-scm/cbp-theme/ds-ux-guidelines/package.json</p> <p>Path to vulnerable library: /cbp-theme/ds-ux-guidelines/node_modules/node-sass/package.json,/cbp-theme/ds-ux-guidelines/node_modules/node-sass/package.json</p> <p> Dependency Hierarchy: - :x: **node-sass-4.14.1.tgz** (Vulnerable Library) </details> <p>Found in HEAD commit: <a href="https://github.com/kenferrara/cbp-theme/commit/00f1482f5efa0120a277f069fffcee0de8e6adec">00f1482f5efa0120a277f069fffcee0de8e6adec</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> In LibSass prior to 3.5.5, functions inside ast.cpp for IMPLEMENT_AST_OPERATORS expansion allow attackers to cause a denial-of-service resulting from stack consumption via a crafted sass file, as demonstrated by recursive calls involving clone(), cloneChildren(), and copy(). <p>Publish Date: 2018-12-04 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2018-19838>CVE-2018-19838</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://github.com/sass/libsass/blob/3.6.0/src/ast.cpp">https://github.com/sass/libsass/blob/3.6.0/src/ast.cpp</a></p> <p>Release Date: 2019-07-01</p> <p>Fix Resolution: LibSass - 3.6.0</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"node-sass","packageVersion":"4.11.0","isTransitiveDependency":false,"dependencyTree":"node-sass:4.11.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"LibSass - 3.6.0"},{"packageType":"javascript/Node.js","packageName":"node-sass","packageVersion":"4.14.1","isTransitiveDependency":false,"dependencyTree":"node-sass:4.14.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"LibSass - 3.6.0"}],"vulnerabilityIdentifier":"CVE-2018-19838","vulnerabilityDetails":"In LibSass prior to 3.5.5, functions inside ast.cpp for IMPLEMENT_AST_OPERATORS expansion allow attackers to cause a denial-of-service resulting from stack consumption via a crafted sass file, as demonstrated by recursive calls involving clone(), cloneChildren(), and copy().","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2018-19838","cvss3Severity":"medium","cvss3Score":"6.5","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"Required","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> -->
non_defect
cve medium detected in multiple libraries cve medium severity vulnerability vulnerable libraries node sass tgz node sass tgz node sass tgz wrapper around libsass library home page a href path to dependency file tmp ws scm cbp theme cbp theme package json path to vulnerable library cbp theme cbp theme node modules node sass package json dependency hierarchy x node sass tgz vulnerable library node sass tgz wrapper around libsass library home page a href path to dependency file tmp ws scm cbp theme ds ux guidelines package json path to vulnerable library cbp theme ds ux guidelines node modules node sass package json cbp theme ds ux guidelines node modules node sass package json dependency hierarchy x node sass tgz vulnerable library found in head commit a href vulnerability details in libsass prior to functions inside ast cpp for implement ast operators expansion allow attackers to cause a denial of service resulting from stack consumption via a crafted sass file as demonstrated by recursive calls involving clone clonechildren and copy 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 isopenpronvulnerability true ispackagebased true isdefaultbranch true packages vulnerabilityidentifier cve vulnerabilitydetails in libsass prior to functions inside ast cpp for implement ast operators expansion allow attackers to cause a denial of service resulting from stack consumption via a crafted sass file as demonstrated by recursive calls involving clone clonechildren and copy vulnerabilityurl
0
391,101
26,880,463,042
IssuesEvent
2023-02-05 15:20:44
DucAnh2611/CongNghePhanMem_K2_N2_2022
https://api.github.com/repos/DucAnh2611/CongNghePhanMem_K2_N2_2022
closed
Cài đặt, upload file server trên nền NODEJS
documentation
Yêu cầu người nhận issue: 1. Yêu cầu cấu trúc file: Instagram |-- Pages | |-- Các file html của các trang (instagram, login, ...) | |-- Enviroment: Lưu trữ tài nguyên của server | | |-- Các ảnh | | |-- CSS | | |-- SCRIPT |-- db | |-- Các file DATABASE (instagram, login, ...) | |-- File khác> |-- node_moddule |-- Các file khác: json, .... (*Lưu ý file khởi chạy server.js sẽ nằm ở trong mục Instagram và không nằm trong Folder nào bên trên.) 2. Tạo các file hỗ trợ, module, upload file liên quan tới khởi tạo, chạy server trên nền Nodejs. 3. Tạo cơ sở dữ liệu: Nằm trong hệ thống file của server. Thông tin thêm về Cấu trúc các file hoặc cần hỗ trợ liên hệ qua email: Ducanhmc24@gmail.com. Cảm ơn, Đức Anh
1.0
Cài đặt, upload file server trên nền NODEJS - Yêu cầu người nhận issue: 1. Yêu cầu cấu trúc file: Instagram |-- Pages | |-- Các file html của các trang (instagram, login, ...) | |-- Enviroment: Lưu trữ tài nguyên của server | | |-- Các ảnh | | |-- CSS | | |-- SCRIPT |-- db | |-- Các file DATABASE (instagram, login, ...) | |-- File khác> |-- node_moddule |-- Các file khác: json, .... (*Lưu ý file khởi chạy server.js sẽ nằm ở trong mục Instagram và không nằm trong Folder nào bên trên.) 2. Tạo các file hỗ trợ, module, upload file liên quan tới khởi tạo, chạy server trên nền Nodejs. 3. Tạo cơ sở dữ liệu: Nằm trong hệ thống file của server. Thông tin thêm về Cấu trúc các file hoặc cần hỗ trợ liên hệ qua email: Ducanhmc24@gmail.com. Cảm ơn, Đức Anh
non_defect
cài đặt upload file server trên nền nodejs yêu cầu người nhận issue yêu cầu cấu trúc file instagram pages các file html của các trang instagram login enviroment lưu trữ tài nguyên của server các ảnh css script db các file database instagram login file khác node moddule các file khác json lưu ý file khởi chạy server js sẽ nằm ở trong mục instagram và không nằm trong folder nào bên trên tạo các file hỗ trợ module upload file liên quan tới khởi tạo chạy server trên nền nodejs tạo cơ sở dữ liệu nằm trong hệ thống file của server thông tin thêm về cấu trúc các file hoặc cần hỗ trợ liên hệ qua email gmail com cảm ơn đức anh
0
19,207
3,154,874,523
IssuesEvent
2015-09-17 03:44:32
WildBamaBoy/spider-queen
https://api.github.com/repos/WildBamaBoy/spider-queen
closed
Friendly Mandragora may follow the spider rod instead of being immobile.
defect pending-merge
Saw a video where a Mandragor had grown on the ground and was later seen next to the spider rod. Make sure it's not following the rod.
1.0
Friendly Mandragora may follow the spider rod instead of being immobile. - Saw a video where a Mandragor had grown on the ground and was later seen next to the spider rod. Make sure it's not following the rod.
defect
friendly mandragora may follow the spider rod instead of being immobile saw a video where a mandragor had grown on the ground and was later seen next to the spider rod make sure it s not following the rod
1
48,678
13,184,716,502
IssuesEvent
2020-08-12 19:57:52
icecube-trac/tix3
https://api.github.com/repos/icecube-trac/tix3
opened
I3Db needed in release (Trac #46)
Incomplete Migration Migrated from Trac defect offline-software
<details> <summary>_Migrated from https://code.icecube.wisc.edu/ticket/46 , reported by blaufuss and owned by _</summary> <p> ```json { "status": "closed", "changetime": "2007-11-11T03:51:18", "description": "Latest I3Db needs to be in the release (will be used in the JEB online)", "reporter": "blaufuss", "cc": "", "resolution": "fixed", "_ts": "1194753078000000", "component": "offline-software", "summary": "I3Db needed in release", "priority": "normal", "keywords": "", "time": "2007-06-06T01:50:37", "milestone": "", "owner": "", "type": "defect" } ``` </p> </details>
1.0
I3Db needed in release (Trac #46) - <details> <summary>_Migrated from https://code.icecube.wisc.edu/ticket/46 , reported by blaufuss and owned by _</summary> <p> ```json { "status": "closed", "changetime": "2007-11-11T03:51:18", "description": "Latest I3Db needs to be in the release (will be used in the JEB online)", "reporter": "blaufuss", "cc": "", "resolution": "fixed", "_ts": "1194753078000000", "component": "offline-software", "summary": "I3Db needed in release", "priority": "normal", "keywords": "", "time": "2007-06-06T01:50:37", "milestone": "", "owner": "", "type": "defect" } ``` </p> </details>
defect
needed in release trac migrated from reported by blaufuss and owned by json status closed changetime description latest needs to be in the release will be used in the jeb online reporter blaufuss cc resolution fixed ts component offline software summary needed in release priority normal keywords time milestone owner type defect
1
238,790
26,157,221,912
IssuesEvent
2022-12-31 01:18:11
samq-democorp/GMQ-Java-Remediate
https://api.github.com/repos/samq-democorp/GMQ-Java-Remediate
closed
jsoup-1.11.3.jar: 2 vulnerabilities (highest severity is: 7.5) - autoclosed
security vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jsoup-1.11.3.jar</b></p></summary> <p>jsoup is a Java library for working with real-world HTML. It provides a very convenient API for extracting and manipulating data, using the best of DOM, CSS, and jquery-like methods. jsoup implements the WHATWG HTML5 specification, and parses HTML to the same DOM as modern browsers do.</p> <p>Path to dependency file: /webgoat-integration-tests/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar</p> <p> <p>Found in HEAD commit: <a href="https://github.com/samq-democorp/GMQ-Java-Remediate/commit/d0435dc9a00decfee2fd4ceeb797e850cd33fad5">d0435dc9a00decfee2fd4ceeb797e850cd33fad5</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (jsoup version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2021-37714](https://www.mend.io/vulnerability-database/CVE-2021-37714) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 7.5 | jsoup-1.11.3.jar | Direct | 1.14.2 | &#9989; | | [CVE-2022-36033](https://www.mend.io/vulnerability-database/CVE-2022-36033) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.1 | jsoup-1.11.3.jar | Direct | 1.15.3 | &#9989; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> CVE-2021-37714</summary> ### Vulnerable Library - <b>jsoup-1.11.3.jar</b></p> <p>jsoup is a Java library for working with real-world HTML. It provides a very convenient API for extracting and manipulating data, using the best of DOM, CSS, and jquery-like methods. jsoup implements the WHATWG HTML5 specification, and parses HTML to the same DOM as modern browsers do.</p> <p>Path to dependency file: /webgoat-integration-tests/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar</p> <p> Dependency Hierarchy: - :x: **jsoup-1.11.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/samq-democorp/GMQ-Java-Remediate/commit/d0435dc9a00decfee2fd4ceeb797e850cd33fad5">d0435dc9a00decfee2fd4ceeb797e850cd33fad5</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> jsoup is a Java library for working with HTML. Those using jsoup versions prior to 1.14.2 to parse untrusted HTML or XML may be vulnerable to DOS attacks. If the parser is run on user supplied input, an attacker may supply content that causes the parser to get stuck (loop indefinitely until cancelled), to complete more slowly than usual, or to throw an unexpected exception. This effect may support a denial of service attack. The issue is patched in version 1.14.2. There are a few available workarounds. Users may rate limit input parsing, limit the size of inputs based on system resources, and/or implement thread watchdogs to cap and timeout parse runtimes. <p>Publish Date: 2021-08-18 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-37714>CVE-2021-37714</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>7.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: 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> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://jsoup.org/news/release-1.14.2">https://jsoup.org/news/release-1.14.2</a></p> <p>Release Date: 2021-08-18</p> <p>Fix Resolution: 1.14.2</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2022-36033</summary> ### Vulnerable Library - <b>jsoup-1.11.3.jar</b></p> <p>jsoup is a Java library for working with real-world HTML. It provides a very convenient API for extracting and manipulating data, using the best of DOM, CSS, and jquery-like methods. jsoup implements the WHATWG HTML5 specification, and parses HTML to the same DOM as modern browsers do.</p> <p>Path to dependency file: /webgoat-integration-tests/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar</p> <p> Dependency Hierarchy: - :x: **jsoup-1.11.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/samq-democorp/GMQ-Java-Remediate/commit/d0435dc9a00decfee2fd4ceeb797e850cd33fad5">d0435dc9a00decfee2fd4ceeb797e850cd33fad5</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> jsoup is a Java HTML parser, built for HTML editing, cleaning, scraping, and cross-site scripting (XSS) safety. jsoup may incorrectly sanitize HTML including `javascript:` URL expressions, which could allow XSS attacks when a reader subsequently clicks that link. If the non-default `SafeList.preserveRelativeLinks` option is enabled, HTML including `javascript:` URLs that have been crafted with control characters will not be sanitized. If the site that this HTML is published on does not set a Content Security Policy, an XSS attack is then possible. This issue is patched in jsoup 1.15.3. Users should upgrade to this version. Additionally, as the unsanitized input may have been persisted, old content should be cleaned again using the updated version. To remediate this issue without immediately upgrading: - disable `SafeList.preserveRelativeLinks`, which will rewrite input URLs as absolute URLs - ensure an appropriate [Content Security Policy](https://developer.mozilla.org/en-US/docs/Web/HTTP/CSP) is defined. (This should be used regardless of upgrading, as a defence-in-depth best practice.) <p>Publish Date: 2022-08-29 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-36033>CVE-2022-36033</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <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> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/jhy/jsoup/security/advisories/GHSA-gp7f-rwcx-9369">https://github.com/jhy/jsoup/security/advisories/GHSA-gp7f-rwcx-9369</a></p> <p>Release Date: 2022-08-29</p> <p>Fix Resolution: 1.15.3</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details> *** <p>:rescue_worker_helmet: Automatic Remediation is available for this issue.</p>
True
jsoup-1.11.3.jar: 2 vulnerabilities (highest severity is: 7.5) - autoclosed - <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jsoup-1.11.3.jar</b></p></summary> <p>jsoup is a Java library for working with real-world HTML. It provides a very convenient API for extracting and manipulating data, using the best of DOM, CSS, and jquery-like methods. jsoup implements the WHATWG HTML5 specification, and parses HTML to the same DOM as modern browsers do.</p> <p>Path to dependency file: /webgoat-integration-tests/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar</p> <p> <p>Found in HEAD commit: <a href="https://github.com/samq-democorp/GMQ-Java-Remediate/commit/d0435dc9a00decfee2fd4ceeb797e850cd33fad5">d0435dc9a00decfee2fd4ceeb797e850cd33fad5</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (jsoup version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2021-37714](https://www.mend.io/vulnerability-database/CVE-2021-37714) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 7.5 | jsoup-1.11.3.jar | Direct | 1.14.2 | &#9989; | | [CVE-2022-36033](https://www.mend.io/vulnerability-database/CVE-2022-36033) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.1 | jsoup-1.11.3.jar | Direct | 1.15.3 | &#9989; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> CVE-2021-37714</summary> ### Vulnerable Library - <b>jsoup-1.11.3.jar</b></p> <p>jsoup is a Java library for working with real-world HTML. It provides a very convenient API for extracting and manipulating data, using the best of DOM, CSS, and jquery-like methods. jsoup implements the WHATWG HTML5 specification, and parses HTML to the same DOM as modern browsers do.</p> <p>Path to dependency file: /webgoat-integration-tests/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar</p> <p> Dependency Hierarchy: - :x: **jsoup-1.11.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/samq-democorp/GMQ-Java-Remediate/commit/d0435dc9a00decfee2fd4ceeb797e850cd33fad5">d0435dc9a00decfee2fd4ceeb797e850cd33fad5</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> jsoup is a Java library for working with HTML. Those using jsoup versions prior to 1.14.2 to parse untrusted HTML or XML may be vulnerable to DOS attacks. If the parser is run on user supplied input, an attacker may supply content that causes the parser to get stuck (loop indefinitely until cancelled), to complete more slowly than usual, or to throw an unexpected exception. This effect may support a denial of service attack. The issue is patched in version 1.14.2. There are a few available workarounds. Users may rate limit input parsing, limit the size of inputs based on system resources, and/or implement thread watchdogs to cap and timeout parse runtimes. <p>Publish Date: 2021-08-18 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-37714>CVE-2021-37714</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>7.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: 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> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://jsoup.org/news/release-1.14.2">https://jsoup.org/news/release-1.14.2</a></p> <p>Release Date: 2021-08-18</p> <p>Fix Resolution: 1.14.2</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2022-36033</summary> ### Vulnerable Library - <b>jsoup-1.11.3.jar</b></p> <p>jsoup is a Java library for working with real-world HTML. It provides a very convenient API for extracting and manipulating data, using the best of DOM, CSS, and jquery-like methods. jsoup implements the WHATWG HTML5 specification, and parses HTML to the same DOM as modern browsers do.</p> <p>Path to dependency file: /webgoat-integration-tests/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar,/home/wss-scanner/.m2/repository/org/jsoup/jsoup/1.11.3/jsoup-1.11.3.jar</p> <p> Dependency Hierarchy: - :x: **jsoup-1.11.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/samq-democorp/GMQ-Java-Remediate/commit/d0435dc9a00decfee2fd4ceeb797e850cd33fad5">d0435dc9a00decfee2fd4ceeb797e850cd33fad5</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> jsoup is a Java HTML parser, built for HTML editing, cleaning, scraping, and cross-site scripting (XSS) safety. jsoup may incorrectly sanitize HTML including `javascript:` URL expressions, which could allow XSS attacks when a reader subsequently clicks that link. If the non-default `SafeList.preserveRelativeLinks` option is enabled, HTML including `javascript:` URLs that have been crafted with control characters will not be sanitized. If the site that this HTML is published on does not set a Content Security Policy, an XSS attack is then possible. This issue is patched in jsoup 1.15.3. Users should upgrade to this version. Additionally, as the unsanitized input may have been persisted, old content should be cleaned again using the updated version. To remediate this issue without immediately upgrading: - disable `SafeList.preserveRelativeLinks`, which will rewrite input URLs as absolute URLs - ensure an appropriate [Content Security Policy](https://developer.mozilla.org/en-US/docs/Web/HTTP/CSP) is defined. (This should be used regardless of upgrading, as a defence-in-depth best practice.) <p>Publish Date: 2022-08-29 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-36033>CVE-2022-36033</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <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> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/jhy/jsoup/security/advisories/GHSA-gp7f-rwcx-9369">https://github.com/jhy/jsoup/security/advisories/GHSA-gp7f-rwcx-9369</a></p> <p>Release Date: 2022-08-29</p> <p>Fix Resolution: 1.15.3</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details> *** <p>:rescue_worker_helmet: Automatic Remediation is available for this issue.</p>
non_defect
jsoup jar vulnerabilities highest severity is autoclosed vulnerable library jsoup jar jsoup is a java library for working with real world html it provides a very convenient api for extracting and manipulating data using the best of dom css and jquery like methods jsoup implements the whatwg specification and parses html to the same dom as modern browsers do path to dependency file webgoat integration tests pom xml path to vulnerable library home wss scanner repository org jsoup jsoup jsoup jar home wss scanner repository org jsoup jsoup jsoup jar home wss scanner repository org jsoup jsoup jsoup jar found in head commit a href vulnerabilities cve severity cvss dependency type fixed in jsoup version remediation available high jsoup jar direct medium jsoup jar direct details cve vulnerable library jsoup jar jsoup is a java library for working with real world html it provides a very convenient api for extracting and manipulating data using the best of dom css and jquery like methods jsoup implements the whatwg specification and parses html to the same dom as modern browsers do path to dependency file webgoat integration tests pom xml path to vulnerable library home wss scanner repository org jsoup jsoup jsoup jar home wss scanner repository org jsoup jsoup jsoup jar home wss scanner repository org jsoup jsoup jsoup jar dependency hierarchy x jsoup jar vulnerable library found in head commit a href found in base branch main vulnerability details jsoup is a java library for working with html those using jsoup versions prior to to parse untrusted html or xml may be vulnerable to dos attacks if the parser is run on user supplied input an attacker may supply content that causes the parser to get stuck loop indefinitely until cancelled to complete more slowly than usual or to throw an unexpected exception this effect may support a denial of service attack the issue is patched in version there are a few available workarounds users may rate limit input parsing limit the size of inputs based on system resources and or implement thread watchdogs to cap and timeout parse runtimes publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution rescue worker helmet automatic remediation is available for this issue cve vulnerable library jsoup jar jsoup is a java library for working with real world html it provides a very convenient api for extracting and manipulating data using the best of dom css and jquery like methods jsoup implements the whatwg specification and parses html to the same dom as modern browsers do path to dependency file webgoat integration tests pom xml path to vulnerable library home wss scanner repository org jsoup jsoup jsoup jar home wss scanner repository org jsoup jsoup jsoup jar home wss scanner repository org jsoup jsoup jsoup jar dependency hierarchy x jsoup jar vulnerable library found in head commit a href found in base branch main vulnerability details jsoup is a java html parser built for html editing cleaning scraping and cross site scripting xss safety jsoup may incorrectly sanitize html including javascript url expressions which could allow xss attacks when a reader subsequently clicks that link if the non default safelist preserverelativelinks option is enabled html including javascript urls that have been crafted with control characters will not be sanitized if the site that this html is published on does not set a content security policy an xss attack is then possible this issue is patched in jsoup users should upgrade to this version additionally as the unsanitized input may have been persisted old content should be cleaned again using the updated version to remediate this issue without immediately upgrading disable safelist preserverelativelinks which will rewrite input urls as absolute urls ensure an appropriate is defined this should be used regardless of upgrading as a defence in depth best practice 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 rescue worker helmet automatic remediation is available for this issue rescue worker helmet automatic remediation is available for this issue
0
28,098
5,187,324,380
IssuesEvent
2017-01-20 16:31:35
cakephp/cakephp
https://api.github.com/repos/cakephp/cakephp
closed
2.x: Built-in server displays blank page for base path with query string parameters (/?page=2)
Defect
This is a (multiple allowed): * [x] bug * [ ] enhancement * [ ] feature-discussion (RFC) * CakePHP Version: 7ba160bf95abdc417e31abbbb526d1c272d748e4 ### What you did Start built-in server: ```Console/cake server -p 8888``` Point browser to: http://localhost:8888/?page=2 ### What happened Blank page. ### What you expected to happen The same page I would get by browsing to: http://localhost:8888
1.0
2.x: Built-in server displays blank page for base path with query string parameters (/?page=2) - This is a (multiple allowed): * [x] bug * [ ] enhancement * [ ] feature-discussion (RFC) * CakePHP Version: 7ba160bf95abdc417e31abbbb526d1c272d748e4 ### What you did Start built-in server: ```Console/cake server -p 8888``` Point browser to: http://localhost:8888/?page=2 ### What happened Blank page. ### What you expected to happen The same page I would get by browsing to: http://localhost:8888
defect
x built in server displays blank page for base path with query string parameters page this is a multiple allowed bug enhancement feature discussion rfc cakephp version what you did start built in server console cake server p point browser to what happened blank page what you expected to happen the same page i would get by browsing to
1
154,427
5,918,803,356
IssuesEvent
2017-05-22 16:08:43
appcelerator/amp
https://api.github.com/repos/appcelerator/amp
closed
Manager nodes bootstrap
area/platform area/swarm area/tools kind/feature priority/P1
The first implementation of the cluster deployment (managed swarm) was done with the help of the InfraKit Terraform instance plugin. It doesn't meet our expectations (in particular a generic tool for deployment on cloud providers) and is not compatible with a HA deployment (Terraform state files should also be distributed). Moving to native instance plugins. Part of it is a generic deployment of a 3 instances cell with swarm managers and InfraKit, with automated leader election. The InfraKit configuration template will be committed by another mean, from remote.
1.0
Manager nodes bootstrap - The first implementation of the cluster deployment (managed swarm) was done with the help of the InfraKit Terraform instance plugin. It doesn't meet our expectations (in particular a generic tool for deployment on cloud providers) and is not compatible with a HA deployment (Terraform state files should also be distributed). Moving to native instance plugins. Part of it is a generic deployment of a 3 instances cell with swarm managers and InfraKit, with automated leader election. The InfraKit configuration template will be committed by another mean, from remote.
non_defect
manager nodes bootstrap the first implementation of the cluster deployment managed swarm was done with the help of the infrakit terraform instance plugin it doesn t meet our expectations in particular a generic tool for deployment on cloud providers and is not compatible with a ha deployment terraform state files should also be distributed moving to native instance plugins part of it is a generic deployment of a instances cell with swarm managers and infrakit with automated leader election the infrakit configuration template will be committed by another mean from remote
0
18,482
12,970,025,527
IssuesEvent
2020-07-21 08:42:39
CARTAvis/carta-frontend
https://api.github.com/repos/CARTAvis/carta-frontend
opened
Getting a polygon to close when drawing
usability review
Can double-click to close up a region but would also be good to easily close up if close enough to a control point by default.
True
Getting a polygon to close when drawing - Can double-click to close up a region but would also be good to easily close up if close enough to a control point by default.
non_defect
getting a polygon to close when drawing can double click to close up a region but would also be good to easily close up if close enough to a control point by default
0
74,052
24,919,922,189
IssuesEvent
2022-10-30 20:48:37
trimble-oss/dba-dash
https://api.github.com/repos/trimble-oss/dba-dash
closed
Backup info is missing
defect DBA Dash Agent Completed
Hi David, I am using DBADash with several instances and realized that in some of them the backup information is not being captured, I checked and noticed that the instances which are with this problem, are instances that have the server_name in SQL Server different from the Host Name on the server, so I checked the SQLBackups.sql and found that the condition below is the cause of the information being missing. WHERE server_name=@@SERVERNAME COLLATE SQL_Latin1_General_CP1_CI_AS I know that changing the server_name in SQL Server solves the problem, but this happens in several instances and to change the server_name requires restarting the service, which is a very bureaucratic action to perform. Could you make some changes at this point or help me solve this issue?
1.0
Backup info is missing - Hi David, I am using DBADash with several instances and realized that in some of them the backup information is not being captured, I checked and noticed that the instances which are with this problem, are instances that have the server_name in SQL Server different from the Host Name on the server, so I checked the SQLBackups.sql and found that the condition below is the cause of the information being missing. WHERE server_name=@@SERVERNAME COLLATE SQL_Latin1_General_CP1_CI_AS I know that changing the server_name in SQL Server solves the problem, but this happens in several instances and to change the server_name requires restarting the service, which is a very bureaucratic action to perform. Could you make some changes at this point or help me solve this issue?
defect
backup info is missing hi david i am using dbadash with several instances and realized that in some of them the backup information is not being captured i checked and noticed that the instances which are with this problem are instances that have the server name in sql server different from the host name on the server so i checked the sqlbackups sql and found that the condition below is the cause of the information being missing where server name servername collate sql general ci as i know that changing the server name in sql server solves the problem but this happens in several instances and to change the server name requires restarting the service which is a very bureaucratic action to perform could you make some changes at this point or help me solve this issue
1
30,819
6,302,183,608
IssuesEvent
2017-07-21 10:08:27
smaugho/declex
https://api.github.com/repos/smaugho/declex
opened
List Populate support method accepts only one method
defect
When you have a list, which is backed up with a Populate support method, it accepts only one method even if signatures are different, for instance: ```java @Model @Populate List<Model> models; @Populate void models() { } @Populate void models(Model_ model) { } ``` Only one of both methods above will be taken into account.
1.0
List Populate support method accepts only one method - When you have a list, which is backed up with a Populate support method, it accepts only one method even if signatures are different, for instance: ```java @Model @Populate List<Model> models; @Populate void models() { } @Populate void models(Model_ model) { } ``` Only one of both methods above will be taken into account.
defect
list populate support method accepts only one method when you have a list which is backed up with a populate support method it accepts only one method even if signatures are different for instance java model populate list models populate void models populate void models model model only one of both methods above will be taken into account
1
47,798
13,066,234,975
IssuesEvent
2020-07-30 21:16:16
icecube-trac/tix2
https://api.github.com/repos/icecube-trac/tix2
closed
[SLOPtools] no tests (Trac #1191)
Migrated from Trac combo reconstruction defect
There are no tests at all. Please add some tests under `resources/test`. Migrated from https://code.icecube.wisc.edu/ticket/1191 ```json { "status": "closed", "changetime": "2019-02-13T14:11:57", "description": "There are no tests at all. Please add some tests under `resources/test`.", "reporter": "david.schultz", "cc": "", "resolution": "fixed", "_ts": "1550067117911749", "component": "combo reconstruction", "summary": "[SLOPtools] no tests", "priority": "critical", "keywords": "", "time": "2015-08-19T16:51:41", "milestone": "", "owner": "jacobi", "type": "defect" } ```
1.0
[SLOPtools] no tests (Trac #1191) - There are no tests at all. Please add some tests under `resources/test`. Migrated from https://code.icecube.wisc.edu/ticket/1191 ```json { "status": "closed", "changetime": "2019-02-13T14:11:57", "description": "There are no tests at all. Please add some tests under `resources/test`.", "reporter": "david.schultz", "cc": "", "resolution": "fixed", "_ts": "1550067117911749", "component": "combo reconstruction", "summary": "[SLOPtools] no tests", "priority": "critical", "keywords": "", "time": "2015-08-19T16:51:41", "milestone": "", "owner": "jacobi", "type": "defect" } ```
defect
no tests trac there are no tests at all please add some tests under resources test migrated from json status closed changetime description there are no tests at all please add some tests under resources test reporter david schultz cc resolution fixed ts component combo reconstruction summary no tests priority critical keywords time milestone owner jacobi type defect
1
25,598
4,417,701,339
IssuesEvent
2016-08-15 07:20:27
snowie2000/mactype
https://api.github.com/repos/snowie2000/mactype
closed
Please share sources
auto-migrated Priority-Medium Type-Defect
``` Please share sources to continue development by community support. Whithout this project hangs and going to be dead. ``` Original issue reported on code.google.com by `texni...@gmail.com` on 17 Oct 2014 at 1:27
1.0
Please share sources - ``` Please share sources to continue development by community support. Whithout this project hangs and going to be dead. ``` Original issue reported on code.google.com by `texni...@gmail.com` on 17 Oct 2014 at 1:27
defect
please share sources please share sources to continue development by community support whithout this project hangs and going to be dead original issue reported on code google com by texni gmail com on oct at
1
49,863
13,187,282,591
IssuesEvent
2020-08-13 02:55:19
icecube-trac/tix3
https://api.github.com/repos/icecube-trac/tix3
opened
[PROPOSAL] Latest trunk breaks the build (Trac #2194)
Incomplete Migration Migrated from Trac combo simulation defect
<details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/2194">https://code.icecube.wisc.edu/ticket/2194</a>, reported by olivas and owned by jsoedingrekso</em></summary> <p> ```json { "status": "closed", "changetime": "2019-02-13T14:15:18", "description": "[ 41%] Building CXX object PROPOSAL/CMakeFiles/PROPOSAL-test.dir/private/PROPOSAL-icetray/test/Repeatability.cxx.o\n/build/buildslave/chernobog/SuSE/source/PROPOSAL/private/PROPOSAL-icetray/test/Repeatability.cxx:8:38: fatal error: PROPOSAL/EpairStochastic.h: No such file or directory\n #include <PROPOSAL/EpairStochastic.h>\n\nhttp://builds.icecube.wisc.edu/builders/SuSE/builds/2779/steps/compile_1/logs/stdio\n\nThis builds just fine for me locally.", "reporter": "olivas", "cc": "", "resolution": "fixed", "_ts": "1550067318169976", "component": "combo simulation", "summary": "[PROPOSAL] Latest trunk breaks the build", "priority": "blocker", "keywords": "", "time": "2018-10-01T21:15:09", "milestone": "", "owner": "jsoedingrekso", "type": "defect" } ``` </p> </details>
1.0
[PROPOSAL] Latest trunk breaks the build (Trac #2194) - <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/2194">https://code.icecube.wisc.edu/ticket/2194</a>, reported by olivas and owned by jsoedingrekso</em></summary> <p> ```json { "status": "closed", "changetime": "2019-02-13T14:15:18", "description": "[ 41%] Building CXX object PROPOSAL/CMakeFiles/PROPOSAL-test.dir/private/PROPOSAL-icetray/test/Repeatability.cxx.o\n/build/buildslave/chernobog/SuSE/source/PROPOSAL/private/PROPOSAL-icetray/test/Repeatability.cxx:8:38: fatal error: PROPOSAL/EpairStochastic.h: No such file or directory\n #include <PROPOSAL/EpairStochastic.h>\n\nhttp://builds.icecube.wisc.edu/builders/SuSE/builds/2779/steps/compile_1/logs/stdio\n\nThis builds just fine for me locally.", "reporter": "olivas", "cc": "", "resolution": "fixed", "_ts": "1550067318169976", "component": "combo simulation", "summary": "[PROPOSAL] Latest trunk breaks the build", "priority": "blocker", "keywords": "", "time": "2018-10-01T21:15:09", "milestone": "", "owner": "jsoedingrekso", "type": "defect" } ``` </p> </details>
defect
latest trunk breaks the build trac migrated from json status closed changetime description building cxx object proposal cmakefiles proposal test dir private proposal icetray test repeatability cxx o n build buildslave chernobog suse source proposal private proposal icetray test repeatability cxx fatal error proposal epairstochastic h no such file or directory n include n n builds just fine for me locally reporter olivas cc resolution fixed ts component combo simulation summary latest trunk breaks the build priority blocker keywords time milestone owner jsoedingrekso type defect
1
73,647
24,732,355,966
IssuesEvent
2022-10-20 18:44:09
Gogo1951/Groupie
https://api.github.com/repos/Gogo1951/Groupie
closed
Created Timer on Groups is Off
Priority - 4 Low Sticky - KEEP OPEN Type - Defect
I was posting for about 20 minutes. It has me down for 260. That's a bug. ![image](https://user-images.githubusercontent.com/55365231/192133633-63d844f3-e749-4943-b6fc-e9d026469811.png)
1.0
Created Timer on Groups is Off - I was posting for about 20 minutes. It has me down for 260. That's a bug. ![image](https://user-images.githubusercontent.com/55365231/192133633-63d844f3-e749-4943-b6fc-e9d026469811.png)
defect
created timer on groups is off i was posting for about minutes it has me down for that s a bug
1
304,661
26,294,976,802
IssuesEvent
2023-01-08 21:33:36
thomedpete/Dokes
https://api.github.com/repos/thomedpete/Dokes
closed
Chore/ Fill out Cypress testing suite
Testing
Add tests for all components and user stories - [x] Home - [x] Header - [x] Footer - [x] Joke - [x] new Joke - [x] menu w/ options and paths - [x] Pocket - [x] should be empty - [x] should render saved jokes - [x] can save and delete - [x] About - [x] Content - [x] all 6 Github and LinkedIn links - [x] Error handling page
1.0
Chore/ Fill out Cypress testing suite - Add tests for all components and user stories - [x] Home - [x] Header - [x] Footer - [x] Joke - [x] new Joke - [x] menu w/ options and paths - [x] Pocket - [x] should be empty - [x] should render saved jokes - [x] can save and delete - [x] About - [x] Content - [x] all 6 Github and LinkedIn links - [x] Error handling page
non_defect
chore fill out cypress testing suite add tests for all components and user stories home header footer joke new joke menu w options and paths pocket should be empty should render saved jokes can save and delete about content all github and linkedin links error handling page
0
16,932
2,964,591,619
IssuesEvent
2015-07-10 17:33:05
dart-lang/sdk
https://api.github.com/repos/dart-lang/sdk
closed
MirrorsUsed is not respected for dart2dart output
Area-Dart2Dart NotPlanned Priority-Unassigned Triaged Type-Defect
**What steps will reproduce the problem?** 1.Create a dart application which uses Mirrors 2.Add @­MirrorsUsed to application for the correct reflected classes 3.Compile the program using dart2dart **What is the expected output? What do you see instead?** Dart output should not treeshake the dart classes that specified in @­MirrorsUsed. The JS compiled version works correctly, but not the dart2js --output-type=dart version. There is also no way to turn tree-shaking off. Unlike the javascript compile which you can just remove the MirrorsUsed annotation.
1.0
MirrorsUsed is not respected for dart2dart output - **What steps will reproduce the problem?** 1.Create a dart application which uses Mirrors 2.Add @­MirrorsUsed to application for the correct reflected classes 3.Compile the program using dart2dart **What is the expected output? What do you see instead?** Dart output should not treeshake the dart classes that specified in @­MirrorsUsed. The JS compiled version works correctly, but not the dart2js --output-type=dart version. There is also no way to turn tree-shaking off. Unlike the javascript compile which you can just remove the MirrorsUsed annotation.
defect
mirrorsused is not respected for output what steps will reproduce the problem create a dart application which uses mirrors add ­mirrorsused to application for the correct reflected classes compile the program using what is the expected output what do you see instead dart output should not treeshake the dart classes that specified in ­mirrorsused the js compiled version works correctly but not the output type dart version there is also no way to turn tree shaking off unlike the javascript compile which you can just remove the mirrorsused annotation
1
19,755
3,252,859,136
IssuesEvent
2015-10-19 16:32:18
dart-lang/sdk
https://api.github.com/repos/dart-lang/sdk
closed
Unexpected static warnings for abstract members
Area-Analyzer Priority-High Type-Defect
According to specification (3-rd edition, June 2015) "10.4 Abstract Instance Members": "It is a static warning if an abstract member m is declared or inherited in a concrete class C unless: • m overrides a concrete member, or • C has a noSuchMethod() method distinct from the one declared in class Object." According to the above there is no static warning if a concrete class contains abstract member (instance method, instance getter, or instance setter) and has method noSuchMethod(). And this is true for abstract instance members inherited from superclass. If abstract members are declared in the class containing declaration of noSuchMethod() method, static warnings are reported. ```dart class A { m(); //static warning reported noSuchMethod(Invocation i) {} } class B { int get g; //static warning reported noSuchMethod(Invocation i) {} } class C { set s(int v); //static warning reported noSuchMethod(Invocation i) {} } main() { new A(); new B(); new C(); } ``` Tested on Dart VM version: 1.13.0-dev.6.0 (Wed Oct 7 08:09:59 2015) on "linux_x64".
1.0
Unexpected static warnings for abstract members - According to specification (3-rd edition, June 2015) "10.4 Abstract Instance Members": "It is a static warning if an abstract member m is declared or inherited in a concrete class C unless: • m overrides a concrete member, or • C has a noSuchMethod() method distinct from the one declared in class Object." According to the above there is no static warning if a concrete class contains abstract member (instance method, instance getter, or instance setter) and has method noSuchMethod(). And this is true for abstract instance members inherited from superclass. If abstract members are declared in the class containing declaration of noSuchMethod() method, static warnings are reported. ```dart class A { m(); //static warning reported noSuchMethod(Invocation i) {} } class B { int get g; //static warning reported noSuchMethod(Invocation i) {} } class C { set s(int v); //static warning reported noSuchMethod(Invocation i) {} } main() { new A(); new B(); new C(); } ``` Tested on Dart VM version: 1.13.0-dev.6.0 (Wed Oct 7 08:09:59 2015) on "linux_x64".
defect
unexpected static warnings for abstract members according to specification rd edition june abstract instance members it is a static warning if an abstract member m is declared or inherited in a concrete class c unless • m overrides a concrete member or • c has a nosuchmethod method distinct from the one declared in class object according to the above there is no static warning if a concrete class contains abstract member instance method instance getter or instance setter and has method nosuchmethod and this is true for abstract instance members inherited from superclass if abstract members are declared in the class containing declaration of nosuchmethod method static warnings are reported dart class a m static warning reported nosuchmethod invocation i class b int get g static warning reported nosuchmethod invocation i class c set s int v static warning reported nosuchmethod invocation i main new a new b new c tested on dart vm version dev wed oct on linux
1
302,205
22,794,122,202
IssuesEvent
2022-07-10 13:00:47
pydata/xarray
https://api.github.com/repos/pydata/xarray
closed
reported version in the docs is misleading
topic-documentation
The [editable install](https://readthedocs.org/projects/xray/builds/13110398/) on RTD is reported to have the version `0.17.1.dev0+g835a53e6.d20210226` (which technically is correct but it would be better to have a clean version on tags). This is not something I can reproduce with `python -m pip install -e .`, so it is either some RTD weirdness or happens because we get `mamba` to do the editable install for us. We should try to get the version right.
1.0
reported version in the docs is misleading - The [editable install](https://readthedocs.org/projects/xray/builds/13110398/) on RTD is reported to have the version `0.17.1.dev0+g835a53e6.d20210226` (which technically is correct but it would be better to have a clean version on tags). This is not something I can reproduce with `python -m pip install -e .`, so it is either some RTD weirdness or happens because we get `mamba` to do the editable install for us. We should try to get the version right.
non_defect
reported version in the docs is misleading the on rtd is reported to have the version which technically is correct but it would be better to have a clean version on tags this is not something i can reproduce with python m pip install e so it is either some rtd weirdness or happens because we get mamba to do the editable install for us we should try to get the version right
0
8,306
7,333,029,524
IssuesEvent
2018-03-05 18:04:47
dotnet/corefx
https://api.github.com/repos/dotnet/corefx
closed
System.Transactions.Local.Tests 🔥 Linux x64 Release Build
area-Infrastructure
Linux x64 Release Build OpenSuse.423.Amd64.Open:Release-x64 System.Transactions.Local.Tests 🔥 ``` Details from Job ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226 ExitCode: -3 Ran on Machine: jofortes-opensuse-test Executed on jofortes-opensuse-test lix Script Runner v0.1 starting pying execution payload files from /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip to /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/System.Transactions.Local.Tests.dll' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/System.Transactions.Local.Tests.dll' ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/xunit.console.netcore.exe' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/xunit.console.netcore.exe' ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/RunTests.sh' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/RunTests.sh' ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/xunit.console.netcore.runtimeconfig.json' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/xunit.console.netcore.runtimeconfig.json' ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/System.Transactions.Local.Tests.pdb' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/System.Transactions.Local.Tests.pdb' ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/DumplingHelper.py' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/DumplingHelper.py' /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/RunTests.sh /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Payload me/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip ----- start 02:25:09 =============== To repro directly: ===================================================== pushd /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip python DumplingHelper.py install_dumpling __TIMESTAMP=`python DumplingHelper.py get_timestamp` chmod +x /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Payload/dotnet /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Payload/dotnet xunit.console.netcore.exe System.Transactions.Local.Tests.dll -xml testResults.xml -notrait Benchmark=true -notrait category=nonnetcoreapptests -notrait category=nonlinuxtests -notrait category=OuterLoop -notrait category=failing python DumplingHelper.py collect_dump $\ `pwd` System.Transactions.Local.Tests /mnt/j/workspace/dotnet_corefx/master/linux-TGroup_netcoreapp+CGroup_Release+AGroup_x64+TestOuter_false_prtest/bin/runtime/netcoreapp-Linux-Release-x64/,/mnt/j/workspace/dotnet_corefx/master/linux-TGroup_netcoreapp+CGroup_Release+AGroup_x64+TestOuter_false_prtest/bin/tests/System.Transactions.Local.Tests/netcoreapp-Linux-Release-x64/,/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Payload,/lib/x86_64-linux-gnu/libgcc_s.so.1,/lib/x86_64-linux-gnu/libpthread.so.0,/lib/x86_64-linux-gnu/librt.so.1,/usr/lib/x86_64-linux-gnu/libunwind.so.8,/lib/x86_64-linux-gnu/libdl.so.2,/lib/x86_64-linux-gnu/libuuid.so.1,/usr/lib/x86_64-linux-gnu/libunwind-x86_64.so.8,/usr/lib/x86_64-linux-gnu/libstdc++.so.6,/lib/x86_64-linux-gnu/libm.so.6,/lib/x86_64-linux-gnu/libc.so.6,/lib64/ld-linux-x86-64.so.2,/lib/x86_64-linux-gnu/liblzma.so.5 popd =========================================================================================================== ~/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip ~/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip Dumpling cannot be installed due to: HTTP Error 403 Site Disabled xUnit.net console test runner (64-bit .NET Core) Copyright (C) 2014 Outercurve Foundation. Discovering: System.Transactions.Local.Tests Discovered: System.Transactions.Local.Tests Starting: System.Transactions.Local.Tests ``` Seen in https://github.com/dotnet/corefx/pull/27673
1.0
System.Transactions.Local.Tests 🔥 Linux x64 Release Build - Linux x64 Release Build OpenSuse.423.Amd64.Open:Release-x64 System.Transactions.Local.Tests 🔥 ``` Details from Job ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226 ExitCode: -3 Ran on Machine: jofortes-opensuse-test Executed on jofortes-opensuse-test lix Script Runner v0.1 starting pying execution payload files from /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip to /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/System.Transactions.Local.Tests.dll' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/System.Transactions.Local.Tests.dll' ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/xunit.console.netcore.exe' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/xunit.console.netcore.exe' ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/RunTests.sh' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/RunTests.sh' ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/xunit.console.netcore.runtimeconfig.json' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/xunit.console.netcore.runtimeconfig.json' ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/System.Transactions.Local.Tests.pdb' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/System.Transactions.Local.Tests.pdb' ofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/DumplingHelper.py' to '/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Exec/execution/DumplingHelper.py' /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip/RunTests.sh /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Payload me/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip ----- start 02:25:09 =============== To repro directly: ===================================================== pushd /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip python DumplingHelper.py install_dumpling __TIMESTAMP=`python DumplingHelper.py get_timestamp` chmod +x /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Payload/dotnet /home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Payload/dotnet xunit.console.netcore.exe System.Transactions.Local.Tests.dll -xml testResults.xml -notrait Benchmark=true -notrait category=nonnetcoreapptests -notrait category=nonlinuxtests -notrait category=OuterLoop -notrait category=failing python DumplingHelper.py collect_dump $\ `pwd` System.Transactions.Local.Tests /mnt/j/workspace/dotnet_corefx/master/linux-TGroup_netcoreapp+CGroup_Release+AGroup_x64+TestOuter_false_prtest/bin/runtime/netcoreapp-Linux-Release-x64/,/mnt/j/workspace/dotnet_corefx/master/linux-TGroup_netcoreapp+CGroup_Release+AGroup_x64+TestOuter_false_prtest/bin/tests/System.Transactions.Local.Tests/netcoreapp-Linux-Release-x64/,/home/jofortes/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Payload,/lib/x86_64-linux-gnu/libgcc_s.so.1,/lib/x86_64-linux-gnu/libpthread.so.0,/lib/x86_64-linux-gnu/librt.so.1,/usr/lib/x86_64-linux-gnu/libunwind.so.8,/lib/x86_64-linux-gnu/libdl.so.2,/lib/x86_64-linux-gnu/libuuid.so.1,/usr/lib/x86_64-linux-gnu/libunwind-x86_64.so.8,/usr/lib/x86_64-linux-gnu/libstdc++.so.6,/lib/x86_64-linux-gnu/libm.so.6,/lib/x86_64-linux-gnu/libc.so.6,/lib64/ld-linux-x86-64.so.2,/lib/x86_64-linux-gnu/liblzma.so.5 popd =========================================================================================================== ~/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip ~/dotnetbuild/work/ab3d3d99-d911-4dbc-bb9b-bcf3ee74d226/Work/6288c9a0-0d0b-41e7-b7c4-d4ef6369079a/Unzip Dumpling cannot be installed due to: HTTP Error 403 Site Disabled xUnit.net console test runner (64-bit .NET Core) Copyright (C) 2014 Outercurve Foundation. Discovering: System.Transactions.Local.Tests Discovered: System.Transactions.Local.Tests Starting: System.Transactions.Local.Tests ``` Seen in https://github.com/dotnet/corefx/pull/27673
non_defect
system transactions local tests 🔥 linux release build linux release build opensuse open release system transactions local tests 🔥 details from job exitcode ran on machine jofortes opensuse test executed on jofortes opensuse test lix script runner starting pying execution payload files from home jofortes dotnetbuild work work unzip to home jofortes dotnetbuild work work exec execution ofortes dotnetbuild work work unzip system transactions local tests dll to home jofortes dotnetbuild work work exec execution system transactions local tests dll ofortes dotnetbuild work work unzip xunit console netcore exe to home jofortes dotnetbuild work work exec execution xunit console netcore exe ofortes dotnetbuild work work unzip runtests sh to home jofortes dotnetbuild work work exec execution runtests sh ofortes dotnetbuild work work unzip xunit console netcore runtimeconfig json to home jofortes dotnetbuild work work exec execution xunit console netcore runtimeconfig json ofortes dotnetbuild work work unzip system transactions local tests pdb to home jofortes dotnetbuild work work exec execution system transactions local tests pdb ofortes dotnetbuild work work unzip dumplinghelper py to home jofortes dotnetbuild work work exec execution dumplinghelper py home jofortes dotnetbuild work work unzip runtests sh home jofortes dotnetbuild work payload me jofortes dotnetbuild work work unzip start to repro directly pushd home jofortes dotnetbuild work work unzip python dumplinghelper py install dumpling timestamp python dumplinghelper py get timestamp chmod x home jofortes dotnetbuild work payload dotnet home jofortes dotnetbuild work payload dotnet xunit console netcore exe system transactions local tests dll xml testresults xml notrait benchmark true notrait category nonnetcoreapptests notrait category nonlinuxtests notrait category outerloop notrait category failing python dumplinghelper py collect dump pwd system transactions local tests mnt j workspace dotnet corefx master linux tgroup netcoreapp cgroup release agroup testouter false prtest bin runtime netcoreapp linux release mnt j workspace dotnet corefx master linux tgroup netcoreapp cgroup release agroup testouter false prtest bin tests system transactions local tests netcoreapp linux release home jofortes dotnetbuild work payload lib linux gnu libgcc s so lib linux gnu libpthread so lib linux gnu librt so usr lib linux gnu libunwind so lib linux gnu libdl so lib linux gnu libuuid so usr lib linux gnu libunwind so usr lib linux gnu libstdc so lib linux gnu libm so lib linux gnu libc so ld linux so lib linux gnu liblzma so popd dotnetbuild work work unzip dotnetbuild work work unzip dumpling cannot be installed due to http error site disabled xunit net console test runner bit net core copyright c outercurve foundation discovering system transactions local tests discovered system transactions local tests starting system transactions local tests seen in
0
66,653
20,403,812,418
IssuesEvent
2022-02-23 01:12:47
idaholab/moose
https://api.github.com/repos/idaholab/moose
closed
Error with conda update
T: defect P: normal
## Bug Description Error is reported by conda after executing `conda update` ## Steps to Reproduce For our MOOSE application, we have a CI set up. Several months ago, we tried to update the conda MOOSE environment and ran into issues. The way the machine was set up overall was clunky and confusing, so I simply wiped everything and reset the conda MOOSE environment using the Getting Started instructions. Everything worked fine at that point. I am now trying to update again. My understanding is that `conda update --all` after loading the MOOSE conda environment should update all the packages. However, I get an error: ``` (moose) [gitlab-runner@gad ~]$ conda update --all Collecting package metadata (current_repodata.json): - modprobe: FATAL: Module nvidia not found. failed CondaHTTPError: HTTP 000 CONNECTION FAILED for url <https://conda.software.inl.gov/public/linux-64/current_repodata.json> Elapsed: - An HTTP error occurred when trying to retrieve this URL. HTTP errors are often intermittent, and a simple retry will get you on your way. 'https://conda.software.inl.gov/public/linux-64' ``` Retrying does not help. I also tried this: ``` (moose) [gitlab-runner@gad ~]$ conda config --add channels https://conda.software.inl.gov/public Warning: 'https://conda.software.inl.gov/public' already in 'channels' list, moving to the top ``` Unsurprisingly, it did not resolve the above error. Waiting awhile then trying again like the error instructs also fails. It's unclear to me what the problem is. ## Impact This prevents our automated testing of our application. This means we have to rely on 1) manual testing, or 2) not merging anything. 1 is prone to bad code getting into the master branch and 2 obviously is not an option. Please give me some guidance. I'd like to avoid wiping and reinstalling the conda environment every time something changes with the MOOSE environment.
1.0
Error with conda update - ## Bug Description Error is reported by conda after executing `conda update` ## Steps to Reproduce For our MOOSE application, we have a CI set up. Several months ago, we tried to update the conda MOOSE environment and ran into issues. The way the machine was set up overall was clunky and confusing, so I simply wiped everything and reset the conda MOOSE environment using the Getting Started instructions. Everything worked fine at that point. I am now trying to update again. My understanding is that `conda update --all` after loading the MOOSE conda environment should update all the packages. However, I get an error: ``` (moose) [gitlab-runner@gad ~]$ conda update --all Collecting package metadata (current_repodata.json): - modprobe: FATAL: Module nvidia not found. failed CondaHTTPError: HTTP 000 CONNECTION FAILED for url <https://conda.software.inl.gov/public/linux-64/current_repodata.json> Elapsed: - An HTTP error occurred when trying to retrieve this URL. HTTP errors are often intermittent, and a simple retry will get you on your way. 'https://conda.software.inl.gov/public/linux-64' ``` Retrying does not help. I also tried this: ``` (moose) [gitlab-runner@gad ~]$ conda config --add channels https://conda.software.inl.gov/public Warning: 'https://conda.software.inl.gov/public' already in 'channels' list, moving to the top ``` Unsurprisingly, it did not resolve the above error. Waiting awhile then trying again like the error instructs also fails. It's unclear to me what the problem is. ## Impact This prevents our automated testing of our application. This means we have to rely on 1) manual testing, or 2) not merging anything. 1 is prone to bad code getting into the master branch and 2 obviously is not an option. Please give me some guidance. I'd like to avoid wiping and reinstalling the conda environment every time something changes with the MOOSE environment.
defect
error with conda update bug description error is reported by conda after executing conda update steps to reproduce for our moose application we have a ci set up several months ago we tried to update the conda moose environment and ran into issues the way the machine was set up overall was clunky and confusing so i simply wiped everything and reset the conda moose environment using the getting started instructions everything worked fine at that point i am now trying to update again my understanding is that conda update all after loading the moose conda environment should update all the packages however i get an error moose conda update all collecting package metadata current repodata json modprobe fatal module nvidia not found failed condahttperror http connection failed for url elapsed an http error occurred when trying to retrieve this url http errors are often intermittent and a simple retry will get you on your way retrying does not help i also tried this moose conda config add channels warning already in channels list moving to the top unsurprisingly it did not resolve the above error waiting awhile then trying again like the error instructs also fails it s unclear to me what the problem is impact this prevents our automated testing of our application this means we have to rely on manual testing or not merging anything is prone to bad code getting into the master branch and obviously is not an option please give me some guidance i d like to avoid wiping and reinstalling the conda environment every time something changes with the moose environment
1
35,628
6,486,230,512
IssuesEvent
2017-08-19 17:44:53
tendermint/ethermint
https://api.github.com/repos/tendermint/ethermint
closed
Update CONTRIBUTING.md to accurately describe the workflow and steps for new contributors
Difficulty: Easy Priority: Low Status: Available Type: Documentation
Currently `CONTRIBUTING.md` is empty. It should contain the information on how to get started, the workflow we are using, which issues are could for starters and how to submit a PR.
1.0
Update CONTRIBUTING.md to accurately describe the workflow and steps for new contributors - Currently `CONTRIBUTING.md` is empty. It should contain the information on how to get started, the workflow we are using, which issues are could for starters and how to submit a PR.
non_defect
update contributing md to accurately describe the workflow and steps for new contributors currently contributing md is empty it should contain the information on how to get started the workflow we are using which issues are could for starters and how to submit a pr
0
9,605
2,615,163,526
IssuesEvent
2015-03-01 06:43:12
chrsmith/reaver-wps
https://api.github.com/repos/chrsmith/reaver-wps
opened
Reaver 1.3 & 1.4 Installed on BackTrack5 With Wifly-City 10G Not Work
auto-migrated Priority-Triage Type-Defect
``` ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Hi am using BackTrack 5 [Gnome] with Wifly-City 10G (Wifi Adapter) I try to use the reaver 1.3 & 1.4 & both not work with me Did I do something wrong? i can't understand why it's not working & sure i have try another networks all the same results.. with reaver Can someone please help me? is there a fix? to make it work fine? ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ root@root:~# uname -a Linux root 2.6.39.4 #1 SMP Thu Aug 18 13:38:02 NZST 2011 i686 GNU/Linux root@root:~# airmon-ng Interface Chipset Driver wlan0 Ralink RT2870/3070 rt2800usb - [phy0] mon0 Ralink RT2870/3070 rt2800usb - [phy0] root@root:~# airodump-ng mon0 [CH 7 ][ Elapsed: 1 min ][ 2012-08-05 17:52 ][ Decloak: 00:26:5A:44:EC:66 ] BSSID PWR Beacons #Data, #/s CH MB ENC CIPHER AUTH ESSID 00:26:5A:44:EC:66 -52 84 0 0 1 54e. WPA2 CCMP PSK centbilal --------------------------------------------------------------[reaver 1.3] root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 --fixed Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 02245423 [!] WARNING: Receive timeout occurred [+] Trying pin 02245423 [!] WARNING: Receive timeout occurred [+] Trying pin 26205427 [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [+] Trying pin 26205427 [!] WARNING: Receive timeout occurred [+] Trying pin 26205427 ^C [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 69580765 [!] WARNING: Receive timeout occurred [+] Trying pin 69580765 [!] WARNING: Receive timeout occurred [+] Trying pin 91950765 ^C [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 81166343 [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [+] Trying pin 81166343 ^C [+] Nothing done, nothing to save. [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 97913658 [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred ^C [+] Nothing done, nothing to save. [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 59793229 [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: 25 successive start failures ^C [+] Nothing done, nothing to save. [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 2 [+] Switching mon0 to channel 3 [+] Switching mon0 to channel 4 [+] Switching mon0 to channel 5 [+] Switching mon0 to channel 6 [+] Switching mon0 to channel 7 [+] Switching mon0 to channel 8 [+] Switching mon0 to channel 9 [+] Switching mon0 to channel 10 [+] Switching mon0 to channel 11 [+] Switching mon0 to channel 12 [+] Switching mon0 to channel 13 [+] Switching mon0 to channel 14 [+] Switching mon0 to channel 1 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 80101932 [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [+] Trying pin 80101932 [!] WARNING: Receive timeout occurred [+] Trying pin 80101932 [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [+] Trying pin 80101932 [!] WARNING: Receive timeout occurred [+] Trying pin 80101932 ^C [+] Nothing done, nothing to save. [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 38973697 [!] WARNING: Receive timeout occurred [+] Trying pin 78983694 [!] WARNING: Receive timeout occurred ^C [+] Session saved. root@root:~/reaver-1.3/src# clear root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 30399617 [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 ^C [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 -a Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [+] Restored previous session [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 ^C [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 -a --fixed Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [+] Restored previous session [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 16179615 [!] WARNING: Failed to associate with 00:26:5A:44:EC:66 (ESSID: centbilal) ^C [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 59948940 [!] WARNING: Receive timeout occurred ^C [+] Nothing done, nothing to save. [+] Session saved. root@root:~/reaver-1.3/src# --------------------------------------------------------------[reaver 1.4] root@root:~/reaver-1.4/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv Reaver v1.4 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 12345670 [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request ^C [+] Nothing done, nothing to save. root@root:~/reaver-1.4/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv --fixed Reaver v1.4 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 12345670 [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request ^C [+] Nothing done, nothing to save. root@root:~/reaver-1.4/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv --fixed -a Reaver v1.4 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 12345670 [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request ^C [+] Nothing done, nothing to save. root@root:~/reaver-1.4/src# ``` Original issue reported on code.google.com by `ddue...@gmail.com` on 5 Aug 2012 at 7:20
1.0
Reaver 1.3 & 1.4 Installed on BackTrack5 With Wifly-City 10G Not Work - ``` ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Hi am using BackTrack 5 [Gnome] with Wifly-City 10G (Wifi Adapter) I try to use the reaver 1.3 & 1.4 & both not work with me Did I do something wrong? i can't understand why it's not working & sure i have try another networks all the same results.. with reaver Can someone please help me? is there a fix? to make it work fine? ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ root@root:~# uname -a Linux root 2.6.39.4 #1 SMP Thu Aug 18 13:38:02 NZST 2011 i686 GNU/Linux root@root:~# airmon-ng Interface Chipset Driver wlan0 Ralink RT2870/3070 rt2800usb - [phy0] mon0 Ralink RT2870/3070 rt2800usb - [phy0] root@root:~# airodump-ng mon0 [CH 7 ][ Elapsed: 1 min ][ 2012-08-05 17:52 ][ Decloak: 00:26:5A:44:EC:66 ] BSSID PWR Beacons #Data, #/s CH MB ENC CIPHER AUTH ESSID 00:26:5A:44:EC:66 -52 84 0 0 1 54e. WPA2 CCMP PSK centbilal --------------------------------------------------------------[reaver 1.3] root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 --fixed Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 02245423 [!] WARNING: Receive timeout occurred [+] Trying pin 02245423 [!] WARNING: Receive timeout occurred [+] Trying pin 26205427 [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [+] Trying pin 26205427 [!] WARNING: Receive timeout occurred [+] Trying pin 26205427 ^C [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 69580765 [!] WARNING: Receive timeout occurred [+] Trying pin 69580765 [!] WARNING: Receive timeout occurred [+] Trying pin 91950765 ^C [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 81166343 [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [+] Trying pin 81166343 ^C [+] Nothing done, nothing to save. [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 97913658 [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred ^C [+] Nothing done, nothing to save. [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 59793229 [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [!] WARNING: 25 successive start failures ^C [+] Nothing done, nothing to save. [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 2 [+] Switching mon0 to channel 3 [+] Switching mon0 to channel 4 [+] Switching mon0 to channel 5 [+] Switching mon0 to channel 6 [+] Switching mon0 to channel 7 [+] Switching mon0 to channel 8 [+] Switching mon0 to channel 9 [+] Switching mon0 to channel 10 [+] Switching mon0 to channel 11 [+] Switching mon0 to channel 12 [+] Switching mon0 to channel 13 [+] Switching mon0 to channel 14 [+] Switching mon0 to channel 1 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 80101932 [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [+] Trying pin 80101932 [!] WARNING: Receive timeout occurred [+] Trying pin 80101932 [!] WARNING: Receive timeout occurred [!] WARNING: Receive timeout occurred [+] Trying pin 80101932 [!] WARNING: Receive timeout occurred [+] Trying pin 80101932 ^C [+] Nothing done, nothing to save. [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 38973697 [!] WARNING: Receive timeout occurred [+] Trying pin 78983694 [!] WARNING: Receive timeout occurred ^C [+] Session saved. root@root:~/reaver-1.3/src# clear root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 30399617 [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 ^C [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 -a Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [+] Restored previous session [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 [!] WARNING: Receive timeout occurred [+] Trying pin 16179615 ^C [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv -c 1 -a --fixed Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Switching mon0 to channel 1 [+] Restored previous session [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 16179615 [!] WARNING: Failed to associate with 00:26:5A:44:EC:66 (ESSID: centbilal) ^C [+] Session saved. root@root:~/reaver-1.3/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv Reaver v1.3 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [?] Restore previous session? [n/Y] n [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 59948940 [!] WARNING: Receive timeout occurred ^C [+] Nothing done, nothing to save. [+] Session saved. root@root:~/reaver-1.3/src# --------------------------------------------------------------[reaver 1.4] root@root:~/reaver-1.4/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv Reaver v1.4 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Switching mon0 to channel 1 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 12345670 [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request ^C [+] Nothing done, nothing to save. root@root:~/reaver-1.4/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv --fixed Reaver v1.4 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 12345670 [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request ^C [+] Nothing done, nothing to save. root@root:~/reaver-1.4/src# reaver -i mon0 -b 00:26:5A:44:EC:66 -vv --fixed -a Reaver v1.4 WiFi Protected Setup Attack Tool Copyright (c) 2011, Tactical Network Solutions, Craig Heffner <cheffner@tacnetsol.com> [+] Waiting for beacon from 00:26:5A:44:EC:66 [+] Associated with 00:26:5A:44:EC:66 (ESSID: centbilal) [+] Trying pin 12345670 [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request ^C [+] Nothing done, nothing to save. root@root:~/reaver-1.4/src# ``` Original issue reported on code.google.com by `ddue...@gmail.com` on 5 Aug 2012 at 7:20
defect
reaver installed on with wifly city not work hi am using backtrack with wifly city wifi adapter i try to use the reaver both not work with me did i do something wrong i can t understand why it s not working sure i have try another networks all the same results with reaver can someone please help me is there a fix to make it work fine root root uname a linux root smp thu aug nzst gnu linux root root airmon ng interface chipset driver ralink ralink root root airodump ng bssid pwr beacons data s ch mb enc cipher auth essid ec ccmp psk centbilal root root reaver src reaver i b ec vv c fixed reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner switching to channel waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin warning receive timeout occurred trying pin warning receive timeout occurred trying pin warning last message not processed properly reverting state to previous message warning out of order packet received re trasmitting last message trying pin warning receive timeout occurred trying pin c session saved root root reaver src reaver i b ec vv reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner restore previous session n waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin warning receive timeout occurred trying pin warning receive timeout occurred trying pin c session saved root root reaver src reaver i b ec vv c reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner switching to channel restore previous session n waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin warning last message not processed properly reverting state to previous message warning out of order packet received re trasmitting last message trying pin c nothing done nothing to save session saved root root reaver src reaver i b ec vv c reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner switching to channel restore previous session n waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred c nothing done nothing to save session saved root root reaver src reaver i b ec vv c reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner switching to channel restore previous session n waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning receive timeout occurred warning successive start failures c nothing done nothing to save session saved root root reaver src reaver i b ec vv reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner restore previous session n waiting for beacon from ec switching to channel switching to channel switching to channel switching to channel switching to channel switching to channel switching to channel switching to channel switching to channel switching to channel switching to channel switching to channel switching to channel switching to channel switching to channel associated with ec essid centbilal trying pin warning last message not processed properly reverting state to previous message warning out of order packet received re trasmitting last message trying pin warning receive timeout occurred trying pin warning receive timeout occurred warning receive timeout occurred trying pin warning receive timeout occurred trying pin c nothing done nothing to save session saved root root reaver src reaver i b ec vv c reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner switching to channel restore previous session n waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin warning receive timeout occurred trying pin warning receive timeout occurred c session saved root root reaver src clear root root reaver src reaver i b ec vv c reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner switching to channel restore previous session n waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin trying pin warning receive timeout occurred trying pin warning receive timeout occurred trying pin c session saved root root reaver src reaver i b ec vv c a reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner switching to channel restored previous session waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin warning receive timeout occurred trying pin warning receive timeout occurred trying pin warning receive timeout occurred trying pin warning receive timeout occurred trying pin c session saved root root reaver src reaver i b ec vv c a fixed reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner switching to channel restored previous session waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin warning failed to associate with ec essid centbilal c session saved root root reaver src reaver i b ec vv reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner restore previous session n waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin warning receive timeout occurred c nothing done nothing to save session saved root root reaver src root root reaver src reaver i b ec vv reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner waiting for beacon from ec switching to channel associated with ec essid centbilal trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request c nothing done nothing to save root root reaver src reaver i b ec vv fixed reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner waiting for beacon from ec associated with ec essid centbilal trying pin sending eapol start request warning receive timeout occurred sending eapol start request c nothing done nothing to save root root reaver src reaver i b ec vv fixed a reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner waiting for beacon from ec associated with ec essid centbilal trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request c nothing done nothing to save root root reaver src original issue reported on code google com by ddue gmail com on aug at
1
39,124
9,213,586,411
IssuesEvent
2019-03-10 13:22:02
PauloCarvalhoRJ/gammaray
https://api.github.com/repos/PauloCarvalhoRJ/gammaray
opened
Viewer3D: improve anti-aliasing.
OPEN defect
It is currently using FXAA. It has been suggested in the VTK newsgroup to use either SSAA or MSAA. With MSAA (`vtkRenderer::SetMultiSamples`) generally preferred to the other two. See also: `vtkOpenGLRenderWindow::SetMultiSamples` and `vtkOpenGLRenderWindow::SetGlobalMaximumNumberOfMultiSamples` If MSAA doesn't work, see `SetGlobalMaximumNumberOfMultiSamples`. Code example: ``` // MSAA is fixed by adding these two lines before creating any QVTKOpenGLWidget vtkOpenGLRenderWindow::SetGlobalMaximumNumberOfMultiSamples ( 8 ); QSurfaceFormat::setDefaultFormat ( QVTKOpenGLWidget::defaultFormat() ); ```
1.0
Viewer3D: improve anti-aliasing. - It is currently using FXAA. It has been suggested in the VTK newsgroup to use either SSAA or MSAA. With MSAA (`vtkRenderer::SetMultiSamples`) generally preferred to the other two. See also: `vtkOpenGLRenderWindow::SetMultiSamples` and `vtkOpenGLRenderWindow::SetGlobalMaximumNumberOfMultiSamples` If MSAA doesn't work, see `SetGlobalMaximumNumberOfMultiSamples`. Code example: ``` // MSAA is fixed by adding these two lines before creating any QVTKOpenGLWidget vtkOpenGLRenderWindow::SetGlobalMaximumNumberOfMultiSamples ( 8 ); QSurfaceFormat::setDefaultFormat ( QVTKOpenGLWidget::defaultFormat() ); ```
defect
improve anti aliasing it is currently using fxaa it has been suggested in the vtk newsgroup to use either ssaa or msaa with msaa vtkrenderer setmultisamples generally preferred to the other two see also vtkopenglrenderwindow setmultisamples and vtkopenglrenderwindow setglobalmaximumnumberofmultisamples if msaa doesn t work see setglobalmaximumnumberofmultisamples code example msaa is fixed by adding these two lines before creating any qvtkopenglwidget vtkopenglrenderwindow setglobalmaximumnumberofmultisamples qsurfaceformat setdefaultformat qvtkopenglwidget defaultformat
1
163,430
20,363,761,255
IssuesEvent
2022-02-21 01:24:41
mverteuil/mig3
https://api.github.com/repos/mverteuil/mig3
opened
CVE-2022-0512 (High) detected in url-parse-1.4.7.tgz
security vulnerability
## CVE-2022-0512 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>url-parse-1.4.7.tgz</b></p></summary> <p>Small footprint URL parser that works seamlessly across Node.js and browser environments</p> <p>Library home page: <a href="https://registry.npmjs.org/url-parse/-/url-parse-1.4.7.tgz">https://registry.npmjs.org/url-parse/-/url-parse-1.4.7.tgz</a></p> <p>Path to dependency file: /mig3-ui/package.json</p> <p>Path to vulnerable library: /mig3-ui/node_modules/url-parse/package.json</p> <p> Dependency Hierarchy: - cli-service-3.12.1.tgz (Root Library) - webpack-dev-server-3.10.3.tgz - sockjs-client-1.4.0.tgz - :x: **url-parse-1.4.7.tgz** (Vulnerable Library) </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Authorization Bypass Through User-Controlled Key in NPM url-parse prior to 1.5.6. <p>Publish Date: 2022-02-14 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-0512>CVE-2022-0512</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - 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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-0512">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-0512</a></p> <p>Release Date: 2022-02-14</p> <p>Fix Resolution: url-parse - 1.5.6</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2022-0512 (High) detected in url-parse-1.4.7.tgz - ## CVE-2022-0512 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>url-parse-1.4.7.tgz</b></p></summary> <p>Small footprint URL parser that works seamlessly across Node.js and browser environments</p> <p>Library home page: <a href="https://registry.npmjs.org/url-parse/-/url-parse-1.4.7.tgz">https://registry.npmjs.org/url-parse/-/url-parse-1.4.7.tgz</a></p> <p>Path to dependency file: /mig3-ui/package.json</p> <p>Path to vulnerable library: /mig3-ui/node_modules/url-parse/package.json</p> <p> Dependency Hierarchy: - cli-service-3.12.1.tgz (Root Library) - webpack-dev-server-3.10.3.tgz - sockjs-client-1.4.0.tgz - :x: **url-parse-1.4.7.tgz** (Vulnerable Library) </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Authorization Bypass Through User-Controlled Key in NPM url-parse prior to 1.5.6. <p>Publish Date: 2022-02-14 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-0512>CVE-2022-0512</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - 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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-0512">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-0512</a></p> <p>Release Date: 2022-02-14</p> <p>Fix Resolution: url-parse - 1.5.6</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve high detected in url parse tgz cve high severity vulnerability vulnerable library url parse tgz small footprint url parser that works seamlessly across node js and browser environments library home page a href path to dependency file ui package json path to vulnerable library ui node modules url parse package json dependency hierarchy cli service tgz root library webpack dev server tgz sockjs client tgz x url parse tgz vulnerable library vulnerability details authorization bypass through user controlled key in npm url parse prior to publish date url a href cvss score details base score metrics exploitability metrics attack vector network 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 url parse step up your open source security game with whitesource
0
45,189
12,642,840,170
IssuesEvent
2020-06-16 08:50:10
STEllAR-GROUP/hpx
https://api.github.com/repos/STEllAR-GROUP/hpx
closed
Building HPX with support for PAPI fails
category: performance counters type: defect
## Expected Behavior Build succeeds ## Actual Behavior Builds fails. Error message: ``` /tmp/hello_hpx-fetch_content/RelWithDebInfo-papi/build/_deps/hpx-src/components/performance_counters/papi/src/papi_startup.cpp: In function ‘void hpx::performance_counters::papi::find_threads(std::set<std::__cxx11::basic_string<char> >&, hpx::performance_counters::discover_counters_mode)’: /tmp/hello_hpx-fetch_content/RelWithDebInfo-papi/build/_deps/hpx-src/components/performance_counters/papi/src/papi_startup.cpp:110:51: error: invalid use of incomplete type ‘class hpx::runtime’ hpx::util::thread_mapper& tm = get_runtime().get_thread_mapper(); ``` [build_output.txt](https://github.com/STEllAR-GROUP/hpx/files/4779144/build_output.txt) ## Steps to Reproduce the Problem 1. Build HPX with support for PAPI. My script used this command to configure HPX: `cmake -DCMAKE_BUILD_TYPE=/tmp/hello_hpx-fetch_content/RelWithDebInfo-papi -DHELLO_HPX_REPOSITORY_CACHE:PATH=/home/kor/development/repository papi -DHPX_WITH_PAPI:BOOL=ON -HPX_WITH_MALLOC:STRING=tcmalloc -HPX_WITH_HWLOC:BOOL=ON -S /home/kor/development/project/hello_hpx -B /tmp/hello_hpx-fetch_content/RelWithDebInfo-papi/build` 1. Build HPX 1. Wait for error message. Occurs at 61% of the build in my case. ## Specifications - HPX Version: master of last Friday (commit 47d7bebd27a) - Platform (compiler, OS): gcc-7, Kubuntu 18.04
1.0
Building HPX with support for PAPI fails - ## Expected Behavior Build succeeds ## Actual Behavior Builds fails. Error message: ``` /tmp/hello_hpx-fetch_content/RelWithDebInfo-papi/build/_deps/hpx-src/components/performance_counters/papi/src/papi_startup.cpp: In function ‘void hpx::performance_counters::papi::find_threads(std::set<std::__cxx11::basic_string<char> >&, hpx::performance_counters::discover_counters_mode)’: /tmp/hello_hpx-fetch_content/RelWithDebInfo-papi/build/_deps/hpx-src/components/performance_counters/papi/src/papi_startup.cpp:110:51: error: invalid use of incomplete type ‘class hpx::runtime’ hpx::util::thread_mapper& tm = get_runtime().get_thread_mapper(); ``` [build_output.txt](https://github.com/STEllAR-GROUP/hpx/files/4779144/build_output.txt) ## Steps to Reproduce the Problem 1. Build HPX with support for PAPI. My script used this command to configure HPX: `cmake -DCMAKE_BUILD_TYPE=/tmp/hello_hpx-fetch_content/RelWithDebInfo-papi -DHELLO_HPX_REPOSITORY_CACHE:PATH=/home/kor/development/repository papi -DHPX_WITH_PAPI:BOOL=ON -HPX_WITH_MALLOC:STRING=tcmalloc -HPX_WITH_HWLOC:BOOL=ON -S /home/kor/development/project/hello_hpx -B /tmp/hello_hpx-fetch_content/RelWithDebInfo-papi/build` 1. Build HPX 1. Wait for error message. Occurs at 61% of the build in my case. ## Specifications - HPX Version: master of last Friday (commit 47d7bebd27a) - Platform (compiler, OS): gcc-7, Kubuntu 18.04
defect
building hpx with support for papi fails expected behavior build succeeds actual behavior builds fails error message tmp hello hpx fetch content relwithdebinfo papi build deps hpx src components performance counters papi src papi startup cpp in function ‘void hpx performance counters papi find threads std set hpx performance counters discover counters mode ’ tmp hello hpx fetch content relwithdebinfo papi build deps hpx src components performance counters papi src papi startup cpp error invalid use of incomplete type ‘class hpx runtime’ hpx util thread mapper tm get runtime get thread mapper steps to reproduce the problem build hpx with support for papi my script used this command to configure hpx cmake dcmake build type tmp hello hpx fetch content relwithdebinfo papi dhello hpx repository cache path home kor development repository papi dhpx with papi bool on hpx with malloc string tcmalloc hpx with hwloc bool on s home kor development project hello hpx b tmp hello hpx fetch content relwithdebinfo papi build build hpx wait for error message occurs at of the build in my case specifications hpx version master of last friday commit platform compiler os gcc kubuntu
1
15,429
5,115,417,462
IssuesEvent
2017-01-06 21:45:01
BruceJohnJennerLawso/scrap
https://api.github.com/repos/BruceJohnJennerLawso/scrap
opened
Create division object
app codebase enhancement team
Thinking this can be used as a layer between season and teams. Shouldnt be too hard to pull off.
1.0
Create division object - Thinking this can be used as a layer between season and teams. Shouldnt be too hard to pull off.
non_defect
create division object thinking this can be used as a layer between season and teams shouldnt be too hard to pull off
0
571,207
17,023,263,095
IssuesEvent
2021-07-03 01:07:06
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Seeing if a way has been written in times of server slowness
Component: potlatch (flash editor) Priority: minor Resolution: fixed Type: enhancement
**[Submitted to the original trac issue database at 9.19pm, Sunday, 15th June 2008]** When the server is being slow (or one's connection is crap), it's quite common that a way _is_ written, but that the response doesn't get back to Potlatch. Perhaps (either by a prompt, or automatically) Potlatch could send a query like: "tell me what nodes exist with this co-ordinate, and that co-ordinate, and the other... and what way connects them". That way it could find whether the way really has been written. The other way of doing it would be to have some form of id for each upload, and to be able to query whether it's written or not. Would need some server-side storage though. (Perhaps as a user pref!)
1.0
Seeing if a way has been written in times of server slowness - **[Submitted to the original trac issue database at 9.19pm, Sunday, 15th June 2008]** When the server is being slow (or one's connection is crap), it's quite common that a way _is_ written, but that the response doesn't get back to Potlatch. Perhaps (either by a prompt, or automatically) Potlatch could send a query like: "tell me what nodes exist with this co-ordinate, and that co-ordinate, and the other... and what way connects them". That way it could find whether the way really has been written. The other way of doing it would be to have some form of id for each upload, and to be able to query whether it's written or not. Would need some server-side storage though. (Perhaps as a user pref!)
non_defect
seeing if a way has been written in times of server slowness when the server is being slow or one s connection is crap it s quite common that a way is written but that the response doesn t get back to potlatch perhaps either by a prompt or automatically potlatch could send a query like tell me what nodes exist with this co ordinate and that co ordinate and the other and what way connects them that way it could find whether the way really has been written the other way of doing it would be to have some form of id for each upload and to be able to query whether it s written or not would need some server side storage though perhaps as a user pref
0
461,570
13,232,507,280
IssuesEvent
2020-08-18 13:28:16
AbsaOSS/enceladus
https://api.github.com/repos/AbsaOSS/enceladus
opened
Using the new PathConfig class made us lose some of the logs
Standardization bug priority: undecided
## Describe the bug Using the new PathConfig class made us lose some of the logs. Add them back. Standardization had ```scala log.info(s"input path: ${pathCfg.inputPath}") log.info(s"output path: ${pathCfg.outputPath}") ```
1.0
Using the new PathConfig class made us lose some of the logs - ## Describe the bug Using the new PathConfig class made us lose some of the logs. Add them back. Standardization had ```scala log.info(s"input path: ${pathCfg.inputPath}") log.info(s"output path: ${pathCfg.outputPath}") ```
non_defect
using the new pathconfig class made us lose some of the logs describe the bug using the new pathconfig class made us lose some of the logs add them back standardization had scala log info s input path pathcfg inputpath log info s output path pathcfg outputpath
0
62,659
17,111,706,136
IssuesEvent
2021-07-10 12:56:03
disruptek/cps
https://api.github.com/repos/disruptek/cps
closed
Leak, another one
nim compiler defect
For @Clyybber Here's a little puzzle. The program below outputs this: ``` done destroyed noleak one ``` Now go uncomment the commented line, what do you expect it would print? ``` import cps, deques type C = Continuation ThingObj = object name: string Thing = ref ThingObj proc `=destroy`*(t: var ThingObj) = echo "destroyed ", t.name proc foo_leak(name: string): Thing {.cps:C.}= Thing(name: name) proc foo_noleak(name: string): Thing = Thing(name: name) proc foo1() {.cps:C.} = let c1 = foo_noleak("noleak one") # let c2 = foo_leak("leak one") # <-- try uncommenting out this line echo "done" var queue: Deque[Continuation] block: queue.addLast whelp foo1() while queue.len > 0: var c = queue.popFirst discard c.trampoline ```
1.0
Leak, another one - For @Clyybber Here's a little puzzle. The program below outputs this: ``` done destroyed noleak one ``` Now go uncomment the commented line, what do you expect it would print? ``` import cps, deques type C = Continuation ThingObj = object name: string Thing = ref ThingObj proc `=destroy`*(t: var ThingObj) = echo "destroyed ", t.name proc foo_leak(name: string): Thing {.cps:C.}= Thing(name: name) proc foo_noleak(name: string): Thing = Thing(name: name) proc foo1() {.cps:C.} = let c1 = foo_noleak("noleak one") # let c2 = foo_leak("leak one") # <-- try uncommenting out this line echo "done" var queue: Deque[Continuation] block: queue.addLast whelp foo1() while queue.len > 0: var c = queue.popFirst discard c.trampoline ```
defect
leak another one for clyybber here s a little puzzle the program below outputs this done destroyed noleak one now go uncomment the commented line what do you expect it would print import cps deques type c continuation thingobj object name string thing ref thingobj proc destroy t var thingobj echo destroyed t name proc foo leak name string thing cps c thing name name proc foo noleak name string thing thing name name proc cps c let foo noleak noleak one let foo leak leak one try uncommenting out this line echo done var queue deque block queue addlast whelp while queue len var c queue popfirst discard c trampoline
1
61,530
7,473,758,773
IssuesEvent
2018-04-03 16:13:58
CompletelyFairGames/dwarfcorp
https://api.github.com/repos/CompletelyFairGames/dwarfcorp
opened
Redesign: Dwarf status feedback
Design (devs) Economy
Consider this a first pass at the issue of players knowing what their workforce is feeling. The clearest issue from this is that when a dwarf refuses to work, after the announcement, there's no simple way for the player to check up on who that is and why they are refusing. Player expects to see something in the employee list, but there isn't. The larger issue is that there's no clear way to tell the status of your dwarves at all, other than through a meticulous search through every employee in the employee menu. So, for instance, if a dwarf is starving, depressed, etc, the player doesn't currently know. Not soon and easily enough to make it fun, anyhow. Right now I propose this quick design fix: 1) Add clear text, in red, on the employee's info menu that marks them as refusing to work. Preferably near the top, like under their name. This'll make it easy to confirm one of the biggest problems the player can have, from the player=boss perspective. 2) For simplicity, I propose a simple system of exclamation marks. Red marks are your dwarf refuses to work, yellow marks are when all other attributes get pretty bad. Let's say a quarter past half way on the range. These exclamation marks would show up next to the dwarve's name on the employee list, which means the player can check the list at any time and get the gist of dwarf happiness. 3) If it's not too much work, it'd also be good to have these marks appear around the dwarves. Yellow occasionally. Red permanently until the situation is resolved. Version d2deec04
1.0
Redesign: Dwarf status feedback - Consider this a first pass at the issue of players knowing what their workforce is feeling. The clearest issue from this is that when a dwarf refuses to work, after the announcement, there's no simple way for the player to check up on who that is and why they are refusing. Player expects to see something in the employee list, but there isn't. The larger issue is that there's no clear way to tell the status of your dwarves at all, other than through a meticulous search through every employee in the employee menu. So, for instance, if a dwarf is starving, depressed, etc, the player doesn't currently know. Not soon and easily enough to make it fun, anyhow. Right now I propose this quick design fix: 1) Add clear text, in red, on the employee's info menu that marks them as refusing to work. Preferably near the top, like under their name. This'll make it easy to confirm one of the biggest problems the player can have, from the player=boss perspective. 2) For simplicity, I propose a simple system of exclamation marks. Red marks are your dwarf refuses to work, yellow marks are when all other attributes get pretty bad. Let's say a quarter past half way on the range. These exclamation marks would show up next to the dwarve's name on the employee list, which means the player can check the list at any time and get the gist of dwarf happiness. 3) If it's not too much work, it'd also be good to have these marks appear around the dwarves. Yellow occasionally. Red permanently until the situation is resolved. Version d2deec04
non_defect
redesign dwarf status feedback consider this a first pass at the issue of players knowing what their workforce is feeling the clearest issue from this is that when a dwarf refuses to work after the announcement there s no simple way for the player to check up on who that is and why they are refusing player expects to see something in the employee list but there isn t the larger issue is that there s no clear way to tell the status of your dwarves at all other than through a meticulous search through every employee in the employee menu so for instance if a dwarf is starving depressed etc the player doesn t currently know not soon and easily enough to make it fun anyhow right now i propose this quick design fix add clear text in red on the employee s info menu that marks them as refusing to work preferably near the top like under their name this ll make it easy to confirm one of the biggest problems the player can have from the player boss perspective for simplicity i propose a simple system of exclamation marks red marks are your dwarf refuses to work yellow marks are when all other attributes get pretty bad let s say a quarter past half way on the range these exclamation marks would show up next to the dwarve s name on the employee list which means the player can check the list at any time and get the gist of dwarf happiness if it s not too much work it d also be good to have these marks appear around the dwarves yellow occasionally red permanently until the situation is resolved version
0
63,632
12,359,605,322
IssuesEvent
2020-05-17 11:43:18
stlink-org/stlink
https://api.github.com/repos/stlink-org/stlink
closed
Protocol V1 and V2 difference
code/feature-request general/documention programmer/stlinkv2 status/resolved
I was playing with st-link jtag and looked at USB packets when ST utility worked with it. I found that it enters SWD mode with USB packet data 0xF2 0x30 0xA3. This corresponds to STLINK_DEBUG_COMMAND,STLINK_SWD_ENTER,STLINK_DEBUG_ENTER_SWD defines from stlink-common.h file. I confirm that this sequence is working on my ST-LINK V2. But in the stlink-usb.c file in the function _stlink_usb_enter_swd_mode I see next lines: cmd[i++] = STLINK_DEBUG_COMMAND; cmd[i++] = STLINK_DEBUG_ENTER; cmd[i++] = STLINK_DEBUG_ENTER_SWD; The above lines correspond to sequence 0xF2 0x20 0xA3. I looked at OpenOCD sources for the same stuff: http://sourceforge.net/p/openocd/code/ci/master/tree/src/jtag/drivers/stlink_usb.c And it looks like second byte is changed from 0x20 to 0x30 and corresponds to V1 API and V2 API respectively. Someone needs to update the code to work with two API versions.
1.0
Protocol V1 and V2 difference - I was playing with st-link jtag and looked at USB packets when ST utility worked with it. I found that it enters SWD mode with USB packet data 0xF2 0x30 0xA3. This corresponds to STLINK_DEBUG_COMMAND,STLINK_SWD_ENTER,STLINK_DEBUG_ENTER_SWD defines from stlink-common.h file. I confirm that this sequence is working on my ST-LINK V2. But in the stlink-usb.c file in the function _stlink_usb_enter_swd_mode I see next lines: cmd[i++] = STLINK_DEBUG_COMMAND; cmd[i++] = STLINK_DEBUG_ENTER; cmd[i++] = STLINK_DEBUG_ENTER_SWD; The above lines correspond to sequence 0xF2 0x20 0xA3. I looked at OpenOCD sources for the same stuff: http://sourceforge.net/p/openocd/code/ci/master/tree/src/jtag/drivers/stlink_usb.c And it looks like second byte is changed from 0x20 to 0x30 and corresponds to V1 API and V2 API respectively. Someone needs to update the code to work with two API versions.
non_defect
protocol and difference i was playing with st link jtag and looked at usb packets when st utility worked with it i found that it enters swd mode with usb packet data this corresponds to stlink debug command stlink swd enter stlink debug enter swd defines from stlink common h file i confirm that this sequence is working on my st link but in the stlink usb c file in the function stlink usb enter swd mode i see next lines cmd stlink debug command cmd stlink debug enter cmd stlink debug enter swd the above lines correspond to sequence i looked at openocd sources for the same stuff and it looks like second byte is changed from to and corresponds to api and api respectively someone needs to update the code to work with two api versions
0
57,474
15,797,486,621
IssuesEvent
2021-04-02 16:49:06
bigbluebutton/bigbluebutton
https://api.github.com/repos/bigbluebutton/bigbluebutton
closed
Closed captions issue for some languages in 2.3-beta
Accepted Defect HTML5 Client
<!--PLEASE DO NOT FILE ISSUES FOR GENERAL SUPPORT QUESTIONS. This issue tracker is only for bbb development related issues.--> **Describe the bug** "Such a padname is forbidden" message appears when trying to add closed captions for some languages. **To Reproduce** Steps to reproduce the behavior: 1. Start BBB session 2. Click on Create closed captions 3. Select Ukrainian language Українська 4. See error "Such a padname is forbidden", also tried Greek with the same result, English is OK **Expected behavior** Editor window is opened allowing to add closed captions **Actual behavior** Error message in place of the editor window for (at least some) languages whose name contains non-ascii unicode **Desktop (please complete the following information):** - OS: Ubuntu 18.04 LTS - Browser Chromium - Version BigBlueButton 2.3beta-2
1.0
Closed captions issue for some languages in 2.3-beta - <!--PLEASE DO NOT FILE ISSUES FOR GENERAL SUPPORT QUESTIONS. This issue tracker is only for bbb development related issues.--> **Describe the bug** "Such a padname is forbidden" message appears when trying to add closed captions for some languages. **To Reproduce** Steps to reproduce the behavior: 1. Start BBB session 2. Click on Create closed captions 3. Select Ukrainian language Українська 4. See error "Such a padname is forbidden", also tried Greek with the same result, English is OK **Expected behavior** Editor window is opened allowing to add closed captions **Actual behavior** Error message in place of the editor window for (at least some) languages whose name contains non-ascii unicode **Desktop (please complete the following information):** - OS: Ubuntu 18.04 LTS - Browser Chromium - Version BigBlueButton 2.3beta-2
defect
closed captions issue for some languages in beta please do not file issues for general support questions this issue tracker is only for bbb development related issues describe the bug such a padname is forbidden message appears when trying to add closed captions for some languages to reproduce steps to reproduce the behavior start bbb session click on create closed captions select ukrainian language українська see error such a padname is forbidden also tried greek with the same result english is ok expected behavior editor window is opened allowing to add closed captions actual behavior error message in place of the editor window for at least some languages whose name contains non ascii unicode desktop please complete the following information os ubuntu lts browser chromium version bigbluebutton
1
73,027
24,412,193,330
IssuesEvent
2022-10-05 13:17:32
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
Element no longer starts
T-Defect X-Needs-Info S-Critical O-Uncommon
### Steps to reproduce 1. Attempt to run Element.exe ### Outcome #### What did you expect? Element should start up. If it is unable to start up, it should print an error. #### What happened instead? ``` $ pwd Path ---- C:\Users\smcro\AppData\Local\element-desktop\app-1.11.0 Local/element-desktop/app-1.11.0 $ C:\Users\smcro\AppData\Local\element-desktop\Element.exe Local/element-desktop/app-1.11.0 $ ``` ### Operating system Windows 11 21H2 build 22000.856 ### Application version ??? ### How did you install the app? ??? ### Homeserver matrix.org ### Will you send logs? Yes
1.0
Element no longer starts - ### Steps to reproduce 1. Attempt to run Element.exe ### Outcome #### What did you expect? Element should start up. If it is unable to start up, it should print an error. #### What happened instead? ``` $ pwd Path ---- C:\Users\smcro\AppData\Local\element-desktop\app-1.11.0 Local/element-desktop/app-1.11.0 $ C:\Users\smcro\AppData\Local\element-desktop\Element.exe Local/element-desktop/app-1.11.0 $ ``` ### Operating system Windows 11 21H2 build 22000.856 ### Application version ??? ### How did you install the app? ??? ### Homeserver matrix.org ### Will you send logs? Yes
defect
element no longer starts steps to reproduce attempt to run element exe outcome what did you expect element should start up if it is unable to start up it should print an error what happened instead pwd path c users smcro appdata local element desktop app local element desktop app c users smcro appdata local element desktop element exe local element desktop app operating system windows build application version how did you install the app homeserver matrix org will you send logs yes
1
799,448
28,307,135,889
IssuesEvent
2023-04-10 12:10:59
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
linktr.ee - see bug description
status-needsinfo browser-firefox-mobile priority-important engine-gecko
<!-- @browser: Firefox Mobile 110.0 --> <!-- @ua_header: Mozilla/5.0 (Android 10; Mobile; rv:109.0) Gecko/110.0 Firefox/110.0 --> <!-- @reported_with: unknown --> **URL**: https://linktr.ee/spoonieuni **Browser / Version**: Firefox Mobile 110.0 **Operating System**: Android 10 **Tested Another Browser**: Yes Chrome **Problem type**: Something else **Description**: It's very slow, difficult to use because of how slow it is. It is not this slow on chrome. And it's just a list of links for the most part. It shouldn't be slow. **Steps to Reproduce**: Load up the webpage and it becomes slow almost immediately. Scrolling is slow. All actions are slow. Unusably slow. It isn't that slow on chrome for Android. <details> <summary>Browser Configuration</summary> <ul> <li>None</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
linktr.ee - see bug description - <!-- @browser: Firefox Mobile 110.0 --> <!-- @ua_header: Mozilla/5.0 (Android 10; Mobile; rv:109.0) Gecko/110.0 Firefox/110.0 --> <!-- @reported_with: unknown --> **URL**: https://linktr.ee/spoonieuni **Browser / Version**: Firefox Mobile 110.0 **Operating System**: Android 10 **Tested Another Browser**: Yes Chrome **Problem type**: Something else **Description**: It's very slow, difficult to use because of how slow it is. It is not this slow on chrome. And it's just a list of links for the most part. It shouldn't be slow. **Steps to Reproduce**: Load up the webpage and it becomes slow almost immediately. Scrolling is slow. All actions are slow. Unusably slow. It isn't that slow on chrome for Android. <details> <summary>Browser Configuration</summary> <ul> <li>None</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
non_defect
linktr ee see bug description url browser version firefox mobile operating system android tested another browser yes chrome problem type something else description it s very slow difficult to use because of how slow it is it is not this slow on chrome and it s just a list of links for the most part it shouldn t be slow steps to reproduce load up the webpage and it becomes slow almost immediately scrolling is slow all actions are slow unusably slow it isn t that slow on chrome for android browser configuration none from with ❤️
0
74,447
25,130,459,586
IssuesEvent
2022-11-09 14:48:55
primefaces/primeng
https://api.github.com/repos/primefaces/primeng
closed
Dropdown toLocaleLowerCase is not a function when optionLabel is a number
defect
**I'm submitting a ...** (check one with "x") ``` [x ] bug report ``` I will not put a plunkr because it is something simple. **Current behavior** The `optionLabel` of the dropdown expects the value to be a string and calls the function `toLocaleLowerCase`. However, if the optionLabel represents a number, it will throw an exception `TypeError: this.getOptionLabel(...).toLocaleLowerCase is not a function` Example at line 966, but there are other lines with the same call. https://github.com/primefaces/primeng/blob/c9946d3e3cff773b05c642b12b19a0631a5e1408/src/app/components/dropdown/dropdown.ts#L966 **Expected behavior** I think it would be better to accept numbers as well or at least not throw this hard to understand exception.
1.0
Dropdown toLocaleLowerCase is not a function when optionLabel is a number - **I'm submitting a ...** (check one with "x") ``` [x ] bug report ``` I will not put a plunkr because it is something simple. **Current behavior** The `optionLabel` of the dropdown expects the value to be a string and calls the function `toLocaleLowerCase`. However, if the optionLabel represents a number, it will throw an exception `TypeError: this.getOptionLabel(...).toLocaleLowerCase is not a function` Example at line 966, but there are other lines with the same call. https://github.com/primefaces/primeng/blob/c9946d3e3cff773b05c642b12b19a0631a5e1408/src/app/components/dropdown/dropdown.ts#L966 **Expected behavior** I think it would be better to accept numbers as well or at least not throw this hard to understand exception.
defect
dropdown tolocalelowercase is not a function when optionlabel is a number i m submitting a check one with x bug report i will not put a plunkr because it is something simple current behavior the optionlabel of the dropdown expects the value to be a string and calls the function tolocalelowercase however if the optionlabel represents a number it will throw an exception typeerror this getoptionlabel tolocalelowercase is not a function example at line but there are other lines with the same call expected behavior i think it would be better to accept numbers as well or at least not throw this hard to understand exception
1
2,436
2,615,161,286
IssuesEvent
2015-03-01 06:40:02
chrsmith/html5rocks
https://api.github.com/repos/chrsmith/html5rocks
closed
Upgrade jquery 1.6.4
auto-migrated Maintenance Milestone-Q42011-1 Priority-P1 redesign Type-Task
``` https://ajax.googleapis.com/ajax/libs/jquery/1.6.1/jquery.min.js ``` Original issue reported on code.google.com by `ericbide...@html5rocks.com` on 28 Jun 2011 at 1:55
1.0
Upgrade jquery 1.6.4 - ``` https://ajax.googleapis.com/ajax/libs/jquery/1.6.1/jquery.min.js ``` Original issue reported on code.google.com by `ericbide...@html5rocks.com` on 28 Jun 2011 at 1:55
non_defect
upgrade jquery original issue reported on code google com by ericbide com on jun at
0
25,201
4,233,631,112
IssuesEvent
2016-07-05 08:43:06
arkayenro/arkinventory
https://api.github.com/repos/arkayenro/arkinventory
closed
Companions/Pets Show Up as the WoW "W" Icon in Bags / Search
auto-migrated Priority-Medium Type-Defect
``` Downloaded from > curse What steps will reproduce the problem? 1. Open inventory. Companions/Pets are displayed at the WoW "W" icon. 2. 3. What is the expected output? What do you see instead? Used to see the actual companion/pet. What version of the product are you using? On what operating system? v30327 Please provide any additional information below. ``` Original issue reported on code.google.com by `thomas.h...@gmail.com` on 9 Mar 2013 at 8:52
1.0
Companions/Pets Show Up as the WoW "W" Icon in Bags / Search - ``` Downloaded from > curse What steps will reproduce the problem? 1. Open inventory. Companions/Pets are displayed at the WoW "W" icon. 2. 3. What is the expected output? What do you see instead? Used to see the actual companion/pet. What version of the product are you using? On what operating system? v30327 Please provide any additional information below. ``` Original issue reported on code.google.com by `thomas.h...@gmail.com` on 9 Mar 2013 at 8:52
defect
companions pets show up as the wow w icon in bags search downloaded from curse what steps will reproduce the problem open inventory companions pets are displayed at the wow w icon what is the expected output what do you see instead used to see the actual companion pet what version of the product are you using on what operating system please provide any additional information below original issue reported on code google com by thomas h gmail com on mar at
1
324,423
23,998,498,300
IssuesEvent
2022-09-14 09:28:54
WordPress/Documentation-Issue-Tracker
https://api.github.com/repos/WordPress/Documentation-Issue-Tracker
closed
[HelpHub] Quote block
user documentation 5.9 block editor tracking issue 6.0
Article: https://wordpress.org/support/article/quote-block/ ## Updating for 6.0 - [x] Remove the Large style option from the quote block. [37580](https://github.com/WordPress/gutenberg/pull/37580) - [x] Add color support to the quote block. [39899](https://github.com/WordPress/gutenberg/pull/39899) ### Updating for 5.9 - [x] Refer to the [tracker](https://github.com/WordPress/Documentation-Issue-Tracker/issues/141) ## General - [x] Make sure all screenshots are relevant for the current version (6.0) - [x] Make sure videos are up to date - [x] Make sure the headings are in sentence case - [x] Update the changelog at the end of the article
1.0
[HelpHub] Quote block - Article: https://wordpress.org/support/article/quote-block/ ## Updating for 6.0 - [x] Remove the Large style option from the quote block. [37580](https://github.com/WordPress/gutenberg/pull/37580) - [x] Add color support to the quote block. [39899](https://github.com/WordPress/gutenberg/pull/39899) ### Updating for 5.9 - [x] Refer to the [tracker](https://github.com/WordPress/Documentation-Issue-Tracker/issues/141) ## General - [x] Make sure all screenshots are relevant for the current version (6.0) - [x] Make sure videos are up to date - [x] Make sure the headings are in sentence case - [x] Update the changelog at the end of the article
non_defect
quote block article updating for remove the large style option from the quote block add color support to the quote block updating for refer to the general make sure all screenshots are relevant for the current version make sure videos are up to date make sure the headings are in sentence case update the changelog at the end of the article
0
76,895
26,660,596,701
IssuesEvent
2023-01-25 20:43:53
matrix-org/synapse
https://api.github.com/repos/matrix-org/synapse
closed
`synapse.api.errors.StoreError: 404: No row found` during background process `rotate_notifs`
A-Push S-Major T-Defect X-Needs-Info O-Uncommon
### Description For some versions of matrix-synapse we're getting the following error in our homeserver-logs. We didn't noticed any issues while using the service at all, everythin was running fine except for the **presence-status since the introduction of incremental `/sync`** requests some versions ago. **With the new synapse version 1.71.0 the `/sync` requests from all clients keep failing with the message "No row found".** It seems to me that there are some null-values in the database where they not ment to be. ### Steps to reproduce - Updating to matrix-synapse-py3 1.71.0 ### Homeserver on-premise/local network ### Synapse Version 1.71.0 ### Installation Method Debian packages from packages.matrix.org ### Platform Debian 11 ### Relevant log output ```shell 2022-11-11 20:15:50,596 - synapse.metrics.background_process_metrics - 242 - ERROR - rotate_notifs-18 - Background process 'rotate_notifs' threw an exception Traceback (most recent call last): File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/metrics/background_process_metrics.py", line 240, in run return await func(*args, **kwargs) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/databases/main/event_push_actions.py", line 1052, in _rotate_notifs caught_up = await self.db_pool.runInteraction( File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 881, in runInteraction return await delay_cancellation(_runInteraction()) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/internet/defer.py", line 1656, in _inlineCallbacks result = current_context.run( File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/python/failure.py", line 514, in throwExceptionIntoGenerator return g.throw(self.type, self.value, self.tb) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 848, in _runInteraction result = await self.runWithConnection( File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 976, in runWithConnection return await make_deferred_yieldable( File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/python/threadpool.py", line 244, in inContext result = inContext.theWork() # type: ignore[attr-defined] File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/python/threadpool.py", line 260, in <lambda> inContext.theWork = lambda: context.call( # type: ignore[attr-defined] File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/python/context.py", line 117, in callWithContext return self.currentContext().callWithContext(ctx, func, *args, **kw) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/python/context.py", line 82, in callWithContext return func(*args, **kw) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/enterprise/adbapi.py", line 282, in _runWithConnection result = func(conn, *args, **kw) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 969, in inner_func return func(db_conn, *args, **kwargs) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 710, in new_transaction r = func(cursor, *args, **kwargs) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/databases/main/event_push_actions.py", line 1097, in _handle_new_receipts_for_notifs_txn old_rotate_stream_ordering = self.db_pool.simple_select_one_onecol_txn( File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 1718, in simple_select_one_onecol_txn raise StoreError(404, "No row found") synapse.api.errors.StoreError: 404: No row found ``` ### Anything else that would be useful to know? _There are two issues like this in #14219 and #14300._
1.0
`synapse.api.errors.StoreError: 404: No row found` during background process `rotate_notifs` - ### Description For some versions of matrix-synapse we're getting the following error in our homeserver-logs. We didn't noticed any issues while using the service at all, everythin was running fine except for the **presence-status since the introduction of incremental `/sync`** requests some versions ago. **With the new synapse version 1.71.0 the `/sync` requests from all clients keep failing with the message "No row found".** It seems to me that there are some null-values in the database where they not ment to be. ### Steps to reproduce - Updating to matrix-synapse-py3 1.71.0 ### Homeserver on-premise/local network ### Synapse Version 1.71.0 ### Installation Method Debian packages from packages.matrix.org ### Platform Debian 11 ### Relevant log output ```shell 2022-11-11 20:15:50,596 - synapse.metrics.background_process_metrics - 242 - ERROR - rotate_notifs-18 - Background process 'rotate_notifs' threw an exception Traceback (most recent call last): File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/metrics/background_process_metrics.py", line 240, in run return await func(*args, **kwargs) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/databases/main/event_push_actions.py", line 1052, in _rotate_notifs caught_up = await self.db_pool.runInteraction( File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 881, in runInteraction return await delay_cancellation(_runInteraction()) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/internet/defer.py", line 1656, in _inlineCallbacks result = current_context.run( File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/python/failure.py", line 514, in throwExceptionIntoGenerator return g.throw(self.type, self.value, self.tb) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 848, in _runInteraction result = await self.runWithConnection( File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 976, in runWithConnection return await make_deferred_yieldable( File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/python/threadpool.py", line 244, in inContext result = inContext.theWork() # type: ignore[attr-defined] File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/python/threadpool.py", line 260, in <lambda> inContext.theWork = lambda: context.call( # type: ignore[attr-defined] File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/python/context.py", line 117, in callWithContext return self.currentContext().callWithContext(ctx, func, *args, **kw) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/python/context.py", line 82, in callWithContext return func(*args, **kw) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/twisted/enterprise/adbapi.py", line 282, in _runWithConnection result = func(conn, *args, **kw) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 969, in inner_func return func(db_conn, *args, **kwargs) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 710, in new_transaction r = func(cursor, *args, **kwargs) File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/databases/main/event_push_actions.py", line 1097, in _handle_new_receipts_for_notifs_txn old_rotate_stream_ordering = self.db_pool.simple_select_one_onecol_txn( File "/opt/venvs/matrix-synapse/lib/python3.9/site-packages/synapse/storage/database.py", line 1718, in simple_select_one_onecol_txn raise StoreError(404, "No row found") synapse.api.errors.StoreError: 404: No row found ``` ### Anything else that would be useful to know? _There are two issues like this in #14219 and #14300._
defect
synapse api errors storeerror no row found during background process rotate notifs description for some versions of matrix synapse we re getting the following error in our homeserver logs we didn t noticed any issues while using the service at all everythin was running fine except for the presence status since the introduction of incremental sync requests some versions ago with the new synapse version the sync requests from all clients keep failing with the message no row found it seems to me that there are some null values in the database where they not ment to be steps to reproduce updating to matrix synapse homeserver on premise local network synapse version installation method debian packages from packages matrix org platform debian relevant log output shell synapse metrics background process metrics error rotate notifs background process rotate notifs threw an exception traceback most recent call last file opt venvs matrix synapse lib site packages synapse metrics background process metrics py line in run return await func args kwargs file opt venvs matrix synapse lib site packages synapse storage databases main event push actions py line in rotate notifs caught up await self db pool runinteraction file opt venvs matrix synapse lib site packages synapse storage database py line in runinteraction return await delay cancellation runinteraction file opt venvs matrix synapse lib site packages twisted internet defer py line in inlinecallbacks result current context run file opt venvs matrix synapse lib site packages twisted python failure py line in throwexceptionintogenerator return g throw self type self value self tb file opt venvs matrix synapse lib site packages synapse storage database py line in runinteraction result await self runwithconnection file opt venvs matrix synapse lib site packages synapse storage database py line in runwithconnection return await make deferred yieldable file opt venvs matrix synapse lib site packages twisted python threadpool py line in incontext result incontext thework type ignore file opt venvs matrix synapse lib site packages twisted python threadpool py line in incontext thework lambda context call type ignore file opt venvs matrix synapse lib site packages twisted python context py line in callwithcontext return self currentcontext callwithcontext ctx func args kw file opt venvs matrix synapse lib site packages twisted python context py line in callwithcontext return func args kw file opt venvs matrix synapse lib site packages twisted enterprise adbapi py line in runwithconnection result func conn args kw file opt venvs matrix synapse lib site packages synapse storage database py line in inner func return func db conn args kwargs file opt venvs matrix synapse lib site packages synapse storage database py line in new transaction r func cursor args kwargs file opt venvs matrix synapse lib site packages synapse storage databases main event push actions py line in handle new receipts for notifs txn old rotate stream ordering self db pool simple select one onecol txn file opt venvs matrix synapse lib site packages synapse storage database py line in simple select one onecol txn raise storeerror no row found synapse api errors storeerror no row found anything else that would be useful to know there are two issues like this in and
1
53,571
13,261,925,350
IssuesEvent
2020-08-20 20:47:08
icecube-trac/tix4
https://api.github.com/repos/icecube-trac/tix4
closed
[I3Db] IceACT geometry is missing (Trac #1697)
Migrated from Trac combo reconstruction defect
The IceACT geometry is missing in the GCD files since I3Db starts with string 1 but IceACT is at string 0. Issue for 2015 & 2016. It is required to resolve it now since IceACT mainboard will be enabled today. Blocks L2 offline processing. <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/1697">https://code.icecube.wisc.edu/projects/icecube/ticket/1697</a>, reported by joertlinand owned by joertlin</em></summary> <p> ```json { "status": "closed", "changetime": "2019-02-13T14:11:57", "_ts": "1550067117911749", "description": "The IceACT geometry is missing in the GCD files since I3Db starts with string 1 but IceACT is at string 0.\n\nIssue for 2015 & 2016.\n\nIt is required to resolve it now since IceACT mainboard will be enabled today.\n\nBlocks L2 offline processing.", "reporter": "joertlin", "cc": "", "resolution": "fixed", "time": "2016-05-10T15:18:53", "component": "combo reconstruction", "summary": "[I3Db] IceACT geometry is missing", "priority": "blocker", "keywords": "", "milestone": "", "owner": "joertlin", "type": "defect" } ``` </p> </details>
1.0
[I3Db] IceACT geometry is missing (Trac #1697) - The IceACT geometry is missing in the GCD files since I3Db starts with string 1 but IceACT is at string 0. Issue for 2015 & 2016. It is required to resolve it now since IceACT mainboard will be enabled today. Blocks L2 offline processing. <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/1697">https://code.icecube.wisc.edu/projects/icecube/ticket/1697</a>, reported by joertlinand owned by joertlin</em></summary> <p> ```json { "status": "closed", "changetime": "2019-02-13T14:11:57", "_ts": "1550067117911749", "description": "The IceACT geometry is missing in the GCD files since I3Db starts with string 1 but IceACT is at string 0.\n\nIssue for 2015 & 2016.\n\nIt is required to resolve it now since IceACT mainboard will be enabled today.\n\nBlocks L2 offline processing.", "reporter": "joertlin", "cc": "", "resolution": "fixed", "time": "2016-05-10T15:18:53", "component": "combo reconstruction", "summary": "[I3Db] IceACT geometry is missing", "priority": "blocker", "keywords": "", "milestone": "", "owner": "joertlin", "type": "defect" } ``` </p> </details>
defect
iceact geometry is missing trac the iceact geometry is missing in the gcd files since starts with string but iceact is at string issue for it is required to resolve it now since iceact mainboard will be enabled today blocks offline processing migrated from json status closed changetime ts description the iceact geometry is missing in the gcd files since starts with string but iceact is at string n nissue for n nit is required to resolve it now since iceact mainboard will be enabled today n nblocks offline processing reporter joertlin cc resolution fixed time component combo reconstruction summary iceact geometry is missing priority blocker keywords milestone owner joertlin type defect
1
402,775
11,824,705,031
IssuesEvent
2020-03-21 08:15:20
AY1920S2-CS2103T-W16-2/main
https://api.github.com/repos/AY1920S2-CS2103T-W16-2/main
closed
Create Exercise Parser Tests
priority.High status.Ongoing type.Task
Objective: Be able to test parsing these commands: ``` list: exercise list create: exercise create e/<exercise> update: exercise edit e/<old_exercise_name> f/<new_exercise_name> delete: exercise delete e/<exercise> ```
1.0
Create Exercise Parser Tests - Objective: Be able to test parsing these commands: ``` list: exercise list create: exercise create e/<exercise> update: exercise edit e/<old_exercise_name> f/<new_exercise_name> delete: exercise delete e/<exercise> ```
non_defect
create exercise parser tests objective be able to test parsing these commands list exercise list create exercise create e update exercise edit e f delete exercise delete e
0
48,469
13,092,132,053
IssuesEvent
2020-08-03 08:01:24
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
closed
<java.lang.IllegalStateException> at runtime on using two methods with same cache name but different key
Type: Defect
<!-- Thanks for reporting your issue. Please share with us the following information, to help us resolve your issue quickly and efficiently. --> **Describe the bug** We've two services,marked as cacheable with same name but different key as below. When both these are called one by one, Hazelcast throw <java.lang.IllegalStateException> Cannot overwrite a Cache's CacheManager. Tried many options but it is still now working. We are using Hazelcast version 4.0 and spring-context 5.2.7. @Transactional(readOnly = true) @Cacheable(value = "find", key = "#root.methodName", unless = "#result == null or #result.size() == 0") public List<GenericItem> getProviderTaxIDs() { return providerRepository.getProviderTaxIDs(); } @Transactional(readOnly = true) @Cacheable(value = "find", key = "#root.methodName", unless = "#result == null or #result.size() == 0") public List<String> getEnrollmentLOBList() { return imlrAnalysisDAO.getEnrollmentLobList(); } exception.MessageException: <xxxx.xxxx.xxx.exception.HandlerException> Cannot overwrite a Cache's CacheManager. from command mlr.getProviderTaxIDs (? -> ppa-service) at xxxx.xxxx.xxx.conf.service.ExceptionConverter.handleAndThrow(ExceptionConverter.java:103) ~[?:?] at xxxx.xxxx.xxx.handler.MLRhandler.getProviderTaxIDs(MLRhandler.java:70) ~[?:?] at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_144] at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_144] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_144] at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_144] at xxxx.xxxx.xxx.isc.core.command.MethodCommandRef.executeCommand(MethodCommandRef.scala:188) ~[isc-core-2.0.15.jar:?] at xxxx.xxxx.xxx.isc.core.command.MethodCommandRef.receiveCommand(MethodCommandRef.scala:127) ~[isc-core-2.0.15.jar:?] at xxxx.xxxx.xxx.api.LocalServiceRef$$anonfun$receiveCommand$2.apply(LocalServiceRef.scala:50) ~[service-api-2.0.13.jar:?] at com.edifecs.servicemanager.api.LocalServiceRef$$anonfun$receiveCommand$2.apply(LocalServiceRef.scala:49) ~[service-api-2.0.13.jar:?] at scala.Option.map(Option.scala:146) ~[scala-library-2.11.7.jar:?] at com.edifecs.servicemanager.api.LocalServiceRef.receiveCommand(LocalServiceRef.scala:49) ~[service-api-2.0.13.jar:?] at com.edifecs.epp.isc.core.command.CommandReceiverActor$$anonfun$handleCommand$2$$anonfun$apply$4.apply(CommandReceiverActor.scala:104) ~[isc-core-2.0.15.jar:?] at com.edifecs.epp.isc.core.command.CommandReceiverActor$$anonfun$handleCommand$2$$anonfun$apply$4.apply(CommandReceiverActor.scala:93) ~[isc-core-2.0.15.jar:?] at scala.concurrent.Future$$anonfun$flatMap$1.apply(Future.scala:251) ~[scala-library-2.11.7.jar:?] at scala.concurrent.Future$$anonfun$flatMap$1.apply(Future.scala:249) ~[scala-library-2.11.7.jar:?] at scala.concurrent.impl.CallbackRunnable.run(Promise.scala:32) [scala-library-2.11.7.jar:?] at com.edifecs.epp.isc.core.dispatcher.ISCDispatcher$$anon$1$$anon$2.run(ISCDispatcherConfigurator.scala:83) [isc-core-2.0.15.jar:?] at akka.dispatch.TaskInvocation.run(AbstractDispatcher.scala:39) [akka-actor_2.11-2.4.11.jar:?] at akka.dispatch.ForkJoinExecutorConfigurator$AkkaForkJoinTask.exec(AbstractDispatcher.scala:409) [akka-actor_2.11-2.4.11.jar:?] at scala.concurrent.forkjoin.ForkJoinTask.doExec(ForkJoinTask.java:260) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinPool$WorkQueue.runTask(ForkJoinPool.java:1339) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinPool.runWorker(ForkJoinPool.java:1979) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:107) [scala-library-2.11.7.jar:?] Suppressed: com.edifecs.epp.isc.exception.MessageException: Exception returned from message sent from command mlr.getProviderTaxIDs (? -> ppa-service) at com.edifecs.epp.isc.CommandCommunicator$$anonfun$com$edifecs$epp$isc$CommandCommunicator$$parseMessageResponse$1.apply(CommandCommunicator.scala:297) ~[isc-core-2.0.15.jar:?] at com.edifecs.epp.isc.CommandCommunicator$$anonfun$com$edifecs$epp$isc$CommandCommunicator$$parseMessageResponse$1.apply(CommandCommunicator.scala:288) ~[isc-core-2.0.15.jar:?] at scala.concurrent.impl.Future$PromiseCompletingRunnable.liftedTree1$1(Future.scala:24) ~[scala-library-2.11.7.jar:?] at scala.concurrent.impl.Future$PromiseCompletingRunnable.run(Future.scala:24) ~[scala-library-2.11.7.jar:?] at com.edifecs.epp.isc.core.dispatcher.ISCDispatcher$$anon$1$$anon$2.run(ISCDispatcherConfigurator.scala:83) [isc-core-2.0.15.jar:?] at akka.dispatch.TaskInvocation.run(AbstractDispatcher.scala:39) [akka-actor_2.11-2.4.11.jar:?] at akka.dispatch.ForkJoinExecutorConfigurator$AkkaForkJoinTask.exec(AbstractDispatcher.scala:409) [akka-actor_2.11-2.4.11.jar:?] at scala.concurrent.forkjoin.ForkJoinTask.doExec(ForkJoinTask.java:260) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinPool$WorkQueue.runTask(ForkJoinPool.java:1339) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinPool.runWorker(ForkJoinPool.java:1979) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:107) [scala-library-2.11.7.jar:?] Caused by: com.edifecs.epp.isc.exception.MessageException: <java.lang.IllegalStateException> Cannot overwrite a Cache's CacheManager. at com.hazelcast.client.cache.impl.ClientCacheProxySupport.setCacheManager(ClientCacheProxySupport.java:238) ~[?:?] at com.hazelcast.client.cache.impl.ClientCacheProxy.setCacheManager(ClientCacheProxy.java:93) ~[?:?] at com.hazelcast.client.cache.impl.HazelcastClientCacheManager.createCacheProxy(HazelcastClientCacheManager.java:115) ~[?:?] at com.hazelcast.cache.impl.AbstractHazelcastCacheManager.getCacheUnchecked(AbstractHazelcastCacheManager.java:234) ~[?:?] at com.hazelcast.cache.impl.AbstractHazelcastCacheManager.getCache(AbstractHazelcastCacheManager.java:210) ~[?:?] at com.hazelcast.cache.impl.AbstractHazelcastCacheManager.getCache(AbstractHazelcastCacheManager.java:65) ~[?:?] at org.springframework.cache.jcache.JCacheCacheManager.getMissingCache(JCacheCacheManager.java:129) ~[?:?] at org.springframework.cache.support.AbstractCacheManager.getCache(AbstractCacheManager.java:97) ~[?:?] at org.springframework.cache.interceptor.AbstractCacheResolver.resolveCaches(AbstractCacheResolver.java:89) ~[?:?] at org.springframework.cache.interceptor.CacheAspectSupport.getCaches(CacheAspectSupport.java:253) ~[?:?] at org.springframework.cache.interceptor.CacheAspectSupport$CacheOperationContext.<init>(CacheAspectSupport.java:708) ~[?:?] at org.springframework.cache.interceptor.CacheAspectSupport.getOperationContext(CacheAspectSupport.java:266) ~[?:?] at org.springframework.cache.interceptor.CacheAspectSupport$CacheOperationContexts.<init>(CacheAspectSupport.java:599) ~[?:?] at org.springframework.cache.interceptor.CacheAspectSupport.execute(CacheAspectSupport.java:346) ~[?:?] at org.springframework.cache.interceptor.CacheInterceptor.invoke(CacheInterceptor.java:61) ~[?:?] at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:186) ~[?:?] at org.springframework.aop.framework.CglibAopProxy$CglibMethodInvocation.proceed(CglibAopProxy.java:749) ~[?:?] at org.springframework.transaction.interceptor.TransactionAspectSupport.invokeWithinTransaction(TransactionAspectSupport.java:367) ~[?:?] at org.springframework.transaction.interceptor.TransactionInterceptor.invoke(TransactionInterceptor.java:118) ~[?:?] at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:186) ~[?:?] at org.springframework.aop.framework.CglibAopProxy$CglibMethodInvocation.proceed(CglibAopProxy.java:749) ~[?:?] at org.springframework.aop.interceptor.ExposeInvocationInterceptor.invoke(ExposeInvocationInterceptor.java:95) ~[?:?] at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:186) ~[?:?] at org.springframework.aop.framework.CglibAopProxy$CglibMethodInvocation.proceed(CglibAopProxy.java:749) ~[?:?] at org.springframework.aop.framework.CglibAopProxy$DynamicAdvisedInterceptor.intercept(CglibAopProxy.java:691) ~[?:?] at com.edifecs.fin.ppa.service.MLRService$$EnhancerBySpringCGLIB$$4c739ccd.getProviderTaxIDs(<generated>) ~[?:?] at com.edifecs.fin.ppa.handler.MLRhandler.getProviderTaxIDs(MLRhandler.java:68) ~[?:?] **Expected behavior** As per the documentation, we can use SPEL expression to distinguish the keys for two methods without params. **Additional context** <!-- Add any other context about the problem here. Common details that we're often interested in: - Detailed description of the steps to reproduce your issue - Logs and stack traces, if available - Hazelcast version that you use (e.g. 3.4, also specify whether it is a minor release or the latest snapshot) - If available, integration module versions (e.g. Tomcat, Jetty, Spring, Hibernate). Also, include their detailed configuration information such as web.xml, Hibernate configuration and `context.xml` for Spring - Cluster size, i.e. the number of Hazelcast cluster members - Number of the clients - Version of Java. It is also helpful to mention the JVM parameters - Operating system. If it is Linux, kernel version is helpful - Unit test with the `hazelcast.xml` file. If you could include a unit test which reproduces your issue, we would be grateful -->
1.0
<java.lang.IllegalStateException> at runtime on using two methods with same cache name but different key - <!-- Thanks for reporting your issue. Please share with us the following information, to help us resolve your issue quickly and efficiently. --> **Describe the bug** We've two services,marked as cacheable with same name but different key as below. When both these are called one by one, Hazelcast throw <java.lang.IllegalStateException> Cannot overwrite a Cache's CacheManager. Tried many options but it is still now working. We are using Hazelcast version 4.0 and spring-context 5.2.7. @Transactional(readOnly = true) @Cacheable(value = "find", key = "#root.methodName", unless = "#result == null or #result.size() == 0") public List<GenericItem> getProviderTaxIDs() { return providerRepository.getProviderTaxIDs(); } @Transactional(readOnly = true) @Cacheable(value = "find", key = "#root.methodName", unless = "#result == null or #result.size() == 0") public List<String> getEnrollmentLOBList() { return imlrAnalysisDAO.getEnrollmentLobList(); } exception.MessageException: <xxxx.xxxx.xxx.exception.HandlerException> Cannot overwrite a Cache's CacheManager. from command mlr.getProviderTaxIDs (? -> ppa-service) at xxxx.xxxx.xxx.conf.service.ExceptionConverter.handleAndThrow(ExceptionConverter.java:103) ~[?:?] at xxxx.xxxx.xxx.handler.MLRhandler.getProviderTaxIDs(MLRhandler.java:70) ~[?:?] at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_144] at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_144] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_144] at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_144] at xxxx.xxxx.xxx.isc.core.command.MethodCommandRef.executeCommand(MethodCommandRef.scala:188) ~[isc-core-2.0.15.jar:?] at xxxx.xxxx.xxx.isc.core.command.MethodCommandRef.receiveCommand(MethodCommandRef.scala:127) ~[isc-core-2.0.15.jar:?] at xxxx.xxxx.xxx.api.LocalServiceRef$$anonfun$receiveCommand$2.apply(LocalServiceRef.scala:50) ~[service-api-2.0.13.jar:?] at com.edifecs.servicemanager.api.LocalServiceRef$$anonfun$receiveCommand$2.apply(LocalServiceRef.scala:49) ~[service-api-2.0.13.jar:?] at scala.Option.map(Option.scala:146) ~[scala-library-2.11.7.jar:?] at com.edifecs.servicemanager.api.LocalServiceRef.receiveCommand(LocalServiceRef.scala:49) ~[service-api-2.0.13.jar:?] at com.edifecs.epp.isc.core.command.CommandReceiverActor$$anonfun$handleCommand$2$$anonfun$apply$4.apply(CommandReceiverActor.scala:104) ~[isc-core-2.0.15.jar:?] at com.edifecs.epp.isc.core.command.CommandReceiverActor$$anonfun$handleCommand$2$$anonfun$apply$4.apply(CommandReceiverActor.scala:93) ~[isc-core-2.0.15.jar:?] at scala.concurrent.Future$$anonfun$flatMap$1.apply(Future.scala:251) ~[scala-library-2.11.7.jar:?] at scala.concurrent.Future$$anonfun$flatMap$1.apply(Future.scala:249) ~[scala-library-2.11.7.jar:?] at scala.concurrent.impl.CallbackRunnable.run(Promise.scala:32) [scala-library-2.11.7.jar:?] at com.edifecs.epp.isc.core.dispatcher.ISCDispatcher$$anon$1$$anon$2.run(ISCDispatcherConfigurator.scala:83) [isc-core-2.0.15.jar:?] at akka.dispatch.TaskInvocation.run(AbstractDispatcher.scala:39) [akka-actor_2.11-2.4.11.jar:?] at akka.dispatch.ForkJoinExecutorConfigurator$AkkaForkJoinTask.exec(AbstractDispatcher.scala:409) [akka-actor_2.11-2.4.11.jar:?] at scala.concurrent.forkjoin.ForkJoinTask.doExec(ForkJoinTask.java:260) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinPool$WorkQueue.runTask(ForkJoinPool.java:1339) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinPool.runWorker(ForkJoinPool.java:1979) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:107) [scala-library-2.11.7.jar:?] Suppressed: com.edifecs.epp.isc.exception.MessageException: Exception returned from message sent from command mlr.getProviderTaxIDs (? -> ppa-service) at com.edifecs.epp.isc.CommandCommunicator$$anonfun$com$edifecs$epp$isc$CommandCommunicator$$parseMessageResponse$1.apply(CommandCommunicator.scala:297) ~[isc-core-2.0.15.jar:?] at com.edifecs.epp.isc.CommandCommunicator$$anonfun$com$edifecs$epp$isc$CommandCommunicator$$parseMessageResponse$1.apply(CommandCommunicator.scala:288) ~[isc-core-2.0.15.jar:?] at scala.concurrent.impl.Future$PromiseCompletingRunnable.liftedTree1$1(Future.scala:24) ~[scala-library-2.11.7.jar:?] at scala.concurrent.impl.Future$PromiseCompletingRunnable.run(Future.scala:24) ~[scala-library-2.11.7.jar:?] at com.edifecs.epp.isc.core.dispatcher.ISCDispatcher$$anon$1$$anon$2.run(ISCDispatcherConfigurator.scala:83) [isc-core-2.0.15.jar:?] at akka.dispatch.TaskInvocation.run(AbstractDispatcher.scala:39) [akka-actor_2.11-2.4.11.jar:?] at akka.dispatch.ForkJoinExecutorConfigurator$AkkaForkJoinTask.exec(AbstractDispatcher.scala:409) [akka-actor_2.11-2.4.11.jar:?] at scala.concurrent.forkjoin.ForkJoinTask.doExec(ForkJoinTask.java:260) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinPool$WorkQueue.runTask(ForkJoinPool.java:1339) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinPool.runWorker(ForkJoinPool.java:1979) [scala-library-2.11.7.jar:?] at scala.concurrent.forkjoin.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:107) [scala-library-2.11.7.jar:?] Caused by: com.edifecs.epp.isc.exception.MessageException: <java.lang.IllegalStateException> Cannot overwrite a Cache's CacheManager. at com.hazelcast.client.cache.impl.ClientCacheProxySupport.setCacheManager(ClientCacheProxySupport.java:238) ~[?:?] at com.hazelcast.client.cache.impl.ClientCacheProxy.setCacheManager(ClientCacheProxy.java:93) ~[?:?] at com.hazelcast.client.cache.impl.HazelcastClientCacheManager.createCacheProxy(HazelcastClientCacheManager.java:115) ~[?:?] at com.hazelcast.cache.impl.AbstractHazelcastCacheManager.getCacheUnchecked(AbstractHazelcastCacheManager.java:234) ~[?:?] at com.hazelcast.cache.impl.AbstractHazelcastCacheManager.getCache(AbstractHazelcastCacheManager.java:210) ~[?:?] at com.hazelcast.cache.impl.AbstractHazelcastCacheManager.getCache(AbstractHazelcastCacheManager.java:65) ~[?:?] at org.springframework.cache.jcache.JCacheCacheManager.getMissingCache(JCacheCacheManager.java:129) ~[?:?] at org.springframework.cache.support.AbstractCacheManager.getCache(AbstractCacheManager.java:97) ~[?:?] at org.springframework.cache.interceptor.AbstractCacheResolver.resolveCaches(AbstractCacheResolver.java:89) ~[?:?] at org.springframework.cache.interceptor.CacheAspectSupport.getCaches(CacheAspectSupport.java:253) ~[?:?] at org.springframework.cache.interceptor.CacheAspectSupport$CacheOperationContext.<init>(CacheAspectSupport.java:708) ~[?:?] at org.springframework.cache.interceptor.CacheAspectSupport.getOperationContext(CacheAspectSupport.java:266) ~[?:?] at org.springframework.cache.interceptor.CacheAspectSupport$CacheOperationContexts.<init>(CacheAspectSupport.java:599) ~[?:?] at org.springframework.cache.interceptor.CacheAspectSupport.execute(CacheAspectSupport.java:346) ~[?:?] at org.springframework.cache.interceptor.CacheInterceptor.invoke(CacheInterceptor.java:61) ~[?:?] at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:186) ~[?:?] at org.springframework.aop.framework.CglibAopProxy$CglibMethodInvocation.proceed(CglibAopProxy.java:749) ~[?:?] at org.springframework.transaction.interceptor.TransactionAspectSupport.invokeWithinTransaction(TransactionAspectSupport.java:367) ~[?:?] at org.springframework.transaction.interceptor.TransactionInterceptor.invoke(TransactionInterceptor.java:118) ~[?:?] at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:186) ~[?:?] at org.springframework.aop.framework.CglibAopProxy$CglibMethodInvocation.proceed(CglibAopProxy.java:749) ~[?:?] at org.springframework.aop.interceptor.ExposeInvocationInterceptor.invoke(ExposeInvocationInterceptor.java:95) ~[?:?] at org.springframework.aop.framework.ReflectiveMethodInvocation.proceed(ReflectiveMethodInvocation.java:186) ~[?:?] at org.springframework.aop.framework.CglibAopProxy$CglibMethodInvocation.proceed(CglibAopProxy.java:749) ~[?:?] at org.springframework.aop.framework.CglibAopProxy$DynamicAdvisedInterceptor.intercept(CglibAopProxy.java:691) ~[?:?] at com.edifecs.fin.ppa.service.MLRService$$EnhancerBySpringCGLIB$$4c739ccd.getProviderTaxIDs(<generated>) ~[?:?] at com.edifecs.fin.ppa.handler.MLRhandler.getProviderTaxIDs(MLRhandler.java:68) ~[?:?] **Expected behavior** As per the documentation, we can use SPEL expression to distinguish the keys for two methods without params. **Additional context** <!-- Add any other context about the problem here. Common details that we're often interested in: - Detailed description of the steps to reproduce your issue - Logs and stack traces, if available - Hazelcast version that you use (e.g. 3.4, also specify whether it is a minor release or the latest snapshot) - If available, integration module versions (e.g. Tomcat, Jetty, Spring, Hibernate). Also, include their detailed configuration information such as web.xml, Hibernate configuration and `context.xml` for Spring - Cluster size, i.e. the number of Hazelcast cluster members - Number of the clients - Version of Java. It is also helpful to mention the JVM parameters - Operating system. If it is Linux, kernel version is helpful - Unit test with the `hazelcast.xml` file. If you could include a unit test which reproduces your issue, we would be grateful -->
defect
at runtime on using two methods with same cache name but different key thanks for reporting your issue please share with us the following information to help us resolve your issue quickly and efficiently describe the bug we ve two services marked as cacheable with same name but different key as below when both these are called one by one hazelcast throw cannot overwrite a cache s cachemanager tried many options but it is still now working we are using hazelcast version and spring context transactional readonly true cacheable value find key root methodname unless result null or result size public list getprovidertaxids return providerrepository getprovidertaxids transactional readonly true cacheable value find key root methodname unless result null or result size public list getenrollmentloblist return imlranalysisdao getenrollmentloblist exception messageexception cannot overwrite a cache s cachemanager from command mlr getprovidertaxids ppa service at xxxx xxxx xxx conf service exceptionconverter handleandthrow exceptionconverter java at xxxx xxxx xxx handler mlrhandler getprovidertaxids mlrhandler java at sun reflect nativemethodaccessorimpl native method at sun reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at xxxx xxxx xxx isc core command methodcommandref executecommand methodcommandref scala at xxxx xxxx xxx isc core command methodcommandref receivecommand methodcommandref scala at xxxx xxxx xxx api localserviceref anonfun receivecommand apply localserviceref scala at com edifecs servicemanager api localserviceref anonfun receivecommand apply localserviceref scala at scala option map option scala at com edifecs servicemanager api localserviceref receivecommand localserviceref scala at com edifecs epp isc core command commandreceiveractor anonfun handlecommand anonfun apply apply commandreceiveractor scala at com edifecs epp isc core command commandreceiveractor anonfun handlecommand anonfun apply apply commandreceiveractor scala at scala concurrent future anonfun flatmap apply future scala at scala concurrent future anonfun flatmap apply future scala at scala concurrent impl callbackrunnable run promise scala at com edifecs epp isc core dispatcher iscdispatcher anon anon run iscdispatcherconfigurator scala at akka dispatch taskinvocation run abstractdispatcher scala at akka dispatch forkjoinexecutorconfigurator akkaforkjointask exec abstractdispatcher scala at scala concurrent forkjoin forkjointask doexec forkjointask java at scala concurrent forkjoin forkjoinpool workqueue runtask forkjoinpool java at scala concurrent forkjoin forkjoinpool runworker forkjoinpool java at scala concurrent forkjoin forkjoinworkerthread run forkjoinworkerthread java suppressed com edifecs epp isc exception messageexception exception returned from message sent from command mlr getprovidertaxids ppa service at com edifecs epp isc commandcommunicator anonfun com edifecs epp isc commandcommunicator parsemessageresponse apply commandcommunicator scala at com edifecs epp isc commandcommunicator anonfun com edifecs epp isc commandcommunicator parsemessageresponse apply commandcommunicator scala at scala concurrent impl future promisecompletingrunnable future scala at scala concurrent impl future promisecompletingrunnable run future scala at com edifecs epp isc core dispatcher iscdispatcher anon anon run iscdispatcherconfigurator scala at akka dispatch taskinvocation run abstractdispatcher scala at akka dispatch forkjoinexecutorconfigurator akkaforkjointask exec abstractdispatcher scala at scala concurrent forkjoin forkjointask doexec forkjointask java at scala concurrent forkjoin forkjoinpool workqueue runtask forkjoinpool java at scala concurrent forkjoin forkjoinpool runworker forkjoinpool java at scala concurrent forkjoin forkjoinworkerthread run forkjoinworkerthread java caused by com edifecs epp isc exception messageexception cannot overwrite a cache s cachemanager at com hazelcast client cache impl clientcacheproxysupport setcachemanager clientcacheproxysupport java at com hazelcast client cache impl clientcacheproxy setcachemanager clientcacheproxy java at com hazelcast client cache impl hazelcastclientcachemanager createcacheproxy hazelcastclientcachemanager java at com hazelcast cache impl abstracthazelcastcachemanager getcacheunchecked abstracthazelcastcachemanager java at com hazelcast cache impl abstracthazelcastcachemanager getcache abstracthazelcastcachemanager java at com hazelcast cache impl abstracthazelcastcachemanager getcache abstracthazelcastcachemanager java at org springframework cache jcache jcachecachemanager getmissingcache jcachecachemanager java at org springframework cache support abstractcachemanager getcache abstractcachemanager java at org springframework cache interceptor abstractcacheresolver resolvecaches abstractcacheresolver java at org springframework cache interceptor cacheaspectsupport getcaches cacheaspectsupport java at org springframework cache interceptor cacheaspectsupport cacheoperationcontext cacheaspectsupport java at org springframework cache interceptor cacheaspectsupport getoperationcontext cacheaspectsupport java at org springframework cache interceptor cacheaspectsupport cacheoperationcontexts cacheaspectsupport java at org springframework cache interceptor cacheaspectsupport execute cacheaspectsupport java at org springframework cache interceptor cacheinterceptor invoke cacheinterceptor java at org springframework aop framework reflectivemethodinvocation proceed reflectivemethodinvocation java at org springframework aop framework cglibaopproxy cglibmethodinvocation proceed cglibaopproxy java at org springframework transaction interceptor transactionaspectsupport invokewithintransaction transactionaspectsupport java at org springframework transaction interceptor transactioninterceptor invoke transactioninterceptor java at org springframework aop framework reflectivemethodinvocation proceed reflectivemethodinvocation java at org springframework aop framework cglibaopproxy cglibmethodinvocation proceed cglibaopproxy java at org springframework aop interceptor exposeinvocationinterceptor invoke exposeinvocationinterceptor java at org springframework aop framework reflectivemethodinvocation proceed reflectivemethodinvocation java at org springframework aop framework cglibaopproxy cglibmethodinvocation proceed cglibaopproxy java at org springframework aop framework cglibaopproxy dynamicadvisedinterceptor intercept cglibaopproxy java at com edifecs fin ppa service mlrservice enhancerbyspringcglib getprovidertaxids at com edifecs fin ppa handler mlrhandler getprovidertaxids mlrhandler java expected behavior as per the documentation we can use spel expression to distinguish the keys for two methods without params additional context add any other context about the problem here common details that we re often interested in detailed description of the steps to reproduce your issue logs and stack traces if available hazelcast version that you use e g also specify whether it is a minor release or the latest snapshot if available integration module versions e g tomcat jetty spring hibernate also include their detailed configuration information such as web xml hibernate configuration and context xml for spring cluster size i e the number of hazelcast cluster members number of the clients version of java it is also helpful to mention the jvm parameters operating system if it is linux kernel version is helpful unit test with the hazelcast xml file if you could include a unit test which reproduces your issue we would be grateful
1
27,535
5,041,908,786
IssuesEvent
2016-12-19 12:05:19
WohlSoft/PGE-Project
https://api.github.com/repos/WohlSoft/PGE-Project
opened
Improve LunaTester's Loader to allow it work on WinXP
Defect / Imperfection wontfix
We know that current implementation of LunaLoader doesn't works under Windows XP and requires us to use a pre-hexed executable (which produces false positives by some dumb anti-viruses). Here is another DLL injecting example which confirmed as working on all Windows versions include XP: https://github.com/Hotride/UOFPSPatcher/blob/master/MainScript.cpp#L134 (here also code to attach extra control dialog for manipulating injecting DLL and manipulating with a hacked game)
1.0
Improve LunaTester's Loader to allow it work on WinXP - We know that current implementation of LunaLoader doesn't works under Windows XP and requires us to use a pre-hexed executable (which produces false positives by some dumb anti-viruses). Here is another DLL injecting example which confirmed as working on all Windows versions include XP: https://github.com/Hotride/UOFPSPatcher/blob/master/MainScript.cpp#L134 (here also code to attach extra control dialog for manipulating injecting DLL and manipulating with a hacked game)
defect
improve lunatester s loader to allow it work on winxp we know that current implementation of lunaloader doesn t works under windows xp and requires us to use a pre hexed executable which produces false positives by some dumb anti viruses here is another dll injecting example which confirmed as working on all windows versions include xp here also code to attach extra control dialog for manipulating injecting dll and manipulating with a hacked game
1
30,179
6,035,936,670
IssuesEvent
2017-06-09 14:59:18
contao/core-bundle
https://api.github.com/repos/contao/core-bundle
closed
4.4.0 dev - Systemwartung
defect
Für die Ansicht > Systemwartung fehlt noch für die Tabelle eine width: 100%; bzw. class für das BE-Layout ohne max. Breite. ![bildschirmfoto 2017-06-07 um 12 44 03](https://user-images.githubusercontent.com/488443/26875043-690837ca-4b80-11e7-9040-b6a0b31f9b7e.png) ![bildschirmfoto 2017-06-07 um 12 43 20](https://user-images.githubusercontent.com/488443/26875054-71b6001e-4b80-11e7-80f9-60a0b3bc9800.png)
1.0
4.4.0 dev - Systemwartung - Für die Ansicht > Systemwartung fehlt noch für die Tabelle eine width: 100%; bzw. class für das BE-Layout ohne max. Breite. ![bildschirmfoto 2017-06-07 um 12 44 03](https://user-images.githubusercontent.com/488443/26875043-690837ca-4b80-11e7-9040-b6a0b31f9b7e.png) ![bildschirmfoto 2017-06-07 um 12 43 20](https://user-images.githubusercontent.com/488443/26875054-71b6001e-4b80-11e7-80f9-60a0b3bc9800.png)
defect
dev systemwartung für die ansicht systemwartung fehlt noch für die tabelle eine width bzw class für das be layout ohne max breite
1
224,786
24,789,132,003
IssuesEvent
2022-10-24 12:26:39
MatBenfield/news
https://api.github.com/repos/MatBenfield/news
opened
[SecurityWeek] Critical Flaws in Abode Home Security Kit Allow Hackers to Hijack, Disable Cameras
SecurityWeek
**Abode Systems has resolved multiple severe vulnerabilities in its home security kit, including critical issues that could allow attackers to execute commands with root privileges.** [read more](https://www.securityweek.com/critical-flaws-abode-home-security-kit-allow-hackers-hijack-disable-cameras) <https://www.securityweek.com/critical-flaws-abode-home-security-kit-allow-hackers-hijack-disable-cameras>
True
[SecurityWeek] Critical Flaws in Abode Home Security Kit Allow Hackers to Hijack, Disable Cameras - **Abode Systems has resolved multiple severe vulnerabilities in its home security kit, including critical issues that could allow attackers to execute commands with root privileges.** [read more](https://www.securityweek.com/critical-flaws-abode-home-security-kit-allow-hackers-hijack-disable-cameras) <https://www.securityweek.com/critical-flaws-abode-home-security-kit-allow-hackers-hijack-disable-cameras>
non_defect
critical flaws in abode home security kit allow hackers to hijack disable cameras abode systems has resolved multiple severe vulnerabilities in its home security kit including critical issues that could allow attackers to execute commands with root privileges
0
59,481
17,023,139,585
IssuesEvent
2021-07-03 00:33:06
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
more display bugs ;D
Component: mapnik Priority: major Resolution: invalid Type: defect
**[Submitted to the original trac issue database at 6.05pm, Tuesday, 5th December 2006]** in [http://labs.metacarta.com/osm/?lat=5620549.71034&lon=638956.79368&zoom=14&layers=B00] we can see multiple rendering bugs... * the name of the park at the top right should not appear * there should be no white border around the building with "mairie" affixed to it
1.0
more display bugs ;D - **[Submitted to the original trac issue database at 6.05pm, Tuesday, 5th December 2006]** in [http://labs.metacarta.com/osm/?lat=5620549.71034&lon=638956.79368&zoom=14&layers=B00] we can see multiple rendering bugs... * the name of the park at the top right should not appear * there should be no white border around the building with "mairie" affixed to it
defect
more display bugs d in we can see multiple rendering bugs the name of the park at the top right should not appear there should be no white border around the building with mairie affixed to it
1
228,550
18,241,771,559
IssuesEvent
2021-10-01 13:43:38
ubtue/DatenProbleme
https://api.github.com/repos/ubtue/DatenProbleme
closed
ISSN 1468-0025 | Modern Theology (Wiley) | Titelzusatz
ready for testing Zotero_AUTO_RSS Einspielung_Zotero_AUTO
**URL** https://doi.org/10.1111/moth.12677 IxTheo#2021-08-03#C70198F9AB307DEA1764BD8335BFDE4F22A7A4AF **Ausführliche Problembeschreibung** Der Zusatztitel wurde nicht mit eingespielt. Sowohl auf Nu als auch auf ub28 wird er nicht erfasst. Der Titel ist etwas anders als die anderen Titel im Heft: Auf der Heft-Übersichtsseite: ![image](https://user-images.githubusercontent.com/57000004/128165352-3e95565d-adfc-4ab9-b79b-b358163defbd.png) Auf der Artikel-Seite: ![image](https://user-images.githubusercontent.com/57000004/128165286-72bbfb32-2bbf-48cc-a65b-9c651cc761cd.png) Dagegen ein eigentlich ähnlicher Artikel im gleichen Heft (https://doi.org/10.1111/moth.12679): ![image](https://user-images.githubusercontent.com/57000004/128165440-fd5f8ccf-0813-4bfd-b1d2-8424d484dffd.png) ![image](https://user-images.githubusercontent.com/57000004/128165503-3cc1e0b4-4cf3-4459-a486-719a12d6a8e2.png) Dementsprechend ist auch der HTML-Quellcode anders und der Zusatztitel wird in einem gesonderten Meta-Feld aufgeführt.
1.0
ISSN 1468-0025 | Modern Theology (Wiley) | Titelzusatz - **URL** https://doi.org/10.1111/moth.12677 IxTheo#2021-08-03#C70198F9AB307DEA1764BD8335BFDE4F22A7A4AF **Ausführliche Problembeschreibung** Der Zusatztitel wurde nicht mit eingespielt. Sowohl auf Nu als auch auf ub28 wird er nicht erfasst. Der Titel ist etwas anders als die anderen Titel im Heft: Auf der Heft-Übersichtsseite: ![image](https://user-images.githubusercontent.com/57000004/128165352-3e95565d-adfc-4ab9-b79b-b358163defbd.png) Auf der Artikel-Seite: ![image](https://user-images.githubusercontent.com/57000004/128165286-72bbfb32-2bbf-48cc-a65b-9c651cc761cd.png) Dagegen ein eigentlich ähnlicher Artikel im gleichen Heft (https://doi.org/10.1111/moth.12679): ![image](https://user-images.githubusercontent.com/57000004/128165440-fd5f8ccf-0813-4bfd-b1d2-8424d484dffd.png) ![image](https://user-images.githubusercontent.com/57000004/128165503-3cc1e0b4-4cf3-4459-a486-719a12d6a8e2.png) Dementsprechend ist auch der HTML-Quellcode anders und der Zusatztitel wird in einem gesonderten Meta-Feld aufgeführt.
non_defect
issn modern theology wiley titelzusatz url ixtheo ausführliche problembeschreibung der zusatztitel wurde nicht mit eingespielt sowohl auf nu als auch auf wird er nicht erfasst der titel ist etwas anders als die anderen titel im heft auf der heft übersichtsseite auf der artikel seite dagegen ein eigentlich ähnlicher artikel im gleichen heft dementsprechend ist auch der html quellcode anders und der zusatztitel wird in einem gesonderten meta feld aufgeführt
0
488,894
14,099,010,391
IssuesEvent
2020-11-06 00:16:41
BioKIC/NEON-Biorepository-Data-Docs
https://api.github.com/repos/BioKIC/NEON-Biorepository-Data-Docs
closed
Mammal and Fish DNA sample class updates, manifest and sampleClass mapping
database priority
Katie LeVan has asked that we **update manifest** [CCDB-2019-048](https://biorepo.neonscience.org/portal/neon/shipment/manifestviewer.php?shipmentPK=899) as follows: **Parent (existing) classes:** Sample class for fish fin clips: fsh_perFish_in.dnaSampleID (not generally archived) Sample class for mammal ear tissue: mam_pertrapnight_in.earSampleID **New classes:** Sample class for aqueous fish DNA extract: mam_barcoding_in.dnaSubsampleID.fsh (FISC-DNA) Sample class for aqueous mammal DNA extract: mam_barcoding_in.dnaSubsampleID.mam (MAMC-DNA) **These new sample classes should then be mapped to the following two collections, respectively:** Fish Collection (DNA Extracts)(NEON-FISC-DNA) Mammal Collection (DNA Extracts)(NEON-MAMC-DNA)
1.0
Mammal and Fish DNA sample class updates, manifest and sampleClass mapping - Katie LeVan has asked that we **update manifest** [CCDB-2019-048](https://biorepo.neonscience.org/portal/neon/shipment/manifestviewer.php?shipmentPK=899) as follows: **Parent (existing) classes:** Sample class for fish fin clips: fsh_perFish_in.dnaSampleID (not generally archived) Sample class for mammal ear tissue: mam_pertrapnight_in.earSampleID **New classes:** Sample class for aqueous fish DNA extract: mam_barcoding_in.dnaSubsampleID.fsh (FISC-DNA) Sample class for aqueous mammal DNA extract: mam_barcoding_in.dnaSubsampleID.mam (MAMC-DNA) **These new sample classes should then be mapped to the following two collections, respectively:** Fish Collection (DNA Extracts)(NEON-FISC-DNA) Mammal Collection (DNA Extracts)(NEON-MAMC-DNA)
non_defect
mammal and fish dna sample class updates manifest and sampleclass mapping katie levan has asked that we update manifest as follows parent existing classes sample class for fish fin clips fsh perfish in dnasampleid not generally archived sample class for mammal ear tissue mam pertrapnight in earsampleid new classes sample class for aqueous fish dna extract mam barcoding in dnasubsampleid fsh fisc dna sample class for aqueous mammal dna extract mam barcoding in dnasubsampleid mam mamc dna these new sample classes should then be mapped to the following two collections respectively fish collection dna extracts neon fisc dna mammal collection dna extracts neon mamc dna
0
34,417
7,451,245,425
IssuesEvent
2018-03-29 01:46:26
kerdokullamae/test_koik_issued
https://api.github.com/repos/kerdokullamae/test_koik_issued
closed
Hierarhiline otsing - Detailotsingus
P: high R: duplicate T: defect
**Reported by jelenag on 14 Mar 2013 08:33 UTC** Tundub, et Täpsema otsingu puhul hierarhiline päring ei tööta. UC - Kirjeldusüksuse otsing ''Hierarhiast otsing kehtib ka detailotsingu puhul, aga detailotsingus on lisaks mõningaid välju (mille puhul ky hierarhiat ei vaadata).''
1.0
Hierarhiline otsing - Detailotsingus - **Reported by jelenag on 14 Mar 2013 08:33 UTC** Tundub, et Täpsema otsingu puhul hierarhiline päring ei tööta. UC - Kirjeldusüksuse otsing ''Hierarhiast otsing kehtib ka detailotsingu puhul, aga detailotsingus on lisaks mõningaid välju (mille puhul ky hierarhiat ei vaadata).''
defect
hierarhiline otsing detailotsingus reported by jelenag on mar utc tundub et täpsema otsingu puhul hierarhiline päring ei tööta uc kirjeldusüksuse otsing hierarhiast otsing kehtib ka detailotsingu puhul aga detailotsingus on lisaks mõningaid välju mille puhul ky hierarhiat ei vaadata
1
107,411
4,308,026,478
IssuesEvent
2016-07-21 11:20:36
Azurency/gari
https://api.github.com/repos/Azurency/gari
closed
sweetAlert n'est pas parfait dans IE ni dans Chrome
Priority: High Status: Completed Type: Bug
Voir si on peut régler les bugs de sweetalert ou passer à quelque chose d'autre
1.0
sweetAlert n'est pas parfait dans IE ni dans Chrome - Voir si on peut régler les bugs de sweetalert ou passer à quelque chose d'autre
non_defect
sweetalert n est pas parfait dans ie ni dans chrome voir si on peut régler les bugs de sweetalert ou passer à quelque chose d autre
0
18,732
3,082,948,270
IssuesEvent
2015-08-24 04:01:37
scipy/scipy
https://api.github.com/repos/scipy/scipy
opened
BUG: stats.genextreme.entropy should use the explicit formula
defect easy-fix scipy.stats
There is an explicit formula for the entropy of the generalized extreme value distribution (see https://en.wikipedia.org/wiki/Generalized_extreme_value_distribution, but replace xi with -c), but it is not currently used by `genextreme`, so we run into problems such as: ``` In [1]: from scipy.stats import genextreme In [2]: genextreme.entropy(10) /Users/warren/local_scipy/lib/python2.7/site-packages/scipy/integrate/quadpack.py:357: IntegrationWarning: The integral is probably divergent, or slowly convergent. warnings.warn(msg, IntegrationWarning) Out[2]: array(0.28853804178883136) ``` The correct value should be: ``` In [3]: np.euler_gamma*(1 - 10) + 1 Out[3]: -4.194940984113796 ``` Also, ``` In [4]: genextreme.entropy(-10) /Users/warren/local_scipy/lib/python2.7/site-packages/scipy/integrate/quadpack.py:357: IntegrationWarning: The maximum number of subdivisions (50) has been achieved. If increasing the limit yields no improvement it is advised to analyze the integrand in order to determine the difficulties. If the position of a local difficulty can be determined (singularity, discontinuity) one will probably gain from splitting up the interval and calling the integrator on the subranges. Perhaps a special-purpose integrator should be used. warnings.warn(msg, IntegrationWarning) Out[4]: array(4.634556946775499) ``` The actual value should be ``` In [5]: np.euler_gamma*(1 + 10) + 1 Out[5]: 7.349372313916861 ``` A fix should be as easy as adding this method to the `genextreme_gen` class: def _entropy(self, c): return _EULER*(1 - c) + 1 along with some tests to ensure that the problems shown above don't occur.
1.0
BUG: stats.genextreme.entropy should use the explicit formula - There is an explicit formula for the entropy of the generalized extreme value distribution (see https://en.wikipedia.org/wiki/Generalized_extreme_value_distribution, but replace xi with -c), but it is not currently used by `genextreme`, so we run into problems such as: ``` In [1]: from scipy.stats import genextreme In [2]: genextreme.entropy(10) /Users/warren/local_scipy/lib/python2.7/site-packages/scipy/integrate/quadpack.py:357: IntegrationWarning: The integral is probably divergent, or slowly convergent. warnings.warn(msg, IntegrationWarning) Out[2]: array(0.28853804178883136) ``` The correct value should be: ``` In [3]: np.euler_gamma*(1 - 10) + 1 Out[3]: -4.194940984113796 ``` Also, ``` In [4]: genextreme.entropy(-10) /Users/warren/local_scipy/lib/python2.7/site-packages/scipy/integrate/quadpack.py:357: IntegrationWarning: The maximum number of subdivisions (50) has been achieved. If increasing the limit yields no improvement it is advised to analyze the integrand in order to determine the difficulties. If the position of a local difficulty can be determined (singularity, discontinuity) one will probably gain from splitting up the interval and calling the integrator on the subranges. Perhaps a special-purpose integrator should be used. warnings.warn(msg, IntegrationWarning) Out[4]: array(4.634556946775499) ``` The actual value should be ``` In [5]: np.euler_gamma*(1 + 10) + 1 Out[5]: 7.349372313916861 ``` A fix should be as easy as adding this method to the `genextreme_gen` class: def _entropy(self, c): return _EULER*(1 - c) + 1 along with some tests to ensure that the problems shown above don't occur.
defect
bug stats genextreme entropy should use the explicit formula there is an explicit formula for the entropy of the generalized extreme value distribution see but replace xi with c but it is not currently used by genextreme so we run into problems such as in from scipy stats import genextreme in genextreme entropy users warren local scipy lib site packages scipy integrate quadpack py integrationwarning the integral is probably divergent or slowly convergent warnings warn msg integrationwarning out array the correct value should be in np euler gamma out also in genextreme entropy users warren local scipy lib site packages scipy integrate quadpack py integrationwarning the maximum number of subdivisions has been achieved if increasing the limit yields no improvement it is advised to analyze the integrand in order to determine the difficulties if the position of a local difficulty can be determined singularity discontinuity one will probably gain from splitting up the interval and calling the integrator on the subranges perhaps a special purpose integrator should be used warnings warn msg integrationwarning out array the actual value should be in np euler gamma out a fix should be as easy as adding this method to the genextreme gen class def entropy self c return euler c along with some tests to ensure that the problems shown above don t occur
1
27,097
4,047,010,073
IssuesEvent
2016-05-23 01:17:59
jjon-saxton/momoko-cms
https://api.github.com/repos/jjon-saxton/momoko-cms
closed
Installer should set fluidity as new layout and write proper headtags
bug core critical design
The installer never finished correctly because it did not write any headtags for the active layout. We should write default headtags. Also we should switch Fluidity in as the default them instead of Quirk.
1.0
Installer should set fluidity as new layout and write proper headtags - The installer never finished correctly because it did not write any headtags for the active layout. We should write default headtags. Also we should switch Fluidity in as the default them instead of Quirk.
non_defect
installer should set fluidity as new layout and write proper headtags the installer never finished correctly because it did not write any headtags for the active layout we should write default headtags also we should switch fluidity in as the default them instead of quirk
0
165,056
12,827,311,078
IssuesEvent
2020-07-06 18:13:56
BinderDyn/Deplora
https://api.github.com/repos/BinderDyn/Deplora
closed
Database access
enhancement testing
Connecting to a database and executing SQL via... - [x] MSSQL - [x] MySQL - [x] Tests
1.0
Database access - Connecting to a database and executing SQL via... - [x] MSSQL - [x] MySQL - [x] Tests
non_defect
database access connecting to a database and executing sql via mssql mysql tests
0
62,242
8,583,092,639
IssuesEvent
2018-11-13 18:45:53
openai/baselines
https://api.github.com/repos/openai/baselines
closed
Parallel Environments
documentation question
I am new to implementing RL algorithms and would like to use the VecEnv methods shared here to parallelize steps across multiple environments. I see this method used in specific model implementations, but it would be helpful if some documentation could be provided. Something brief would be fine, just enough that I would know how to set up one environment multiple times in parallel. Are there better open source implementations for this concern specifically? I have seen some that do not even take advantage of multiple processors or threads. It seems that here at least this parallelism is included. Is my understanding correct? Any guidance on how to set up a multi-environment using the code available here would help me a lot! Thank you.
1.0
Parallel Environments - I am new to implementing RL algorithms and would like to use the VecEnv methods shared here to parallelize steps across multiple environments. I see this method used in specific model implementations, but it would be helpful if some documentation could be provided. Something brief would be fine, just enough that I would know how to set up one environment multiple times in parallel. Are there better open source implementations for this concern specifically? I have seen some that do not even take advantage of multiple processors or threads. It seems that here at least this parallelism is included. Is my understanding correct? Any guidance on how to set up a multi-environment using the code available here would help me a lot! Thank you.
non_defect
parallel environments i am new to implementing rl algorithms and would like to use the vecenv methods shared here to parallelize steps across multiple environments i see this method used in specific model implementations but it would be helpful if some documentation could be provided something brief would be fine just enough that i would know how to set up one environment multiple times in parallel are there better open source implementations for this concern specifically i have seen some that do not even take advantage of multiple processors or threads it seems that here at least this parallelism is included is my understanding correct any guidance on how to set up a multi environment using the code available here would help me a lot thank you
0
274,311
20,831,111,722
IssuesEvent
2022-03-19 13:02:43
DrStarland/teamwork
https://api.github.com/repos/DrStarland/teamwork
closed
Написать прототип ТЗ
documentation
Подготовить первую версию документа, описывающего суть и содержание проекта; написать список участников.
1.0
Написать прототип ТЗ - Подготовить первую версию документа, описывающего суть и содержание проекта; написать список участников.
non_defect
написать прототип тз подготовить первую версию документа описывающего суть и содержание проекта написать список участников
0
8,762
10,721,928,528
IssuesEvent
2019-10-27 07:49:21
Kaydax/Ido
https://api.github.com/repos/Kaydax/Ido
closed
BetterPortals Remove Animation
bug incompatibility multiplayer singleplayer
Hi I found that if BP mod is installed and you go Third Person your caracter is invisible while swiming. I know is a minor bug but I would like if you could fix it. thanks
True
BetterPortals Remove Animation - Hi I found that if BP mod is installed and you go Third Person your caracter is invisible while swiming. I know is a minor bug but I would like if you could fix it. thanks
non_defect
betterportals remove animation hi i found that if bp mod is installed and you go third person your caracter is invisible while swiming i know is a minor bug but i would like if you could fix it thanks
0
85,131
3,686,904,636
IssuesEvent
2016-02-25 04:29:35
GalliumOS/galliumos-distro
https://api.github.com/repos/GalliumOS/galliumos-distro
closed
Greyed out restart, shut down and suspend buttons
bug priority:high
After doing a dist-upgrade today, the xfce restart, shut down and suspend buttons got greyed out. The issue persisted after a restart. Reverting to the previous version of xfce4-session solved the problem for me: `apt-get install xfce4-session=4.12.1-1ubuntu2-galliumos1` Upgrading the package again after that grays the buttons out again. So I'm pretty sure there's something wrong with 4.12.1-1ubuntu2-galliumos2. Please let me know if you need any more information. ASUS C200 (Baytrail) vivid-galliumos-prerelease: disabled vivid-galliumos-testing: enabled
1.0
Greyed out restart, shut down and suspend buttons - After doing a dist-upgrade today, the xfce restart, shut down and suspend buttons got greyed out. The issue persisted after a restart. Reverting to the previous version of xfce4-session solved the problem for me: `apt-get install xfce4-session=4.12.1-1ubuntu2-galliumos1` Upgrading the package again after that grays the buttons out again. So I'm pretty sure there's something wrong with 4.12.1-1ubuntu2-galliumos2. Please let me know if you need any more information. ASUS C200 (Baytrail) vivid-galliumos-prerelease: disabled vivid-galliumos-testing: enabled
non_defect
greyed out restart shut down and suspend buttons after doing a dist upgrade today the xfce restart shut down and suspend buttons got greyed out the issue persisted after a restart reverting to the previous version of session solved the problem for me apt get install session upgrading the package again after that grays the buttons out again so i m pretty sure there s something wrong with please let me know if you need any more information asus baytrail vivid galliumos prerelease disabled vivid galliumos testing enabled
0
19,511
3,218,519,217
IssuesEvent
2015-10-08 02:06:03
objectify/objectify
https://api.github.com/repos/objectify/objectify
closed
result of ofy().cache(true).consistency(STRONG).load().key(k).now() is inconsistent
invalid Priority-Medium Type-Defect
Original [issue 210](https://code.google.com/p/objectify-appengine/issues/detail?id=210) created by objectify on 2014-06-19T14:14:25.000Z: I noticed that entities were not always consistently retrieved. Fields that were set yesterday sometimes were retrieved empty and sometimes have the correct values in them. I just retrieved one particular entity 8 times -- half the time it had the new value, half the time it did not. I then tried: ofy().cache(false).consistency(STRONG).load().key(k).now() 8 times in succession and it retrieved the correct values every time. I then tried: ofy().cache(true).load().key(k).now() 8 times in succession -- it retrieved the correct values every time. The values are properly filled in when I look at the object in the GAE datastore viewer. The implementation is an applet with virtually all code server-side (i.e., no logic other than user-interaction resident on the client). I am using the following: 1) GAE SDK 1.9.6 2) Objectify 5.0.2 3) Running using Java JDK 1.7.0_55 I am beginning to wonder if there is a problem in the GAE datastore itself. The problem does not seem to occur in the GAE development server (but it's hard to tell because of the small dataset size that one can readily use in the development server). Although I believe I have found the problem and resolved it by removing call to &quot;.consistency(STRONG)&quot;, it should probably be resolved in Objectify so that some other newbie (like I am) doesn't inadvertently trigger the problem. Thanks, Tony
1.0
result of ofy().cache(true).consistency(STRONG).load().key(k).now() is inconsistent - Original [issue 210](https://code.google.com/p/objectify-appengine/issues/detail?id=210) created by objectify on 2014-06-19T14:14:25.000Z: I noticed that entities were not always consistently retrieved. Fields that were set yesterday sometimes were retrieved empty and sometimes have the correct values in them. I just retrieved one particular entity 8 times -- half the time it had the new value, half the time it did not. I then tried: ofy().cache(false).consistency(STRONG).load().key(k).now() 8 times in succession and it retrieved the correct values every time. I then tried: ofy().cache(true).load().key(k).now() 8 times in succession -- it retrieved the correct values every time. The values are properly filled in when I look at the object in the GAE datastore viewer. The implementation is an applet with virtually all code server-side (i.e., no logic other than user-interaction resident on the client). I am using the following: 1) GAE SDK 1.9.6 2) Objectify 5.0.2 3) Running using Java JDK 1.7.0_55 I am beginning to wonder if there is a problem in the GAE datastore itself. The problem does not seem to occur in the GAE development server (but it's hard to tell because of the small dataset size that one can readily use in the development server). Although I believe I have found the problem and resolved it by removing call to &quot;.consistency(STRONG)&quot;, it should probably be resolved in Objectify so that some other newbie (like I am) doesn't inadvertently trigger the problem. Thanks, Tony
defect
result of ofy cache true consistency strong load key k now is inconsistent original created by objectify on i noticed that entities were not always consistently retrieved fields that were set yesterday sometimes were retrieved empty and sometimes have the correct values in them i just retrieved one particular entity times half the time it had the new value half the time it did not i then tried ofy cache false consistency strong load key k now times in succession and it retrieved the correct values every time i then tried ofy cache true load key k now times in succession it retrieved the correct values every time the values are properly filled in when i look at the object in the gae datastore viewer the implementation is an applet with virtually all code server side i e no logic other than user interaction resident on the client i am using the following gae sdk objectify running using java jdk i am beginning to wonder if there is a problem in the gae datastore itself the problem does not seem to occur in the gae development server but it s hard to tell because of the small dataset size that one can readily use in the development server although i believe i have found the problem and resolved it by removing call to quot consistency strong quot it should probably be resolved in objectify so that some other newbie like i am doesn t inadvertently trigger the problem thanks tony
1
85,824
10,465,983,779
IssuesEvent
2019-09-21 15:23:20
tildeclub/tilde.club
https://api.github.com/repos/tildeclub/tilde.club
closed
Copy and consolidate remaining wiki articles from github to tilde.club/wiki
documentation
Time to copy more wiki articles over to the wiki hosted on tilde.club :)
1.0
Copy and consolidate remaining wiki articles from github to tilde.club/wiki - Time to copy more wiki articles over to the wiki hosted on tilde.club :)
non_defect
copy and consolidate remaining wiki articles from github to tilde club wiki time to copy more wiki articles over to the wiki hosted on tilde club
0
13,927
2,789,762,216
IssuesEvent
2015-05-08 21:20:08
google/google-visualization-api-issues
https://api.github.com/repos/google/google-visualization-api-issues
closed
BarChart automatic height results in squashed chart
Priority-Medium Type-Defect
Original [issue 71](https://code.google.com/p/google-visualization-api-issues/issues/detail?id=71) created by orwant on 2009-09-30T16:39:42.000Z: <b>What steps will reproduce the problem? Please provide a link to a</b> <b>demonstration page if at all possible, or attach code.</b> 1. See attached 2. Setting height explicitly to 300 pixels makes the problem go away <b>3.</b> ************************************* {cols:[{id:'0',label:'Rank',type:'string',pattern:'',p:{'a':'0AD'}},{id:'1',label:'Logins',type:'number',pattern:'',p:{'b':'2B7','lithiumcolumnformat':'integer'}}],rows:[{c:[{v:'AAAAAAAA'},{v:15.0}]},{c:[{v:'BBBBBBBBBBBB'},{v:23.0}]},{c:[{v:'CCCCCCCCC'},{v:2.0}]},{c:[{v:'DDDDDDDDDDDD'},{v:14.0}]},{c:[{v:'EEEEEEEEEEEE'},{v:85.0}]},{c:[{v:'FFFFFFFFFFF'},{v:90.0}]},{c:[{v:'GGGGGGGGGGGGGGGGGGG'},{v:46.0}]},{c:[{v:'HHHHHHHHHHHHHHHH'},{v:16.0}]},{c:[{v:'IIIIIIIIIIIIIIIIIIIIIIIII'},{v:5.0}]},{c:[{v:'JJJJJJJJJJJJJJ'},{v:30.0}]},{c:[{v:'KKKKKKKKKKKKKKKKK'},{v:3.0}]},{c:[{v:'LLLLLLLLLLLLLLL'},{v:1.0}]},{c:[{v:'MMMMMMMMMMMMMMMMM'},{v:23.0}]},{c:[{v:'NNNNNNNNNNNNNNNNN'},{v:22.0}]},{c:[{v:'OOOOOOOOOO'},{v:2.0}]},{c:[{v:'PPPPPPPPP'},{v:6.0}]}]} {colors:['#&nbsp;0085CF','#&nbsp;224272','#&nbsp;808080','#&nbsp;808080'],legend:'none',width:465,allowHtml:true,legendFontSize:12,axisFontSize:12} ********************************* <b>What component is this issue related to (PieChart, LineChart, DataTable,</b> <b>Query, etc)?</b> <b>Are you using the test environment (version 1.1)?</b> Have tried both, same behavior <b>What operating system and browser are you using?</b> Windows XP (IE8 and Firefox) and Ubuntu (Firefox) - same behavior in all three browsers <b>*********************************************************</b> <b>For developers viewing this issue: please click the 'star' icon to be</b> <b>notified of future changes, and to let us know how many of you are</b> <b>interested in seeing it resolved.</b> <b>*********************************************************</b>
1.0
BarChart automatic height results in squashed chart - Original [issue 71](https://code.google.com/p/google-visualization-api-issues/issues/detail?id=71) created by orwant on 2009-09-30T16:39:42.000Z: <b>What steps will reproduce the problem? Please provide a link to a</b> <b>demonstration page if at all possible, or attach code.</b> 1. See attached 2. Setting height explicitly to 300 pixels makes the problem go away <b>3.</b> ************************************* {cols:[{id:'0',label:'Rank',type:'string',pattern:'',p:{'a':'0AD'}},{id:'1',label:'Logins',type:'number',pattern:'',p:{'b':'2B7','lithiumcolumnformat':'integer'}}],rows:[{c:[{v:'AAAAAAAA'},{v:15.0}]},{c:[{v:'BBBBBBBBBBBB'},{v:23.0}]},{c:[{v:'CCCCCCCCC'},{v:2.0}]},{c:[{v:'DDDDDDDDDDDD'},{v:14.0}]},{c:[{v:'EEEEEEEEEEEE'},{v:85.0}]},{c:[{v:'FFFFFFFFFFF'},{v:90.0}]},{c:[{v:'GGGGGGGGGGGGGGGGGGG'},{v:46.0}]},{c:[{v:'HHHHHHHHHHHHHHHH'},{v:16.0}]},{c:[{v:'IIIIIIIIIIIIIIIIIIIIIIIII'},{v:5.0}]},{c:[{v:'JJJJJJJJJJJJJJ'},{v:30.0}]},{c:[{v:'KKKKKKKKKKKKKKKKK'},{v:3.0}]},{c:[{v:'LLLLLLLLLLLLLLL'},{v:1.0}]},{c:[{v:'MMMMMMMMMMMMMMMMM'},{v:23.0}]},{c:[{v:'NNNNNNNNNNNNNNNNN'},{v:22.0}]},{c:[{v:'OOOOOOOOOO'},{v:2.0}]},{c:[{v:'PPPPPPPPP'},{v:6.0}]}]} {colors:['#&nbsp;0085CF','#&nbsp;224272','#&nbsp;808080','#&nbsp;808080'],legend:'none',width:465,allowHtml:true,legendFontSize:12,axisFontSize:12} ********************************* <b>What component is this issue related to (PieChart, LineChart, DataTable,</b> <b>Query, etc)?</b> <b>Are you using the test environment (version 1.1)?</b> Have tried both, same behavior <b>What operating system and browser are you using?</b> Windows XP (IE8 and Firefox) and Ubuntu (Firefox) - same behavior in all three browsers <b>*********************************************************</b> <b>For developers viewing this issue: please click the 'star' icon to be</b> <b>notified of future changes, and to let us know how many of you are</b> <b>interested in seeing it resolved.</b> <b>*********************************************************</b>
defect
barchart automatic height results in squashed chart original created by orwant on what steps will reproduce the problem please provide a link to a demonstration page if at all possible or attach code see attached setting height explicitly to pixels makes the problem go away cols rows c c c c c c c c c c c c c c c colors legend none width allowhtml true legendfontsize axisfontsize what component is this issue related to piechart linechart datatable query etc are you using the test environment version have tried both same behavior what operating system and browser are you using windows xp and firefox and ubuntu firefox same behavior in all three browsers for developers viewing this issue please click the star icon to be notified of future changes and to let us know how many of you are interested in seeing it resolved
1
48,417
13,350,726,897
IssuesEvent
2020-08-30 09:41:57
maxisoft/sandboxtank
https://api.github.com/repos/maxisoft/sandboxtank
opened
Even more secure shared memory
security
This soft use memory mapped file for interprocess communication (aka IPC). The created *temporary* file may store sensitive information like windows' username/**password** For now the shared memory use a naive/not very secure `XorCipher` to prevent storing sensitive information in a raw/human readable form. This issue is here as a note to myself to fix this using : - another IPC mechanism - better cipher algorithm
True
Even more secure shared memory - This soft use memory mapped file for interprocess communication (aka IPC). The created *temporary* file may store sensitive information like windows' username/**password** For now the shared memory use a naive/not very secure `XorCipher` to prevent storing sensitive information in a raw/human readable form. This issue is here as a note to myself to fix this using : - another IPC mechanism - better cipher algorithm
non_defect
even more secure shared memory this soft use memory mapped file for interprocess communication aka ipc the created temporary file may store sensitive information like windows username password for now the shared memory use a naive not very secure xorcipher to prevent storing sensitive information in a raw human readable form this issue is here as a note to myself to fix this using another ipc mechanism better cipher algorithm
0
193,636
22,216,237,015
IssuesEvent
2022-06-08 02:09:47
maddyCode23/linux-4.1.15
https://api.github.com/repos/maddyCode23/linux-4.1.15
reopened
CVE-2019-19047 (Medium) detected in fedorav4.6
security vulnerability
## CVE-2019-19047 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>fedorav4.6</b></p></summary> <p> <p>Fedora kernel git tree</p> <p>Library home page: <a href=https://git.kernel.org/pub/scm/linux/kernel/git/jwboyer/fedora.git>https://git.kernel.org/pub/scm/linux/kernel/git/jwboyer/fedora.git</a></p> <p>Found in HEAD commit: <a href="https://github.com/maddyCode23/linux-4.1.15/commit/f1f3d2b150be669390b32dfea28e773471bdd6e7">f1f3d2b150be669390b32dfea28e773471bdd6e7</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 (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/net/ethernet/mellanox/mlx5/core/health.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/net/ethernet/mellanox/mlx5/core/health.c</b> </p> </details> <p></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> A memory leak in the mlx5_fw_fatal_reporter_dump() function in drivers/net/ethernet/mellanox/mlx5/core/health.c in the Linux kernel before 5.3.11 allows attackers to cause a denial of service (memory consumption) by triggering mlx5_crdump_collect() failures, aka CID-c7ed6d0183d5. <p>Publish Date: 2019-11-18 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-19047>CVE-2019-19047</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.5</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: 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-19047">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-19047</a></p> <p>Release Date: 2020-08-24</p> <p>Fix Resolution: v5.4-rc6</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-19047 (Medium) detected in fedorav4.6 - ## CVE-2019-19047 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>fedorav4.6</b></p></summary> <p> <p>Fedora kernel git tree</p> <p>Library home page: <a href=https://git.kernel.org/pub/scm/linux/kernel/git/jwboyer/fedora.git>https://git.kernel.org/pub/scm/linux/kernel/git/jwboyer/fedora.git</a></p> <p>Found in HEAD commit: <a href="https://github.com/maddyCode23/linux-4.1.15/commit/f1f3d2b150be669390b32dfea28e773471bdd6e7">f1f3d2b150be669390b32dfea28e773471bdd6e7</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 (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/net/ethernet/mellanox/mlx5/core/health.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/net/ethernet/mellanox/mlx5/core/health.c</b> </p> </details> <p></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> A memory leak in the mlx5_fw_fatal_reporter_dump() function in drivers/net/ethernet/mellanox/mlx5/core/health.c in the Linux kernel before 5.3.11 allows attackers to cause a denial of service (memory consumption) by triggering mlx5_crdump_collect() failures, aka CID-c7ed6d0183d5. <p>Publish Date: 2019-11-18 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-19047>CVE-2019-19047</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.5</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: 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-19047">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-19047</a></p> <p>Release Date: 2020-08-24</p> <p>Fix Resolution: v5.4-rc6</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve medium detected in cve medium severity vulnerability vulnerable library fedora kernel git tree library home page a href found in head commit a href found in base branch master vulnerable source files drivers net ethernet mellanox core health c drivers net ethernet mellanox core health c vulnerability details a memory leak in the fw fatal reporter dump function in drivers net ethernet mellanox core health c in the linux kernel before allows attackers to cause a denial of service memory consumption by triggering crdump collect failures aka cid 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 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 step up your open source security game with whitesource
0
58,484
16,554,416,508
IssuesEvent
2021-05-28 12:23:47
Ferlab-Ste-Justine/clin-project
https://api.github.com/repos/Ferlab-Ste-Justine/clin-project
closed
Export NANUQ - mauvaise valeur pour sexe
- S - Defects
mauvaise valeur pour sexe dans l'export NANUQ. Devrait être plutôt remplacé "feminin" --> par "female" remplacé "masculin" --> par "male" remplacé "inconnu" --> par "unknown"
1.0
Export NANUQ - mauvaise valeur pour sexe - mauvaise valeur pour sexe dans l'export NANUQ. Devrait être plutôt remplacé "feminin" --> par "female" remplacé "masculin" --> par "male" remplacé "inconnu" --> par "unknown"
defect
export nanuq mauvaise valeur pour sexe mauvaise valeur pour sexe dans l export nanuq devrait être plutôt remplacé feminin par female remplacé masculin par male remplacé inconnu par unknown
1
943
2,594,348,624
IssuesEvent
2015-02-20 02:11:52
BALL-Project/ball
https://api.github.com/repos/BALL-Project/ball
closed
64bit problem in Bruker1D/2DFile
C: BALL Core P: critical R: fixed T: defect
**Reported by dstoeckel on 26 Aug 40644466 08:00 UTC** Upon compilation gcc produces the following warning ``` bruker1DFile.C: In member function void BALL::Bruker1DFile::read(): bruker1DFile.C:55: warning: dereferencing type-punned pointer will break strict-aliasing rules ``` The same warning is also issued for Bruker2DFile. Inspecting the code in question: ```cpp 54 char c[55 signed long int &numdum = *(signed long int*) (&c[0](4]; )); ``` It can be seen that the code is specific to 32 bit platforms. (long int has size 8 on 64bit). Thus reading BrukerNDFiles should be broken on 64bit platforms.
1.0
64bit problem in Bruker1D/2DFile - **Reported by dstoeckel on 26 Aug 40644466 08:00 UTC** Upon compilation gcc produces the following warning ``` bruker1DFile.C: In member function void BALL::Bruker1DFile::read(): bruker1DFile.C:55: warning: dereferencing type-punned pointer will break strict-aliasing rules ``` The same warning is also issued for Bruker2DFile. Inspecting the code in question: ```cpp 54 char c[55 signed long int &numdum = *(signed long int*) (&c[0](4]; )); ``` It can be seen that the code is specific to 32 bit platforms. (long int has size 8 on 64bit). Thus reading BrukerNDFiles should be broken on 64bit platforms.
defect
problem in reported by dstoeckel on aug utc upon compilation gcc produces the following warning c in member function void ball read c warning dereferencing type punned pointer will break strict aliasing rules the same warning is also issued for inspecting the code in question cpp char c it can be seen that the code is specific to bit platforms long int has size on thus reading brukerndfiles should be broken on platforms
1
80,536
30,323,052,455
IssuesEvent
2023-07-10 20:52:05
DependencyTrack/frontend
https://api.github.com/repos/DependencyTrack/frontend
closed
ExternalReferencesDropdown shows outside of the screen
defect
### Current Behavior ExternalReferencesDropdown shows outside of the screen ### Steps to Reproduce 1.Open the ExternalReferencesDropdown ### Expected Behavior ExternalReferencesDropdown shows outside inside the screen ### Dependency-Track Frontend Version 4.9.0-SNAPSHOT ### Browser Google Chrome ### Browser Version _No response_ ### Operating System Windows ### Checklist - [X] I have read and understand the [contributing guidelines](https://github.com/DependencyTrack/dependency-track/blob/master/CONTRIBUTING.md#filing-issues) - [X] I have checked the [existing issues](https://github.com/DependencyTrack/frontend/issues) for whether this defect was already reported
1.0
ExternalReferencesDropdown shows outside of the screen - ### Current Behavior ExternalReferencesDropdown shows outside of the screen ### Steps to Reproduce 1.Open the ExternalReferencesDropdown ### Expected Behavior ExternalReferencesDropdown shows outside inside the screen ### Dependency-Track Frontend Version 4.9.0-SNAPSHOT ### Browser Google Chrome ### Browser Version _No response_ ### Operating System Windows ### Checklist - [X] I have read and understand the [contributing guidelines](https://github.com/DependencyTrack/dependency-track/blob/master/CONTRIBUTING.md#filing-issues) - [X] I have checked the [existing issues](https://github.com/DependencyTrack/frontend/issues) for whether this defect was already reported
defect
externalreferencesdropdown shows outside of the screen current behavior externalreferencesdropdown shows outside of the screen steps to reproduce open the externalreferencesdropdown expected behavior externalreferencesdropdown shows outside inside the screen dependency track frontend version snapshot browser google chrome browser version no response operating system windows checklist i have read and understand the i have checked the for whether this defect was already reported
1
22,733
3,690,049,365
IssuesEvent
2016-02-25 18:34:49
contao/core
https://api.github.com/repos/contao/core
opened
Respect custom paths for icons in core.js AjaxRequest::toggleVisibility()
defect
<a href="https://github.com/DanielSchwiperich"><img src="https://avatars.githubusercontent.com/u/2045722?v=3" align="left" width="42" height="42"></img></a> [Issue](https://github.com/contao-components/contao/issues/1) by @DanielSchwiperich December 9th, 2015, 16:50 GMT If a bundle defines a custom page type for example and uses the core-bundle Hook `getPageStatusIcon` a public accessible path is returned like `bundles/mybundle/custom_page_type-icon.gif` The icon then is shown correct in the page tree. But if the "Hide/Unhide" (eye) Icon is clicked the image disappears because of a smal bug in AjaxRequest::toggleVisibility(). See here: https://github.com/contao-components/contao/blob/master/js/core.js#L518 and here: https://github.com/contao-components/contao/blob/master/js/core.js#L545 and maybe here also: https://github.com/contao-components/contao/blob/master/js/core.js#L573 `img.src = AjaxRequest.themePath + (!published ? icon : icond);` The problem here is that `AjaxRequest.themePath` is prepended which works fine for core icon where only the icon name is set and the path finding is handled by `Contao\Image::getHtml` but not for custom icons where the data attributes contain the full web url relative path. Core Icon with name only: ```html <img src="system/themes/flexible/images/regular.gif" data-icon="regular.gif" data-icon-disabled="regular_1.gif" height="18" width="18"> ``` Custom icons with complete path (relative to web folder) ```html <img src="/bundles/mybundle/custom_page_type-icon.png" data-icon="/bundles/mybundle/custom_page_type-icon.png" data-icon-disabled="/bundles/mybundle/custom_page_type-icon_1.png" height="14" width="18"> ``` (Doesn't matter it with or without / at path start) This is then converted to `system/themes/flexible/images/bundles/mybundle/custom_page_type-icon_1.png` An easy fix could be to only prepend `AjaxRequest.themePath` if the icon / icond do not contain slashes / a path
1.0
Respect custom paths for icons in core.js AjaxRequest::toggleVisibility() - <a href="https://github.com/DanielSchwiperich"><img src="https://avatars.githubusercontent.com/u/2045722?v=3" align="left" width="42" height="42"></img></a> [Issue](https://github.com/contao-components/contao/issues/1) by @DanielSchwiperich December 9th, 2015, 16:50 GMT If a bundle defines a custom page type for example and uses the core-bundle Hook `getPageStatusIcon` a public accessible path is returned like `bundles/mybundle/custom_page_type-icon.gif` The icon then is shown correct in the page tree. But if the "Hide/Unhide" (eye) Icon is clicked the image disappears because of a smal bug in AjaxRequest::toggleVisibility(). See here: https://github.com/contao-components/contao/blob/master/js/core.js#L518 and here: https://github.com/contao-components/contao/blob/master/js/core.js#L545 and maybe here also: https://github.com/contao-components/contao/blob/master/js/core.js#L573 `img.src = AjaxRequest.themePath + (!published ? icon : icond);` The problem here is that `AjaxRequest.themePath` is prepended which works fine for core icon where only the icon name is set and the path finding is handled by `Contao\Image::getHtml` but not for custom icons where the data attributes contain the full web url relative path. Core Icon with name only: ```html <img src="system/themes/flexible/images/regular.gif" data-icon="regular.gif" data-icon-disabled="regular_1.gif" height="18" width="18"> ``` Custom icons with complete path (relative to web folder) ```html <img src="/bundles/mybundle/custom_page_type-icon.png" data-icon="/bundles/mybundle/custom_page_type-icon.png" data-icon-disabled="/bundles/mybundle/custom_page_type-icon_1.png" height="14" width="18"> ``` (Doesn't matter it with or without / at path start) This is then converted to `system/themes/flexible/images/bundles/mybundle/custom_page_type-icon_1.png` An easy fix could be to only prepend `AjaxRequest.themePath` if the icon / icond do not contain slashes / a path
defect
respect custom paths for icons in core js ajaxrequest togglevisibility by danielschwiperich december gmt if a bundle defines a custom page type for example and uses the core bundle hook getpagestatusicon a public accessible path is returned like bundles mybundle custom page type icon gif the icon then is shown correct in the page tree but if the hide unhide eye icon is clicked the image disappears because of a smal bug in ajaxrequest togglevisibility see here and here and maybe here also img src ajaxrequest themepath published icon icond the problem here is that ajaxrequest themepath is prepended which works fine for core icon where only the icon name is set and the path finding is handled by contao image gethtml but not for custom icons where the data attributes contain the full web url relative path core icon with name only html custom icons with complete path relative to web folder html doesn t matter it with or without at path start this is then converted to system themes flexible images bundles mybundle custom page type icon png an easy fix could be to only prepend ajaxrequest themepath if the icon icond do not contain slashes a path
1
61,725
17,023,765,322
IssuesEvent
2021-07-03 03:43:50
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
[placenames] Render standard place names on polygons
Component: mapnik Priority: minor Resolution: duplicate Type: defect
**[Submitted to the original trac issue database at 2.20am, Sunday, 18th December 2011]** Names for place=city, suburb, are not rendered at the moment. Since the wiki states that places can be areas, attached patch tries to correct this behaviour.
1.0
[placenames] Render standard place names on polygons - **[Submitted to the original trac issue database at 2.20am, Sunday, 18th December 2011]** Names for place=city, suburb, are not rendered at the moment. Since the wiki states that places can be areas, attached patch tries to correct this behaviour.
defect
render standard place names on polygons names for place city suburb are not rendered at the moment since the wiki states that places can be areas attached patch tries to correct this behaviour
1