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 957 | labels stringlengths 4 795 | body stringlengths 1 259k | index stringclasses 12
values | text_combine stringlengths 96 259k | label stringclasses 2
values | text stringlengths 96 252k | binary_label int64 0 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
856 | 2,502,838,098 | IssuesEvent | 2015-01-09 13:16:34 | duckduckgo/community-platform | https://api.github.com/repos/duckduckgo/community-platform | closed | Translation notification: View & Mark complete error | Bug Notifications Priority: Medium Translations | If you login and go to your notifications and click on View & Mark complete behind a new translation you always get the following error:
my/notifications/done_goto: Caught exception in DDGC::Web::Controller::My::Notifications->done_goto "Can't locate object method "u_unvoted" via package "DDGC::DB::Result::Event::Notification::Group" at /mnt/md0/home/ddgc/live/script/../lib/DDGC/DB/Result/User/Notification/Group.pm line 255."
All other notifications don't have this problem with the specific button.
The action: Mark complete don't give me an error and the notification will go away. | 1.0 | Translation notification: View & Mark complete error - If you login and go to your notifications and click on View & Mark complete behind a new translation you always get the following error:
my/notifications/done_goto: Caught exception in DDGC::Web::Controller::My::Notifications->done_goto "Can't locate object method "u_unvoted" via package "DDGC::DB::Result::Event::Notification::Group" at /mnt/md0/home/ddgc/live/script/../lib/DDGC/DB/Result/User/Notification/Group.pm line 255."
All other notifications don't have this problem with the specific button.
The action: Mark complete don't give me an error and the notification will go away. | priority | translation notification view mark complete error if you login and go to your notifications and click on view mark complete behind a new translation you always get the following error my notifications done goto caught exception in ddgc web controller my notifications done goto can t locate object method u unvoted via package ddgc db result event notification group at mnt home ddgc live script lib ddgc db result user notification group pm line all other notifications don t have this problem with the specific button the action mark complete don t give me an error and the notification will go away | 1 |
825,581 | 31,395,093,482 | IssuesEvent | 2023-08-26 20:48:45 | zephyrproject-rtos/zephyr | https://api.github.com/repos/zephyrproject-rtos/zephyr | closed | QEMU bug with branch delay slots on ARC | bug priority: medium | (Submitting this to Zephyr just to have a fix to link with the full description from the workaround patch. We probably want to open a toolchain bug for the broader problem?)
As of recent commits, qemu_arc_em is failing in the tests/kernel/mem_protect/syscalls test with:
```
START - test_syscall_torture
Running syscall torture test with 4 threads on 1 cpu(s)
E: ***** Exception vector: 0x2, cause code: 0x1, parameter 0x0
E: Address 0x800014a4
E: >>> ZEPHYR FATAL ERROR 0: CPU exception on CPU 0
E: Current thread: 0x804009f0 (unknown)
E: Halting system
```
The proximate cause was (hilariously) that the patch count since the last release candidate had reached 100. This caused the version string printed by the boot banner to be one byte longer and exposed the bug. (I actually got a test rig created where two Zephyr binaries that differed ONLY in whether the last byte of a fake banner string was a "x" or a newline would differ in crash behavior).
But as it turns out that's all just timing interaction. The real problem happens in the heap code, and is a compiler bug. @ruuddw pointed out that the fault (at 0x800014a4) is actually flagging an illegal instruction in a branch delay slot. And indeed, the disassembly below shows that the faulting instruction is a ENTER_S (one of the forbidden instructions), and that the instruction immediately preceding is indeed an unconditional branch!
This is a clear optimizer bug. The generated code can't be allowed to emit a linker section that ends on an instruction with a branch delay slot, because it can't control the instruction the linker will place next. And indeed, stuffing a NOP instruction at the end of the function fixes the symptom
```
8000146c <merge_chunks>:
{
8000146c: c2e8 enter_s [r13-r16,blink]
8000146e: 4748 mov_s r15,r2
80001470: 4508 mov_s r13,r0
80001472: 4030 mov_s r16,r1
chunksz_t newsz = chunk_size(h, lc) + chunk_size(h, rc);
80001474: 0e1e ffcf bl -484 ;80001290 <chunk_size>
80001478: 41e1 mov_s r1,r15
8000147a: 4608 mov_s r14,r0
8000147c: 40a1 mov_s r0,r13
8000147e: 0e16 ffcf bl -492 ;80001290 <chunk_size>
set_chunk_size(h, lc, newsz);
80001482: 4102 mov_s r1,r16
chunksz_t newsz = chunk_size(h, lc) + chunk_size(h, rc);
80001484: 661e add_s r14,r14,r0
set_chunk_size(h, lc, newsz);
80001486: 40a1 mov_s r0,r13
80001488: 42c1 mov_s r2,r14
8000148a: 0e4a ffcf bl -440 ;800012d0 <set_chunk_siz
e>
return c + chunk_size(h, c);
8000148e: 41e1 mov_s r1,r15
80001490: 40a1 mov_s r0,r13
80001492: 0e02 ffcf bl -512 ;80001290 <chunk_size>
chunk_set(h, c, LEFT_SIZE, size);
80001496: 43c1 mov_s r3,r14
80001498: 6719 add_s r1,r15,r0
8000149a: 704c mov_s r2,0
8000149c: 40a1 mov_s r0,r13
}
8000149e: c2c8 leave_s [r13-r16,blink]
800014a0: 05d1 ffcf b -560 ;80001270 <chunk_set>
800014a4 <free_list_add>:
{
800014a4: c2e8 enter_s [r13-r16,blink]
return big_heap_chunks(h->end_chunk);
800014a6: 80e2 ld_s r15,[r0,0x8]
800014a8: 4628 mov_s r14,r1
800014aa: 4508 mov_s r13,r0
```
| 1.0 | QEMU bug with branch delay slots on ARC - (Submitting this to Zephyr just to have a fix to link with the full description from the workaround patch. We probably want to open a toolchain bug for the broader problem?)
As of recent commits, qemu_arc_em is failing in the tests/kernel/mem_protect/syscalls test with:
```
START - test_syscall_torture
Running syscall torture test with 4 threads on 1 cpu(s)
E: ***** Exception vector: 0x2, cause code: 0x1, parameter 0x0
E: Address 0x800014a4
E: >>> ZEPHYR FATAL ERROR 0: CPU exception on CPU 0
E: Current thread: 0x804009f0 (unknown)
E: Halting system
```
The proximate cause was (hilariously) that the patch count since the last release candidate had reached 100. This caused the version string printed by the boot banner to be one byte longer and exposed the bug. (I actually got a test rig created where two Zephyr binaries that differed ONLY in whether the last byte of a fake banner string was a "x" or a newline would differ in crash behavior).
But as it turns out that's all just timing interaction. The real problem happens in the heap code, and is a compiler bug. @ruuddw pointed out that the fault (at 0x800014a4) is actually flagging an illegal instruction in a branch delay slot. And indeed, the disassembly below shows that the faulting instruction is a ENTER_S (one of the forbidden instructions), and that the instruction immediately preceding is indeed an unconditional branch!
This is a clear optimizer bug. The generated code can't be allowed to emit a linker section that ends on an instruction with a branch delay slot, because it can't control the instruction the linker will place next. And indeed, stuffing a NOP instruction at the end of the function fixes the symptom
```
8000146c <merge_chunks>:
{
8000146c: c2e8 enter_s [r13-r16,blink]
8000146e: 4748 mov_s r15,r2
80001470: 4508 mov_s r13,r0
80001472: 4030 mov_s r16,r1
chunksz_t newsz = chunk_size(h, lc) + chunk_size(h, rc);
80001474: 0e1e ffcf bl -484 ;80001290 <chunk_size>
80001478: 41e1 mov_s r1,r15
8000147a: 4608 mov_s r14,r0
8000147c: 40a1 mov_s r0,r13
8000147e: 0e16 ffcf bl -492 ;80001290 <chunk_size>
set_chunk_size(h, lc, newsz);
80001482: 4102 mov_s r1,r16
chunksz_t newsz = chunk_size(h, lc) + chunk_size(h, rc);
80001484: 661e add_s r14,r14,r0
set_chunk_size(h, lc, newsz);
80001486: 40a1 mov_s r0,r13
80001488: 42c1 mov_s r2,r14
8000148a: 0e4a ffcf bl -440 ;800012d0 <set_chunk_siz
e>
return c + chunk_size(h, c);
8000148e: 41e1 mov_s r1,r15
80001490: 40a1 mov_s r0,r13
80001492: 0e02 ffcf bl -512 ;80001290 <chunk_size>
chunk_set(h, c, LEFT_SIZE, size);
80001496: 43c1 mov_s r3,r14
80001498: 6719 add_s r1,r15,r0
8000149a: 704c mov_s r2,0
8000149c: 40a1 mov_s r0,r13
}
8000149e: c2c8 leave_s [r13-r16,blink]
800014a0: 05d1 ffcf b -560 ;80001270 <chunk_set>
800014a4 <free_list_add>:
{
800014a4: c2e8 enter_s [r13-r16,blink]
return big_heap_chunks(h->end_chunk);
800014a6: 80e2 ld_s r15,[r0,0x8]
800014a8: 4628 mov_s r14,r1
800014aa: 4508 mov_s r13,r0
```
| priority | qemu bug with branch delay slots on arc submitting this to zephyr just to have a fix to link with the full description from the workaround patch we probably want to open a toolchain bug for the broader problem as of recent commits qemu arc em is failing in the tests kernel mem protect syscalls test with start test syscall torture running syscall torture test with threads on cpu s e exception vector cause code parameter e address e zephyr fatal error cpu exception on cpu e current thread unknown e halting system the proximate cause was hilariously that the patch count since the last release candidate had reached this caused the version string printed by the boot banner to be one byte longer and exposed the bug i actually got a test rig created where two zephyr binaries that differed only in whether the last byte of a fake banner string was a x or a newline would differ in crash behavior but as it turns out that s all just timing interaction the real problem happens in the heap code and is a compiler bug ruuddw pointed out that the fault at is actually flagging an illegal instruction in a branch delay slot and indeed the disassembly below shows that the faulting instruction is a enter s one of the forbidden instructions and that the instruction immediately preceding is indeed an unconditional branch this is a clear optimizer bug the generated code can t be allowed to emit a linker section that ends on an instruction with a branch delay slot because it can t control the instruction the linker will place next and indeed stuffing a nop instruction at the end of the function fixes the symptom enter s mov s mov s mov s chunksz t newsz chunk size h lc chunk size h rc ffcf bl mov s mov s mov s ffcf bl set chunk size h lc newsz mov s chunksz t newsz chunk size h lc chunk size h rc add s set chunk size h lc newsz mov s mov s ffcf bl set chunk siz e return c chunk size h c mov s mov s ffcf bl chunk set h c left size size mov s add s mov s mov s leave s ffcf b enter s return big heap chunks h end chunk ld s mov s mov s | 1 |
257,736 | 8,140,916,362 | IssuesEvent | 2018-08-20 23:06:53 | nickbock/ElvUI_Enhanced_Again | https://api.github.com/repos/nickbock/ElvUI_Enhanced_Again | reopened | Minimap error | Priority: Medium Status: In Progress Type: Bug | I'm currently experiencing near constant errors with the minimap. I believe part of the issue is that I have the garrison report button moved onto the minimap button bar and any time the zone changes I get an error and the garrison report button disappears. Reloading will bring the button back until the next time I change zones. I've included the error message via bug grabber/sack:
156x FrameXML\Minimap.lua:601: attempt to index a nil value
FrameXML\Minimap.lua:601: in function `GarrisonLandingPageMinimapButton_UpdateIcon'
FrameXML\Minimap.lua:541: in function <FrameXML\Minimap.lua:537>
Locals:
self = GarrisonLandingPageMinimapButton {
0 = <userdata>
description = "Click to show the Mission report"
SideToastGlow = <unnamed> {
}
SoftButtonGlow = <unnamed> {
}
original = <table> {
}
AlertBG = <unnamed> {
}
backdropTexture = <unnamed> {
}
CircleGlow = <unnamed> {
}
MinimapAlertAnim = <unnamed> {
}
LoopingGlow = <unnamed> {
}
isSkinned = true
MinimapPulseAnim = <unnamed> {
}
MPWarningTexture = <unnamed> {
}
pulseLocks = <table> {
}
faction = "Horde"
template = "Tranparent"
title = "Missions"
AlertText = <unnamed> {
}
MinimapLoopPulseAnim = <unnamed> {
}
}
garrisonType = 9
_ = 2132922
width = 45
height = 51
(*temporary) = nil
(*temporary) = nil
(*temporary) = nil
(*temporary) = true
(*temporary) = "attempt to index a nil value" | 1.0 | Minimap error - I'm currently experiencing near constant errors with the minimap. I believe part of the issue is that I have the garrison report button moved onto the minimap button bar and any time the zone changes I get an error and the garrison report button disappears. Reloading will bring the button back until the next time I change zones. I've included the error message via bug grabber/sack:
156x FrameXML\Minimap.lua:601: attempt to index a nil value
FrameXML\Minimap.lua:601: in function `GarrisonLandingPageMinimapButton_UpdateIcon'
FrameXML\Minimap.lua:541: in function <FrameXML\Minimap.lua:537>
Locals:
self = GarrisonLandingPageMinimapButton {
0 = <userdata>
description = "Click to show the Mission report"
SideToastGlow = <unnamed> {
}
SoftButtonGlow = <unnamed> {
}
original = <table> {
}
AlertBG = <unnamed> {
}
backdropTexture = <unnamed> {
}
CircleGlow = <unnamed> {
}
MinimapAlertAnim = <unnamed> {
}
LoopingGlow = <unnamed> {
}
isSkinned = true
MinimapPulseAnim = <unnamed> {
}
MPWarningTexture = <unnamed> {
}
pulseLocks = <table> {
}
faction = "Horde"
template = "Tranparent"
title = "Missions"
AlertText = <unnamed> {
}
MinimapLoopPulseAnim = <unnamed> {
}
}
garrisonType = 9
_ = 2132922
width = 45
height = 51
(*temporary) = nil
(*temporary) = nil
(*temporary) = nil
(*temporary) = true
(*temporary) = "attempt to index a nil value" | priority | minimap error i m currently experiencing near constant errors with the minimap i believe part of the issue is that i have the garrison report button moved onto the minimap button bar and any time the zone changes i get an error and the garrison report button disappears reloading will bring the button back until the next time i change zones i ve included the error message via bug grabber sack framexml minimap lua attempt to index a nil value framexml minimap lua in function garrisonlandingpageminimapbutton updateicon framexml minimap lua in function locals self garrisonlandingpageminimapbutton description click to show the mission report sidetoastglow softbuttonglow original alertbg backdroptexture circleglow minimapalertanim loopingglow isskinned true minimappulseanim mpwarningtexture pulselocks faction horde template tranparent title missions alerttext minimaplooppulseanim garrisontype width height temporary nil temporary nil temporary nil temporary true temporary attempt to index a nil value | 1 |
65,175 | 3,226,923,461 | IssuesEvent | 2015-10-10 18:34:36 | mariaantonova/QAExam-10.10 | https://api.github.com/repos/mariaantonova/QAExam-10.10 | opened | The store page is not consisting 7 items as the SRS says | medium priority | Environment Windows 7 Mozilla Firefox 40.0.3 with installed Firebug(http://getfirebug.com)
Steps to reproduce:
1. Open the website
2. Login in with an user
3. Click on the Store button
Expected result:
There should be 7 items in each page of the store
Actual result:
The store items are 6
| 1.0 | The store page is not consisting 7 items as the SRS says - Environment Windows 7 Mozilla Firefox 40.0.3 with installed Firebug(http://getfirebug.com)
Steps to reproduce:
1. Open the website
2. Login in with an user
3. Click on the Store button
Expected result:
There should be 7 items in each page of the store
Actual result:
The store items are 6
| priority | the store page is not consisting items as the srs says environment windows mozilla firefox with installed firebug steps to reproduce open the website login in with an user click on the store button expected result there should be items in each page of the store actual result the store items are | 1 |
246,221 | 7,893,479,055 | IssuesEvent | 2018-06-28 18:11:46 | department-of-veterans-affairs/caseflow | https://api.github.com/repos/department-of-veterans-affairs/caseflow | closed | Style guide | fix logo and section | In-Validation bug-medium-priority styleguide | ## Description
Right now there are two logos sections under colors.
Branding > Logos
Colors > Logos
The logos under the color section is linking to the logos under branding.
## AC
- [ ] Verify that the colors under logo are linking to the one under palette
- [ ] Relabel it to say Logo colors
- [ ] Add 2nd level Reader categories section under Colors | 1.0 | Style guide | fix logo and section - ## Description
Right now there are two logos sections under colors.
Branding > Logos
Colors > Logos
The logos under the color section is linking to the logos under branding.
## AC
- [ ] Verify that the colors under logo are linking to the one under palette
- [ ] Relabel it to say Logo colors
- [ ] Add 2nd level Reader categories section under Colors | priority | style guide fix logo and section description right now there are two logos sections under colors branding logos colors logos the logos under the color section is linking to the logos under branding ac verify that the colors under logo are linking to the one under palette relabel it to say logo colors add level reader categories section under colors | 1 |
725,250 | 24,955,901,497 | IssuesEvent | 2022-11-01 11:42:56 | komlevv/rockitengine-web | https://api.github.com/repos/komlevv/rockitengine-web | closed | Theming: make color data single sourced | Priority: Low Priority: Medium | Lots of fractured data in css/js, make it come from single source | 2.0 | Theming: make color data single sourced - Lots of fractured data in css/js, make it come from single source | priority | theming make color data single sourced lots of fractured data in css js make it come from single source | 1 |
39,394 | 2,854,288,673 | IssuesEvent | 2015-06-01 23:18:26 | unt-libraries/django-name | https://api.github.com/repos/unt-libraries/django-name | closed | Better Support for Namespaced URLs | docs enhancement priority medium | Currently, the URL names are namespaced with `name_`. Lets pull out that the prefix, and use `namespace="name"` in the root urls conf.
We will need to add this to the installation instructions. | 1.0 | Better Support for Namespaced URLs - Currently, the URL names are namespaced with `name_`. Lets pull out that the prefix, and use `namespace="name"` in the root urls conf.
We will need to add this to the installation instructions. | priority | better support for namespaced urls currently the url names are namespaced with name lets pull out that the prefix and use namespace name in the root urls conf we will need to add this to the installation instructions | 1 |
324,282 | 9,887,085,154 | IssuesEvent | 2019-06-25 08:25:24 | minio/minio | https://api.github.com/repos/minio/minio | closed | Error: file access denied Arq/curl | community priority: medium working as intended | I'm testing using minio as s3 backend for ARQ backup SW. I've managed to set it up and working, but after few hours backups start failing with
```
Error: file access denied
```
I'm using authentication, the bucket is not public.
## Expected Behavior
Access allowed
## Current Behavior
Access denied
```
API: GetObject(bucket=<bucket_name>, object=2C7031A2-7017-49A4-BE18-03893D53DAC3/packsets/123A940E-B1FF-4DFD-9B54-EA7492D394C5-trees/841b8e75be05380f10af8cfc47b2385feeca1bd8.index)
Time: 06:57:18 UTC 06/20/2019
RequestID: 15A9D5D0D78BB97B
RemoteHost: <ip_addr>
Error: file access denied
5: cmd/fs-v1-helpers.go:246:cmd.fsStatFile()
4: cmd/fs-v1.go:733:cmd.(*FSObjects).getObjectInfo()
3: cmd/fs-v1.go:501:cmd.(*FSObjects).GetObjectNInfo()
2: cmd/object-handlers.go:333:cmd.objectAPIHandlers.GetObjectHandler()
1: net/http/server.go:1995:http.HandlerFunc.ServeHTTP()
```
When I try to call the same URL with curl, it also gives access denied.
```
#!/usr/bin/env bash
bucket=$1
file=$2
host=_secret_
s3_key='_secret_'
s3_secret=''_secret_'
resource="/${bucket}/${file}"
content_type="application/octet-stream"
date=`date -R`
_signature="GET\n\n${content_type}\n${date}\n${resource}"
signature=`echo -en ${_signature} | openssl sha1 -hmac ${s3_secret} -binary | base64`
curl -v -X GET \
-H "Host: $host" \
-H "Date: ${date}" \
-H "Content-Type: ${content_type}" \
-H "Authorization: AWS ${s3_key}:${signature}" \
https://$host${resource}
```
...
```
<Error><Code>AccessDenied</Code><Message>Access Denied.</Message><Key>2C7031A2-7017-49A4-BE18-03893D53DAC3/bucketdata/123A940E-B1FF-4DFD-9B54-EA7492D394C5/refs/heads/master</Key><BucketName>_secret_</BucketName><Resource>/_secret_/2C7031A2-7017-49A4-BE18-03893D53DAC3/bucketdata/123A940E-B1FF-4DFD-9B54-EA7492D394C5/refs/heads/master</Resource><RequestId>15A9D5B2928036A4</RequestId><HostId>194deb7b-bfa6-4868-8882-aff8274e016f</HostId></Error>
```
### Workarounds
Everything starts working when I do one of following
- I try to access the same file via minio web GUI (after authentication)
- I hit the "Clear cache" button in ARQ (not sure what it actually does)
- Restarting the docker container
I thought this is issue of ARQ, but it looks like some kind of auth cache is broken on minio itself.
## Possible Solution
No idea
## Steps to Reproduce (for bugs)
<!--- Provide a link to a live example, or an unambiguous set of steps to -->
<!--- reproduce this bug. Include code to reproduce, if relevant -->
1. Start minio from docker image
```
#!/usr/bin/env bash
docker run \
--rm \
-d \
-p 30323:9000 \
--name minio-test \
-e "MINIO_ACCESS_KEY='_secret_' \
-e "MINIO_SECRET_KEY='_secret_' \
-v /data:/data \
minio/minio \
server \
--compat \
/data
```
2. Set-up nginx with valid https cert as proxy
3. Set-up ARQ backups. Using "other s3-compatible" option. Tried both v2 and v4 settings.
4. Leave the backup running in schedule (e.g. every hour)
## Your Environment
minio docker version: `2019-05-23T00:29:34Z`
windows arq client version: `5.16.0` | 1.0 | Error: file access denied Arq/curl - I'm testing using minio as s3 backend for ARQ backup SW. I've managed to set it up and working, but after few hours backups start failing with
```
Error: file access denied
```
I'm using authentication, the bucket is not public.
## Expected Behavior
Access allowed
## Current Behavior
Access denied
```
API: GetObject(bucket=<bucket_name>, object=2C7031A2-7017-49A4-BE18-03893D53DAC3/packsets/123A940E-B1FF-4DFD-9B54-EA7492D394C5-trees/841b8e75be05380f10af8cfc47b2385feeca1bd8.index)
Time: 06:57:18 UTC 06/20/2019
RequestID: 15A9D5D0D78BB97B
RemoteHost: <ip_addr>
Error: file access denied
5: cmd/fs-v1-helpers.go:246:cmd.fsStatFile()
4: cmd/fs-v1.go:733:cmd.(*FSObjects).getObjectInfo()
3: cmd/fs-v1.go:501:cmd.(*FSObjects).GetObjectNInfo()
2: cmd/object-handlers.go:333:cmd.objectAPIHandlers.GetObjectHandler()
1: net/http/server.go:1995:http.HandlerFunc.ServeHTTP()
```
When I try to call the same URL with curl, it also gives access denied.
```
#!/usr/bin/env bash
bucket=$1
file=$2
host=_secret_
s3_key='_secret_'
s3_secret=''_secret_'
resource="/${bucket}/${file}"
content_type="application/octet-stream"
date=`date -R`
_signature="GET\n\n${content_type}\n${date}\n${resource}"
signature=`echo -en ${_signature} | openssl sha1 -hmac ${s3_secret} -binary | base64`
curl -v -X GET \
-H "Host: $host" \
-H "Date: ${date}" \
-H "Content-Type: ${content_type}" \
-H "Authorization: AWS ${s3_key}:${signature}" \
https://$host${resource}
```
...
```
<Error><Code>AccessDenied</Code><Message>Access Denied.</Message><Key>2C7031A2-7017-49A4-BE18-03893D53DAC3/bucketdata/123A940E-B1FF-4DFD-9B54-EA7492D394C5/refs/heads/master</Key><BucketName>_secret_</BucketName><Resource>/_secret_/2C7031A2-7017-49A4-BE18-03893D53DAC3/bucketdata/123A940E-B1FF-4DFD-9B54-EA7492D394C5/refs/heads/master</Resource><RequestId>15A9D5B2928036A4</RequestId><HostId>194deb7b-bfa6-4868-8882-aff8274e016f</HostId></Error>
```
### Workarounds
Everything starts working when I do one of following
- I try to access the same file via minio web GUI (after authentication)
- I hit the "Clear cache" button in ARQ (not sure what it actually does)
- Restarting the docker container
I thought this is issue of ARQ, but it looks like some kind of auth cache is broken on minio itself.
## Possible Solution
No idea
## Steps to Reproduce (for bugs)
<!--- Provide a link to a live example, or an unambiguous set of steps to -->
<!--- reproduce this bug. Include code to reproduce, if relevant -->
1. Start minio from docker image
```
#!/usr/bin/env bash
docker run \
--rm \
-d \
-p 30323:9000 \
--name minio-test \
-e "MINIO_ACCESS_KEY='_secret_' \
-e "MINIO_SECRET_KEY='_secret_' \
-v /data:/data \
minio/minio \
server \
--compat \
/data
```
2. Set-up nginx with valid https cert as proxy
3. Set-up ARQ backups. Using "other s3-compatible" option. Tried both v2 and v4 settings.
4. Leave the backup running in schedule (e.g. every hour)
## Your Environment
minio docker version: `2019-05-23T00:29:34Z`
windows arq client version: `5.16.0` | priority | error file access denied arq curl i m testing using minio as backend for arq backup sw i ve managed to set it up and working but after few hours backups start failing with error file access denied i m using authentication the bucket is not public expected behavior access allowed current behavior access denied api getobject bucket object packsets trees index time utc requestid remotehost error file access denied cmd fs helpers go cmd fsstatfile cmd fs go cmd fsobjects getobjectinfo cmd fs go cmd fsobjects getobjectninfo cmd object handlers go cmd objectapihandlers getobjecthandler net http server go http handlerfunc servehttp when i try to call the same url with curl it also gives access denied usr bin env bash bucket file host secret key secret secret secret resource bucket file content type application octet stream date date r signature get n n content type n date n resource signature echo en signature openssl hmac secret binary curl v x get h host host h date date h content type content type h authorization aws key signature accessdenied access denied bucketdata refs heads master secret secret bucketdata refs heads master workarounds everything starts working when i do one of following i try to access the same file via minio web gui after authentication i hit the clear cache button in arq not sure what it actually does restarting the docker container i thought this is issue of arq but it looks like some kind of auth cache is broken on minio itself possible solution no idea steps to reproduce for bugs start minio from docker image usr bin env bash docker run rm d p name minio test e minio access key secret e minio secret key secret v data data minio minio server compat data set up nginx with valid https cert as proxy set up arq backups using other compatible option tried both and settings leave the backup running in schedule e g every hour your environment minio docker version windows arq client version | 1 |
251,863 | 8,028,711,994 | IssuesEvent | 2018-07-27 13:49:12 | ASbeletsky/LMS | https://api.github.com/repos/ASbeletsky/LMS | closed | Создание тестовых заданий | enhancement medium priority | **User story**: Студенты проходят тестирование в компании, путем ответа на воросы или решение задач, для подтверждение своих знаний и навыков. Необходимо автоматизировать этот процесс.
**Use case**: Администратор/Модератор LMS создает задания для тестирования студентов в ввиде теста с вариантами ответа.
**Navigation**: Tasks -> Create/Edit
**Requirements**:
1. Добавить в поле Type новую опцию - "question with options"
2. When: Администратор/Модератор выбирает значение "question with options" в поле Type
Then: Под полем Content появляется поле Options Count - numeric input
3. When: Администратор/Модератор меняет значение в Options Count
Then: Под полем Content появляется список вариантов ответа в колличестве Options Count формата:
Answer | Label | text |
-------- | ------ | ------ |
[radio button] | [ label with value a/b/c ... /z] | [text input]
| 1.0 | Создание тестовых заданий - **User story**: Студенты проходят тестирование в компании, путем ответа на воросы или решение задач, для подтверждение своих знаний и навыков. Необходимо автоматизировать этот процесс.
**Use case**: Администратор/Модератор LMS создает задания для тестирования студентов в ввиде теста с вариантами ответа.
**Navigation**: Tasks -> Create/Edit
**Requirements**:
1. Добавить в поле Type новую опцию - "question with options"
2. When: Администратор/Модератор выбирает значение "question with options" в поле Type
Then: Под полем Content появляется поле Options Count - numeric input
3. When: Администратор/Модератор меняет значение в Options Count
Then: Под полем Content появляется список вариантов ответа в колличестве Options Count формата:
Answer | Label | text |
-------- | ------ | ------ |
[radio button] | [ label with value a/b/c ... /z] | [text input]
| priority | создание тестовых заданий user story студенты проходят тестирование в компании путем ответа на воросы или решение задач для подтверждение своих знаний и навыков необходимо автоматизировать этот процесс use case администратор модератор lms создает задания для тестирования студентов в ввиде теста с вариантами ответа navigation tasks create edit requirements добавить в поле type новую опцию question with options when администратор модератор выбирает значение question with options в поле type then под полем content появляется поле options count numeric input when администратор модератор меняет значение в options count then под полем content появляется список вариантов ответа в колличестве options count формата answer label text | 1 |
399,515 | 11,756,359,690 | IssuesEvent | 2020-03-13 11:23:44 | input-output-hk/ouroboros-network | https://api.github.com/repos/input-output-hk/ouroboros-network | opened | Remove dup tx check from mempool | consensus priority medium | This would first require to fix the tx request client though.]
Related but orthogonal: #1743 | 1.0 | Remove dup tx check from mempool - This would first require to fix the tx request client though.]
Related but orthogonal: #1743 | priority | remove dup tx check from mempool this would first require to fix the tx request client though related but orthogonal | 1 |
302,044 | 9,254,506,642 | IssuesEvent | 2019-03-16 00:09:05 | lawlbit/GameNamePlaceHolder | https://api.github.com/repos/lawlbit/GameNamePlaceHolder | closed | BUG: Models sometimes not set properly | P2: Medium Priority bug | If Player 1 finishes setting their model to something other than king, then Player 2 joins afterwards, Player 2 will not see the correct model set by Player 1 (it will be the default king) | 1.0 | BUG: Models sometimes not set properly - If Player 1 finishes setting their model to something other than king, then Player 2 joins afterwards, Player 2 will not see the correct model set by Player 1 (it will be the default king) | priority | bug models sometimes not set properly if player finishes setting their model to something other than king then player joins afterwards player will not see the correct model set by player it will be the default king | 1 |
4,937 | 2,566,418,682 | IssuesEvent | 2015-02-08 14:38:05 | extreme-games/PyCore | https://api.github.com/repos/extreme-games/PyCore | opened | EGC Being Assigned incorrectly | bot fix medium priority | This has been an ongoing problem for a while and I think is an easy fix for us. It looks like we're doing a lookup based on IP/MID and it's occasionally matching the wrong person. Examples below:
//In this example, somehow clue 1525 has the same IP and MID as TheCript. Not sure how... but TC claims it's NOT him.
19901 Query SELECT * FROM soren.egc_enter WHERE playername = 'thecript' OR ip = [removed] OR mid = [removed]
19901 Init DB soren
19901 Query UPDATE soren.egc_enter SET playername = 'clue 1525', lastday_seen = 6, last_pay = 3, lastweek_seen = 5, ip = [removed], mid = [removed] WHERE id = 4142
19901 Init DB soren
19901 Query SELECT * FROM fc.accounts WHERE name = 'clue 1525'
19901 Init DB soren
19901 Query UPDATE fc.accounts SET egmoney = 344.5 WHERE id = 56785
//In this example, Poem and Taunt live together... so it makes a bit more sense. But I don't understand why we don't just look up based on name.
19901 Init DB soren
19901 Query SELECT * FROM soren.egc_enter WHERE playername = 'poem zx' OR ip = [removed] OR mid = [removed]
19901 Init DB soren
19901 Query UPDATE soren.egc_enter SET playername = 'taunt', lastday_seen = 6, last_pay = 16, lastweek_seen = 5, ip = [removed], mid = [removed] WHERE id = 2877
19901 Init DB soren
19901 Query SELECT * FROM fc.accounts WHERE name = 'taunt'
19901 Init DB soren
19901 Query UPDATE fc.accounts SET egmoney = 2387.76 WHERE id = 37939
Finally -- what's with all the init DB's? Is that something that's required? | 1.0 | EGC Being Assigned incorrectly - This has been an ongoing problem for a while and I think is an easy fix for us. It looks like we're doing a lookup based on IP/MID and it's occasionally matching the wrong person. Examples below:
//In this example, somehow clue 1525 has the same IP and MID as TheCript. Not sure how... but TC claims it's NOT him.
19901 Query SELECT * FROM soren.egc_enter WHERE playername = 'thecript' OR ip = [removed] OR mid = [removed]
19901 Init DB soren
19901 Query UPDATE soren.egc_enter SET playername = 'clue 1525', lastday_seen = 6, last_pay = 3, lastweek_seen = 5, ip = [removed], mid = [removed] WHERE id = 4142
19901 Init DB soren
19901 Query SELECT * FROM fc.accounts WHERE name = 'clue 1525'
19901 Init DB soren
19901 Query UPDATE fc.accounts SET egmoney = 344.5 WHERE id = 56785
//In this example, Poem and Taunt live together... so it makes a bit more sense. But I don't understand why we don't just look up based on name.
19901 Init DB soren
19901 Query SELECT * FROM soren.egc_enter WHERE playername = 'poem zx' OR ip = [removed] OR mid = [removed]
19901 Init DB soren
19901 Query UPDATE soren.egc_enter SET playername = 'taunt', lastday_seen = 6, last_pay = 16, lastweek_seen = 5, ip = [removed], mid = [removed] WHERE id = 2877
19901 Init DB soren
19901 Query SELECT * FROM fc.accounts WHERE name = 'taunt'
19901 Init DB soren
19901 Query UPDATE fc.accounts SET egmoney = 2387.76 WHERE id = 37939
Finally -- what's with all the init DB's? Is that something that's required? | priority | egc being assigned incorrectly this has been an ongoing problem for a while and i think is an easy fix for us it looks like we re doing a lookup based on ip mid and it s occasionally matching the wrong person examples below in this example somehow clue has the same ip and mid as thecript not sure how but tc claims it s not him query select from soren egc enter where playername thecript or ip or mid init db soren query update soren egc enter set playername clue lastday seen last pay lastweek seen ip mid where id init db soren query select from fc accounts where name clue init db soren query update fc accounts set egmoney where id in this example poem and taunt live together so it makes a bit more sense but i don t understand why we don t just look up based on name init db soren query select from soren egc enter where playername poem zx or ip or mid init db soren query update soren egc enter set playername taunt lastday seen last pay lastweek seen ip mid where id init db soren query select from fc accounts where name taunt init db soren query update fc accounts set egmoney where id finally what s with all the init db s is that something that s required | 1 |
740,104 | 25,737,110,326 | IssuesEvent | 2022-12-08 01:56:40 | rubatopy/rubato | https://api.github.com/repos/rubatopy/rubato | closed | Font and text are too interlinked | bug medium priority breaking | for example, changing the text.font_size also changes the font.size which changes all the other text's font sizes as well.
A temp fix is to clone the font every time but that's expensive and defeats the point of font. | 1.0 | Font and text are too interlinked - for example, changing the text.font_size also changes the font.size which changes all the other text's font sizes as well.
A temp fix is to clone the font every time but that's expensive and defeats the point of font. | priority | font and text are too interlinked for example changing the text font size also changes the font size which changes all the other text s font sizes as well a temp fix is to clone the font every time but that s expensive and defeats the point of font | 1 |
790,383 | 27,824,410,827 | IssuesEvent | 2023-03-19 15:52:17 | GSM-MSG/GCMS-BackEnd | https://api.github.com/repos/GSM-MSG/GCMS-BackEnd | opened | 동아리 수정할때 제목이랑 설명 텍스트 제한을 걸어줬으면 좋겠어요 | 2️⃣ Priority: Medium ♻️ Refactor 🐞 Bug | ### Describe
동아리 설명은 2만자까지 되고
제목은 이정도까지 되요
<img width="528" alt="스크린샷 2023-03-20 오전 12 49 47" src="https://user-images.githubusercontent.com/81547954/226187776-1f8d85a8-1269-4ae9-a569-c67a149681fc.png">
### Additional
_No response_ | 1.0 | 동아리 수정할때 제목이랑 설명 텍스트 제한을 걸어줬으면 좋겠어요 - ### Describe
동아리 설명은 2만자까지 되고
제목은 이정도까지 되요
<img width="528" alt="스크린샷 2023-03-20 오전 12 49 47" src="https://user-images.githubusercontent.com/81547954/226187776-1f8d85a8-1269-4ae9-a569-c67a149681fc.png">
### Additional
_No response_ | priority | 동아리 수정할때 제목이랑 설명 텍스트 제한을 걸어줬으면 좋겠어요 describe 동아리 설명은 되고 제목은 이정도까지 되요 img width alt 스크린샷 오전 src additional no response | 1 |
159,041 | 6,039,688,193 | IssuesEvent | 2017-06-10 06:12:40 | k0shk0sh/FastHub | https://api.github.com/repos/k0shk0sh/FastHub | closed | 5$ support button does not open a Google play window | Priority: Medium Status: Accepted Type: Enhancement | **App Version: 3.0.0**
**OS Version: 23**
**Model: Xiaomi-MI 5s**
2, 10 and 20$$ works correctly | 1.0 | 5$ support button does not open a Google play window - **App Version: 3.0.0**
**OS Version: 23**
**Model: Xiaomi-MI 5s**
2, 10 and 20$$ works correctly | priority | support button does not open a google play window app version os version model xiaomi mi and works correctly | 1 |
84,132 | 3,654,276,161 | IssuesEvent | 2016-02-17 11:44:38 | brunoais/javadude | https://api.github.com/repos/brunoais/javadude | closed | add default @Bean option to make all properties bound | auto-migrated Priority-Medium Project-Annotations Type-Enhancement | ```
add default @Bean option to make all properties bound
```
Original issue reported on code.google.com by `scott%ja...@gtempaccount.com` on 16 Jan 2009 at 10:34 | 1.0 | add default @Bean option to make all properties bound - ```
add default @Bean option to make all properties bound
```
Original issue reported on code.google.com by `scott%ja...@gtempaccount.com` on 16 Jan 2009 at 10:34 | priority | add default bean option to make all properties bound add default bean option to make all properties bound original issue reported on code google com by scott ja gtempaccount com on jan at | 1 |
517,054 | 14,993,846,107 | IssuesEvent | 2021-01-29 11:59:00 | teamforus/forus | https://api.github.com/repos/teamforus/forus | opened | Redesign start action modal | Difficulty: Medium Priority: Must have | ## Main asssignee: @sashooa
CR: https://github.com/teamforus/general/issues/753
## Context/goal:
<img width="1012" alt="Screenshot 2021-01-28 at 09 24 34" src="https://user-images.githubusercontent.com/30194799/106110444-050b4c00-614b-11eb-9ff2-485e9083a4eb.png"> | 1.0 | Redesign start action modal - ## Main asssignee: @sashooa
CR: https://github.com/teamforus/general/issues/753
## Context/goal:
<img width="1012" alt="Screenshot 2021-01-28 at 09 24 34" src="https://user-images.githubusercontent.com/30194799/106110444-050b4c00-614b-11eb-9ff2-485e9083a4eb.png"> | priority | redesign start action modal main asssignee sashooa cr context goal img width alt screenshot at src | 1 |
283,390 | 8,719,405,955 | IssuesEvent | 2018-12-08 00:38:26 | aowen87/BAR | https://api.github.com/repos/aowen87/BAR | closed | Double-precision vectors not being exchanged correctly during ghost zone communication | bug crash likelihood medium priority reviewed severity high wrong results | In avtGenericDatabase::CommunicateGhostZonesFromDomainBoundaries,
scalar vars are 'exchanged' via a generic 'ExchangeScalar', which calls the right method based on underlying data type.
For vectors, a call is made to 'ExchangeFloatVector' regardless of underlying data type.
We should have a generic 'ExchangeVector' method that performs in a similar manner.
-----------------------REDMINE MIGRATION-----------------------
This ticket was migrated from Redmine. As such, not all
information was able to be captured in the transition. Below is
a complete record of the original redmine ticket.
Ticket number: 2171
Status: Resolved
Project: VisIt
Tracker: Bug
Priority: High
Subject: Double-precision vectors not being exchanged correctly during ghost zone communication
Assigned to: Kevin Griffin
Category:
Target version: 2.9.1
Author: Kathleen Biagas
Start: 03/06/2015
Due date:
% Done: 100
Estimated time:
Created: 03/06/2015 04:47 pm
Updated: 04/22/2015 01:50 pm
Likelihood: 3 - Occasional
Severity: 4 - Crash / Wrong Results
Found in version: 2.8.2
Impact:
Expected Use:
OS: All
Support Group: Any
Description:
In avtGenericDatabase::CommunicateGhostZonesFromDomainBoundaries,
scalar vars are 'exchanged' via a generic 'ExchangeScalar', which calls the right method based on underlying data type.
For vectors, a call is made to 'ExchangeFloatVector' regardless of underlying data type.
We should have a generic 'ExchangeVector' method that performs in a similar manner.
Comments:
Hello:I fixed the error with double-precision vectors not being exchanged correctly during ghost zone communication.2.9RC:Sending avt/Database/Database/avtGenericDatabase.CSending avt/Database/Ghost/avtDomainBoundaries.hSending avt/Database/Ghost/avtNekDomainBoundaries.CSending avt/Database/Ghost/avtNekDomainBoundaries.hSending avt/Database/Ghost/avtStructuredDomainBoundaries.CSending avt/Database/Ghost/avtStructuredDomainBoundaries.hSending avt/Database/Ghost/avtUnstructuredDomainBoundaries.CSending avt/Database/Ghost/avtUnstructuredDomainBoundaries.hTransmitting file data ........Committed revision 26331.Sending resources/help/en_US/relnotes2.9.1.htmlTransmitting file data .Committed revision 26332.Trunk:Sending avt/Database/Database/avtGenericDatabase.CSending avt/Database/Ghost/avtDomainBoundaries.hSending avt/Database/Ghost/avtNekDomainBoundaries.CSending avt/Database/Ghost/avtNekDomainBoundaries.hSending avt/Database/Ghost/avtStructuredDomainBoundaries.CSending avt/Database/Ghost/avtStructuredDomainBoundaries.hSending avt/Database/Ghost/avtUnstructuredDomainBoundaries.CSending avt/Database/Ghost/avtUnstructuredDomainBoundaries.hSending resources/help/en_US/relnotes2.9.1.htmlTransmitting file data .........Committed revision 26334.-Kevin
User Thread for this issue: https://elist.ornl.gov/mailman/htdig/visit-developers/2015-March/014756.html
| 1.0 | Double-precision vectors not being exchanged correctly during ghost zone communication - In avtGenericDatabase::CommunicateGhostZonesFromDomainBoundaries,
scalar vars are 'exchanged' via a generic 'ExchangeScalar', which calls the right method based on underlying data type.
For vectors, a call is made to 'ExchangeFloatVector' regardless of underlying data type.
We should have a generic 'ExchangeVector' method that performs in a similar manner.
-----------------------REDMINE MIGRATION-----------------------
This ticket was migrated from Redmine. As such, not all
information was able to be captured in the transition. Below is
a complete record of the original redmine ticket.
Ticket number: 2171
Status: Resolved
Project: VisIt
Tracker: Bug
Priority: High
Subject: Double-precision vectors not being exchanged correctly during ghost zone communication
Assigned to: Kevin Griffin
Category:
Target version: 2.9.1
Author: Kathleen Biagas
Start: 03/06/2015
Due date:
% Done: 100
Estimated time:
Created: 03/06/2015 04:47 pm
Updated: 04/22/2015 01:50 pm
Likelihood: 3 - Occasional
Severity: 4 - Crash / Wrong Results
Found in version: 2.8.2
Impact:
Expected Use:
OS: All
Support Group: Any
Description:
In avtGenericDatabase::CommunicateGhostZonesFromDomainBoundaries,
scalar vars are 'exchanged' via a generic 'ExchangeScalar', which calls the right method based on underlying data type.
For vectors, a call is made to 'ExchangeFloatVector' regardless of underlying data type.
We should have a generic 'ExchangeVector' method that performs in a similar manner.
Comments:
Hello:I fixed the error with double-precision vectors not being exchanged correctly during ghost zone communication.2.9RC:Sending avt/Database/Database/avtGenericDatabase.CSending avt/Database/Ghost/avtDomainBoundaries.hSending avt/Database/Ghost/avtNekDomainBoundaries.CSending avt/Database/Ghost/avtNekDomainBoundaries.hSending avt/Database/Ghost/avtStructuredDomainBoundaries.CSending avt/Database/Ghost/avtStructuredDomainBoundaries.hSending avt/Database/Ghost/avtUnstructuredDomainBoundaries.CSending avt/Database/Ghost/avtUnstructuredDomainBoundaries.hTransmitting file data ........Committed revision 26331.Sending resources/help/en_US/relnotes2.9.1.htmlTransmitting file data .Committed revision 26332.Trunk:Sending avt/Database/Database/avtGenericDatabase.CSending avt/Database/Ghost/avtDomainBoundaries.hSending avt/Database/Ghost/avtNekDomainBoundaries.CSending avt/Database/Ghost/avtNekDomainBoundaries.hSending avt/Database/Ghost/avtStructuredDomainBoundaries.CSending avt/Database/Ghost/avtStructuredDomainBoundaries.hSending avt/Database/Ghost/avtUnstructuredDomainBoundaries.CSending avt/Database/Ghost/avtUnstructuredDomainBoundaries.hSending resources/help/en_US/relnotes2.9.1.htmlTransmitting file data .........Committed revision 26334.-Kevin
User Thread for this issue: https://elist.ornl.gov/mailman/htdig/visit-developers/2015-March/014756.html
| priority | double precision vectors not being exchanged correctly during ghost zone communication in avtgenericdatabase communicateghostzonesfromdomainboundaries scalar vars are exchanged via a generic exchangescalar which calls the right method based on underlying data type for vectors a call is made to exchangefloatvector regardless of underlying data type we should have a generic exchangevector method that performs in a similar manner redmine migration this ticket was migrated from redmine as such not all information was able to be captured in the transition below is a complete record of the original redmine ticket ticket number status resolved project visit tracker bug priority high subject double precision vectors not being exchanged correctly during ghost zone communication assigned to kevin griffin category target version author kathleen biagas start due date done estimated time created pm updated pm likelihood occasional severity crash wrong results found in version impact expected use os all support group any description in avtgenericdatabase communicateghostzonesfromdomainboundaries scalar vars are exchanged via a generic exchangescalar which calls the right method based on underlying data type for vectors a call is made to exchangefloatvector regardless of underlying data type we should have a generic exchangevector method that performs in a similar manner comments hello i fixed the error with double precision vectors not being exchanged correctly during ghost zone communication sending avt database database avtgenericdatabase csending avt database ghost avtdomainboundaries hsending avt database ghost avtnekdomainboundaries csending avt database ghost avtnekdomainboundaries hsending avt database ghost avtstructureddomainboundaries csending avt database ghost avtstructureddomainboundaries hsending avt database ghost avtunstructureddomainboundaries csending avt database ghost avtunstructureddomainboundaries htransmitting file data committed revision sending resources help en us htmltransmitting file data committed revision trunk sending avt database database avtgenericdatabase csending avt database ghost avtdomainboundaries hsending avt database ghost avtnekdomainboundaries csending avt database ghost avtnekdomainboundaries hsending avt database ghost avtstructureddomainboundaries csending avt database ghost avtstructureddomainboundaries hsending avt database ghost avtunstructureddomainboundaries csending avt database ghost avtunstructureddomainboundaries hsending resources help en us htmltransmitting file data committed revision kevin user thread for this issue | 1 |
487,349 | 14,040,721,863 | IssuesEvent | 2020-11-01 04:29:56 | momentum-mod/game | https://api.github.com/repos/momentum-mod/game | closed | Load replay files asynchronously | Priority: Medium Size: Large Type: Enhancement | **What feature is your improvement idea related to? Please describe.**
When a player has a large amount of replay files on a specific map, opening the leaderboards panel for the first time freezes the game until all replay files are loaded.
**Describe the solution you'd like**
Asynchronously load replay files, populating the "Local" tab of the leaderboards as they are loaded.
| 1.0 | Load replay files asynchronously - **What feature is your improvement idea related to? Please describe.**
When a player has a large amount of replay files on a specific map, opening the leaderboards panel for the first time freezes the game until all replay files are loaded.
**Describe the solution you'd like**
Asynchronously load replay files, populating the "Local" tab of the leaderboards as they are loaded.
| priority | load replay files asynchronously what feature is your improvement idea related to please describe when a player has a large amount of replay files on a specific map opening the leaderboards panel for the first time freezes the game until all replay files are loaded describe the solution you d like asynchronously load replay files populating the local tab of the leaderboards as they are loaded | 1 |
755,008 | 26,412,663,275 | IssuesEvent | 2023-01-13 13:33:51 | valohai/valohai-utils | https://api.github.com/repos/valohai/valohai-utils | opened | Improved pipeline creation with valohai-utils | feature-wish priority: medium | It is possible to create very basic pipelines with `valohai-utils`. Would be great if you could define also
-parameter-to-parameter/metadata-to-parameter edges
- pipeline actions
- overrides
- eventually also pipelines (in Tasks) in pipelines | 1.0 | Improved pipeline creation with valohai-utils - It is possible to create very basic pipelines with `valohai-utils`. Would be great if you could define also
-parameter-to-parameter/metadata-to-parameter edges
- pipeline actions
- overrides
- eventually also pipelines (in Tasks) in pipelines | priority | improved pipeline creation with valohai utils it is possible to create very basic pipelines with valohai utils would be great if you could define also parameter to parameter metadata to parameter edges pipeline actions overrides eventually also pipelines in tasks in pipelines | 1 |
600,559 | 18,344,786,923 | IssuesEvent | 2021-10-08 03:51:25 | AY2122S1-CS2103-T14-3/tp | https://api.github.com/repos/AY2122S1-CS2103-T14-3/tp | closed | Edit Contacts | type.Story priority.Medium | As a user, I can edit existing contacts so that I can change information about a client
| 1.0 | Edit Contacts - As a user, I can edit existing contacts so that I can change information about a client
| priority | edit contacts as a user i can edit existing contacts so that i can change information about a client | 1 |
739,668 | 25,710,033,622 | IssuesEvent | 2022-12-07 05:33:29 | bounswe/bounswe2022group7 | https://api.github.com/repos/bounswe/bounswe2022group7 | closed | [Mobile] Add widget tests for Settings Page | Status: Pending Review Priority: Medium Target: Mobile | I shall write widget tests for the Settings Page. Here are the steps to create a correct test:
1) The User Provider should be initialized so that the `token` field that will be used for the authorized http call will not be null.
2) The GET request to `/profile/settings` should be mocked.
3) The GET request to `/image/{id}` to get the profile picture of the user should be mocked. For this purpose, a mock base64 image should be prepared so that the widget should be able to get built with the processing of the mock image.
**Reviewer: @atillaturkmen**
**Deadline: 06/12/2022, 20:30**
| 1.0 | [Mobile] Add widget tests for Settings Page - I shall write widget tests for the Settings Page. Here are the steps to create a correct test:
1) The User Provider should be initialized so that the `token` field that will be used for the authorized http call will not be null.
2) The GET request to `/profile/settings` should be mocked.
3) The GET request to `/image/{id}` to get the profile picture of the user should be mocked. For this purpose, a mock base64 image should be prepared so that the widget should be able to get built with the processing of the mock image.
**Reviewer: @atillaturkmen**
**Deadline: 06/12/2022, 20:30**
| priority | add widget tests for settings page i shall write widget tests for the settings page here are the steps to create a correct test the user provider should be initialized so that the token field that will be used for the authorized http call will not be null the get request to profile settings should be mocked the get request to image id to get the profile picture of the user should be mocked for this purpose a mock image should be prepared so that the widget should be able to get built with the processing of the mock image reviewer atillaturkmen deadline | 1 |
719,876 | 24,772,634,930 | IssuesEvent | 2022-10-23 10:37:15 | AY2223S1-CS2103T-T10-1/tp | https://api.github.com/repos/AY2223S1-CS2103T-T10-1/tp | opened | As a user, I can view module tags for each person in the list of contacts | priority.Medium | so that I do not have to search for each module that I take to look for what modules my friend is taking. | 1.0 | As a user, I can view module tags for each person in the list of contacts - so that I do not have to search for each module that I take to look for what modules my friend is taking. | priority | as a user i can view module tags for each person in the list of contacts so that i do not have to search for each module that i take to look for what modules my friend is taking | 1 |
522,606 | 15,163,170,965 | IssuesEvent | 2021-02-12 11:46:34 | wazuh/wazuh-documentation | https://api.github.com/repos/wazuh/wazuh-documentation | opened | Docu review: Getting Started - Architecture - Rephrase | priority: medium type: refactor | Hi! This issue aims to change the text in the Wazuh documentation - Getting Started - Architecture
Regards,
Pilar | 1.0 | Docu review: Getting Started - Architecture - Rephrase - Hi! This issue aims to change the text in the Wazuh documentation - Getting Started - Architecture
Regards,
Pilar | priority | docu review getting started architecture rephrase hi this issue aims to change the text in the wazuh documentation getting started architecture regards pilar | 1 |
57,579 | 3,083,103,463 | IssuesEvent | 2015-08-24 06:12:47 | pavel-pimenov/flylinkdc-r5xx | https://api.github.com/repos/pavel-pimenov/flylinkdc-r5xx | closed | Длительное обновление строки статуса в файл-листах с большим кол-вом файлов (10-50 тыс) | bug imported Priority-Medium | _From [Pavel.Pimenov@gmail.com](https://code.google.com/u/Pavel.Pimenov@gmail.com/) on April 24, 2013 21:23:55_
1. Открыть каталог с большим кол-вом файлов
2. Отметить верхний элемент
3. Скроллером перейти на последний
_Original issue: http://code.google.com/p/flylinkdc/issues/detail?id=1007_ | 1.0 | Длительное обновление строки статуса в файл-листах с большим кол-вом файлов (10-50 тыс) - _From [Pavel.Pimenov@gmail.com](https://code.google.com/u/Pavel.Pimenov@gmail.com/) on April 24, 2013 21:23:55_
1. Открыть каталог с большим кол-вом файлов
2. Отметить верхний элемент
3. Скроллером перейти на последний
_Original issue: http://code.google.com/p/flylinkdc/issues/detail?id=1007_ | priority | длительное обновление строки статуса в файл листах с большим кол вом файлов тыс from on april открыть каталог с большим кол вом файлов отметить верхний элемент скроллером перейти на последний original issue | 1 |
102,467 | 4,155,960,685 | IssuesEvent | 2016-06-16 16:24:38 | Esri/briefing-book | https://api.github.com/repos/Esri/briefing-book | closed | Determine how scaling on the BB works | Medium Priority wontfix | Try to scale the Briefing Book to 50 page with webmap content
-How does TOC behave | 1.0 | Determine how scaling on the BB works - Try to scale the Briefing Book to 50 page with webmap content
-How does TOC behave | priority | determine how scaling on the bb works try to scale the briefing book to page with webmap content how does toc behave | 1 |
533,459 | 15,591,312,992 | IssuesEvent | 2021-03-18 10:18:48 | skyra-project/skyra | https://api.github.com/repos/skyra-project/skyra | closed | request: optional channel and role for birthday | Meta: Feature Priority: Medium | **Is your feature request related to a problem? Please describe.**
The birthday system can give a role, however, at this moment, it must be configured so both the channel and the role are set up. There may be servers which might want a role to be given, but no announcement to be posted and vice versa.
**Describe the solution you'd like**
Make channel and role both optional (although require either if both were before).
**Describe alternatives you've considered**
N/a.
**Additional context**
N/a.
| 1.0 | request: optional channel and role for birthday - **Is your feature request related to a problem? Please describe.**
The birthday system can give a role, however, at this moment, it must be configured so both the channel and the role are set up. There may be servers which might want a role to be given, but no announcement to be posted and vice versa.
**Describe the solution you'd like**
Make channel and role both optional (although require either if both were before).
**Describe alternatives you've considered**
N/a.
**Additional context**
N/a.
| priority | request optional channel and role for birthday is your feature request related to a problem please describe the birthday system can give a role however at this moment it must be configured so both the channel and the role are set up there may be servers which might want a role to be given but no announcement to be posted and vice versa describe the solution you d like make channel and role both optional although require either if both were before describe alternatives you ve considered n a additional context n a | 1 |
113,523 | 4,561,085,526 | IssuesEvent | 2016-09-14 10:20:41 | thommoboy/There-are-no-brakes | https://api.github.com/repos/thommoboy/There-are-no-brakes | closed | Blue Straw movement sometimes goes unnoticed in tutorial when pressureplate activated | Priority Medium Tutorial | A possible fix is to make it a toggle based on the pressure plate so it goes back up if the player steps off it (allowing more movement for the players to recognize the change) | 1.0 | Blue Straw movement sometimes goes unnoticed in tutorial when pressureplate activated - A possible fix is to make it a toggle based on the pressure plate so it goes back up if the player steps off it (allowing more movement for the players to recognize the change) | priority | blue straw movement sometimes goes unnoticed in tutorial when pressureplate activated a possible fix is to make it a toggle based on the pressure plate so it goes back up if the player steps off it allowing more movement for the players to recognize the change | 1 |
162,039 | 6,146,333,780 | IssuesEvent | 2017-06-27 13:40:57 | fgpv-vpgf/fgpv-vpgf | https://api.github.com/repos/fgpv-vpgf/fgpv-vpgf | opened | Move `filtersNode` to Dynamic Child Structure | bug-type: broken use case needs: estimate priority: medium problem: bug v2.0.0 | On the config schema, we have `filtersNode`, which describes a datagrid (title, columns, size, any filters, etc). It is implemented as a property of `dynamicLayerNode`. A dynamic layer doesn't have a grid; each of it's leaf children have a grid.
Move the `filters` property from `dynamicLayerNode` to `dynamicLayerEntryNode`, so a grid can be defined for each leaf.
Be sure to test a sample against the code that applies defaults to config structures for dynamic layers. | 1.0 | Move `filtersNode` to Dynamic Child Structure - On the config schema, we have `filtersNode`, which describes a datagrid (title, columns, size, any filters, etc). It is implemented as a property of `dynamicLayerNode`. A dynamic layer doesn't have a grid; each of it's leaf children have a grid.
Move the `filters` property from `dynamicLayerNode` to `dynamicLayerEntryNode`, so a grid can be defined for each leaf.
Be sure to test a sample against the code that applies defaults to config structures for dynamic layers. | priority | move filtersnode to dynamic child structure on the config schema we have filtersnode which describes a datagrid title columns size any filters etc it is implemented as a property of dynamiclayernode a dynamic layer doesn t have a grid each of it s leaf children have a grid move the filters property from dynamiclayernode to dynamiclayerentrynode so a grid can be defined for each leaf be sure to test a sample against the code that applies defaults to config structures for dynamic layers | 1 |
175,793 | 6,554,094,631 | IssuesEvent | 2017-09-06 03:12:46 | intel-analytics/BigDL | https://api.github.com/repos/intel-analytics/BigDL | closed | Sync AbstractModule and Model class | medium priority python | Check AbstractModule.scala and add those method which haven't be wrapped into Model on python side.
ie: forward, backword.... | 1.0 | Sync AbstractModule and Model class - Check AbstractModule.scala and add those method which haven't be wrapped into Model on python side.
ie: forward, backword.... | priority | sync abstractmodule and model class check abstractmodule scala and add those method which haven t be wrapped into model on python side ie forward backword | 1 |
184,416 | 6,713,000,895 | IssuesEvent | 2017-10-13 11:43:19 | CatherineEvelyn/wedding-planner | https://api.github.com/repos/CatherineEvelyn/wedding-planner | closed | Make index.html look good | enhancement/feature priority: 2 medium skill: front-end | We need to establish basic theme guidelines and style rules as well. I am assuming we are using bootstrap, so that makes it easier, but also what colors, fonts, and images as well.
- [ ] Add proper links to the header menu
- [ ] Change header text to user information? | 1.0 | Make index.html look good - We need to establish basic theme guidelines and style rules as well. I am assuming we are using bootstrap, so that makes it easier, but also what colors, fonts, and images as well.
- [ ] Add proper links to the header menu
- [ ] Change header text to user information? | priority | make index html look good we need to establish basic theme guidelines and style rules as well i am assuming we are using bootstrap so that makes it easier but also what colors fonts and images as well add proper links to the header menu change header text to user information | 1 |
509,173 | 14,723,245,558 | IssuesEvent | 2021-01-06 00:03:21 | elementary/triage | https://api.github.com/repos/elementary/triage | closed | Update Weblate | Priority: Medium | We currently have Weblate 3.9.1 from October 2019, it would be nice to get the latest Weblate | 1.0 | Update Weblate - We currently have Weblate 3.9.1 from October 2019, it would be nice to get the latest Weblate | priority | update weblate we currently have weblate from october it would be nice to get the latest weblate | 1 |
127,000 | 5,009,093,073 | IssuesEvent | 2016-12-12 21:23:28 | mgoral/subconvert | https://api.github.com/repos/mgoral/subconvert | opened | Microdvd parsing bug | Bug Medium Priority | This was discovered in microdvd subtitles, but possibly relates to the other formats as well.
When file ends with whitespaces, i.e. when there are newlines, spaces and so on after the last subtitle (and possibly when there are whitespaces between subtitles), parsing fails. SUbconvert should skip such "empty" lines whenever they are not a part of format (e.g. for SubRip AT LEAST one empty line should be required between subtitles). | 1.0 | Microdvd parsing bug - This was discovered in microdvd subtitles, but possibly relates to the other formats as well.
When file ends with whitespaces, i.e. when there are newlines, spaces and so on after the last subtitle (and possibly when there are whitespaces between subtitles), parsing fails. SUbconvert should skip such "empty" lines whenever they are not a part of format (e.g. for SubRip AT LEAST one empty line should be required between subtitles). | priority | microdvd parsing bug this was discovered in microdvd subtitles but possibly relates to the other formats as well when file ends with whitespaces i e when there are newlines spaces and so on after the last subtitle and possibly when there are whitespaces between subtitles parsing fails subconvert should skip such empty lines whenever they are not a part of format e g for subrip at least one empty line should be required between subtitles | 1 |
766,271 | 26,876,200,841 | IssuesEvent | 2023-02-05 03:14:45 | teia-community/teia-ui | https://api.github.com/repos/teia-community/teia-ui | closed | [bug] Videos aren't displaying in the feed | 🐛 bug Priority: Medium | ### Describe the bug
The feed view is not returning playable videos and seem to only use the displayURI
### Reproduction
1. Go to https://teia.art
2. Click on the `video` tag
3. See!!
### Expected behavior
Playable `<video>` without autoplay and using displayURI as `poster`
### Platform and versions
```shell
This should not be mandatory!
```
### Console output
_No response_
### Additional context
_No response_ | 1.0 | [bug] Videos aren't displaying in the feed - ### Describe the bug
The feed view is not returning playable videos and seem to only use the displayURI
### Reproduction
1. Go to https://teia.art
2. Click on the `video` tag
3. See!!
### Expected behavior
Playable `<video>` without autoplay and using displayURI as `poster`
### Platform and versions
```shell
This should not be mandatory!
```
### Console output
_No response_
### Additional context
_No response_ | priority | videos aren t displaying in the feed describe the bug the feed view is not returning playable videos and seem to only use the displayuri reproduction go to click on the video tag see expected behavior playable without autoplay and using displayuri as poster platform and versions shell this should not be mandatory console output no response additional context no response | 1 |
186,672 | 6,741,850,435 | IssuesEvent | 2017-10-20 03:44:23 | opencurrents/opencurrents | https://api.github.com/repos/opencurrents/opencurrents | opened | Lets discuss if we want to lower the security for creating a password. | mvp priority low priority medium | I would rather have a 6 letter minimum or same than any email account. | 2.0 | Lets discuss if we want to lower the security for creating a password. - I would rather have a 6 letter minimum or same than any email account. | priority | lets discuss if we want to lower the security for creating a password i would rather have a letter minimum or same than any email account | 1 |
379,012 | 11,212,015,220 | IssuesEvent | 2020-01-06 16:38:06 | NAVADMC/ADSM | https://api.github.com/repos/NAVADMC/ADSM | opened | Trace Reasons - not seeing options | Medium Priority bug | Note - there is a way to work around this that may give a clue to what is happening
In Control Protocols - Destruction. When I use Trace forward indirect, I get an error. Checked and I also get error on Trace Back Direct and Trace back indirect. We had this problem before, but don't think this is the same.
This validation is connected to destruction reason order list, recall it would fail if it was missing one of these parameters .
Work around - when I go to the Destruction Global tab and rearrange the secondary destruction priority (in any order), apply. Then the scenario will validate. | 1.0 | Trace Reasons - not seeing options - Note - there is a way to work around this that may give a clue to what is happening
In Control Protocols - Destruction. When I use Trace forward indirect, I get an error. Checked and I also get error on Trace Back Direct and Trace back indirect. We had this problem before, but don't think this is the same.
This validation is connected to destruction reason order list, recall it would fail if it was missing one of these parameters .
Work around - when I go to the Destruction Global tab and rearrange the secondary destruction priority (in any order), apply. Then the scenario will validate. | priority | trace reasons not seeing options note there is a way to work around this that may give a clue to what is happening in control protocols destruction when i use trace forward indirect i get an error checked and i also get error on trace back direct and trace back indirect we had this problem before but don t think this is the same this validation is connected to destruction reason order list recall it would fail if it was missing one of these parameters work around when i go to the destruction global tab and rearrange the secondary destruction priority in any order apply then the scenario will validate | 1 |
26,783 | 2,685,465,935 | IssuesEvent | 2015-03-30 01:15:20 | IssueMigrationTest/Test5 | https://api.github.com/repos/IssueMigrationTest/Test5 | closed | Patch: Support building C extensions for PyPy | auto-migrated Priority-Medium Type-Enhancement | **Issue by victorga...@gmail.com**
_25 Jan 2011 at 6:36 GMT_
_Originally opened on Google Code_
----
```
Using Shed Skin 0.7 and a PyPy nightly[1], SS fails to create a C extension due
to a couple of issues:
* infer.py calls gc.set_threshold
* distutils.sysconfig fails to find config vars
* when the issues above are fixed, generated C++ fails to build
The attached patch (against latest git) adds hacks for all issues mentioned
above. Even with the patch, it's necessary to copy setobject.h from CPython
into PyPy's include dir (I guess extensions using sets would be broken).
I'm running the test suite on 0.7 with CPython, 40 tests so far and all pass.
Will report on results with PyPy (quite a lot) later. Running on tip seems
broken before patch, though.
[1] http://buildbot.pypy.org/nightly/trunk/
```
Attachments:
* [shedskinpypyext.diff](https://storage.googleapis.com/google-code-attachments/shedskin/issue-128/comment-0/shedskinpypyext.diff)
| 1.0 | Patch: Support building C extensions for PyPy - **Issue by victorga...@gmail.com**
_25 Jan 2011 at 6:36 GMT_
_Originally opened on Google Code_
----
```
Using Shed Skin 0.7 and a PyPy nightly[1], SS fails to create a C extension due
to a couple of issues:
* infer.py calls gc.set_threshold
* distutils.sysconfig fails to find config vars
* when the issues above are fixed, generated C++ fails to build
The attached patch (against latest git) adds hacks for all issues mentioned
above. Even with the patch, it's necessary to copy setobject.h from CPython
into PyPy's include dir (I guess extensions using sets would be broken).
I'm running the test suite on 0.7 with CPython, 40 tests so far and all pass.
Will report on results with PyPy (quite a lot) later. Running on tip seems
broken before patch, though.
[1] http://buildbot.pypy.org/nightly/trunk/
```
Attachments:
* [shedskinpypyext.diff](https://storage.googleapis.com/google-code-attachments/shedskin/issue-128/comment-0/shedskinpypyext.diff)
| priority | patch support building c extensions for pypy issue by victorga gmail com jan at gmt originally opened on google code using shed skin and a pypy nightly ss fails to create a c extension due to a couple of issues infer py calls gc set threshold distutils sysconfig fails to find config vars when the issues above are fixed generated c fails to build the attached patch against latest git adds hacks for all issues mentioned above even with the patch it s necessary to copy setobject h from cpython into pypy s include dir i guess extensions using sets would be broken i m running the test suite on with cpython tests so far and all pass will report on results with pypy quite a lot later running on tip seems broken before patch though attachments | 1 |
476,309 | 13,736,684,436 | IssuesEvent | 2020-10-05 12:08:32 | diamm/diamm | https://api.github.com/repos/diamm/diamm | opened | Table template in Wagtail | Component: Web Application Priority: Medium Type: Enhancement Type: Feature Request | We have some data that would be best displayed in a table, but can't construct one at the moment in Wagtail -- I believe though that there is a template that would do it if it was installed. I don't think I could (or should) try and install it -- can't even find where it should go, but it's probably not shown in the GUI. If you have time this would be much appreciated! | 1.0 | Table template in Wagtail - We have some data that would be best displayed in a table, but can't construct one at the moment in Wagtail -- I believe though that there is a template that would do it if it was installed. I don't think I could (or should) try and install it -- can't even find where it should go, but it's probably not shown in the GUI. If you have time this would be much appreciated! | priority | table template in wagtail we have some data that would be best displayed in a table but can t construct one at the moment in wagtail i believe though that there is a template that would do it if it was installed i don t think i could or should try and install it can t even find where it should go but it s probably not shown in the gui if you have time this would be much appreciated | 1 |
428,700 | 12,415,342,569 | IssuesEvent | 2020-05-22 16:10:03 | space-wizards/space-station-14 | https://api.github.com/repos/space-wizards/space-station-14 | closed | MIDI needs server-side rate limiting. | Priority: 2-medium Type: Feature | Right now it's purely client side, this is bad.
Not sure what the best way to do this is. Limiting the amount of MIDI events per second? | 1.0 | MIDI needs server-side rate limiting. - Right now it's purely client side, this is bad.
Not sure what the best way to do this is. Limiting the amount of MIDI events per second? | priority | midi needs server side rate limiting right now it s purely client side this is bad not sure what the best way to do this is limiting the amount of midi events per second | 1 |
44,027 | 2,898,605,509 | IssuesEvent | 2015-06-17 05:04:14 | HubTurbo/HubTurbo | https://api.github.com/repos/HubTurbo/HubTurbo | closed | Issues should be sorted by latest updated time first in updated view | aspect-ui priority.medium type.enhancement | Currently, if no sorting order is specified, issues are sorted by descending ID (i.e. latest creation time first).
This is true even when the `updated:` filter is used. Intuitively, when the `updated:` filter is used, issues that are updated the latest should be shown on top (unless another sorting order is explicitly specified through the `sort:` filter). | 1.0 | Issues should be sorted by latest updated time first in updated view - Currently, if no sorting order is specified, issues are sorted by descending ID (i.e. latest creation time first).
This is true even when the `updated:` filter is used. Intuitively, when the `updated:` filter is used, issues that are updated the latest should be shown on top (unless another sorting order is explicitly specified through the `sort:` filter). | priority | issues should be sorted by latest updated time first in updated view currently if no sorting order is specified issues are sorted by descending id i e latest creation time first this is true even when the updated filter is used intuitively when the updated filter is used issues that are updated the latest should be shown on top unless another sorting order is explicitly specified through the sort filter | 1 |
780,756 | 27,406,948,468 | IssuesEvent | 2023-03-01 07:44:21 | renovatebot/renovate | https://api.github.com/repos/renovatebot/renovate | closed | SBT not scan build.properties | type:feature priority-3-medium manager:sbt status:ready reproduction:provided | ### What would you like Renovate to be able to do?
We are using sbt manger and it is not scanning build.properties(sbt.version=1.4.9) and creating PR.
Looks like it scan only ".sbt$" and "project/[^/]*.scala$" not .properties.
```
sbt: {
description: "Configuration object for the sbt manager",
type: "object",
default: {
fileMatch: [
".sbt$",
"project/[^/]*.scala$"
],
versioning: "ivy"
},
$ref: "#"
},
```
### If you have any ideas on how this should be implemented, please tell us here.
```
sbt: {
description: "Configuration object for the sbt manager",
type: "object",
default: {
fileMatch: [
".sbt$",
"project/[^/]*.scala$",
"project/[^/]*.properties$"
],
versioning: "ivy"
},
$ref: "#"
},
```
### Is this a feature you are interested in implementing yourself?
No | 1.0 | SBT not scan build.properties - ### What would you like Renovate to be able to do?
We are using sbt manger and it is not scanning build.properties(sbt.version=1.4.9) and creating PR.
Looks like it scan only ".sbt$" and "project/[^/]*.scala$" not .properties.
```
sbt: {
description: "Configuration object for the sbt manager",
type: "object",
default: {
fileMatch: [
".sbt$",
"project/[^/]*.scala$"
],
versioning: "ivy"
},
$ref: "#"
},
```
### If you have any ideas on how this should be implemented, please tell us here.
```
sbt: {
description: "Configuration object for the sbt manager",
type: "object",
default: {
fileMatch: [
".sbt$",
"project/[^/]*.scala$",
"project/[^/]*.properties$"
],
versioning: "ivy"
},
$ref: "#"
},
```
### Is this a feature you are interested in implementing yourself?
No | priority | sbt not scan build properties what would you like renovate to be able to do we are using sbt manger and it is not scanning build properties sbt version and creating pr looks like it scan only sbt and project scala not properties sbt description configuration object for the sbt manager type object default filematch sbt project scala versioning ivy ref if you have any ideas on how this should be implemented please tell us here sbt description configuration object for the sbt manager type object default filematch sbt project scala project properties versioning ivy ref is this a feature you are interested in implementing yourself no | 1 |
568,067 | 16,946,154,492 | IssuesEvent | 2021-06-28 07:06:38 | kubesphere/kubesphere | https://api.github.com/repos/kubesphere/kubesphere | closed | the service monitor for the service creating by the specified workload is not shown on the page after creating | kind/bug kind/need-to-verify priority/medium | **Describe the Bug**
1. Create a workload named 'd1'
2. Create the service by specifying the workload, specifying the workload with ' d1 '.
3. Enter the details page of the service and create Service Monitor for the service
4. After creation, the Service Monitor is not displayed in the view page
5. Enter the crd page of the Service Monitor and see that the Service Monitor of the service exists in the page

**Versions Used**
KubeSphere: v3.1.1
ks-console image : kubespheredev/ks-consloe:latest
/kind bug
/assign @harrisonliu5
/priority medium
/milestone v3.1
| 1.0 | the service monitor for the service creating by the specified workload is not shown on the page after creating - **Describe the Bug**
1. Create a workload named 'd1'
2. Create the service by specifying the workload, specifying the workload with ' d1 '.
3. Enter the details page of the service and create Service Monitor for the service
4. After creation, the Service Monitor is not displayed in the view page
5. Enter the crd page of the Service Monitor and see that the Service Monitor of the service exists in the page

**Versions Used**
KubeSphere: v3.1.1
ks-console image : kubespheredev/ks-consloe:latest
/kind bug
/assign @harrisonliu5
/priority medium
/milestone v3.1
| priority | the service monitor for the service creating by the specified workload is not shown on the page after creating describe the bug create a workload named create the service by specifying the workload specifying the workload with enter the details page of the service and create service monitor for the service after creation the service monitor is not displayed in the view page enter the crd page of the service monitor and see that the service monitor of the service exists in the page versions used kubesphere ks console image kubespheredev ks consloe latest kind bug assign priority medium milestone | 1 |
39,020 | 2,850,644,039 | IssuesEvent | 2015-05-31 19:05:22 | damonkohler/android-scripting | https://api.github.com/repos/damonkohler/android-scripting | closed | html 5 localstorage for webviewshow | auto-migrated Priority-Medium Type-Enhancement | ```
What should be supported?
html5 localstorage would be mighty nice.
```
Original issue reported on code.google.com by `business...@gmail.com` on 21 Mar 2011 at 7:11 | 1.0 | html 5 localstorage for webviewshow - ```
What should be supported?
html5 localstorage would be mighty nice.
```
Original issue reported on code.google.com by `business...@gmail.com` on 21 Mar 2011 at 7:11 | priority | html localstorage for webviewshow what should be supported localstorage would be mighty nice original issue reported on code google com by business gmail com on mar at | 1 |
22,647 | 2,649,633,243 | IssuesEvent | 2015-03-15 03:49:16 | prikhi/pencil | https://api.github.com/repos/prikhi/pencil | closed | Program very slow to move tabs left or right | 1 star bug imported Priority-Medium | _From [iain.max...@ggtg.net](https://code.google.com/u/114341275988239424850/) on August 21, 2011 02:52:44_
What steps will reproduce the problem? 1. Right click the tab to move
2. Select move left (or right) 3. What is the expected output? What do you see instead? Tab moves eventually but process is extraordinarily slow! What version of the product are you using? On what operating system? V1.2 Build 0. WinXP SP 3 Please provide any additional information below. Generally an excellent program if only it was a bit faster!
_Original issue: http://code.google.com/p/evoluspencil/issues/detail?id=332_ | 1.0 | Program very slow to move tabs left or right - _From [iain.max...@ggtg.net](https://code.google.com/u/114341275988239424850/) on August 21, 2011 02:52:44_
What steps will reproduce the problem? 1. Right click the tab to move
2. Select move left (or right) 3. What is the expected output? What do you see instead? Tab moves eventually but process is extraordinarily slow! What version of the product are you using? On what operating system? V1.2 Build 0. WinXP SP 3 Please provide any additional information below. Generally an excellent program if only it was a bit faster!
_Original issue: http://code.google.com/p/evoluspencil/issues/detail?id=332_ | priority | program very slow to move tabs left or right from on august what steps will reproduce the problem right click the tab to move select move left or right what is the expected output what do you see instead tab moves eventually but process is extraordinarily slow what version of the product are you using on what operating system build winxp sp please provide any additional information below generally an excellent program if only it was a bit faster original issue | 1 |
534,883 | 15,651,107,725 | IssuesEvent | 2021-03-23 09:48:35 | returntocorp/semgrep | https://api.github.com/repos/returntocorp/semgrep | closed | javascript timeout errors on Signal-Desktop WASM autogenerated code | bug external-user priority:medium | **Describe the bug**
Semgrep times out running rules against three large files in Signal desktop:
```
ine@imbp4 ~/D/r/t/Signal-Desktop (development)> cat libtextsecure/libsignal-protocol.js | wc -l
25286
ine@imbp4 ~/D/r/t/Signal-Desktop (development)> cat components/mp3lameencoder/lib/Mp3LameEncoder.js | wc -l
46699
ine@imbp4 ~/D/r/t/Signal-Desktop (development)> cat js/Mp3LameEncoder.min.js | wc -l
46699
```
**To Reproduce**
$ git clone https://github.com/signalapp/Signal-Desktop
$ time semgrep --config=r/javascript.jquery.security.audit.jquery-insecure-selector.jquery-insecure-selector Signal-Desktop
**Expected behavior**
I think Semgrep should be able to parse a 25K LoC file and run a rule in <30 sec.
**What is the priority of the bug to you?**
Timeouts are correctly reported as of v.32, so marking as low-pri.
**Environment**
Semgrep v.32 | 1.0 | javascript timeout errors on Signal-Desktop WASM autogenerated code - **Describe the bug**
Semgrep times out running rules against three large files in Signal desktop:
```
ine@imbp4 ~/D/r/t/Signal-Desktop (development)> cat libtextsecure/libsignal-protocol.js | wc -l
25286
ine@imbp4 ~/D/r/t/Signal-Desktop (development)> cat components/mp3lameencoder/lib/Mp3LameEncoder.js | wc -l
46699
ine@imbp4 ~/D/r/t/Signal-Desktop (development)> cat js/Mp3LameEncoder.min.js | wc -l
46699
```
**To Reproduce**
$ git clone https://github.com/signalapp/Signal-Desktop
$ time semgrep --config=r/javascript.jquery.security.audit.jquery-insecure-selector.jquery-insecure-selector Signal-Desktop
**Expected behavior**
I think Semgrep should be able to parse a 25K LoC file and run a rule in <30 sec.
**What is the priority of the bug to you?**
Timeouts are correctly reported as of v.32, so marking as low-pri.
**Environment**
Semgrep v.32 | priority | javascript timeout errors on signal desktop wasm autogenerated code describe the bug semgrep times out running rules against three large files in signal desktop ine d r t signal desktop development cat libtextsecure libsignal protocol js wc l ine d r t signal desktop development cat components lib js wc l ine d r t signal desktop development cat js min js wc l to reproduce git clone time semgrep config r javascript jquery security audit jquery insecure selector jquery insecure selector signal desktop expected behavior i think semgrep should be able to parse a loc file and run a rule in sec what is the priority of the bug to you timeouts are correctly reported as of v so marking as low pri environment semgrep v | 1 |
72,066 | 3,371,625,380 | IssuesEvent | 2015-11-23 19:54:57 | music-encoding/music-encoding | https://api.github.com/repos/music-encoding/music-encoding | closed | <accessRestrict> not available within <availability> | Component: Core Schema Priority: Medium Status: Needs Review Type: Bug | When using `<accessRestrict>` within `<availability>` I get a validation error although it should work according to the Guidelines at the website. (see http://music-encoding.org/documentation/2.1.1/availability/)
Looking into the source I saw the elementSpec of `<accessRestrict>` is defined as a member of model.availabilityPart but this class is never specified. There is only macro.availabilityPart specified.
Is this a little bug or is it wrong to use `<accessRestrict>` within `<availability>`? I'm a little bit confused...
| 1.0 | <accessRestrict> not available within <availability> - When using `<accessRestrict>` within `<availability>` I get a validation error although it should work according to the Guidelines at the website. (see http://music-encoding.org/documentation/2.1.1/availability/)
Looking into the source I saw the elementSpec of `<accessRestrict>` is defined as a member of model.availabilityPart but this class is never specified. There is only macro.availabilityPart specified.
Is this a little bug or is it wrong to use `<accessRestrict>` within `<availability>`? I'm a little bit confused...
| priority | not available within when using within i get a validation error although it should work according to the guidelines at the website see looking into the source i saw the elementspec of is defined as a member of model availabilitypart but this class is never specified there is only macro availabilitypart specified is this a little bug or is it wrong to use within i m a little bit confused | 1 |
485,027 | 13,960,045,644 | IssuesEvent | 2020-10-24 19:10:31 | AY2021S1-CS2103T-T09-1/tp | https://api.github.com/repos/AY2021S1-CS2103T-T09-1/tp | opened | Change implementation of Edit command | priority.Medium type.Task | - Change command format from edit {index} to edit {module code}
- Disallow edits to modular credits
Scenarios to use edit command:
- Replace a module with a different module (shortcut to deleting a module -> adding a module)
- Change/Replace tags
| 1.0 | Change implementation of Edit command - - Change command format from edit {index} to edit {module code}
- Disallow edits to modular credits
Scenarios to use edit command:
- Replace a module with a different module (shortcut to deleting a module -> adding a module)
- Change/Replace tags
| priority | change implementation of edit command change command format from edit index to edit module code disallow edits to modular credits scenarios to use edit command replace a module with a different module shortcut to deleting a module adding a module change replace tags | 1 |
734,668 | 25,358,082,666 | IssuesEvent | 2022-11-20 15:25:46 | StephanAkkerman/FinTwit_Bot | https://api.github.com/repos/StephanAkkerman/FinTwit_Bot | closed | Display ticker price change in overview | Improvement :chart_with_upwards_trend: Priority: Medium :2nd_place_medal: Difficulty: Medium 😐 | We get the price + price change before making the overview. We should pass the % change to the overview and display it next to the ticker like:
``` EUR (+1.29%) ``` | 1.0 | Display ticker price change in overview - We get the price + price change before making the overview. We should pass the % change to the overview and display it next to the ticker like:
``` EUR (+1.29%) ``` | priority | display ticker price change in overview we get the price price change before making the overview we should pass the change to the overview and display it next to the ticker like eur | 1 |
103,908 | 4,187,237,244 | IssuesEvent | 2016-06-23 16:50:01 | isawnyu/isaw.web | https://api.github.com/repos/isawnyu/isaw.web | closed | insert/edit dialog radio buttons misaligned | bug deploy medium priority style | On the insert/edit dialog (e.g., for adding an internal link while editing) one gets a list of things. One is supposed to select the radio button associated with the item one wants, but this is hard and error-prone because the radio buttons are horizontally misaligned with the text in the list.

| 1.0 | insert/edit dialog radio buttons misaligned - On the insert/edit dialog (e.g., for adding an internal link while editing) one gets a list of things. One is supposed to select the radio button associated with the item one wants, but this is hard and error-prone because the radio buttons are horizontally misaligned with the text in the list.

| priority | insert edit dialog radio buttons misaligned on the insert edit dialog e g for adding an internal link while editing one gets a list of things one is supposed to select the radio button associated with the item one wants but this is hard and error prone because the radio buttons are horizontally misaligned with the text in the list | 1 |
314,817 | 9,603,393,090 | IssuesEvent | 2019-05-10 16:56:17 | US-CBP/GTAS | https://api.github.com/repos/US-CBP/GTAS | closed | Parser | phone number | 4 - Done Medium Priority enhancement | parser catches a lot fo phone numbers, but also catches a lot of unrelated data as well
<!---
@huboard:{"order":1091.163655455,"milestone_order":964.0,"custom_state":""}
-->
| 1.0 | Parser | phone number - parser catches a lot fo phone numbers, but also catches a lot of unrelated data as well
<!---
@huboard:{"order":1091.163655455,"milestone_order":964.0,"custom_state":""}
-->
| priority | parser phone number parser catches a lot fo phone numbers but also catches a lot of unrelated data as well huboard order milestone order custom state | 1 |
588,564 | 17,662,520,264 | IssuesEvent | 2021-08-21 20:11:19 | braem/moodi | https://api.github.com/repos/braem/moodi | closed | [Bug]: Font on tabbar not correct | Type: Bug Priority: Medium Size: Small | ### Describe the bug
Font family on tabbar doesn't match the app's default (comfortaa)
### To Reproduce
1. Open app
2. Navigate to any page with a tabbar (everywhere but new mood entry currently)
3. Notice the font doesnt match! aaaaaaaaaa
### Expected Behavior
Use Comfortaa!
### Additional context
This is a little more involved with app shell stuff ;( | 1.0 | [Bug]: Font on tabbar not correct - ### Describe the bug
Font family on tabbar doesn't match the app's default (comfortaa)
### To Reproduce
1. Open app
2. Navigate to any page with a tabbar (everywhere but new mood entry currently)
3. Notice the font doesnt match! aaaaaaaaaa
### Expected Behavior
Use Comfortaa!
### Additional context
This is a little more involved with app shell stuff ;( | priority | font on tabbar not correct describe the bug font family on tabbar doesn t match the app s default comfortaa to reproduce open app navigate to any page with a tabbar everywhere but new mood entry currently notice the font doesnt match aaaaaaaaaa expected behavior use comfortaa additional context this is a little more involved with app shell stuff | 1 |
182,674 | 6,672,461,043 | IssuesEvent | 2017-10-04 11:45:06 | inspirehep/record-editor | https://api.github.com/repos/inspirehep/record-editor | opened | Improve messages in custom validators | priority:medium | Custom validators are defined https://github.com/inspirehep/record-editor/blob/master/src/app/shared/services/app-config.service.ts#L510-L512
If, for example a date is wrong, the message: "Should match format 'date'" is displayed, which is not useful to know which formats are allowed.
An improvement would be to able to customize these messages. | 1.0 | Improve messages in custom validators - Custom validators are defined https://github.com/inspirehep/record-editor/blob/master/src/app/shared/services/app-config.service.ts#L510-L512
If, for example a date is wrong, the message: "Should match format 'date'" is displayed, which is not useful to know which formats are allowed.
An improvement would be to able to customize these messages. | priority | improve messages in custom validators custom validators are defined if for example a date is wrong the message should match format date is displayed which is not useful to know which formats are allowed an improvement would be to able to customize these messages | 1 |
111,135 | 4,462,117,067 | IssuesEvent | 2016-08-24 08:46:10 | armadito/armadito-glpi | https://api.github.com/repos/armadito/armadito-glpi | opened | Improve job status color palette | enhancement medium priority | Currently, colors are not well chosen.
There should have harmony of colors in all the plugin | 1.0 | Improve job status color palette - Currently, colors are not well chosen.
There should have harmony of colors in all the plugin | priority | improve job status color palette currently colors are not well chosen there should have harmony of colors in all the plugin | 1 |
271,788 | 8,489,422,398 | IssuesEvent | 2018-10-26 19:51:58 | minio/mc | https://api.github.com/repos/minio/mc | closed | [Error: invalid alias] when both MC_HOSTS and MC_ENCRYPT_KEY are set | community priority: medium | Latest minio/mc in docker
I get an error when both env params are present. So if I keep the MC_HOSTS_storage alone it works ok. Or when I mount config with` -v blah:/root/.mc/config.json` and remove MC_HOSTS_storage it works ok too.
**<ERROR> Unable to parse encryption keys. sse-c prefix storage/secure/ has invalid alias**
```
docker run -it \
-v /my/backup:/source \
-e MC_HOSTS_storage="https://BBBBBBBB:CCCCCCCC@myip:9000" \
-e MC_ENCRYPT_KEY="storage/secure/=AAAAAAAAAAAAAAAAAA" \
minio/mc cp --recursive /source/ storage/secure/
``` | 1.0 | [Error: invalid alias] when both MC_HOSTS and MC_ENCRYPT_KEY are set - Latest minio/mc in docker
I get an error when both env params are present. So if I keep the MC_HOSTS_storage alone it works ok. Or when I mount config with` -v blah:/root/.mc/config.json` and remove MC_HOSTS_storage it works ok too.
**<ERROR> Unable to parse encryption keys. sse-c prefix storage/secure/ has invalid alias**
```
docker run -it \
-v /my/backup:/source \
-e MC_HOSTS_storage="https://BBBBBBBB:CCCCCCCC@myip:9000" \
-e MC_ENCRYPT_KEY="storage/secure/=AAAAAAAAAAAAAAAAAA" \
minio/mc cp --recursive /source/ storage/secure/
``` | priority | when both mc hosts and mc encrypt key are set latest minio mc in docker i get an error when both env params are present so if i keep the mc hosts storage alone it works ok or when i mount config with v blah root mc config json and remove mc hosts storage it works ok too unable to parse encryption keys sse c prefix storage secure has invalid alias docker run it v my backup source e mc hosts storage e mc encrypt key storage secure aaaaaaaaaaaaaaaaaa minio mc cp recursive source storage secure | 1 |
760,195 | 26,633,059,206 | IssuesEvent | 2023-01-24 19:25:32 | pdx-blurp/blurp-frontend | https://api.github.com/repos/pdx-blurp/blurp-frontend | closed | Map Page: System Tool Bar | new feature medium priority | Create a simple 1-column, thin, left-hand sidebar for system tools + icons:
*it will start out with these icons:
- 3 dot icon
- cog wheel icon
- save floppy-disk icon
*behaviors:
- when icon is clicked the sidebar expands open
- when User clicks away, the sidebar collapses | 1.0 | Map Page: System Tool Bar - Create a simple 1-column, thin, left-hand sidebar for system tools + icons:
*it will start out with these icons:
- 3 dot icon
- cog wheel icon
- save floppy-disk icon
*behaviors:
- when icon is clicked the sidebar expands open
- when User clicks away, the sidebar collapses | priority | map page system tool bar create a simple column thin left hand sidebar for system tools icons it will start out with these icons dot icon cog wheel icon save floppy disk icon behaviors when icon is clicked the sidebar expands open when user clicks away the sidebar collapses | 1 |
58,389 | 3,088,992,288 | IssuesEvent | 2015-08-25 19:20:21 | pavel-pimenov/flylinkdc-r5xx | https://api.github.com/repos/pavel-pimenov/flylinkdc-r5xx | opened | Долгое подключение к ADC хабам | bug imported Priority-Medium | _From [mike.kor...@gmail.com](https://code.google.com/u/101495626515388303633/) on October 26, 2014 14:15:52_
Иногда, обычно, после долгого перерыва в работе подключение к ADC хабам происходит настолько долго, что хаб сбрасывает соединение.
По всей видимости, критическое время больше 30.
От количества открываемых хабов не зависит.
[16:09:03] *** Соединение с adcs://adcs.uhub.org:1511 ...
[16:09:03] *** Соединён
[16:09:41] \<uhub central> Powered by uhub/0.5.0-git-1da917e
[16:09:41] *** Соединение закрыто
**Attachment:** [Fly_x64_r17784_adchubs.png](http://code.google.com/p/flylinkdc/issues/detail?id=1511)
_Original issue: http://code.google.com/p/flylinkdc/issues/detail?id=1511_ | 1.0 | Долгое подключение к ADC хабам - _From [mike.kor...@gmail.com](https://code.google.com/u/101495626515388303633/) on October 26, 2014 14:15:52_
Иногда, обычно, после долгого перерыва в работе подключение к ADC хабам происходит настолько долго, что хаб сбрасывает соединение.
По всей видимости, критическое время больше 30.
От количества открываемых хабов не зависит.
[16:09:03] *** Соединение с adcs://adcs.uhub.org:1511 ...
[16:09:03] *** Соединён
[16:09:41] \<uhub central> Powered by uhub/0.5.0-git-1da917e
[16:09:41] *** Соединение закрыто
**Attachment:** [Fly_x64_r17784_adchubs.png](http://code.google.com/p/flylinkdc/issues/detail?id=1511)
_Original issue: http://code.google.com/p/flylinkdc/issues/detail?id=1511_ | priority | долгое подключение к adc хабам from on october иногда обычно после долгого перерыва в работе подключение к adc хабам происходит настолько долго что хаб сбрасывает соединение по всей видимости критическое время больше от количества открываемых хабов не зависит соединение с adcs adcs uhub org соединён powered by uhub git соединение закрыто attachment original issue | 1 |
660,092 | 21,951,514,305 | IssuesEvent | 2022-05-24 08:21:28 | containrrr/watchtower | https://api.github.com/repos/containrrr/watchtower | closed | Updating container with wrong different arch | Type: Bug Priority: Medium Status: Available | <!--
Before submitting your issue, please make sure you're using the containrrr/watchtower:latest image.
If not, switch to this image prior to posting your report. Other forks, or the old `v2tec` image are **not** supported.
-->
**Describe the bug**
<!-- A clear and concise description of what the bug is. --> i have latest watchtower app, when i run first time it downloaded and restarted all my container's image which were pending for update but after that i found that some of my containers are not starting and after inspection i found that watchtower downloaded wrong arch for those container images , i am on arch64 and i have 27 or more containers running watchtower downloaded correct arch for many containers but 4-5 container got problem, i think problem is those container's app developer stopped to support arch64 in newer version and so there is no new images on registry for arm64 only amd64 is available. and watchtower is trying with only latest tag and downloading amd64 image despite of my arch which is arm64
**To Reproduce**
<!--
Steps to reproduce the behavior:
1. Go to '...'
2. Click on '....'
3. Scroll down to '....'
4. See error
-->
**Expected behavior**
<!-- A clear and concise description of what you expected to happen. --> it should download and start exact same container ,
I.e if i am running container of arm64 then it should download arm64 images not amd64
**Screenshots**
<!--
If applicable, add screenshots to help explain your problem.
-->
**Environment**
<!--
We want to know:
- Platform : linux
- Architecture : arm64
- Docker version : v20.10.14-ce,
-->
<details>
<summary><b> Logs from running watchtower with the <code>--debug</code> option </b></summary>
```
```
</details>
**Additional context**
<!--
Add any other context about the problem here.
-->
| 1.0 | Updating container with wrong different arch - <!--
Before submitting your issue, please make sure you're using the containrrr/watchtower:latest image.
If not, switch to this image prior to posting your report. Other forks, or the old `v2tec` image are **not** supported.
-->
**Describe the bug**
<!-- A clear and concise description of what the bug is. --> i have latest watchtower app, when i run first time it downloaded and restarted all my container's image which were pending for update but after that i found that some of my containers are not starting and after inspection i found that watchtower downloaded wrong arch for those container images , i am on arch64 and i have 27 or more containers running watchtower downloaded correct arch for many containers but 4-5 container got problem, i think problem is those container's app developer stopped to support arch64 in newer version and so there is no new images on registry for arm64 only amd64 is available. and watchtower is trying with only latest tag and downloading amd64 image despite of my arch which is arm64
**To Reproduce**
<!--
Steps to reproduce the behavior:
1. Go to '...'
2. Click on '....'
3. Scroll down to '....'
4. See error
-->
**Expected behavior**
<!-- A clear and concise description of what you expected to happen. --> it should download and start exact same container ,
I.e if i am running container of arm64 then it should download arm64 images not amd64
**Screenshots**
<!--
If applicable, add screenshots to help explain your problem.
-->
**Environment**
<!--
We want to know:
- Platform : linux
- Architecture : arm64
- Docker version : v20.10.14-ce,
-->
<details>
<summary><b> Logs from running watchtower with the <code>--debug</code> option </b></summary>
```
```
</details>
**Additional context**
<!--
Add any other context about the problem here.
-->
| priority | updating container with wrong different arch before submitting your issue please make sure you re using the containrrr watchtower latest image if not switch to this image prior to posting your report other forks or the old image are not supported describe the bug i have latest watchtower app when i run first time it downloaded and restarted all my container s image which were pending for update but after that i found that some of my containers are not starting and after inspection i found that watchtower downloaded wrong arch for those container images i am on and i have or more containers running watchtower downloaded correct arch for many containers but container got problem i think problem is those container s app developer stopped to support in newer version and so there is no new images on registry for only is available and watchtower is trying with only latest tag and downloading image despite of my arch which is to reproduce steps to reproduce the behavior go to click on scroll down to see error expected behavior it should download and start exact same container i e if i am running container of then it should download images not screenshots if applicable add screenshots to help explain your problem environment we want to know platform linux architecture docker version ce logs from running watchtower with the debug option additional context add any other context about the problem here | 1 |
211,277 | 7,199,949,850 | IssuesEvent | 2018-02-05 17:25:42 | Awful/Awful.apk | https://api.github.com/repos/Awful/Awful.apk | closed | Attempting to scroll on a [code] block brings up the bookmark panel | MeDiUm pRiOrItY bug webview | When scrolling through a thread, if my finger is in a [code] block, the app acts as though I have swiped right and opens up the bookmark panel. I'm running Awful 3.2.3.2 on CM11, using an Amazon Fire Phone. Please let me know if I can provide any additional information.
| 1.0 | Attempting to scroll on a [code] block brings up the bookmark panel - When scrolling through a thread, if my finger is in a [code] block, the app acts as though I have swiped right and opens up the bookmark panel. I'm running Awful 3.2.3.2 on CM11, using an Amazon Fire Phone. Please let me know if I can provide any additional information.
| priority | attempting to scroll on a block brings up the bookmark panel when scrolling through a thread if my finger is in a block the app acts as though i have swiped right and opens up the bookmark panel i m running awful on using an amazon fire phone please let me know if i can provide any additional information | 1 |
618,162 | 19,427,515,425 | IssuesEvent | 2021-12-21 08:04:57 | stackabletech/t2 | https://api.github.com/repos/stackabletech/t2 | closed | Microsoft Azure integration | priority/medium | - [x] Spike
- [x] configuration: number of nodes, k8s version, ...
- [x] docs
- [x] reactivate AWS EKS if easy (timebox: approx 2hrs)
- [x] Please check if this is an option for us to save some money: https://opensource.microsoft.com/azure-credits#credits-apply (@stefanigel took care of that) | 1.0 | Microsoft Azure integration - - [x] Spike
- [x] configuration: number of nodes, k8s version, ...
- [x] docs
- [x] reactivate AWS EKS if easy (timebox: approx 2hrs)
- [x] Please check if this is an option for us to save some money: https://opensource.microsoft.com/azure-credits#credits-apply (@stefanigel took care of that) | priority | microsoft azure integration spike configuration number of nodes version docs reactivate aws eks if easy timebox approx please check if this is an option for us to save some money stefanigel took care of that | 1 |
600,325 | 18,293,542,818 | IssuesEvent | 2021-10-05 17:52:47 | AY2122S1-CS2103T-F13-4/tp | https://api.github.com/repos/AY2122S1-CS2103T-F13-4/tp | opened | Correct find command's system prompt | type.Bug invalid type.Task priority.Medium severity.Low | Correct find command's system prompt when there is 0 or 1 student found using the `find` command.
Example:
Input: `find noOne`

Input: `find Alex`

| 1.0 | Correct find command's system prompt - Correct find command's system prompt when there is 0 or 1 student found using the `find` command.
Example:
Input: `find noOne`

Input: `find Alex`

| priority | correct find command s system prompt correct find command s system prompt when there is or student found using the find command example input find noone input find alex | 1 |
23,460 | 2,659,685,576 | IssuesEvent | 2015-03-18 22:34:12 | Luigi1992/quick-study | https://api.github.com/repos/Luigi1992/quick-study | closed | Create a side menu for options | medium priority new feature | For a better look and fell, we have to create a side menu, like the one in Google Play Store.
 | 1.0 | Create a side menu for options - For a better look and fell, we have to create a side menu, like the one in Google Play Store.
 | priority | create a side menu for options for a better look and fell we have to create a side menu like the one in google play store | 1 |
291,913 | 8,951,394,841 | IssuesEvent | 2019-01-25 13:50:51 | tigerfahd/TermProjectDS3 | https://api.github.com/repos/tigerfahd/TermProjectDS3 | opened | Project Overview | Medium Priority Writing | The overview section should contain an introduction providing an outline of the project:
the description, project format (installation, physical computing, etc.), methods of user
interaction, and any additional required information to convey the idea. It should be succinct
and talk about how it relates to themes described in the RFP
| 1.0 | Project Overview - The overview section should contain an introduction providing an outline of the project:
the description, project format (installation, physical computing, etc.), methods of user
interaction, and any additional required information to convey the idea. It should be succinct
and talk about how it relates to themes described in the RFP
| priority | project overview the overview section should contain an introduction providing an outline of the project the description project format installation physical computing etc methods of user interaction and any additional required information to convey the idea it should be succinct and talk about how it relates to themes described in the rfp | 1 |
40,763 | 2,868,940,732 | IssuesEvent | 2015-06-05 22:05:24 | dart-lang/pub | https://api.github.com/repos/dart-lang/pub | closed | Pub should notify that symlinks cannot be created on network shares | bug NotPlanned OpSys-Windows Priority-Medium | <a href="https://github.com/stevemessick"><img src="https://avatars.githubusercontent.com/u/8518285?v=3" align="left" width="96" height="96"hspace="10"></img></a> **Issue by [stevemessick](https://github.com/stevemessick)**
_Originally opened as dart-lang/sdk#8037_
----
Pub install does not work for project on network drive.
packages dosn't contain any directories
////////////////////////////////////////////////////////////////////////////////////
Editor: 0.2.10_r16761 (2013-01-07)
OS: Windows Vista - x86 (6.0)
JVM: 1.6.0_22
# projects: 1
# open dart files: 7
auto-run pub: true
mem max/total/free: 967 / 297 / 66 MB
thread count: 30
analysis: 0 tasks, 11 libraries, 1 contexts
index: 58567 relationships and 0 attributes in 12565 elements in 124 resources stored in 2 MB on disk
SDK installed: true
Dartium installed: true | 1.0 | Pub should notify that symlinks cannot be created on network shares - <a href="https://github.com/stevemessick"><img src="https://avatars.githubusercontent.com/u/8518285?v=3" align="left" width="96" height="96"hspace="10"></img></a> **Issue by [stevemessick](https://github.com/stevemessick)**
_Originally opened as dart-lang/sdk#8037_
----
Pub install does not work for project on network drive.
packages dosn't contain any directories
////////////////////////////////////////////////////////////////////////////////////
Editor: 0.2.10_r16761 (2013-01-07)
OS: Windows Vista - x86 (6.0)
JVM: 1.6.0_22
# projects: 1
# open dart files: 7
auto-run pub: true
mem max/total/free: 967 / 297 / 66 MB
thread count: 30
analysis: 0 tasks, 11 libraries, 1 contexts
index: 58567 relationships and 0 attributes in 12565 elements in 124 resources stored in 2 MB on disk
SDK installed: true
Dartium installed: true | priority | pub should notify that symlinks cannot be created on network shares issue by originally opened as dart lang sdk pub install does not work for project on network drive packages dosn t contain any directories editor os windows vista jvm projects open dart files auto run pub true mem max total free mb thread count analysis tasks libraries contexts index relationships and attributes in elements in resources stored in mb on disk sdk installed true dartium installed true | 1 |
120,972 | 4,803,204,380 | IssuesEvent | 2016-11-02 09:21:35 | ObjectiveSubject/cgu | https://api.github.com/repos/ObjectiveSubject/cgu | closed | Schools: Homepage featured programs order | From Client Medium Priority | @kpettinga the featured programs on school homepages are not displayed in the order specified in the admin interface. See Drucker for an example: http://cgu.wpengine.com/school/drucker-school-of-management/

| 1.0 | Schools: Homepage featured programs order - @kpettinga the featured programs on school homepages are not displayed in the order specified in the admin interface. See Drucker for an example: http://cgu.wpengine.com/school/drucker-school-of-management/

| priority | schools homepage featured programs order kpettinga the featured programs on school homepages are not displayed in the order specified in the admin interface see drucker for an example | 1 |
453,439 | 13,079,048,025 | IssuesEvent | 2020-08-01 01:43:13 | 2-of-clubs/2ofclubs-server | https://api.github.com/repos/2-of-clubs/2ofclubs-server | reopened | Provide additional information for Users and Clubs | Backend: Enhancement Priority: Medium | - [x] GET on a users club they manage
- [x] GET on a users event they attend
- [ ] GET on specific club events
- [ ] GET on club events
(More to be added) | 1.0 | Provide additional information for Users and Clubs - - [x] GET on a users club they manage
- [x] GET on a users event they attend
- [ ] GET on specific club events
- [ ] GET on club events
(More to be added) | priority | provide additional information for users and clubs get on a users club they manage get on a users event they attend get on specific club events get on club events more to be added | 1 |
794,210 | 28,026,674,663 | IssuesEvent | 2023-03-28 09:34:50 | YangCatalog/backend | https://api.github.com/repos/YangCatalog/backend | closed | Multiple entries with same revision returned on `api/yang-search/v2/module-details/<module-name>` endpoint | bug Priority: Medium | Example from https://yangcatalog.org/api/yang-search/v2/module-details/ietf-alarms
```json
{
"revisions": [
{
"is_rfc": false,
"revision": "2019-09-11"
},
{
"is_rfc": true,
"revision": "2019-09-11"
},
{
"is_rfc": false,
"revision": "2019-04-10"
},
{
"is_rfc": false,
"revision": "2019-03-21"
},
{
"is_rfc": false,
"revision": "2018-11-22"
},
{
"is_rfc": false,
"revision": "2018-11-06"
}
]
}
```
I've also seen it for other modules which I don't remember right now. | 1.0 | Multiple entries with same revision returned on `api/yang-search/v2/module-details/<module-name>` endpoint - Example from https://yangcatalog.org/api/yang-search/v2/module-details/ietf-alarms
```json
{
"revisions": [
{
"is_rfc": false,
"revision": "2019-09-11"
},
{
"is_rfc": true,
"revision": "2019-09-11"
},
{
"is_rfc": false,
"revision": "2019-04-10"
},
{
"is_rfc": false,
"revision": "2019-03-21"
},
{
"is_rfc": false,
"revision": "2018-11-22"
},
{
"is_rfc": false,
"revision": "2018-11-06"
}
]
}
```
I've also seen it for other modules which I don't remember right now. | priority | multiple entries with same revision returned on api yang search module details endpoint example from json revisions is rfc false revision is rfc true revision is rfc false revision is rfc false revision is rfc false revision is rfc false revision i ve also seen it for other modules which i don t remember right now | 1 |
77,034 | 3,506,254,515 | IssuesEvent | 2016-01-08 04:59:55 | OregonCore/OregonCore | https://api.github.com/repos/OregonCore/OregonCore | closed | Dudu/hunter pull (BB #94) | migrated Priority: Medium Type: Bug | This issue was migrated from bitbucket.
**Original Reporter:** Areradon
**Original Date:** 31.03.2010 22:46:32 GMT+0000
**Original Priority:** major
**Original Type:** bug
**Original State:** resolved
**Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/94
<hr>
Huhu,
I have seen that a hunter can pull a trashmob in swp solo.. So he give http://de.wowhead.com/?spell=34477 at the tank and then pull the mob he makes Feign Death and just 1mob of 5trashs comes to the tank.. So can farm swp with 3 peaople..
The same is byduid he cast wrath goes into cat and goes in stealth.. the same by rouges..
Sorry for my englisch ;) | 1.0 | Dudu/hunter pull (BB #94) - This issue was migrated from bitbucket.
**Original Reporter:** Areradon
**Original Date:** 31.03.2010 22:46:32 GMT+0000
**Original Priority:** major
**Original Type:** bug
**Original State:** resolved
**Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/94
<hr>
Huhu,
I have seen that a hunter can pull a trashmob in swp solo.. So he give http://de.wowhead.com/?spell=34477 at the tank and then pull the mob he makes Feign Death and just 1mob of 5trashs comes to the tank.. So can farm swp with 3 peaople..
The same is byduid he cast wrath goes into cat and goes in stealth.. the same by rouges..
Sorry for my englisch ;) | priority | dudu hunter pull bb this issue was migrated from bitbucket original reporter areradon original date gmt original priority major original type bug original state resolved direct link huhu i have seen that a hunter can pull a trashmob in swp solo so he give at the tank and then pull the mob he makes feign death and just of comes to the tank so can farm swp with peaople the same is byduid he cast wrath goes into cat and goes in stealth the same by rouges sorry for my englisch | 1 |
225,329 | 7,480,896,214 | IssuesEvent | 2018-04-04 18:51:29 | genenetwork/genenetwork2 | https://api.github.com/repos/genenetwork/genenetwork2 | opened | Remove error bars from bar chart when error is NA | Medium priority | Bar charts display error bars even if error is NA. Only display if error bar is explicitly listed as 0. | 1.0 | Remove error bars from bar chart when error is NA - Bar charts display error bars even if error is NA. Only display if error bar is explicitly listed as 0. | priority | remove error bars from bar chart when error is na bar charts display error bars even if error is na only display if error bar is explicitly listed as | 1 |
486,472 | 14,009,833,324 | IssuesEvent | 2020-10-29 03:24:51 | ChainSafe/forest | https://api.github.com/repos/ChainSafe/forest | closed | Implement Pubsub (network) message type & deserialize incoming blocks | Network Node Priority: 3 - Medium Type: Maintenance good first issue | **Current Situation**
Currently the type of a received pubsub message is bytes
**Acceptance Criteria**
Incoming pubsub messages are converted to an enum for pubsub to indicate their type (i.e. blocks & messages)
**Steps**
- [ ] enum for the types of messages that could have been sent (blocks and messages)
- [ ] convert incoming messages from the bytes into the enum (using topic hash), so that it can be more easily used outside of the p2p service
I scoped this out and added comments to make it easy to pick up:
https://github.com/ChainSafe/forest/commit/35e201d0e314d3ab0d682d20016736a215e0fa45
** Notes **
NetworkEvent is currently the type being sent through the channel from the p2p service, but I won't go too much in detail about specifics since they are likely to change.
**Other information and links**
<!-- Add any other context or screenshots about the issue here. -->
<!-- Thank you 🙏 --> | 1.0 | Implement Pubsub (network) message type & deserialize incoming blocks - **Current Situation**
Currently the type of a received pubsub message is bytes
**Acceptance Criteria**
Incoming pubsub messages are converted to an enum for pubsub to indicate their type (i.e. blocks & messages)
**Steps**
- [ ] enum for the types of messages that could have been sent (blocks and messages)
- [ ] convert incoming messages from the bytes into the enum (using topic hash), so that it can be more easily used outside of the p2p service
I scoped this out and added comments to make it easy to pick up:
https://github.com/ChainSafe/forest/commit/35e201d0e314d3ab0d682d20016736a215e0fa45
** Notes **
NetworkEvent is currently the type being sent through the channel from the p2p service, but I won't go too much in detail about specifics since they are likely to change.
**Other information and links**
<!-- Add any other context or screenshots about the issue here. -->
<!-- Thank you 🙏 --> | priority | implement pubsub network message type deserialize incoming blocks current situation currently the type of a received pubsub message is bytes acceptance criteria incoming pubsub messages are converted to an enum for pubsub to indicate their type i e blocks messages steps enum for the types of messages that could have been sent blocks and messages convert incoming messages from the bytes into the enum using topic hash so that it can be more easily used outside of the service i scoped this out and added comments to make it easy to pick up notes networkevent is currently the type being sent through the channel from the service but i won t go too much in detail about specifics since they are likely to change other information and links | 1 |
432,967 | 12,500,730,998 | IssuesEvent | 2020-06-01 23:05:01 | microsoft/terraform-provider-azuredevops | https://api.github.com/repos/microsoft/terraform-provider-azuredevops | closed | Add KeyVault reference feature for VariableGroups Resource | blocked priority-medium | ### Community Note
* Please vote on this issue by adding a 👍 [reaction](https://blog.github.com/2016-03-10-add-reactions-to-pull-requests-issues-and-comments/) to the original issue to help the community and maintainers prioritize this request
* Please do not leave "+1" or "me too" comments, they generate extra noise for issue followers and do not help prioritize the request
* If you are interested in working on this issue or have submitted a pull request, please leave a comment
### Description
As a developer, I want the ability to link KeyVault to the Variable Groups.
### Dependency
* https://github.com/microsoft/terraform-provider-azuredevops/issues/170
* Service Connection with Service Principal. Story is not coming yet. Watch out this issue. https://github.com/microsoft/terraform-provider-azuredevops/issues/3
### New or Affected Resource(s)
* `azuredevops_variable_group`
### Potential Terraform Configuration
```hcl
resource "azuredevops_service_endpoint" "sp_service_endpoint" {
:
}
resource "azuredevops_variable_group" "my_variable_group" {
project_id = azuredevops_project.id // Required
keyvault = {
name = "avault"
service_endpoint_id = azuredevops_service_endpoint.sp_service_endpoint.id
}
name = "my-variable-group"
description = "my variable group description"
allow_access = "true"
variables {
key = "key1"
value = "value1"
is_secret = true
}
variables {
key = "key2"
is_secret = true
is_vault = true
}
}
```
### Acceptance criteria
- [ ] Support `Create`, `Read`, `DELETE`, `UPDATE` operation for KeyVault reference
- [ ] Unit tests written and pass as part of CI
- [ ] Acceptance tests written and pass as part of CI
- [ ] User Document is written. You can find it [here](https://github.com/microsoft/terraform-provider-azuredevops/blob/master/website/index.md)
### References
* Design: https://github.com/microsoft/terraform-provider-azuredevops/issues/21
| 1.0 | Add KeyVault reference feature for VariableGroups Resource - ### Community Note
* Please vote on this issue by adding a 👍 [reaction](https://blog.github.com/2016-03-10-add-reactions-to-pull-requests-issues-and-comments/) to the original issue to help the community and maintainers prioritize this request
* Please do not leave "+1" or "me too" comments, they generate extra noise for issue followers and do not help prioritize the request
* If you are interested in working on this issue or have submitted a pull request, please leave a comment
### Description
As a developer, I want the ability to link KeyVault to the Variable Groups.
### Dependency
* https://github.com/microsoft/terraform-provider-azuredevops/issues/170
* Service Connection with Service Principal. Story is not coming yet. Watch out this issue. https://github.com/microsoft/terraform-provider-azuredevops/issues/3
### New or Affected Resource(s)
* `azuredevops_variable_group`
### Potential Terraform Configuration
```hcl
resource "azuredevops_service_endpoint" "sp_service_endpoint" {
:
}
resource "azuredevops_variable_group" "my_variable_group" {
project_id = azuredevops_project.id // Required
keyvault = {
name = "avault"
service_endpoint_id = azuredevops_service_endpoint.sp_service_endpoint.id
}
name = "my-variable-group"
description = "my variable group description"
allow_access = "true"
variables {
key = "key1"
value = "value1"
is_secret = true
}
variables {
key = "key2"
is_secret = true
is_vault = true
}
}
```
### Acceptance criteria
- [ ] Support `Create`, `Read`, `DELETE`, `UPDATE` operation for KeyVault reference
- [ ] Unit tests written and pass as part of CI
- [ ] Acceptance tests written and pass as part of CI
- [ ] User Document is written. You can find it [here](https://github.com/microsoft/terraform-provider-azuredevops/blob/master/website/index.md)
### References
* Design: https://github.com/microsoft/terraform-provider-azuredevops/issues/21
| priority | add keyvault reference feature for variablegroups resource community note please vote on this issue by adding a 👍 to the original issue to help the community and maintainers prioritize this request please do not leave or me too comments they generate extra noise for issue followers and do not help prioritize the request if you are interested in working on this issue or have submitted a pull request please leave a comment description as a developer i want the ability to link keyvault to the variable groups dependency service connection with service principal story is not coming yet watch out this issue new or affected resource s azuredevops variable group potential terraform configuration hcl resource azuredevops service endpoint sp service endpoint resource azuredevops variable group my variable group project id azuredevops project id required keyvault name avault service endpoint id azuredevops service endpoint sp service endpoint id name my variable group description my variable group description allow access true variables key value is secret true variables key is secret true is vault true acceptance criteria support create read delete update operation for keyvault reference unit tests written and pass as part of ci acceptance tests written and pass as part of ci user document is written you can find it references design | 1 |
353,533 | 10,553,879,123 | IssuesEvent | 2019-10-03 18:12:25 | craftercms/craftercms | https://api.github.com/repos/craftercms/craftercms | opened | [studio] Studio should indicate remotes that cannot be reached on remotes console | CI enhancement priority: medium | **Is your feature request related to a problem? Please describe.**
Studio filters our git remotes that cannot be reached (network, etc) or that cannot be interrogated (authentication/authorization) from the list of remotes. To the end-user or API consumer this appears to be a bug and they cannot manage the remote. To remove or correct it the must manually modify the git configuration and database.
**Describe the solution you'd like**
The backend should return all remotes and for those which cannot be accessed, a reason should be provided. At a minimum, an administrator should be able to see that there is an issue, read the error message and delete the remote. | 1.0 | [studio] Studio should indicate remotes that cannot be reached on remotes console - **Is your feature request related to a problem? Please describe.**
Studio filters our git remotes that cannot be reached (network, etc) or that cannot be interrogated (authentication/authorization) from the list of remotes. To the end-user or API consumer this appears to be a bug and they cannot manage the remote. To remove or correct it the must manually modify the git configuration and database.
**Describe the solution you'd like**
The backend should return all remotes and for those which cannot be accessed, a reason should be provided. At a minimum, an administrator should be able to see that there is an issue, read the error message and delete the remote. | priority | studio should indicate remotes that cannot be reached on remotes console is your feature request related to a problem please describe studio filters our git remotes that cannot be reached network etc or that cannot be interrogated authentication authorization from the list of remotes to the end user or api consumer this appears to be a bug and they cannot manage the remote to remove or correct it the must manually modify the git configuration and database describe the solution you d like the backend should return all remotes and for those which cannot be accessed a reason should be provided at a minimum an administrator should be able to see that there is an issue read the error message and delete the remote | 1 |
602,270 | 18,459,593,026 | IssuesEvent | 2021-10-15 21:55:42 | googleforgames/quilkin | https://api.github.com/repos/googleforgames/quilkin | closed | Provide stack traces for runtime errors. | kind/feature area/user-experience priority/medium | Currently we use `thiserror` for defining errors. This is pretty good, as it has minimal boilerplate for passing up errors in the library. However when we print the errors they are currently a bit lacking in enough context to make them useful. For example; Errors do not currently print stack traces, which makes it a lot harder to debug errors at runtime, since something like `RecvError(())` can happen in a lot of places.
To get these features, it would be quickest and simplest to move to a different error library. My preference would be for using `eyre`, but I don't know if other people feel strongly either way. | 1.0 | Provide stack traces for runtime errors. - Currently we use `thiserror` for defining errors. This is pretty good, as it has minimal boilerplate for passing up errors in the library. However when we print the errors they are currently a bit lacking in enough context to make them useful. For example; Errors do not currently print stack traces, which makes it a lot harder to debug errors at runtime, since something like `RecvError(())` can happen in a lot of places.
To get these features, it would be quickest and simplest to move to a different error library. My preference would be for using `eyre`, but I don't know if other people feel strongly either way. | priority | provide stack traces for runtime errors currently we use thiserror for defining errors this is pretty good as it has minimal boilerplate for passing up errors in the library however when we print the errors they are currently a bit lacking in enough context to make them useful for example errors do not currently print stack traces which makes it a lot harder to debug errors at runtime since something like recverror can happen in a lot of places to get these features it would be quickest and simplest to move to a different error library my preference would be for using eyre but i don t know if other people feel strongly either way | 1 |
179,234 | 6,622,775,178 | IssuesEvent | 2017-09-22 02:18:08 | minio/minfs | https://api.github.com/repos/minio/minfs | closed | Docker plugin performances, data management and further questions | priority: medium | I'm a bit interrogative about data management of this driver.
## Setup
**Minio server**
Docker stack with 4 replicas and a nginx loadbalancer
**Minfs volumes**
I've followed the README and managed to create a docker volume with :
```
docker volume create -d minio/minfs \
--name my-test-store \
-o endpoint=http://minio-loadbalancer-endpoint \
-o access-key=******* \
-o secret-key=************** \
-o bucket=testbucket -o opts=cache=/tmp/testbucket
```
in addition to a nginx test container:
```
docker run -d --name my-test-server -p 606:80 -v my-test-store:/usr/share/nginx/html nginx
```
## Data management
If I run a `docker inspect my-test-server` I got :
```
...
"Mounts": [
{
"Type": "volume",
"Name": "my-test-store-2",
"Source": "/var/lib/docker/plugins/8d608d0174e8fc29d0359b14f02774b2ad7e3eafca6aed8be4969818d2d0355f/rootfs/mnt/my-test-store-2",
"Destination": "/usr/share/nginx/html",
"Driver": "minio/minfs:latest",
"Mode": "",
"RW": true,
"Propagation": ""
}
],
....
```
which surprised me.
Why do I get a local mount point ("/var/lib/docker/plugins/8d608d0174e8fc29d0359b14f02774b2ad7e3eafca6aed8be4969818d2d0355f/rootfs/mnt/my-test-store-2") while I previously set _/tmp/testbucket_ as cache ?
When I create a random file on **my-test-server** container, it appears both on minio (web interface and volumes mounted as export on minio stack) **and** in /var/lib/..., but not in /tmp/testbucket (this directory not even exists). So what's the point of specifying a cache path ?
Also, /var/lib/... replicates **all** the files of my container. I found it less useful if I get two copies (local and on object storage) of each of my volumes. Is this the intended behaviour or did I miss something ?
## Performances
~~I get really bad performances on i/o operations on the minfs volume.~~ (see [edit](##edit))
**write**
```
root@ea455acac38f:/usr/share/nginx/html# time echo "TEEEEST" > test.txt
real 0m5.070s
user 0m0.000s
sys 0m0.000s
root@ea455acac38f:/usr/share/nginx/html# time echo "TEEEEST" > /home/test.txt
real 0m0.000s
user 0m0.000s
sys 0m0.000s
root@ea455acac38f:/usr/share/nginx/html#
```
**read**
```
root@ea455acac38f:/usr/share/nginx/html# time cat test.txt
TEEEEST
real 0m2.131s
user 0m0.000s
sys 0m0.000s
root@ea455acac38f:/usr/share/nginx/html# time cat /home/test.txt
TEEEEST
real 0m0.001s
user 0m0.000s
sys 0m0.000s
```
I didn't try connecting directly to a single minio server (without the loadbalancer).
I also get a limit of 1M per file but I this is due to nginx limitation (1Mio upload by default), I will update my conf and retry
## Edit
My bad, I din't [rtfm](https://docs.minio.io/docs/setup-nginx-proxy-with-minio) before configuring nginx loadbalancer. You need to add _proxy_buffering off;_ in your server block in order to get decent I/O perf (read 0.00s, write 0m0.002s for the same test). I leave the paragraph about perf, to help the bad doc readers like me...
## Conclusion
I would like to know if I missed some things, or if I'm right on my tests and suppositions. | 1.0 | Docker plugin performances, data management and further questions - I'm a bit interrogative about data management of this driver.
## Setup
**Minio server**
Docker stack with 4 replicas and a nginx loadbalancer
**Minfs volumes**
I've followed the README and managed to create a docker volume with :
```
docker volume create -d minio/minfs \
--name my-test-store \
-o endpoint=http://minio-loadbalancer-endpoint \
-o access-key=******* \
-o secret-key=************** \
-o bucket=testbucket -o opts=cache=/tmp/testbucket
```
in addition to a nginx test container:
```
docker run -d --name my-test-server -p 606:80 -v my-test-store:/usr/share/nginx/html nginx
```
## Data management
If I run a `docker inspect my-test-server` I got :
```
...
"Mounts": [
{
"Type": "volume",
"Name": "my-test-store-2",
"Source": "/var/lib/docker/plugins/8d608d0174e8fc29d0359b14f02774b2ad7e3eafca6aed8be4969818d2d0355f/rootfs/mnt/my-test-store-2",
"Destination": "/usr/share/nginx/html",
"Driver": "minio/minfs:latest",
"Mode": "",
"RW": true,
"Propagation": ""
}
],
....
```
which surprised me.
Why do I get a local mount point ("/var/lib/docker/plugins/8d608d0174e8fc29d0359b14f02774b2ad7e3eafca6aed8be4969818d2d0355f/rootfs/mnt/my-test-store-2") while I previously set _/tmp/testbucket_ as cache ?
When I create a random file on **my-test-server** container, it appears both on minio (web interface and volumes mounted as export on minio stack) **and** in /var/lib/..., but not in /tmp/testbucket (this directory not even exists). So what's the point of specifying a cache path ?
Also, /var/lib/... replicates **all** the files of my container. I found it less useful if I get two copies (local and on object storage) of each of my volumes. Is this the intended behaviour or did I miss something ?
## Performances
~~I get really bad performances on i/o operations on the minfs volume.~~ (see [edit](##edit))
**write**
```
root@ea455acac38f:/usr/share/nginx/html# time echo "TEEEEST" > test.txt
real 0m5.070s
user 0m0.000s
sys 0m0.000s
root@ea455acac38f:/usr/share/nginx/html# time echo "TEEEEST" > /home/test.txt
real 0m0.000s
user 0m0.000s
sys 0m0.000s
root@ea455acac38f:/usr/share/nginx/html#
```
**read**
```
root@ea455acac38f:/usr/share/nginx/html# time cat test.txt
TEEEEST
real 0m2.131s
user 0m0.000s
sys 0m0.000s
root@ea455acac38f:/usr/share/nginx/html# time cat /home/test.txt
TEEEEST
real 0m0.001s
user 0m0.000s
sys 0m0.000s
```
I didn't try connecting directly to a single minio server (without the loadbalancer).
I also get a limit of 1M per file but I this is due to nginx limitation (1Mio upload by default), I will update my conf and retry
## Edit
My bad, I din't [rtfm](https://docs.minio.io/docs/setup-nginx-proxy-with-minio) before configuring nginx loadbalancer. You need to add _proxy_buffering off;_ in your server block in order to get decent I/O perf (read 0.00s, write 0m0.002s for the same test). I leave the paragraph about perf, to help the bad doc readers like me...
## Conclusion
I would like to know if I missed some things, or if I'm right on my tests and suppositions. | priority | docker plugin performances data management and further questions i m a bit interrogative about data management of this driver setup minio server docker stack with replicas and a nginx loadbalancer minfs volumes i ve followed the readme and managed to create a docker volume with docker volume create d minio minfs name my test store o endpoint o access key o secret key o bucket testbucket o opts cache tmp testbucket in addition to a nginx test container docker run d name my test server p v my test store usr share nginx html nginx data management if i run a docker inspect my test server i got mounts type volume name my test store source var lib docker plugins rootfs mnt my test store destination usr share nginx html driver minio minfs latest mode rw true propagation which surprised me why do i get a local mount point var lib docker plugins rootfs mnt my test store while i previously set tmp testbucket as cache when i create a random file on my test server container it appears both on minio web interface and volumes mounted as export on minio stack and in var lib but not in tmp testbucket this directory not even exists so what s the point of specifying a cache path also var lib replicates all the files of my container i found it less useful if i get two copies local and on object storage of each of my volumes is this the intended behaviour or did i miss something performances i get really bad performances on i o operations on the minfs volume see edit write root usr share nginx html time echo teeeest test txt real user sys root usr share nginx html time echo teeeest home test txt real user sys root usr share nginx html read root usr share nginx html time cat test txt teeeest real user sys root usr share nginx html time cat home test txt teeeest real user sys i didn t try connecting directly to a single minio server without the loadbalancer i also get a limit of per file but i this is due to nginx limitation upload by default i will update my conf and retry edit my bad i din t before configuring nginx loadbalancer you need to add proxy buffering off in your server block in order to get decent i o perf read write for the same test i leave the paragraph about perf to help the bad doc readers like me conclusion i would like to know if i missed some things or if i m right on my tests and suppositions | 1 |
306,601 | 9,397,097,614 | IssuesEvent | 2019-04-08 08:56:18 | conan-io/conan | https://api.github.com/repos/conan-io/conan | closed | Application doesn't fail if conan.conf cacert_path doesn't exist | complex: low priority: medium stage: review type: bug | The problem is that exceptions in creation of ConanAPI.factory() are captured as migration errors and ommitted in output.
The unittests can't fail easily because this try-except is outside of the tested code, only used by the real final application.
So this fix might need manual testing until the architecture of the app and testing is improved (open issues: https://github.com/conan-io/conan/issues/4487, https://github.com/conan-io/conan/issues/4376) | 1.0 | Application doesn't fail if conan.conf cacert_path doesn't exist - The problem is that exceptions in creation of ConanAPI.factory() are captured as migration errors and ommitted in output.
The unittests can't fail easily because this try-except is outside of the tested code, only used by the real final application.
So this fix might need manual testing until the architecture of the app and testing is improved (open issues: https://github.com/conan-io/conan/issues/4487, https://github.com/conan-io/conan/issues/4376) | priority | application doesn t fail if conan conf cacert path doesn t exist the problem is that exceptions in creation of conanapi factory are captured as migration errors and ommitted in output the unittests can t fail easily because this try except is outside of the tested code only used by the real final application so this fix might need manual testing until the architecture of the app and testing is improved open issues | 1 |
233,836 | 7,704,947,313 | IssuesEvent | 2018-05-21 14:02:31 | salesagility/SuiteCRM | https://api.github.com/repos/salesagility/SuiteCRM | closed | PDF Paper Format only working with Invoice Module | Fix Proposed Medium Priority Resolved: Next Release bug | #### Issue
When you make a PDF-Template with another format-option than A4 for e.g. A2, letter..., this works only with the module AOS Invoice. For e.g. Accounts or other modules you always get an A4 (default) paper format.
#### Expected Behavior
If another paper format is selected in the dropdown (PDF-Template) this should work for all modules not only for AOS Invoice.
#### Actual Behavior
Actual you get on other modules as ASO Inovice the standard format A4. The format from the PDF-template will ignore.
#### Possible Fix
<!--- Not obligatory, but suggest a fix or reason for the bug -->
#### Steps to Reproduce
1. Make a entry for e.g. A2 in the Dropdown pdf_page_size_dom
2. Go to PDF-Template and choose this entry (paper size, e.g. A2), save the template.
3. Print out the invoice and see the selected format
4. Now go back to the PDF-Template and change the module to Accounts.
5. Print out a PDF from account and the paper format is A4. The selected value will be ignore
#### Context
I will realize an address-label and this sould work under the account and contacts-module
#### Your Environment
* SuiteCRM Version used: 7.9.3
* Browser name and version (e.g. Chrome Version 51.0.2704.63 (64-bit)): Firefox 54.0.1
* Environment name and version (e.g. MySQL, PHP 7): PHP 7.0
| 1.0 | PDF Paper Format only working with Invoice Module - #### Issue
When you make a PDF-Template with another format-option than A4 for e.g. A2, letter..., this works only with the module AOS Invoice. For e.g. Accounts or other modules you always get an A4 (default) paper format.
#### Expected Behavior
If another paper format is selected in the dropdown (PDF-Template) this should work for all modules not only for AOS Invoice.
#### Actual Behavior
Actual you get on other modules as ASO Inovice the standard format A4. The format from the PDF-template will ignore.
#### Possible Fix
<!--- Not obligatory, but suggest a fix or reason for the bug -->
#### Steps to Reproduce
1. Make a entry for e.g. A2 in the Dropdown pdf_page_size_dom
2. Go to PDF-Template and choose this entry (paper size, e.g. A2), save the template.
3. Print out the invoice and see the selected format
4. Now go back to the PDF-Template and change the module to Accounts.
5. Print out a PDF from account and the paper format is A4. The selected value will be ignore
#### Context
I will realize an address-label and this sould work under the account and contacts-module
#### Your Environment
* SuiteCRM Version used: 7.9.3
* Browser name and version (e.g. Chrome Version 51.0.2704.63 (64-bit)): Firefox 54.0.1
* Environment name and version (e.g. MySQL, PHP 7): PHP 7.0
| priority | pdf paper format only working with invoice module issue when you make a pdf template with another format option than for e g letter this works only with the module aos invoice for e g accounts or other modules you always get an default paper format expected behavior if another paper format is selected in the dropdown pdf template this should work for all modules not only for aos invoice actual behavior actual you get on other modules as aso inovice the standard format the format from the pdf template will ignore possible fix steps to reproduce make a entry for e g in the dropdown pdf page size dom go to pdf template and choose this entry paper size e g save the template print out the invoice and see the selected format now go back to the pdf template and change the module to accounts print out a pdf from account and the paper format is the selected value will be ignore context i will realize an address label and this sould work under the account and contacts module your environment suitecrm version used browser name and version e g chrome version bit firefox environment name and version e g mysql php php | 1 |
349,698 | 10,472,036,731 | IssuesEvent | 2019-09-23 09:17:07 | jajajasalu2/DalalStreet | https://api.github.com/repos/jajajasalu2/DalalStreet | opened | Rate change seems wrong | bug medium priority | Upon buying and selling shares, the rates of companies change. This change of rates seems wrong. In some cases, upon buying a company's shares and immediately selling it brings the company's rate back to the same value.
The rate change has to be modified in `App\Http\Traits\ControllerScopes::adjust_rate`. | 1.0 | Rate change seems wrong - Upon buying and selling shares, the rates of companies change. This change of rates seems wrong. In some cases, upon buying a company's shares and immediately selling it brings the company's rate back to the same value.
The rate change has to be modified in `App\Http\Traits\ControllerScopes::adjust_rate`. | priority | rate change seems wrong upon buying and selling shares the rates of companies change this change of rates seems wrong in some cases upon buying a company s shares and immediately selling it brings the company s rate back to the same value the rate change has to be modified in app http traits controllerscopes adjust rate | 1 |
146,398 | 5,620,761,644 | IssuesEvent | 2017-04-04 08:04:13 | datproject/dat-desktop | https://api.github.com/repos/datproject/dat-desktop | closed | Warn on duplicate Dat | Priority: Medium Status: Blocked Type: Enhancement | When already imported Dat. This Dat has already been imported. You can find it in your list of Dats | 1.0 | Warn on duplicate Dat - When already imported Dat. This Dat has already been imported. You can find it in your list of Dats | priority | warn on duplicate dat when already imported dat this dat has already been imported you can find it in your list of dats | 1 |
587,031 | 17,602,670,229 | IssuesEvent | 2021-08-17 13:40:04 | TilBlechschmidt/WebGrid | https://api.github.com/repos/TilBlechschmidt/WebGrid | opened | Redis disconnect yields unexpected ServiceRunner termination | Type: Bug Priority: Medium Status: Pending | ### 🐛 Bug description
When the Redis connection is interrupted, the ServiceRunner loop just terminates with an "Ok" status code.
### 🦶 Reproduction steps
Steps to reproduce the behavior:
1. Launch the collector locally and connect to a remote redis through `kubectl port-forward`
2. Terminate the redis in K8s
3. Watch as "unexpected EOF" errors are thrown
4. See error
### 🎯 Expected behaviour
It should log the error and either try reconnecting or be restarted by jatsl!
### 📺 Screenshots
```rust
2021-08-17T13:34:57.877Z DEBUG webgrid::harness::redis > unexpected end of file
2021-08-17T13:34:57.877Z DEBUG webgrid::harness::redis > unexpected end of file
2021-08-17T13:34:57.885Z ERROR webgrid::library::communication::implementation::redis::queue_provider > Encountered error reading from redis stream unexpected end of file
2021-08-17T13:34:57.885Z ERROR webgrid::library::communication::implementation::redis::queue_provider > Encountered error reading from redis stream unexpected end of file
2021-08-17T13:34:57.893Z INFO jatsl::scheduler > Finished ServiceRunner(SchedulingWatcherService)
2021-08-17T13:34:57.893Z INFO jatsl::scheduler > Finished ServiceRunner(CreationWatcherService)
```
<br>
## Context
**Version**
On the architecture rework branch head 🙂 | 1.0 | Redis disconnect yields unexpected ServiceRunner termination - ### 🐛 Bug description
When the Redis connection is interrupted, the ServiceRunner loop just terminates with an "Ok" status code.
### 🦶 Reproduction steps
Steps to reproduce the behavior:
1. Launch the collector locally and connect to a remote redis through `kubectl port-forward`
2. Terminate the redis in K8s
3. Watch as "unexpected EOF" errors are thrown
4. See error
### 🎯 Expected behaviour
It should log the error and either try reconnecting or be restarted by jatsl!
### 📺 Screenshots
```rust
2021-08-17T13:34:57.877Z DEBUG webgrid::harness::redis > unexpected end of file
2021-08-17T13:34:57.877Z DEBUG webgrid::harness::redis > unexpected end of file
2021-08-17T13:34:57.885Z ERROR webgrid::library::communication::implementation::redis::queue_provider > Encountered error reading from redis stream unexpected end of file
2021-08-17T13:34:57.885Z ERROR webgrid::library::communication::implementation::redis::queue_provider > Encountered error reading from redis stream unexpected end of file
2021-08-17T13:34:57.893Z INFO jatsl::scheduler > Finished ServiceRunner(SchedulingWatcherService)
2021-08-17T13:34:57.893Z INFO jatsl::scheduler > Finished ServiceRunner(CreationWatcherService)
```
<br>
## Context
**Version**
On the architecture rework branch head 🙂 | priority | redis disconnect yields unexpected servicerunner termination 🐛 bug description when the redis connection is interrupted the servicerunner loop just terminates with an ok status code 🦶 reproduction steps steps to reproduce the behavior launch the collector locally and connect to a remote redis through kubectl port forward terminate the redis in watch as unexpected eof errors are thrown see error 🎯 expected behaviour it should log the error and either try reconnecting or be restarted by jatsl 📺 screenshots rust debug webgrid harness redis unexpected end of file debug webgrid harness redis unexpected end of file error webgrid library communication implementation redis queue provider encountered error reading from redis stream unexpected end of file error webgrid library communication implementation redis queue provider encountered error reading from redis stream unexpected end of file info jatsl scheduler finished servicerunner schedulingwatcherservice info jatsl scheduler finished servicerunner creationwatcherservice context version on the architecture rework branch head 🙂 | 1 |
353,144 | 10,549,422,125 | IssuesEvent | 2019-10-03 08:42:23 | EUCweb/BIS-F | https://api.github.com/repos/EUCweb/BIS-F | closed | FSLogix App Masking URL Rule Files are missing from FSLogix Personalisation | Priority: Medium Type: Enhancement | Currently we cover FRX and FXA files, however URL rulesets are XML based. Can we please add to the BIS-F FSLogix Module
https://docs.microsoft.com/en-us/fslogix/java-version-control-rules-ht | 1.0 | FSLogix App Masking URL Rule Files are missing from FSLogix Personalisation - Currently we cover FRX and FXA files, however URL rulesets are XML based. Can we please add to the BIS-F FSLogix Module
https://docs.microsoft.com/en-us/fslogix/java-version-control-rules-ht | priority | fslogix app masking url rule files are missing from fslogix personalisation currently we cover frx and fxa files however url rulesets are xml based can we please add to the bis f fslogix module | 1 |
77,255 | 3,506,327,400 | IssuesEvent | 2016-01-08 05:46:33 | OregonCore/OregonCore | https://api.github.com/repos/OregonCore/OregonCore | closed | make: *** [all] Error 2 (BB #305) | migrated Priority: Medium Type: Bug | This issue was migrated from bitbucket.
**Original Reporter:**
**Original Date:** 29.09.2010 12:47:41 GMT+0000
**Original Priority:** major
**Original Type:** bug
**Original State:** invalid
**Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/305
<hr>
src/bindings/scripts/CMakeFiles/oregonscript.dir/depend.make:157660: warning: NUL character seen; rest of line ignored
src/bindings/scripts/CMakeFiles/oregonscript.dir/depend.make:157660: *** missing separator. Stop.
make[1]: *** [src/bindings/scripts/CMakeFiles/oregonscript.dir/all] Error 2
make: *** [all] Error 2
| 1.0 | make: *** [all] Error 2 (BB #305) - This issue was migrated from bitbucket.
**Original Reporter:**
**Original Date:** 29.09.2010 12:47:41 GMT+0000
**Original Priority:** major
**Original Type:** bug
**Original State:** invalid
**Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/305
<hr>
src/bindings/scripts/CMakeFiles/oregonscript.dir/depend.make:157660: warning: NUL character seen; rest of line ignored
src/bindings/scripts/CMakeFiles/oregonscript.dir/depend.make:157660: *** missing separator. Stop.
make[1]: *** [src/bindings/scripts/CMakeFiles/oregonscript.dir/all] Error 2
make: *** [all] Error 2
| priority | make error bb this issue was migrated from bitbucket original reporter original date gmt original priority major original type bug original state invalid direct link src bindings scripts cmakefiles oregonscript dir depend make warning nul character seen rest of line ignored src bindings scripts cmakefiles oregonscript dir depend make missing separator stop make error make error | 1 |
343,322 | 10,328,115,097 | IssuesEvent | 2019-09-02 08:46:42 | pmem/issues | https://api.github.com/repos/pmem/issues | closed | Test: obj_tx_add_range_direct/TEST1: SETUP (all/pmem/debug/pmemcheck) fails | Exposure: Low OS: Linux Priority: 3 medium Type: Bug | <!--
Before creating new issue, ensure that similar issue wasn't already created
* Search: https://github.com/pmem/issues/issues
Note that if you do not provide enough information to reproduce the issue, we may not be able to take action on your report.
Remember this is just a minimal template. You can extend it with data you think may be useful.
-->
# ISSUE: <!-- fill the title of issue -->
## Environment Information
- PMDK package version(s): 1.4.3-rc1
- OS(es) version(s): SLES 12.4
- ndctl version(s): 61.2
- kernel version(s): 4.12.14-95.29-default
## Please provide a reproduction of the bug:
```
./RUNTESTS obj_tx_add_range_direct -s TEST1 -t all
```
## How often bug is revealed: (always, often, rare): always
<!-- describe special circumstances in section above -->
## Actual behavior:
```
./RUNTESTS obj_tx_add_range_direct -s TEST1 -t all
obj_tx_add_range_direct/TEST1: SETUP (all/pmem/debug/pmemcheck)
obj_tx_add_range_direct/TEST1 crashed (signal 6). err1.log below.
{obj_tx_add_range_direct.c:573 do_tx_add_range_lots_of_small_snapshots} obj_tx_add_range_direct/TEST1: Error: assertion failure: (*__errno_location ()) (0xc) == 0 (0x0)
Last 30 lines of pmemcheck1.log below (whole file has 51 lines).
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
trace1.log below.
obj_tx_add_range_direct/TEST1 trace1.log {obj_tx_add_range_direct.c:614 main} obj_tx_add_range_direct/TEST1: START: obj_tx_add_range_direct
obj_tx_add_range_direct/TEST1 trace1.log ./obj_tx_add_range_direct /mnt/mem//test_obj_tx_add_range_direct1⠝⠧⠍⠇ɗPMDKӜ⥺/testfile1
obj_tx_add_range_direct/TEST1 trace1.log {obj_tx_add_range_direct.c:573 do_tx_add_range_lots_of_small_snapshots} obj_tx_add_range_direct/TEST1: Error: assertion failure: (*__errno_location ()) (0xc) == 0 (0x0)
pmem1.log below.
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:236 out_init] pid 49115: program: /home/jenkins/workspace/1.6.1/1.4.3/pmdk_all_linux_tests_143/pmdk/src/test/obj_tx_add_range_direct/obj_tx_add_range_direct
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:238 out_init] libpmem version 1.1
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:242 out_init] src version: 1.4.3-rc1-7-gb941070b2
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:250 out_init] compiled with support for Valgrind pmemcheck
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:255 out_init] compiled with support for Valgrind helgrind
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:260 out_init] compiled with support for Valgrind memcheck
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:265 out_init] compiled with support for Valgrind drd
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [mmap.c:66 util_mmap_init]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [libpmem.c:56 libpmem_init]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [pmem.c:683 pmem_init]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:397 pmem_init_funcs]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:346 pmem_cpuinfo_to_funcs]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:350 pmem_cpuinfo_to_funcs] clflush supported
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:259 use_avx_memcpy_memset] avx supported
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:263 use_avx_memcpy_memset] PMEM_AVX not set or not == 1
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [pmem.c:219 pmem_has_auto_flush]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [os_auto_flush_linux.c:107 check_domain_in_region] region_path: /sys/bus/nd/devices/region0
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [os_auto_flush_linux.c:58 check_cpu_cache] domain_path: /sys/bus/nd/devices/region0/persistence_domain
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:439 pmem_init_funcs] Flushing CPU cache
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:454 pmem_init_funcs] using clflush
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:468 pmem_init_funcs] using movnt SSE2
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [pmem_posix.c:104 pmem_os_init]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [libpmem.c:69 libpmem_fini]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [mmap.c:100 util_mmap_fini]
Last 30 lines of pmemobj1.log below (whole file has 17183 lines).
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085056 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085064 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085072 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085080 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085088 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085096 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085104 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085112 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085120 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085128 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1448 pmemobj_tx_commit]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1320 pmemobj_tx_stage]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1320 pmemobj_tx_stage]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1320 pmemobj_tx_stage]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1501 pmemobj_tx_end]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [libpmemobj.c:65 libpmemobj_fini]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [obj.c:331 obj_fini]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [set.c:135 util_remote_fini]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [set.c:190 util_remote_unload]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [mmap.c:100 util_mmap_fini]
RUNTESTS: stopping: obj_tx_add_range_direct/TEST1 failed, TEST=all FS=pmem BUILD=debug
```
## Expected behavior:
Test should pass.
## Details
<!-- fill this out -->
## Additional information about Priority and Help Requested:
Are you willing to submit a pull request with a proposed change? (Yes, No) <!-- check one if possible -->
Requested priority: (Showstopper, High, Medium, Low) <!-- check one if possible -->
| 1.0 | Test: obj_tx_add_range_direct/TEST1: SETUP (all/pmem/debug/pmemcheck) fails - <!--
Before creating new issue, ensure that similar issue wasn't already created
* Search: https://github.com/pmem/issues/issues
Note that if you do not provide enough information to reproduce the issue, we may not be able to take action on your report.
Remember this is just a minimal template. You can extend it with data you think may be useful.
-->
# ISSUE: <!-- fill the title of issue -->
## Environment Information
- PMDK package version(s): 1.4.3-rc1
- OS(es) version(s): SLES 12.4
- ndctl version(s): 61.2
- kernel version(s): 4.12.14-95.29-default
## Please provide a reproduction of the bug:
```
./RUNTESTS obj_tx_add_range_direct -s TEST1 -t all
```
## How often bug is revealed: (always, often, rare): always
<!-- describe special circumstances in section above -->
## Actual behavior:
```
./RUNTESTS obj_tx_add_range_direct -s TEST1 -t all
obj_tx_add_range_direct/TEST1: SETUP (all/pmem/debug/pmemcheck)
obj_tx_add_range_direct/TEST1 crashed (signal 6). err1.log below.
{obj_tx_add_range_direct.c:573 do_tx_add_range_lots_of_small_snapshots} obj_tx_add_range_direct/TEST1: Error: assertion failure: (*__errno_location ()) (0xc) == 0 (0x0)
Last 30 lines of pmemcheck1.log below (whole file has 51 lines).
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115==
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== Number of stores not made persistent: 0
obj_tx_add_range_direct/TEST1 pmemcheck1.log ==49115== ERROR SUMMARY: 0 errors
trace1.log below.
obj_tx_add_range_direct/TEST1 trace1.log {obj_tx_add_range_direct.c:614 main} obj_tx_add_range_direct/TEST1: START: obj_tx_add_range_direct
obj_tx_add_range_direct/TEST1 trace1.log ./obj_tx_add_range_direct /mnt/mem//test_obj_tx_add_range_direct1⠝⠧⠍⠇ɗPMDKӜ⥺/testfile1
obj_tx_add_range_direct/TEST1 trace1.log {obj_tx_add_range_direct.c:573 do_tx_add_range_lots_of_small_snapshots} obj_tx_add_range_direct/TEST1: Error: assertion failure: (*__errno_location ()) (0xc) == 0 (0x0)
pmem1.log below.
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:236 out_init] pid 49115: program: /home/jenkins/workspace/1.6.1/1.4.3/pmdk_all_linux_tests_143/pmdk/src/test/obj_tx_add_range_direct/obj_tx_add_range_direct
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:238 out_init] libpmem version 1.1
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:242 out_init] src version: 1.4.3-rc1-7-gb941070b2
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:250 out_init] compiled with support for Valgrind pmemcheck
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:255 out_init] compiled with support for Valgrind helgrind
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:260 out_init] compiled with support for Valgrind memcheck
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <1> [out.c:265 out_init] compiled with support for Valgrind drd
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [mmap.c:66 util_mmap_init]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [libpmem.c:56 libpmem_init]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [pmem.c:683 pmem_init]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:397 pmem_init_funcs]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:346 pmem_cpuinfo_to_funcs]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:350 pmem_cpuinfo_to_funcs] clflush supported
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:259 use_avx_memcpy_memset] avx supported
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:263 use_avx_memcpy_memset] PMEM_AVX not set or not == 1
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [pmem.c:219 pmem_has_auto_flush]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [os_auto_flush_linux.c:107 check_domain_in_region] region_path: /sys/bus/nd/devices/region0
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [os_auto_flush_linux.c:58 check_cpu_cache] domain_path: /sys/bus/nd/devices/region0/persistence_domain
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:439 pmem_init_funcs] Flushing CPU cache
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:454 pmem_init_funcs] using clflush
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [init.c:468 pmem_init_funcs] using movnt SSE2
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [pmem_posix.c:104 pmem_os_init]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [libpmem.c:69 libpmem_fini]
obj_tx_add_range_direct/TEST1 pmem1.log <libpmem>: <3> [mmap.c:100 util_mmap_fini]
Last 30 lines of pmemobj1.log below (whole file has 17183 lines).
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085056 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085064 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085072 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085080 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085088 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085096 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085104 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085112 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085120 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1896 pmemobj_tx_add_range_direct]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1038 tx_lane_ranges_insert_def] rdef->offset 11085128 rdef->size 8
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1448 pmemobj_tx_commit]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1320 pmemobj_tx_stage]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1320 pmemobj_tx_stage]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1320 pmemobj_tx_stage]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [tx.c:1501 pmemobj_tx_end]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [libpmemobj.c:65 libpmemobj_fini]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [obj.c:331 obj_fini]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [set.c:135 util_remote_fini]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [set.c:190 util_remote_unload]
obj_tx_add_range_direct/TEST1 pmemobj1.log <libpmemobj>: <3> [mmap.c:100 util_mmap_fini]
RUNTESTS: stopping: obj_tx_add_range_direct/TEST1 failed, TEST=all FS=pmem BUILD=debug
```
## Expected behavior:
Test should pass.
## Details
<!-- fill this out -->
## Additional information about Priority and Help Requested:
Are you willing to submit a pull request with a proposed change? (Yes, No) <!-- check one if possible -->
Requested priority: (Showstopper, High, Medium, Low) <!-- check one if possible -->
| priority | test obj tx add range direct setup all pmem debug pmemcheck fails before creating new issue ensure that similar issue wasn t already created search note that if you do not provide enough information to reproduce the issue we may not be able to take action on your report remember this is just a minimal template you can extend it with data you think may be useful issue environment information pmdk package version s os es version s sles ndctl version s kernel version s default please provide a reproduction of the bug runtests obj tx add range direct s t all how often bug is revealed always often rare always actual behavior runtests obj tx add range direct s t all obj tx add range direct setup all pmem debug pmemcheck obj tx add range direct crashed signal log below obj tx add range direct c do tx add range lots of small snapshots obj tx add range direct error assertion failure errno location last lines of log below whole file has lines obj tx add range direct log number of stores not made persistent obj tx add range direct log error summary errors obj tx add range direct log obj tx add range direct log number of stores not made persistent obj tx add range direct log error summary errors obj tx add range direct log obj tx add range direct log number of stores not made persistent obj tx add range direct log error summary errors obj tx add range direct log obj tx add range direct log number of stores not made persistent obj tx add range direct log error summary errors obj tx add range direct log obj tx add range direct log number of stores not made persistent obj tx add range direct log error summary errors obj tx add range direct log obj tx add range direct log number of stores not made persistent obj tx add range direct log error summary errors obj tx add range direct log obj tx add range direct log number of stores not made persistent obj tx add range direct log error summary errors obj tx add range direct log obj tx add range direct log number of stores not made persistent obj tx add range direct log error summary errors obj tx add range direct log obj tx add range direct log number of stores not made persistent obj tx add range direct log error summary errors obj tx add range direct log obj tx add range direct log obj tx add range direct log number of stores not made persistent obj tx add range direct log error summary errors log below obj tx add range direct log obj tx add range direct c main obj tx add range direct start obj tx add range direct obj tx add range direct log obj tx add range direct mnt mem test obj tx add range ⠝⠧⠍⠇ɗpmdkӝ⥺ obj tx add range direct log obj tx add range direct c do tx add range lots of small snapshots obj tx add range direct error assertion failure errno location log below obj tx add range direct log pid program home jenkins workspace pmdk all linux tests pmdk src test obj tx add range direct obj tx add range direct obj tx add range direct log libpmem version obj tx add range direct log src version obj tx add range direct log compiled with support for valgrind pmemcheck obj tx add range direct log compiled with support for valgrind helgrind obj tx add range direct log compiled with support for valgrind memcheck obj tx add range direct log compiled with support for valgrind drd obj tx add range direct log obj tx add range direct log obj tx add range direct log obj tx add range direct log obj tx add range direct log obj tx add range direct log clflush supported obj tx add range direct log avx supported obj tx add range direct log pmem avx not set or not obj tx add range direct log obj tx add range direct log region path sys bus nd devices obj tx add range direct log domain path sys bus nd devices persistence domain obj tx add range direct log flushing cpu cache obj tx add range direct log using clflush obj tx add range direct log using movnt obj tx add range direct log obj tx add range direct log obj tx add range direct log last lines of log below whole file has lines obj tx add range direct log obj tx add range direct log rdef offset rdef size obj tx add range direct log obj tx add range direct log rdef offset rdef size obj tx add range direct log obj tx add range direct log rdef offset rdef size obj tx add range direct log obj tx add range direct log rdef offset rdef size obj tx add range direct log obj tx add range direct log rdef offset rdef size obj tx add range direct log obj tx add range direct log rdef offset rdef size obj tx add range direct log obj tx add range direct log rdef offset rdef size obj tx add range direct log obj tx add range direct log rdef offset rdef size obj tx add range direct log obj tx add range direct log rdef offset rdef size obj tx add range direct log obj tx add range direct log rdef offset rdef size obj tx add range direct log obj tx add range direct log obj tx add range direct log obj tx add range direct log obj tx add range direct log obj tx add range direct log obj tx add range direct log obj tx add range direct log obj tx add range direct log obj tx add range direct log runtests stopping obj tx add range direct failed test all fs pmem build debug expected behavior test should pass details additional information about priority and help requested are you willing to submit a pull request with a proposed change yes no requested priority showstopper high medium low | 1 |
806,229 | 29,807,304,712 | IssuesEvent | 2023-06-16 12:40:02 | renovatebot/renovate | https://api.github.com/repos/renovatebot/renovate | closed | Speed up CI test runs with `actions/cache` | priority-3-medium type:refactor status:ready | ### Describe the proposed change(s).
Over on the Octoclairvoyant repository, I stumbled into a possible speed up for the Prettier run in the CI. [^octoclairvoyant-repo] Pasting the conversation:
> We can take advantage of the cache in CI too if we save it between runs, but I don't think we would get faster runs since the codebase is quite small.
>
> Do you know how you can use the Prettier cache in the CI? That would speed up the runs on the Renovate repository a lot, I think.
>
> I think so! You need the [`actions/cache` GitHub Action](https://github.com/actions/cache). With this plugin, you can cache builds or dependencies (pretty much everything), so you can specify the folder where Prettier saves its internal cache.
>
> From what I see in Prettier docs, by default it's located in `./node_modules/.cache/prettier/.prettier-cache`, and there is no option to customize the path (for now at least), so you would have to set that specific folder in the `actions/cache` after installing the project dependencies (so the `node_modules` don't override your Prettier cache).
[^octoclairvoyant-repo]: https://github.com/octoclairvoyant/octoclairvoyant-webapp/issues/974 | 1.0 | Speed up CI test runs with `actions/cache` - ### Describe the proposed change(s).
Over on the Octoclairvoyant repository, I stumbled into a possible speed up for the Prettier run in the CI. [^octoclairvoyant-repo] Pasting the conversation:
> We can take advantage of the cache in CI too if we save it between runs, but I don't think we would get faster runs since the codebase is quite small.
>
> Do you know how you can use the Prettier cache in the CI? That would speed up the runs on the Renovate repository a lot, I think.
>
> I think so! You need the [`actions/cache` GitHub Action](https://github.com/actions/cache). With this plugin, you can cache builds or dependencies (pretty much everything), so you can specify the folder where Prettier saves its internal cache.
>
> From what I see in Prettier docs, by default it's located in `./node_modules/.cache/prettier/.prettier-cache`, and there is no option to customize the path (for now at least), so you would have to set that specific folder in the `actions/cache` after installing the project dependencies (so the `node_modules` don't override your Prettier cache).
[^octoclairvoyant-repo]: https://github.com/octoclairvoyant/octoclairvoyant-webapp/issues/974 | priority | speed up ci test runs with actions cache describe the proposed change s over on the octoclairvoyant repository i stumbled into a possible speed up for the prettier run in the ci pasting the conversation we can take advantage of the cache in ci too if we save it between runs but i don t think we would get faster runs since the codebase is quite small do you know how you can use the prettier cache in the ci that would speed up the runs on the renovate repository a lot i think i think so you need the with this plugin you can cache builds or dependencies pretty much everything so you can specify the folder where prettier saves its internal cache from what i see in prettier docs by default it s located in node modules cache prettier prettier cache and there is no option to customize the path for now at least so you would have to set that specific folder in the actions cache after installing the project dependencies so the node modules don t override your prettier cache | 1 |
153,372 | 5,890,714,863 | IssuesEvent | 2017-05-17 15:29:39 | ualbertalib/avalon | https://api.github.com/repos/ualbertalib/avalon | closed | Make resource description help text more friendly / consistent with ERA | epic:metadata In review Pre-launch priority:medium usability | I'd like to work with @sfarnel and @sfbetz on this in the near future. Most of the text is in pretty good shape, but some of it is a bit confusing to a non-metadata person.
| 1.0 | Make resource description help text more friendly / consistent with ERA - I'd like to work with @sfarnel and @sfbetz on this in the near future. Most of the text is in pretty good shape, but some of it is a bit confusing to a non-metadata person.
| priority | make resource description help text more friendly consistent with era i d like to work with sfarnel and sfbetz on this in the near future most of the text is in pretty good shape but some of it is a bit confusing to a non metadata person | 1 |
163,554 | 6,200,702,042 | IssuesEvent | 2017-07-06 02:21:00 | minio/minio | https://api.github.com/repos/minio/minio | closed | How can I get URL to latest release binary with fixed version? | priority: medium | The way you guys publish your releases, I do not see how I can get fixed version URL to latest release binary, that will not change in the future.
Is there way to get it (if I missed it)?
Can you change how you publish releases, so that fixed version URLs would not change with next release?
I talk about linux-amd64 release. | 1.0 | How can I get URL to latest release binary with fixed version? - The way you guys publish your releases, I do not see how I can get fixed version URL to latest release binary, that will not change in the future.
Is there way to get it (if I missed it)?
Can you change how you publish releases, so that fixed version URLs would not change with next release?
I talk about linux-amd64 release. | priority | how can i get url to latest release binary with fixed version the way you guys publish your releases i do not see how i can get fixed version url to latest release binary that will not change in the future is there way to get it if i missed it can you change how you publish releases so that fixed version urls would not change with next release i talk about linux release | 1 |
321,095 | 9,793,396,225 | IssuesEvent | 2019-06-10 19:51:03 | wevote/WebApp | https://api.github.com/repos/wevote/WebApp | closed | Vote page: Fix search box format when on ballot page | Difficulty: Medium Priority: 1 | This is the new design Desktop:
<img width="860" alt="Screen Shot 2019-05-23 at 6 18 20 PM" src="https://user-images.githubusercontent.com/7756031/58296103-3719b780-7d87-11e9-8cd4-86e289aeb756.png">
Mobile:
<img width="340" alt="Screen Shot 2019-05-23 at 6 18 40 PM" src="https://user-images.githubusercontent.com/7756031/58296110-3d0f9880-7d87-11e9-852c-649d77714832.png">
Top level file is:
WebApp/src/js/routes/Vote.jsx
Each office or measure is formatted starting with this file:
WebApp/src/js/components/Ballot/BallotItemReadyToVote.jsx
This is how the page currently looks:

Please note that a voter can choose two candidates, and both should be shown on the Vote page. | 1.0 | Vote page: Fix search box format when on ballot page - This is the new design Desktop:
<img width="860" alt="Screen Shot 2019-05-23 at 6 18 20 PM" src="https://user-images.githubusercontent.com/7756031/58296103-3719b780-7d87-11e9-8cd4-86e289aeb756.png">
Mobile:
<img width="340" alt="Screen Shot 2019-05-23 at 6 18 40 PM" src="https://user-images.githubusercontent.com/7756031/58296110-3d0f9880-7d87-11e9-852c-649d77714832.png">
Top level file is:
WebApp/src/js/routes/Vote.jsx
Each office or measure is formatted starting with this file:
WebApp/src/js/components/Ballot/BallotItemReadyToVote.jsx
This is how the page currently looks:

Please note that a voter can choose two candidates, and both should be shown on the Vote page. | priority | vote page fix search box format when on ballot page this is the new design desktop img width alt screen shot at pm src mobile img width alt screen shot at pm src top level file is webapp src js routes vote jsx each office or measure is formatted starting with this file webapp src js components ballot ballotitemreadytovote jsx this is how the page currently looks please note that a voter can choose two candidates and both should be shown on the vote page | 1 |
480,595 | 13,854,767,337 | IssuesEvent | 2020-10-15 09:58:09 | SE761Team4/jabref | https://api.github.com/repos/SE761Team4/jabref | closed | [2pt] UI design conventions (look and feel) | frontend medium priority user story | As a user I would like a clean UI that matches Jabref's design conventions so that I am familiar with the JabMap interface
- UI design needs to be done so that it matches Jabref conventions and prototypes
| 1.0 | [2pt] UI design conventions (look and feel) - As a user I would like a clean UI that matches Jabref's design conventions so that I am familiar with the JabMap interface
- UI design needs to be done so that it matches Jabref conventions and prototypes
| priority | ui design conventions look and feel as a user i would like a clean ui that matches jabref s design conventions so that i am familiar with the jabmap interface ui design needs to be done so that it matches jabref conventions and prototypes | 1 |
71,965 | 3,370,340,693 | IssuesEvent | 2015-11-23 14:48:13 | postcode/senoia | https://api.github.com/repos/postcode/senoia | closed | Move New Asset Creation to a Modal | Medium Priority | When adding new assets the form should be placed in a modal. | 1.0 | Move New Asset Creation to a Modal - When adding new assets the form should be placed in a modal. | priority | move new asset creation to a modal when adding new assets the form should be placed in a modal | 1 |
577,034 | 17,102,189,267 | IssuesEvent | 2021-07-09 12:54:10 | EricssonResearch/scott-eu | https://api.github.com/repos/EricssonResearch/scott-eu | closed | Getting closer to shelves | Comp: Robot RN Priority: Medium Status: PR Welcome Type: Enhancement | Nowadays we're using the shelves' waypoints for robot's navigation. To execute the pick-up the robot needs to be closer to the shelf. To make robot closer to the shelf, in #116, I tried to change the waypoint x coordinate from 1.61 to 1.37, but with this new coordinate the robot is not able to navigate until this position.
I think this behaviour is due to the obstacles and robot inflation on the cost map, but I was not able to change that on turtlebot2i_navigation/config/costmap_common_params.yaml and make the robot closer to the shelf. | 1.0 | Getting closer to shelves - Nowadays we're using the shelves' waypoints for robot's navigation. To execute the pick-up the robot needs to be closer to the shelf. To make robot closer to the shelf, in #116, I tried to change the waypoint x coordinate from 1.61 to 1.37, but with this new coordinate the robot is not able to navigate until this position.
I think this behaviour is due to the obstacles and robot inflation on the cost map, but I was not able to change that on turtlebot2i_navigation/config/costmap_common_params.yaml and make the robot closer to the shelf. | priority | getting closer to shelves nowadays we re using the shelves waypoints for robot s navigation to execute the pick up the robot needs to be closer to the shelf to make robot closer to the shelf in i tried to change the waypoint x coordinate from to but with this new coordinate the robot is not able to navigate until this position i think this behaviour is due to the obstacles and robot inflation on the cost map but i was not able to change that on navigation config costmap common params yaml and make the robot closer to the shelf | 1 |
423,257 | 12,293,390,632 | IssuesEvent | 2020-05-10 18:47:16 | svthalia/concrexit | https://api.github.com/repos/svthalia/concrexit | closed | Topic should be visible in https://thalia.nu/user/finance/payments/ | bug payments priority: medium | In GitLab by @JobDoesburg on Mar 11, 2020, 21:05
### One-sentence description
Topic should be visible in https://thalia.nu/user/finance/payments/
### Current behaviour / Reproducing the bug
The topic field is not visible
### Expected behaviour
Be visible | 1.0 | Topic should be visible in https://thalia.nu/user/finance/payments/ - In GitLab by @JobDoesburg on Mar 11, 2020, 21:05
### One-sentence description
Topic should be visible in https://thalia.nu/user/finance/payments/
### Current behaviour / Reproducing the bug
The topic field is not visible
### Expected behaviour
Be visible | priority | topic should be visible in in gitlab by jobdoesburg on mar one sentence description topic should be visible in current behaviour reproducing the bug the topic field is not visible expected behaviour be visible | 1 |
215,428 | 7,294,063,222 | IssuesEvent | 2018-02-25 20:11:01 | buttercup/buttercup-desktop | https://api.github.com/repos/buttercup/buttercup-desktop | opened | Unlock dialog should have archive listed | Effort: Low Priority: Medium Status: Pending Type: Enhancement | When unlocking an archive (which can be triggered in a variety of ways) it'd be great to have the name (and maybe type?) of the archive in the unlock window. | 1.0 | Unlock dialog should have archive listed - When unlocking an archive (which can be triggered in a variety of ways) it'd be great to have the name (and maybe type?) of the archive in the unlock window. | priority | unlock dialog should have archive listed when unlocking an archive which can be triggered in a variety of ways it d be great to have the name and maybe type of the archive in the unlock window | 1 |
63,857 | 3,201,287,351 | IssuesEvent | 2015-10-02 05:25:20 | olegivo/olegivo-mm | https://api.github.com/repos/olegivo/olegivo-mm | closed | Копирование на walkman | Area-Walkman duplicate enhancement Priority-Medium | ```
Здесь должно выть описание задачи
```
Original issue reported on code.google.com by `oleg...@gmail.com` on 11 Aug 2011 at 7:32 | 1.0 | Копирование на walkman - ```
Здесь должно выть описание задачи
```
Original issue reported on code.google.com by `oleg...@gmail.com` on 11 Aug 2011 at 7:32 | priority | копирование на walkman здесь должно выть описание задачи original issue reported on code google com by oleg gmail com on aug at | 1 |
742,171 | 25,841,383,421 | IssuesEvent | 2022-12-13 00:49:39 | AdrianSimionov/obsidian-mindmap-nextgen | https://api.github.com/repos/AdrianSimionov/obsidian-mindmap-nextgen | closed | Set screenshot background color | enhancement priority:medium | There are three possibilities:
1. Add a fixed setting so the user change the background color
2. Choose a math-based color based on the colors present in the picture (like, background would be in a range between black and white (#000 to #fff).
3. Make it transparent.
| 1.0 | Set screenshot background color - There are three possibilities:
1. Add a fixed setting so the user change the background color
2. Choose a math-based color based on the colors present in the picture (like, background would be in a range between black and white (#000 to #fff).
3. Make it transparent.
| priority | set screenshot background color there are three possibilities add a fixed setting so the user change the background color choose a math based color based on the colors present in the picture like background would be in a range between black and white to fff make it transparent | 1 |
770,027 | 27,026,569,995 | IssuesEvent | 2023-02-11 17:27:36 | opentibiabr/canary | https://api.github.com/repos/opentibiabr/canary | closed | Ferumbras' Ascendant Quest Bosses and Systems. | Type: Bug Priority: Medium Area: Map Canary | ### Priority
Medium
### Area
- [X] Datapack
- [ ] Source
- [X] Map
- [ ] Other
### What happened?
Need to check all Ferumbras' Ascendant bosses scripts.
It's works without clean room ,check room, timer storages.
### What OS are you seeing the problem on?
Ubuntu 20.04
### Code of Conduct
- [X] I agree to follow this project's Code of Conduct | 1.0 | Ferumbras' Ascendant Quest Bosses and Systems. - ### Priority
Medium
### Area
- [X] Datapack
- [ ] Source
- [X] Map
- [ ] Other
### What happened?
Need to check all Ferumbras' Ascendant bosses scripts.
It's works without clean room ,check room, timer storages.
### What OS are you seeing the problem on?
Ubuntu 20.04
### Code of Conduct
- [X] I agree to follow this project's Code of Conduct | priority | ferumbras ascendant quest bosses and systems priority medium area datapack source map other what happened need to check all ferumbras ascendant bosses scripts it s works without clean room check room timer storages what os are you seeing the problem on ubuntu code of conduct i agree to follow this project s code of conduct | 1 |
777,147 | 27,269,476,392 | IssuesEvent | 2023-02-22 20:58:24 | harvester/harvester | https://api.github.com/repos/harvester/harvester | closed | [FEATURE] Storage Tiering support of the Harvester CSI Driver | kind/enhancement area/ui priority/0 highlight area/dashboard-related area/rke2-realated area/csi-driver require-ui/medium | Hello,
Storage tiering was introduced in Harveser v1.1.0 recently https://github.com/harvester/harvester/issues/2147
Currently, the `harveste-csi-driver` doesn't have the option to have several storage classes which are bound to different storage classes in the harvester.
Currently, the name of the storage class used by the driver is taken from env variable from `harvester-csi-driver-pod`.
https://github.com/harvester/harvester-csi-driver/blob/0f6455e0bc7a4e53dd01ab811eab37182ba6030e/main.go#L39
Thank you in advance! | 1.0 | [FEATURE] Storage Tiering support of the Harvester CSI Driver - Hello,
Storage tiering was introduced in Harveser v1.1.0 recently https://github.com/harvester/harvester/issues/2147
Currently, the `harveste-csi-driver` doesn't have the option to have several storage classes which are bound to different storage classes in the harvester.
Currently, the name of the storage class used by the driver is taken from env variable from `harvester-csi-driver-pod`.
https://github.com/harvester/harvester-csi-driver/blob/0f6455e0bc7a4e53dd01ab811eab37182ba6030e/main.go#L39
Thank you in advance! | priority | storage tiering support of the harvester csi driver hello storage tiering was introduced in harveser recently currently the harveste csi driver doesn t have the option to have several storage classes which are bound to different storage classes in the harvester currently the name of the storage class used by the driver is taken from env variable from harvester csi driver pod thank you in advance | 1 |
472,396 | 13,623,663,145 | IssuesEvent | 2020-09-24 06:45:51 | ukon1990/wow-auction-helper | https://api.github.com/repos/ukon1990/wow-auction-helper | opened | Static statistical price file | medium priority new feature | There should be some
### The data must contain:
Base values:
- [ ] When the item was first registered? (will depend on the speed of the query)
- [ ] When the item was previously spottet? (will depend on the speed of the query)
The past 24h, 7 days, 14 days, and month:
- [ ] Avg price
- [ ] Price change trend
- [ ] Quantity change trend
- [ ] Availability / How often is this item available or something | 1.0 | Static statistical price file - There should be some
### The data must contain:
Base values:
- [ ] When the item was first registered? (will depend on the speed of the query)
- [ ] When the item was previously spottet? (will depend on the speed of the query)
The past 24h, 7 days, 14 days, and month:
- [ ] Avg price
- [ ] Price change trend
- [ ] Quantity change trend
- [ ] Availability / How often is this item available or something | priority | static statistical price file there should be some the data must contain base values when the item was first registered will depend on the speed of the query when the item was previously spottet will depend on the speed of the query the past days days and month avg price price change trend quantity change trend availability how often is this item available or something | 1 |
252,223 | 8,033,379,190 | IssuesEvent | 2018-07-29 04:53:01 | ZebZ/TheGoldyIron-FiveM | https://api.github.com/repos/ZebZ/TheGoldyIron-FiveM | reopened | Fuelerjob problems | Bug Medium Priority Server | For the fueler job, when you click E to spawn the truck, the security deposit is taken but you don't get the truck.
And when you click worker clothes, it doesnt change anything. | 1.0 | Fuelerjob problems - For the fueler job, when you click E to spawn the truck, the security deposit is taken but you don't get the truck.
And when you click worker clothes, it doesnt change anything. | priority | fuelerjob problems for the fueler job when you click e to spawn the truck the security deposit is taken but you don t get the truck and when you click worker clothes it doesnt change anything | 1 |
790,259 | 27,820,759,426 | IssuesEvent | 2023-03-19 07:41:38 | AY2223S2-CS2113-W12-3/tp | https://api.github.com/repos/AY2223S2-CS2113-W12-3/tp | opened | IMPROVEMENT: Search Command | type.Enhancement priority.Medium | Might be better if we combine search into a single parse function then delegate whether by UPC or or keyword?


Then delegate the seach type and call the respective helper function within search command class instead

| 1.0 | IMPROVEMENT: Search Command - Might be better if we combine search into a single parse function then delegate whether by UPC or or keyword?


Then delegate the seach type and call the respective helper function within search command class instead

| priority | improvement search command might be better if we combine search into a single parse function then delegate whether by upc or or keyword then delegate the seach type and call the respective helper function within search command class instead | 1 |
304,727 | 9,334,972,062 | IssuesEvent | 2019-03-28 17:28:17 | salesagility/SuiteCRM | https://api.github.com/repos/salesagility/SuiteCRM | closed | AOR Reports - incorrect start date calculated for Last Quarter period when in the 4th quarter | Medium Priority Reports Resolved: Next Release bug | In AOR Reports when using a Last Quarter date period condition incorrect results are returned when the current date is in the 4th quarter.
I have tracked the problem in the code down to the following:-
file: aor_utils.php - function: getPeriodDate
```
function getPeriodDate($date_time_period_list_selected)
{
global $sugar_config;
$datetime_period = new DateTime();
...
} else if ($date_time_period_list_selected == 'last_quarter') {
$thisMonth = $datetime_period->setDate($datetime_period->format('Y'), $datetime_period->format('m'), 1);
if ($thisMonth >= $q[1]['start'] && $thisMonth <= $q[1]['end']) {
// quarter 1 - 3 months
$datetime_period = $q[1]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[2]['start'] && $thisMonth <= $q[2]['end']) {
// quarter 2 - 3 months
$datetime_period = $q[2]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[3]['start'] && $thisMonth <= $q[3]['end']) {
// quarter 3 - 3 months
$datetime_period = $q[3]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[4]['start'] && $thisMonth <= $q[4]['end']) {
// quarter 4 - 3 months
$datetime_period = $q[3]['start']->sub(new DateInterval('P3M'));
}
} else if ($date_time_period_list_selected == 'this_year') {
...
return $datetime_period;
}
```
Suggested fix:-
```
function getPeriodDate($date_time_period_list_selected)
{
global $sugar_config;
$datetime_period = new DateTime();
...
} else if ($date_time_period_list_selected == 'last_quarter') {
$thisMonth = $datetime_period->setDate($datetime_period->format('Y'), $datetime_period->format('m'), 1);
if ($thisMonth >= $q[1]['start'] && $thisMonth <= $q[1]['end']) {
// quarter 1 - 3 months
$datetime_period = $q[1]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[2]['start'] && $thisMonth <= $q[2]['end']) {
// quarter 2 - 3 months
$datetime_period = $q[2]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[3]['start'] && $thisMonth <= $q[3]['end']) {
// quarter 3 - 3 months
$datetime_period = $q[3]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[4]['start'] && $thisMonth <= $q[4]['end']) {
// quarter 4 - 3 months
$datetime_period = $q[4]['start']->sub(new DateInterval('P3M'));
}
} else if ($date_time_period_list_selected == 'this_year') {
...
return $datetime_period;
}
```
The calculation for the 4th quarter needs to start from $q[**4**]['start'] not $q[3]['start']
Issue discovered in LTS 7.8.19 and I looked at code in the latest development release (7.10.5) and it appears to be present in this version too. | 1.0 | AOR Reports - incorrect start date calculated for Last Quarter period when in the 4th quarter - In AOR Reports when using a Last Quarter date period condition incorrect results are returned when the current date is in the 4th quarter.
I have tracked the problem in the code down to the following:-
file: aor_utils.php - function: getPeriodDate
```
function getPeriodDate($date_time_period_list_selected)
{
global $sugar_config;
$datetime_period = new DateTime();
...
} else if ($date_time_period_list_selected == 'last_quarter') {
$thisMonth = $datetime_period->setDate($datetime_period->format('Y'), $datetime_period->format('m'), 1);
if ($thisMonth >= $q[1]['start'] && $thisMonth <= $q[1]['end']) {
// quarter 1 - 3 months
$datetime_period = $q[1]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[2]['start'] && $thisMonth <= $q[2]['end']) {
// quarter 2 - 3 months
$datetime_period = $q[2]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[3]['start'] && $thisMonth <= $q[3]['end']) {
// quarter 3 - 3 months
$datetime_period = $q[3]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[4]['start'] && $thisMonth <= $q[4]['end']) {
// quarter 4 - 3 months
$datetime_period = $q[3]['start']->sub(new DateInterval('P3M'));
}
} else if ($date_time_period_list_selected == 'this_year') {
...
return $datetime_period;
}
```
Suggested fix:-
```
function getPeriodDate($date_time_period_list_selected)
{
global $sugar_config;
$datetime_period = new DateTime();
...
} else if ($date_time_period_list_selected == 'last_quarter') {
$thisMonth = $datetime_period->setDate($datetime_period->format('Y'), $datetime_period->format('m'), 1);
if ($thisMonth >= $q[1]['start'] && $thisMonth <= $q[1]['end']) {
// quarter 1 - 3 months
$datetime_period = $q[1]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[2]['start'] && $thisMonth <= $q[2]['end']) {
// quarter 2 - 3 months
$datetime_period = $q[2]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[3]['start'] && $thisMonth <= $q[3]['end']) {
// quarter 3 - 3 months
$datetime_period = $q[3]['start']->sub(new DateInterval('P3M'));
} else if ($thisMonth >= $q[4]['start'] && $thisMonth <= $q[4]['end']) {
// quarter 4 - 3 months
$datetime_period = $q[4]['start']->sub(new DateInterval('P3M'));
}
} else if ($date_time_period_list_selected == 'this_year') {
...
return $datetime_period;
}
```
The calculation for the 4th quarter needs to start from $q[**4**]['start'] not $q[3]['start']
Issue discovered in LTS 7.8.19 and I looked at code in the latest development release (7.10.5) and it appears to be present in this version too. | priority | aor reports incorrect start date calculated for last quarter period when in the quarter in aor reports when using a last quarter date period condition incorrect results are returned when the current date is in the quarter i have tracked the problem in the code down to the following file aor utils php function getperioddate function getperioddate date time period list selected global sugar config datetime period new datetime else if date time period list selected last quarter thismonth datetime period setdate datetime period format y datetime period format m if thismonth q thismonth q quarter months datetime period q sub new dateinterval else if thismonth q thismonth q quarter months datetime period q sub new dateinterval else if thismonth q thismonth q quarter months datetime period q sub new dateinterval else if thismonth q thismonth q quarter months datetime period q sub new dateinterval else if date time period list selected this year return datetime period suggested fix function getperioddate date time period list selected global sugar config datetime period new datetime else if date time period list selected last quarter thismonth datetime period setdate datetime period format y datetime period format m if thismonth q thismonth q quarter months datetime period q sub new dateinterval else if thismonth q thismonth q quarter months datetime period q sub new dateinterval else if thismonth q thismonth q quarter months datetime period q sub new dateinterval else if thismonth q thismonth q quarter months datetime period q sub new dateinterval else if date time period list selected this year return datetime period the calculation for the quarter needs to start from q not q issue discovered in lts and i looked at code in the latest development release and it appears to be present in this version too | 1 |
428,171 | 12,404,102,882 | IssuesEvent | 2020-05-21 14:59:46 | department-of-veterans-affairs/caseflow | https://api.github.com/repos/department-of-veterans-affairs/caseflow | opened | Split "hearing-related" task and rename | Priority: Medium Product: caseflow-hearings Stakeholder: BVA Team: Tango 💃 | ## Description
Rename and split "hearing-related" task into "hearing withdrawal mail" and "hearing postponed mail."
## Acceptance criteria
- [ ] Update documentation: [link]
## Background/context/resources
The Hearing Management Branch queue is filled with tasks to clear that are catch-alls.
## Technical notes
| 1.0 | Split "hearing-related" task and rename - ## Description
Rename and split "hearing-related" task into "hearing withdrawal mail" and "hearing postponed mail."
## Acceptance criteria
- [ ] Update documentation: [link]
## Background/context/resources
The Hearing Management Branch queue is filled with tasks to clear that are catch-alls.
## Technical notes
| priority | split hearing related task and rename description rename and split hearing related task into hearing withdrawal mail and hearing postponed mail acceptance criteria update documentation background context resources the hearing management branch queue is filled with tasks to clear that are catch alls technical notes | 1 |
532,319 | 15,554,028,371 | IssuesEvent | 2021-03-16 02:51:16 | kubesphere/console | https://api.github.com/repos/kubesphere/console | closed | Incorrect updated time for the Service Account | kind/bug priority/medium | **Environment**
nightly-20210307
**Preset conditions**
1、There is account A, which has project 'B' management privileges.
**To Reproduce**
Steps to reproduce the behavior:
1. Use account A to log in to KS, and go to Project 'B'--》Configurations--》ServiceAccounts.
2. Click ’default‘
3. check update time
**Expected behavior**
The `updated time` is not displayed
**Actual behavior**

/kind bug
/assign @xuliwenwenwen
/milestone 3.1.0
/priority medium | 1.0 | Incorrect updated time for the Service Account - **Environment**
nightly-20210307
**Preset conditions**
1、There is account A, which has project 'B' management privileges.
**To Reproduce**
Steps to reproduce the behavior:
1. Use account A to log in to KS, and go to Project 'B'--》Configurations--》ServiceAccounts.
2. Click ’default‘
3. check update time
**Expected behavior**
The `updated time` is not displayed
**Actual behavior**

/kind bug
/assign @xuliwenwenwen
/milestone 3.1.0
/priority medium | priority | incorrect updated time for the service account environment nightly preset conditions 、there is account a which has project b management privileges to reproduce steps to reproduce the behavior use account a to log in to ks and go to project b 》configurations 》serviceaccounts click ’default‘ check update time expected behavior the updated time is not displayed actual behavior kind bug assign xuliwenwenwen milestone priority medium | 1 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.