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 855 | labels stringlengths 4 721 | body stringlengths 1 261k | index stringclasses 13 values | text_combine stringlengths 96 261k | label stringclasses 2 values | text stringlengths 96 240k | binary_label int64 0 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
726,831 | 25,012,826,057 | IssuesEvent | 2022-11-03 16:26:06 | AY2223S1-CS2103-F14-2/tp | https://api.github.com/repos/AY2223S1-CS2103-F14-2/tp | closed | [PE-D][Tester C] Adding a Person instructions | type.Bug priority.High | I personally found this section quite confusing. The add command says to add followed by mandatory fields etc. And when I go to the hyperlinks provided to try and find out which fields are mandatory, there is still no information on this.
If I missed something out, sorry for pointing this out! But maybe if I did miss it out you could make it more prominent as I spent some time looking for this.
<!--session: 1666944048754-7ff15849-f0bb-4b77-9c64-7fbc357ef5f4-->
<!--Version: Web v3.4.4-->
-------------
Labels: `severity.Medium` `type.DocumentationBug`
original: ReubenChay/ped#4 | 1.0 | [PE-D][Tester C] Adding a Person instructions - I personally found this section quite confusing. The add command says to add followed by mandatory fields etc. And when I go to the hyperlinks provided to try and find out which fields are mandatory, there is still no information on this.
If I missed something out, sorry for pointing this out! But maybe if I did miss it out you could make it more prominent as I spent some time looking for this.
<!--session: 1666944048754-7ff15849-f0bb-4b77-9c64-7fbc357ef5f4-->
<!--Version: Web v3.4.4-->
-------------
Labels: `severity.Medium` `type.DocumentationBug`
original: ReubenChay/ped#4 | priority | adding a person instructions i personally found this section quite confusing the add command says to add followed by mandatory fields etc and when i go to the hyperlinks provided to try and find out which fields are mandatory there is still no information on this if i missed something out sorry for pointing this out but maybe if i did miss it out you could make it more prominent as i spent some time looking for this labels severity medium type documentationbug original reubenchay ped | 1 |
68,649 | 3,291,896,361 | IssuesEvent | 2015-10-30 11:50:03 | cs2103aug2015-w10-2j/main | https://api.github.com/repos/cs2103aug2015-w10-2j/main | closed | A user can update the tasks in the list | priority.high status.ongoing type.story | so that the user can ensure the information stored is up to date | 1.0 | A user can update the tasks in the list - so that the user can ensure the information stored is up to date | priority | a user can update the tasks in the list so that the user can ensure the information stored is up to date | 1 |
756,465 | 26,472,489,294 | IssuesEvent | 2023-01-17 08:38:24 | yugabyte/yugabyte-db | https://api.github.com/repos/yugabyte/yugabyte-db | closed | [YCQL] Prepared statement cache does not get invalidated correctly | kind/bug priority/high area/ycql | Jira Link: [DB-4692](https://yugabyte.atlassian.net/browse/DB-4692)
The prepared statements cache on each tserver is indexed by the statement string.
So if a statement is being prepared with identical syntax (as a previous statement) but different semantics the prepare step can return the wrong prepared statement (and then the subsequent executes of that prepared statement may error out or misbehave).
This could happen if a table was dropped and re-created with the same schema, or a column's type was altered (e.g. via `rename column a->old_a`, `add column a`, `remove column old_a`).
To replicate:
#### Create a simple table.
```
create keyspace sample;
use sample;
create table test(a int, b int, c int, primary key(a));
```
#### Prepare and execute a statement in an app.
```
import com.datastax.driver.core._
import java.util._
val cluster = Cluster.builder().addContactPoint("127.0.0.1").build()
val session = cluster.connect()
val pstmt = session.prepare("insert into sample.test(a,b,c) values (?,?,?)");
session.execute(pstmt.bind(1,1,1));
```
#### Drop/recreate a table with exactly the same name and column names (but different types).
```
use sample;
drop table test;
create table test(a int, b text, c int, primary key(a));
```
#### Restart the app (or in a new app) prepare and execute same stmt against the new table
```
import com.datastax.driver.core._
import java.util._
val cluster = Cluster.builder().addContactPoint("127.0.0.1").build()
val session = cluster.connect()
// Using same query string as before (but now column b should have text type).
val pstmt = session.prepare("insert into sample.test(a,b,c) values (?,?,?)");
session.execute(pstmt.bind(1,"a",1));
```
will now return
```
com.datastax.driver.core.exceptions.CodecNotFoundException: Codec not found for requested operation: [int <-> java.lang.String]
at com.datastax.driver.core.CodecRegistry.notFound(CodecRegistry.java:679)
at com.datastax.driver.core.CodecRegistry.createCodec(CodecRegistry.java:540)
at com.datastax.driver.core.CodecRegistry.findCodec(CodecRegistry.java:520)
at com.datastax.driver.core.CodecRegistry.codecFor(CodecRegistry.java:470)
at com.datastax.driver.core.AbstractGettableByIndexData.codecFor(AbstractGettableByIndexData.java:77)
at com.datastax.driver.core.BoundStatement.bind(BoundStatement.java:201)
at com.datastax.driver.core.DefaultPreparedStatement.bind(DefaultPreparedStatement.java:126)
... 28 elided
```
| 1.0 | [YCQL] Prepared statement cache does not get invalidated correctly - Jira Link: [DB-4692](https://yugabyte.atlassian.net/browse/DB-4692)
The prepared statements cache on each tserver is indexed by the statement string.
So if a statement is being prepared with identical syntax (as a previous statement) but different semantics the prepare step can return the wrong prepared statement (and then the subsequent executes of that prepared statement may error out or misbehave).
This could happen if a table was dropped and re-created with the same schema, or a column's type was altered (e.g. via `rename column a->old_a`, `add column a`, `remove column old_a`).
To replicate:
#### Create a simple table.
```
create keyspace sample;
use sample;
create table test(a int, b int, c int, primary key(a));
```
#### Prepare and execute a statement in an app.
```
import com.datastax.driver.core._
import java.util._
val cluster = Cluster.builder().addContactPoint("127.0.0.1").build()
val session = cluster.connect()
val pstmt = session.prepare("insert into sample.test(a,b,c) values (?,?,?)");
session.execute(pstmt.bind(1,1,1));
```
#### Drop/recreate a table with exactly the same name and column names (but different types).
```
use sample;
drop table test;
create table test(a int, b text, c int, primary key(a));
```
#### Restart the app (or in a new app) prepare and execute same stmt against the new table
```
import com.datastax.driver.core._
import java.util._
val cluster = Cluster.builder().addContactPoint("127.0.0.1").build()
val session = cluster.connect()
// Using same query string as before (but now column b should have text type).
val pstmt = session.prepare("insert into sample.test(a,b,c) values (?,?,?)");
session.execute(pstmt.bind(1,"a",1));
```
will now return
```
com.datastax.driver.core.exceptions.CodecNotFoundException: Codec not found for requested operation: [int <-> java.lang.String]
at com.datastax.driver.core.CodecRegistry.notFound(CodecRegistry.java:679)
at com.datastax.driver.core.CodecRegistry.createCodec(CodecRegistry.java:540)
at com.datastax.driver.core.CodecRegistry.findCodec(CodecRegistry.java:520)
at com.datastax.driver.core.CodecRegistry.codecFor(CodecRegistry.java:470)
at com.datastax.driver.core.AbstractGettableByIndexData.codecFor(AbstractGettableByIndexData.java:77)
at com.datastax.driver.core.BoundStatement.bind(BoundStatement.java:201)
at com.datastax.driver.core.DefaultPreparedStatement.bind(DefaultPreparedStatement.java:126)
... 28 elided
```
| priority | prepared statement cache does not get invalidated correctly jira link the prepared statements cache on each tserver is indexed by the statement string so if a statement is being prepared with identical syntax as a previous statement but different semantics the prepare step can return the wrong prepared statement and then the subsequent executes of that prepared statement may error out or misbehave this could happen if a table was dropped and re created with the same schema or a column s type was altered e g via rename column a old a add column a remove column old a to replicate create a simple table create keyspace sample use sample create table test a int b int c int primary key a prepare and execute a statement in an app import com datastax driver core import java util val cluster cluster builder addcontactpoint build val session cluster connect val pstmt session prepare insert into sample test a b c values session execute pstmt bind drop recreate a table with exactly the same name and column names but different types use sample drop table test create table test a int b text c int primary key a restart the app or in a new app prepare and execute same stmt against the new table import com datastax driver core import java util val cluster cluster builder addcontactpoint build val session cluster connect using same query string as before but now column b should have text type val pstmt session prepare insert into sample test a b c values session execute pstmt bind a will now return com datastax driver core exceptions codecnotfoundexception codec not found for requested operation at com datastax driver core codecregistry notfound codecregistry java at com datastax driver core codecregistry createcodec codecregistry java at com datastax driver core codecregistry findcodec codecregistry java at com datastax driver core codecregistry codecfor codecregistry java at com datastax driver core abstractgettablebyindexdata codecfor abstractgettablebyindexdata java at com datastax driver core boundstatement bind boundstatement java at com datastax driver core defaultpreparedstatement bind defaultpreparedstatement java elided | 1 |
153,373 | 5,890,803,136 | IssuesEvent | 2017-05-17 15:40:00 | juju/docs | https://api.github.com/repos/juju/docs | closed | subordinate charm units can be removed using remove-relation | 2.0 2.1 easy high priority | The docs for subordinate charms contain a caveat:
> Caveats
>
> The current model of subordinates doesn't include support for removing subordinate units from their > principal service apart from removing the principal service itself. This limitation stems from the current policy around service shutdown and the invocation of stop hooks.
which is not applicable - I tested on a 2.1.x install and was able to remove subordinate units from the principle service by removing the relation between them. | 1.0 | subordinate charm units can be removed using remove-relation - The docs for subordinate charms contain a caveat:
> Caveats
>
> The current model of subordinates doesn't include support for removing subordinate units from their > principal service apart from removing the principal service itself. This limitation stems from the current policy around service shutdown and the invocation of stop hooks.
which is not applicable - I tested on a 2.1.x install and was able to remove subordinate units from the principle service by removing the relation between them. | priority | subordinate charm units can be removed using remove relation the docs for subordinate charms contain a caveat caveats the current model of subordinates doesn t include support for removing subordinate units from their principal service apart from removing the principal service itself this limitation stems from the current policy around service shutdown and the invocation of stop hooks which is not applicable i tested on a x install and was able to remove subordinate units from the principle service by removing the relation between them | 1 |
699,895 | 24,036,367,225 | IssuesEvent | 2022-09-15 19:35:24 | visit-dav/visit | https://api.github.com/repos/visit-dav/visit | closed | Mili plugin doesn't use initial nodal positions correctly. | bug likelihood high impact medium priority engineering | ### Describe the bug
The Mili plugin does attempt to get *initial* nodal positions from Mili via `mc_load_nodes` but it winds up favoring `nodpos` results data when those are available. These are not the same. And, it effects VisIt's ability to compute displacements.
| 1.0 | Mili plugin doesn't use initial nodal positions correctly. - ### Describe the bug
The Mili plugin does attempt to get *initial* nodal positions from Mili via `mc_load_nodes` but it winds up favoring `nodpos` results data when those are available. These are not the same. And, it effects VisIt's ability to compute displacements.
| priority | mili plugin doesn t use initial nodal positions correctly describe the bug the mili plugin does attempt to get initial nodal positions from mili via mc load nodes but it winds up favoring nodpos results data when those are available these are not the same and it effects visit s ability to compute displacements | 1 |
669,173 | 22,614,860,454 | IssuesEvent | 2022-06-29 20:49:08 | Jaimss/moducore | https://api.github.com/repos/Jaimss/moducore | closed | Remove "markdown" formatting in usernames | type: bug priority: high | `gama_gama_` gets turned into this

Only use markdown formatting on the message itself. | 1.0 | Remove "markdown" formatting in usernames - `gama_gama_` gets turned into this

Only use markdown formatting on the message itself. | priority | remove markdown formatting in usernames gama gama gets turned into this only use markdown formatting on the message itself | 1 |
548,222 | 16,060,411,111 | IssuesEvent | 2021-04-23 11:44:15 | dmwm/WMCore | https://api.github.com/repos/dmwm/WMCore | closed | MSTransferor fails to send alerts through Alertmanager | BUG High Priority MSTransferor | **Impact of the bug**
MStransferor
**Describe the bug**
Following the lead from this Jira ticket [1] we figured out that in some cases MSTransferor fails to send alerts through the newly established mechanism with the AlertManager as a mediator for the alerts.
Based on the trace provided in the Jira ticket [3] the MSTransferror is just trying to generate an alert for a big dataset (nothing unusual so far), but the url to the Alertmanager itself has been lost somewhere on the way. As mentioned also in this stackoverflow reply [2] this type of badly expressed error is generated by `pycurl` when the url is `None`. I hope this is lost somewhere up in the chain but not in the `@portForward` decorator.
Another critical question that needs to be answered is whether MSTransferor keeps creating input rules over and over for the same input data, similarly to a previously observed cases.
**How to reproduce it**
To be investigated what exactly has triggered the bug.
**Expected behavior**
A clear and concise description of what you expected to happen.
**Additional context and error message**
[1]
https://its.cern.ch/jira/browse/CMSCOMPPR-18772
[2]
https://stackoverflow.com/a/34402229
[3]
```
2021-04-21 06:14:09,570:ERROR:MSTransferor: Unknown exception while making Transfer Request for pdmvserv_task_TOP-RunIISummer20UL17MiniAODv2-00043__v1_T_210414_061607_9526 Error: unsetopt() is not supported for this option
Traceback (most recent call last):
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/MicroService/MSTransferor/MSTransferor.py", line 208, in execute
success, transfers = self.makeTransferRequest(wflow)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/MicroService/MSTransferor/MSTransferor.py", line 628, in makeTransferRequest
blocks, dataSize, nodes, idx)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/MicroService/MSTransferor/MSTransferor.py", line 727, in makeTransferRucio
self.notifyLargeData(aboveWarningThreshold, transferId, wflow.getName(), dataSize, dataIn)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/MicroService/MSTransferor/MSTransferor.py", line 755, in notifyLargeData
self.alertManagerApi.sendAlert(alertName, alertSeverity, alertSummary, alertDescription, self.alertServiceName)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/Services/AlertManager/AlertManagerAPI.py", line 93, in sendAlert
res = self.mgr.getdata(self.alertManagerUrl, params=params, headers=self.headers, verb='POST')
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/Services/pycurl_manager.py", line 316, in getdata
encode=encode, decode=decode, cookie=cookie)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/Utils/PortForward.py", line 69, in portMangle
return callFunc(callObj, url, *args, **kwargs)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/Services/pycurl_manager.py", line 280, in request
verbose, verb, doseq, encode, cainfo, cookie)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/Services/pycurl_manager.py", line 221, in set_opts
curl.setopt(pycurl.URL, encodeUnicodeToBytes(url))
TypeError: unsetopt() is not supported for this option
``` | 1.0 | MSTransferor fails to send alerts through Alertmanager - **Impact of the bug**
MStransferor
**Describe the bug**
Following the lead from this Jira ticket [1] we figured out that in some cases MSTransferor fails to send alerts through the newly established mechanism with the AlertManager as a mediator for the alerts.
Based on the trace provided in the Jira ticket [3] the MSTransferror is just trying to generate an alert for a big dataset (nothing unusual so far), but the url to the Alertmanager itself has been lost somewhere on the way. As mentioned also in this stackoverflow reply [2] this type of badly expressed error is generated by `pycurl` when the url is `None`. I hope this is lost somewhere up in the chain but not in the `@portForward` decorator.
Another critical question that needs to be answered is whether MSTransferor keeps creating input rules over and over for the same input data, similarly to a previously observed cases.
**How to reproduce it**
To be investigated what exactly has triggered the bug.
**Expected behavior**
A clear and concise description of what you expected to happen.
**Additional context and error message**
[1]
https://its.cern.ch/jira/browse/CMSCOMPPR-18772
[2]
https://stackoverflow.com/a/34402229
[3]
```
2021-04-21 06:14:09,570:ERROR:MSTransferor: Unknown exception while making Transfer Request for pdmvserv_task_TOP-RunIISummer20UL17MiniAODv2-00043__v1_T_210414_061607_9526 Error: unsetopt() is not supported for this option
Traceback (most recent call last):
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/MicroService/MSTransferor/MSTransferor.py", line 208, in execute
success, transfers = self.makeTransferRequest(wflow)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/MicroService/MSTransferor/MSTransferor.py", line 628, in makeTransferRequest
blocks, dataSize, nodes, idx)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/MicroService/MSTransferor/MSTransferor.py", line 727, in makeTransferRucio
self.notifyLargeData(aboveWarningThreshold, transferId, wflow.getName(), dataSize, dataIn)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/MicroService/MSTransferor/MSTransferor.py", line 755, in notifyLargeData
self.alertManagerApi.sendAlert(alertName, alertSeverity, alertSummary, alertDescription, self.alertServiceName)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/Services/AlertManager/AlertManagerAPI.py", line 93, in sendAlert
res = self.mgr.getdata(self.alertManagerUrl, params=params, headers=self.headers, verb='POST')
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/Services/pycurl_manager.py", line 316, in getdata
encode=encode, decode=decode, cookie=cookie)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/Utils/PortForward.py", line 69, in portMangle
return callFunc(callObj, url, *args, **kwargs)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/Services/pycurl_manager.py", line 280, in request
verbose, verb, doseq, encode, cainfo, cookie)
File "/data/srv/HG2104e/sw/slc7_amd64_gcc630/cms/reqmgr2ms/0.4.7.pre8/lib/python2.7/site-packages/WMCore/Services/pycurl_manager.py", line 221, in set_opts
curl.setopt(pycurl.URL, encodeUnicodeToBytes(url))
TypeError: unsetopt() is not supported for this option
``` | priority | mstransferor fails to send alerts through alertmanager impact of the bug mstransferor describe the bug following the lead from this jira ticket we figured out that in some cases mstransferor fails to send alerts through the newly established mechanism with the alertmanager as a mediator for the alerts based on the trace provided in the jira ticket the mstransferror is just trying to generate an alert for a big dataset nothing unusual so far but the url to the alertmanager itself has been lost somewhere on the way as mentioned also in this stackoverflow reply this type of badly expressed error is generated by pycurl when the url is none i hope this is lost somewhere up in the chain but not in the portforward decorator another critical question that needs to be answered is whether mstransferor keeps creating input rules over and over for the same input data similarly to a previously observed cases how to reproduce it to be investigated what exactly has triggered the bug expected behavior a clear and concise description of what you expected to happen additional context and error message error mstransferor unknown exception while making transfer request for pdmvserv task top t error unsetopt is not supported for this option traceback most recent call last file data srv sw cms lib site packages wmcore microservice mstransferor mstransferor py line in execute success transfers self maketransferrequest wflow file data srv sw cms lib site packages wmcore microservice mstransferor mstransferor py line in maketransferrequest blocks datasize nodes idx file data srv sw cms lib site packages wmcore microservice mstransferor mstransferor py line in maketransferrucio self notifylargedata abovewarningthreshold transferid wflow getname datasize datain file data srv sw cms lib site packages wmcore microservice mstransferor mstransferor py line in notifylargedata self alertmanagerapi sendalert alertname alertseverity alertsummary alertdescription self alertservicename file data srv sw cms lib site packages wmcore services alertmanager alertmanagerapi py line in sendalert res self mgr getdata self alertmanagerurl params params headers self headers verb post file data srv sw cms lib site packages wmcore services pycurl manager py line in getdata encode encode decode decode cookie cookie file data srv sw cms lib site packages utils portforward py line in portmangle return callfunc callobj url args kwargs file data srv sw cms lib site packages wmcore services pycurl manager py line in request verbose verb doseq encode cainfo cookie file data srv sw cms lib site packages wmcore services pycurl manager py line in set opts curl setopt pycurl url encodeunicodetobytes url typeerror unsetopt is not supported for this option | 1 |
212,560 | 7,238,543,701 | IssuesEvent | 2018-02-13 14:56:03 | status-im/status-react | https://api.github.com/repos/status-im/status-react | closed | Other contact's profile needs cleanup | bug high-priority |
### Description
[comment]: # (Feature or Bug? i.e Type: Bug)
*Type*: Bug
[comment]: # (Describe the feature you would like, or briefly summarise the bug and what you did, what you expected to happen, and what actually happens. Sections below)
*Summary*: If open other contact's profile from 1:1 chat (even if it's in my Contacts) that this screen is shown:

#### Expected behavior
[comment]: # (Describe what you expected to happen.)
Remove: status, qa view,
Leave: username, image and keys. And buttons: Start chat and Send transaction. And testnet warning
Found on develop build from Feb 6. Both Android and iOS | 1.0 | Other contact's profile needs cleanup -
### Description
[comment]: # (Feature or Bug? i.e Type: Bug)
*Type*: Bug
[comment]: # (Describe the feature you would like, or briefly summarise the bug and what you did, what you expected to happen, and what actually happens. Sections below)
*Summary*: If open other contact's profile from 1:1 chat (even if it's in my Contacts) that this screen is shown:

#### Expected behavior
[comment]: # (Describe what you expected to happen.)
Remove: status, qa view,
Leave: username, image and keys. And buttons: Start chat and Send transaction. And testnet warning
Found on develop build from Feb 6. Both Android and iOS | priority | other contact s profile needs cleanup description feature or bug i e type bug type bug describe the feature you would like or briefly summarise the bug and what you did what you expected to happen and what actually happens sections below summary if open other contact s profile from chat even if it s in my contacts that this screen is shown expected behavior describe what you expected to happen remove status qa view leave username image and keys and buttons start chat and send transaction and testnet warning found on develop build from feb both android and ios | 1 |
418,877 | 12,214,999,990 | IssuesEvent | 2020-05-01 11:38:04 | input-output-hk/ouroboros-network | https://api.github.com/repos/input-output-hk/ouroboros-network | closed | Make `protocolSlotLengths` stateful | consensus priority high shelley mainnet transition | At the moment, we have
```haskell
protocolSlotLengths :: NodeConfig p -> SlotLengths
```
which assumes that the slot lengths are known _statically_. That is not the case, since the timing of the hard fork is not known statically. This therefore becomes ledger state dependent, which is a bit of a headache. | 1.0 | Make `protocolSlotLengths` stateful - At the moment, we have
```haskell
protocolSlotLengths :: NodeConfig p -> SlotLengths
```
which assumes that the slot lengths are known _statically_. That is not the case, since the timing of the hard fork is not known statically. This therefore becomes ledger state dependent, which is a bit of a headache. | priority | make protocolslotlengths stateful at the moment we have haskell protocolslotlengths nodeconfig p slotlengths which assumes that the slot lengths are known statically that is not the case since the timing of the hard fork is not known statically this therefore becomes ledger state dependent which is a bit of a headache | 1 |
579,883 | 17,199,766,712 | IssuesEvent | 2021-07-17 01:55:52 | pnxenopoulos/csgo | https://api.github.com/repos/pnxenopoulos/csgo | closed | Around 12-13% of demos fail to parse | Bug High Priority | Out of the 582 matchmaking demos I tried to parse, 74 failed to produce a json file.
There might be a few demos that fail because of #24, but the majority are just normal demo files. When checking out the failing demos sporadically, I noticed a lot of draws, but also other results.
I added four demo files which fail to parse [here](https://github.com/adbok001/demos). Could provide more.
Log=True doesn't help much, it just says "No file produced, error in calling Golang" | 1.0 | Around 12-13% of demos fail to parse - Out of the 582 matchmaking demos I tried to parse, 74 failed to produce a json file.
There might be a few demos that fail because of #24, but the majority are just normal demo files. When checking out the failing demos sporadically, I noticed a lot of draws, but also other results.
I added four demo files which fail to parse [here](https://github.com/adbok001/demos). Could provide more.
Log=True doesn't help much, it just says "No file produced, error in calling Golang" | priority | around of demos fail to parse out of the matchmaking demos i tried to parse failed to produce a json file there might be a few demos that fail because of but the majority are just normal demo files when checking out the failing demos sporadically i noticed a lot of draws but also other results i added four demo files which fail to parse could provide more log true doesn t help much it just says no file produced error in calling golang | 1 |
125,644 | 4,959,068,392 | IssuesEvent | 2016-12-02 12:01:25 | rndsolutions/hawkcd | https://api.github.com/repos/rndsolutions/hawkcd | closed | Add MongoDB database support | feature high priority in progress | As a user I should be able to use MongoDB as my database
Add support for windows Installer to deploy HawkCD with Mongodb | 1.0 | Add MongoDB database support - As a user I should be able to use MongoDB as my database
Add support for windows Installer to deploy HawkCD with Mongodb | priority | add mongodb database support as a user i should be able to use mongodb as my database add support for windows installer to deploy hawkcd with mongodb | 1 |
437,659 | 12,600,792,128 | IssuesEvent | 2020-06-11 08:45:58 | WordPress/gutenberg | https://api.github.com/repos/WordPress/gutenberg | closed | Block animations not working correctly and throwing and error with particular blocks | [Feature] Blocks [Priority] High [Type] Bug | **Describe the bug**
Related #22936
Particular blocks seem to result in block animations not working correctly. The blocks overlap and an error is thrown in the console:
```
TypeError: ref.current is undefined
```
Pointing to these lines:
https://github.com/WordPress/gutenberg/blob/2e814da01dd4c130c8b0cc4fe45732b49736aff5/packages/block-editor/src/components/use-moving-animation/index.js#L138-L142
**To reproduce**
Steps to reproduce the behavior:
1. Create a new post and add some paragraphs
2. Move blocks around
3. Observe everything works ok
4. Group some of the paragraphs
5. Move blocks around
6. Observe an error is thrown and blocks overlap
| 1.0 | Block animations not working correctly and throwing and error with particular blocks - **Describe the bug**
Related #22936
Particular blocks seem to result in block animations not working correctly. The blocks overlap and an error is thrown in the console:
```
TypeError: ref.current is undefined
```
Pointing to these lines:
https://github.com/WordPress/gutenberg/blob/2e814da01dd4c130c8b0cc4fe45732b49736aff5/packages/block-editor/src/components/use-moving-animation/index.js#L138-L142
**To reproduce**
Steps to reproduce the behavior:
1. Create a new post and add some paragraphs
2. Move blocks around
3. Observe everything works ok
4. Group some of the paragraphs
5. Move blocks around
6. Observe an error is thrown and blocks overlap
| priority | block animations not working correctly and throwing and error with particular blocks describe the bug related particular blocks seem to result in block animations not working correctly the blocks overlap and an error is thrown in the console typeerror ref current is undefined pointing to these lines to reproduce steps to reproduce the behavior create a new post and add some paragraphs move blocks around observe everything works ok group some of the paragraphs move blocks around observe an error is thrown and blocks overlap | 1 |
751,677 | 26,253,225,393 | IssuesEvent | 2023-01-05 21:26:02 | PrefectHQ/prefect | https://api.github.com/repos/PrefectHQ/prefect | closed | Allow a block document's associated block schema to be changed | enhancement priority:high component:blocks | ### First check
- [X] I added a descriptive title to this issue.
- [X] I used the GitHub search to find a similar request and didn't find it.
- [X] I searched the Prefect documentation for this feature.
### Prefect Version
2.x
### Describe the current behavior
When a block document is created it is associated with a block schema. Once a block document is created the Orion API offers no way to change the block schema that a block document is associated with. This means that if a change is a new block schema is created for a block type, the only way to use the new schema with an existing block document is to delete and recreate the block document.
### Describe the proposed behavior
The Orion API should allow a `block_schema_id` parameter to be passed in the body of the PATCH `/block_document/{id}` endpoint. The block document should be updated to be associated with the block schema with the provided `block_schema_id`. The API should verify that the block schema that the block document is being moved to is associated with the same block type as the block document. If any data updates are being made along with the block schema change, then the API should also verify that the new data for the block document adheres to the new block schema.
The Python client should be able to make these block schema changes via the existing `.save` method. When `overwrite=True` is passed into `.save`, the block subclass should discover the ID of its corresponding block schema and provide that as part of the block document update. The block subclass can use its checksum and version to discover the corresponding block schema, or can register a new block schema if the corresponding block schema does not yet exist on the Orion server.
### Example Use
_No response_
### Additional context
These changes will allow users to migrate block documents between block schema versions without needing to delete and recreate the block documents. | 1.0 | Allow a block document's associated block schema to be changed - ### First check
- [X] I added a descriptive title to this issue.
- [X] I used the GitHub search to find a similar request and didn't find it.
- [X] I searched the Prefect documentation for this feature.
### Prefect Version
2.x
### Describe the current behavior
When a block document is created it is associated with a block schema. Once a block document is created the Orion API offers no way to change the block schema that a block document is associated with. This means that if a change is a new block schema is created for a block type, the only way to use the new schema with an existing block document is to delete and recreate the block document.
### Describe the proposed behavior
The Orion API should allow a `block_schema_id` parameter to be passed in the body of the PATCH `/block_document/{id}` endpoint. The block document should be updated to be associated with the block schema with the provided `block_schema_id`. The API should verify that the block schema that the block document is being moved to is associated with the same block type as the block document. If any data updates are being made along with the block schema change, then the API should also verify that the new data for the block document adheres to the new block schema.
The Python client should be able to make these block schema changes via the existing `.save` method. When `overwrite=True` is passed into `.save`, the block subclass should discover the ID of its corresponding block schema and provide that as part of the block document update. The block subclass can use its checksum and version to discover the corresponding block schema, or can register a new block schema if the corresponding block schema does not yet exist on the Orion server.
### Example Use
_No response_
### Additional context
These changes will allow users to migrate block documents between block schema versions without needing to delete and recreate the block documents. | priority | allow a block document s associated block schema to be changed first check i added a descriptive title to this issue i used the github search to find a similar request and didn t find it i searched the prefect documentation for this feature prefect version x describe the current behavior when a block document is created it is associated with a block schema once a block document is created the orion api offers no way to change the block schema that a block document is associated with this means that if a change is a new block schema is created for a block type the only way to use the new schema with an existing block document is to delete and recreate the block document describe the proposed behavior the orion api should allow a block schema id parameter to be passed in the body of the patch block document id endpoint the block document should be updated to be associated with the block schema with the provided block schema id the api should verify that the block schema that the block document is being moved to is associated with the same block type as the block document if any data updates are being made along with the block schema change then the api should also verify that the new data for the block document adheres to the new block schema the python client should be able to make these block schema changes via the existing save method when overwrite true is passed into save the block subclass should discover the id of its corresponding block schema and provide that as part of the block document update the block subclass can use its checksum and version to discover the corresponding block schema or can register a new block schema if the corresponding block schema does not yet exist on the orion server example use no response additional context these changes will allow users to migrate block documents between block schema versions without needing to delete and recreate the block documents | 1 |
722,760 | 24,873,512,541 | IssuesEvent | 2022-10-27 17:02:34 | AY2223S1-CS2103T-W13-4/tp | https://api.github.com/repos/AY2223S1-CS2103T-W13-4/tp | closed | As a team leader, I want to search for tasks based on the task name | type.Story priority.High | ...so that I can retrieve task information quickly | 1.0 | As a team leader, I want to search for tasks based on the task name - ...so that I can retrieve task information quickly | priority | as a team leader i want to search for tasks based on the task name so that i can retrieve task information quickly | 1 |
431,425 | 12,479,276,978 | IssuesEvent | 2020-05-29 17:58:08 | newrelic/newrelic-client-go | https://api.github.com/repos/newrelic/newrelic-client-go | closed | EpochTime incorrectly unmarshals timestamps with Milliseconds | bug priority:high size:S | ### Description
Our custom EpochTime does not handle Unix timestamps in Seconds and Milliseconds, though depending on the API endpoint hit the value could be either.
https://github.com/newrelic/newrelic-client-go/blob/master/internal/serialization/epoch_time.go
### Go Version
`go version go1.14.3 darwin/amd64`
### Current behavior
Millis are passed to `time.Unix()` as Seconds, drastically pushing the date to the future:
```
expected: "2020-05-28 21:52:00 +0000 UTC"
actual : "52377-05-13 02:42:03 +0000 UTC"
```
### Expected behavior
EpochTime UnmarshalJSON correctly detects if there are milliseconds and returns a valid timestamp.
### References or Related Issues
- terraform-providers/terraform-provider-newrelic#610
| 1.0 | EpochTime incorrectly unmarshals timestamps with Milliseconds - ### Description
Our custom EpochTime does not handle Unix timestamps in Seconds and Milliseconds, though depending on the API endpoint hit the value could be either.
https://github.com/newrelic/newrelic-client-go/blob/master/internal/serialization/epoch_time.go
### Go Version
`go version go1.14.3 darwin/amd64`
### Current behavior
Millis are passed to `time.Unix()` as Seconds, drastically pushing the date to the future:
```
expected: "2020-05-28 21:52:00 +0000 UTC"
actual : "52377-05-13 02:42:03 +0000 UTC"
```
### Expected behavior
EpochTime UnmarshalJSON correctly detects if there are milliseconds and returns a valid timestamp.
### References or Related Issues
- terraform-providers/terraform-provider-newrelic#610
| priority | epochtime incorrectly unmarshals timestamps with milliseconds description our custom epochtime does not handle unix timestamps in seconds and milliseconds though depending on the api endpoint hit the value could be either go version go version darwin current behavior millis are passed to time unix as seconds drastically pushing the date to the future expected utc actual utc expected behavior epochtime unmarshaljson correctly detects if there are milliseconds and returns a valid timestamp references or related issues terraform providers terraform provider newrelic | 1 |
935 | 2,505,377,482 | IssuesEvent | 2015-01-11 12:51:55 | Araq/Nim | https://api.github.com/repos/Araq/Nim | closed | Internal error on tuple yield | High Priority Showstopper | Extracted from [forestfire](https://github.com/def-/nim-unsorted/blob/master/forestfire.nim):
```nim
type State = enum Empty, Tree, Fire
const disp: array[State, string] = [" ", "\e[32m/\\\e[m", "\e[07;31m/\\\e[m"]
var w, h = 30
iterator fields(a = (0,0), b = (h-1,w-1)) =
for y in max(a[0], 0) .. min(b[0], h-1):
for x in max(a[1], 0) .. min(b[1], w-1):
yield (y,x)
for y,x in fields():
stdout.write disp[univ[y][x]]
```
Prints:
```
min.nim(12, 17) Info: instantiation from here
min.nim(12, 17) Info: instantiation from here
min.nim(10, 12) Error: internal error: changeType: no tuple type for constructor
``` | 1.0 | Internal error on tuple yield - Extracted from [forestfire](https://github.com/def-/nim-unsorted/blob/master/forestfire.nim):
```nim
type State = enum Empty, Tree, Fire
const disp: array[State, string] = [" ", "\e[32m/\\\e[m", "\e[07;31m/\\\e[m"]
var w, h = 30
iterator fields(a = (0,0), b = (h-1,w-1)) =
for y in max(a[0], 0) .. min(b[0], h-1):
for x in max(a[1], 0) .. min(b[1], w-1):
yield (y,x)
for y,x in fields():
stdout.write disp[univ[y][x]]
```
Prints:
```
min.nim(12, 17) Info: instantiation from here
min.nim(12, 17) Info: instantiation from here
min.nim(10, 12) Error: internal error: changeType: no tuple type for constructor
``` | priority | internal error on tuple yield extracted from nim type state enum empty tree fire const disp array var w h iterator fields a b h w for y in max a min b h for x in max a min b w yield y x for y x in fields stdout write disp prints min nim info instantiation from here min nim info instantiation from here min nim error internal error changetype no tuple type for constructor | 1 |
181,764 | 6,663,942,521 | IssuesEvent | 2017-10-02 18:16:56 | mreishman/Log-Hog | https://api.github.com/repos/mreishman/Log-Hog | closed | Add option for beta branch vs regular branches | enhancement Priority - 1 - Very High | Add option to switch to beta branch (other than just default/developer) | 1.0 | Add option for beta branch vs regular branches - Add option to switch to beta branch (other than just default/developer) | priority | add option for beta branch vs regular branches add option to switch to beta branch other than just default developer | 1 |
687,969 | 23,543,873,938 | IssuesEvent | 2022-08-20 20:37:40 | ctm/mb2-doc | https://api.github.com/repos/ctm/mb2-doc | closed | logged in TableSessionId not recorded in table_sessions | bug high priority easy | Get rid of the deferred identities tsid warning, either by not trying to log or by special-casing it.
I've seen five of these messages in the log:
```
2022-07-03T23:18:46.989038293Z WARN [mb2::models] Could not insert NewTsidMessage { message: Object({"Private": Object({"DeferredIdentities": Array([Number(0), Array([String("☕ deadhead ☕")])])})}), table_session_id: TableSessionId(6466120250824989877) }: DatabaseError(ForeignKeyViolation, "insert or update on table \"tsid_messages\" violates foreign key constraint \"tsid_messages_table_session_id_fkey\"")
```
They're generated when mb2 tries to log a tsid message that's destined for an observer. Mb2 no longer logs observer tsid messages because it's far too expensive once we have thousands of observers. In fact, Mb2 doesn't even store the tablle session id of the observer in the database, which is why we get the foreign key constraint violation.
In general, mb2 can simply tell from the code path and pre-existing state whether a tsid is anon-only, but I'm not yet sure if we can do that with deferred identities. If we can, then I can simply turn off the logging there. If not, I can either simply turn off logging for all deferred identities or I can add state. I'd prefer not to add state, but it's something I'll consider, depending on what I find when I dig into this issue. | 1.0 | logged in TableSessionId not recorded in table_sessions - Get rid of the deferred identities tsid warning, either by not trying to log or by special-casing it.
I've seen five of these messages in the log:
```
2022-07-03T23:18:46.989038293Z WARN [mb2::models] Could not insert NewTsidMessage { message: Object({"Private": Object({"DeferredIdentities": Array([Number(0), Array([String("☕ deadhead ☕")])])})}), table_session_id: TableSessionId(6466120250824989877) }: DatabaseError(ForeignKeyViolation, "insert or update on table \"tsid_messages\" violates foreign key constraint \"tsid_messages_table_session_id_fkey\"")
```
They're generated when mb2 tries to log a tsid message that's destined for an observer. Mb2 no longer logs observer tsid messages because it's far too expensive once we have thousands of observers. In fact, Mb2 doesn't even store the tablle session id of the observer in the database, which is why we get the foreign key constraint violation.
In general, mb2 can simply tell from the code path and pre-existing state whether a tsid is anon-only, but I'm not yet sure if we can do that with deferred identities. If we can, then I can simply turn off the logging there. If not, I can either simply turn off logging for all deferred identities or I can add state. I'd prefer not to add state, but it's something I'll consider, depending on what I find when I dig into this issue. | priority | logged in tablesessionid not recorded in table sessions get rid of the deferred identities tsid warning either by not trying to log or by special casing it i ve seen five of these messages in the log warn could not insert newtsidmessage message object private object deferredidentities array table session id tablesessionid databaseerror foreignkeyviolation insert or update on table tsid messages violates foreign key constraint tsid messages table session id fkey they re generated when tries to log a tsid message that s destined for an observer no longer logs observer tsid messages because it s far too expensive once we have thousands of observers in fact doesn t even store the tablle session id of the observer in the database which is why we get the foreign key constraint violation in general can simply tell from the code path and pre existing state whether a tsid is anon only but i m not yet sure if we can do that with deferred identities if we can then i can simply turn off the logging there if not i can either simply turn off logging for all deferred identities or i can add state i d prefer not to add state but it s something i ll consider depending on what i find when i dig into this issue | 1 |
496,901 | 14,358,197,012 | IssuesEvent | 2020-11-30 14:07:26 | cds-snc/covid-alert-server | https://api.github.com/repos/cds-snc/covid-alert-server | closed | Fix build-and-push-gcr action | high priority | It uses deprecated and disabled features such as ::add-path:: and ::set-env:: it needs to either be updated, or have newer actions.
AC:
- [ ] build-and-push-gcr no longer fails. | 1.0 | Fix build-and-push-gcr action - It uses deprecated and disabled features such as ::add-path:: and ::set-env:: it needs to either be updated, or have newer actions.
AC:
- [ ] build-and-push-gcr no longer fails. | priority | fix build and push gcr action it uses deprecated and disabled features such as add path and set env it needs to either be updated or have newer actions ac build and push gcr no longer fails | 1 |
250,853 | 7,988,516,051 | IssuesEvent | 2018-07-19 11:20:45 | fossasia/susi_iOS | https://api.github.com/repos/fossasia/susi_iOS | closed | Make API calls to the local server of the speaker | Priority: High feature has-PR smart-speaker | **Feature**
Currently, the wifi can be switched to the speaker found, but api calls have to be made to the speaker so that auth credentials are passed to the speaker. Add a request to the server sending the user's auth credentials and the available wifi credentials.
Android issue https://github.com/fossasia/susi_android/issues/1444
**Would you like to work on the issue?**
Yes | 1.0 | Make API calls to the local server of the speaker - **Feature**
Currently, the wifi can be switched to the speaker found, but api calls have to be made to the speaker so that auth credentials are passed to the speaker. Add a request to the server sending the user's auth credentials and the available wifi credentials.
Android issue https://github.com/fossasia/susi_android/issues/1444
**Would you like to work on the issue?**
Yes | priority | make api calls to the local server of the speaker feature currently the wifi can be switched to the speaker found but api calls have to be made to the speaker so that auth credentials are passed to the speaker add a request to the server sending the user s auth credentials and the available wifi credentials android issue would you like to work on the issue yes | 1 |
387,978 | 11,472,789,346 | IssuesEvent | 2020-02-09 19:19:44 | fac18/joy | https://api.github.com/repos/fac18/joy | opened | Set up skeleton repo for react front end | CHORE HIGH PRIORITY | Initial react file structure with all the pages we need | 1.0 | Set up skeleton repo for react front end - Initial react file structure with all the pages we need | priority | set up skeleton repo for react front end initial react file structure with all the pages we need | 1 |
302,226 | 9,256,264,779 | IssuesEvent | 2019-03-16 17:34:35 | OpenbookOrg/openbook-app | https://api.github.com/repos/OpenbookOrg/openbook-app | opened | Validation for username is out of sync | bug priority:high | The validation for the username is out of sync with the backend validation. | 1.0 | Validation for username is out of sync - The validation for the username is out of sync with the backend validation. | priority | validation for username is out of sync the validation for the username is out of sync with the backend validation | 1 |
449,088 | 12,963,151,370 | IssuesEvent | 2020-07-20 18:18:45 | NVIDIA/TRTorch | https://api.github.com/repos/NVIDIA/TRTorch | closed | NGC containers use cxx11 abi for python as well | bug component: api [Python] priority: high | NGC containers use CXX11 abi in their python distribution vs the pre cxx11 abi used in official pytorch. This means that compilation of the python api for trtorch fails in the container. We need to add an option that builds a separate cxx11 based python package for use only in NGC containers. | 1.0 | NGC containers use cxx11 abi for python as well - NGC containers use CXX11 abi in their python distribution vs the pre cxx11 abi used in official pytorch. This means that compilation of the python api for trtorch fails in the container. We need to add an option that builds a separate cxx11 based python package for use only in NGC containers. | priority | ngc containers use abi for python as well ngc containers use abi in their python distribution vs the pre abi used in official pytorch this means that compilation of the python api for trtorch fails in the container we need to add an option that builds a separate based python package for use only in ngc containers | 1 |
252,913 | 8,048,463,604 | IssuesEvent | 2018-08-01 06:51:13 | kowala-tech/kcoin | https://api.github.com/repos/kowala-tech/kcoin | closed | Provide assets to the crypto exchange Exrates to get kUSD listed | High priority andromeda-launch | We need to provide assets to the crypto exchange Exrates to get kUSD listed. It looks like they can get started by using our testnet.
Here is my summary of what they need:
• source code
• build instructions
• binary files
• block explorer
• wallet (web or desktop)
• testnet info
• faucet
For details of their requirements, see page 2 of the attached document, under "3. Ethereum fork coins".
[Technical Requirements.pdf](https://github.com/kowala-tech/kcoin/files/2138076/Technical.Requirements.pdf)
| 1.0 | Provide assets to the crypto exchange Exrates to get kUSD listed - We need to provide assets to the crypto exchange Exrates to get kUSD listed. It looks like they can get started by using our testnet.
Here is my summary of what they need:
• source code
• build instructions
• binary files
• block explorer
• wallet (web or desktop)
• testnet info
• faucet
For details of their requirements, see page 2 of the attached document, under "3. Ethereum fork coins".
[Technical Requirements.pdf](https://github.com/kowala-tech/kcoin/files/2138076/Technical.Requirements.pdf)
| priority | provide assets to the crypto exchange exrates to get kusd listed we need to provide assets to the crypto exchange exrates to get kusd listed it looks like they can get started by using our testnet here is my summary of what they need • source code • build instructions • binary files • block explorer • wallet web or desktop • testnet info • faucet for details of their requirements see page of the attached document under ethereum fork coins | 1 |
73,656 | 3,419,252,906 | IssuesEvent | 2015-12-08 08:46:46 | VertNet/georefcalculator | https://api.github.com/repos/VertNet/georefcalculator | closed | BUG: Clearing values in converters does not clear results in converters | bug high priority | Enter 10 in Distance converter text box
Select "mi" in from units
Select "km" in to units
Expected: 16.09344 in results
Observed: 16.09344 in results
So far, so good.
Now, clear 10 from Distance converter text box
Expected: clear results
Observed: no change in results (remains 16.09344)
Similarly for Scale converter. | 1.0 | BUG: Clearing values in converters does not clear results in converters - Enter 10 in Distance converter text box
Select "mi" in from units
Select "km" in to units
Expected: 16.09344 in results
Observed: 16.09344 in results
So far, so good.
Now, clear 10 from Distance converter text box
Expected: clear results
Observed: no change in results (remains 16.09344)
Similarly for Scale converter. | priority | bug clearing values in converters does not clear results in converters enter in distance converter text box select mi in from units select km in to units expected in results observed in results so far so good now clear from distance converter text box expected clear results observed no change in results remains similarly for scale converter | 1 |
230,340 | 7,607,187,975 | IssuesEvent | 2018-04-30 15:40:25 | Azure/open-service-broker-azure | https://api.github.com/repos/Azure/open-service-broker-azure | closed | Update MySQL and PostgreSQL Plans | high priority | MySQL and PostgreSQL have new billing models that allow more fine grained control of things like storage and have introduced a new concept called vCores instead of DTUs. We should update the plans to reflect this and keep them in line with what a user would see in the Azure portal. | 1.0 | Update MySQL and PostgreSQL Plans - MySQL and PostgreSQL have new billing models that allow more fine grained control of things like storage and have introduced a new concept called vCores instead of DTUs. We should update the plans to reflect this and keep them in line with what a user would see in the Azure portal. | priority | update mysql and postgresql plans mysql and postgresql have new billing models that allow more fine grained control of things like storage and have introduced a new concept called vcores instead of dtus we should update the plans to reflect this and keep them in line with what a user would see in the azure portal | 1 |
240,286 | 7,800,812,686 | IssuesEvent | 2018-06-09 13:56:35 | tine20/Tine-2.0-Open-Source-Groupware-and-CRM | https://api.github.com/repos/tine20/Tine-2.0-Open-Source-Groupware-and-CRM | closed | 0011514:
Zenderor on update of contact record | Bug Mantis Other high priority not a bug | **Reported by nothere on 3 Jan 2016 15:05**
**Version:** Elena Community Edition (2015.07.7)
Currently implementing and testing the class to integrate tine20 with evlolution
when filling most of the fields evloution provides when updating the record i do get the following error
PHP Fatal error: require_once(): Failed opening required 'Zend/Service/Nominatim/Result.php' (include_path='.:/usr/share/tine20:/usr/share/tine20/library:/etc/tine20') in /usr/share/tine20/library/zf1ext/Zend/Service/Nominatim/ResultSet.php on line 28
The reason is that the Nominatim folder is stored in /usr/share/tine20/library/zf1ext/Zend/Service# and not in /usr/share/tine20/library/Zend/Service where it is expected and searchd by php based upon the defined linclude path.
Fix would be to include /usr/share/tine20/library/zf1ext within the include path but is that the desired solution
| 1.0 | 0011514:
Zenderor on update of contact record - **Reported by nothere on 3 Jan 2016 15:05**
**Version:** Elena Community Edition (2015.07.7)
Currently implementing and testing the class to integrate tine20 with evlolution
when filling most of the fields evloution provides when updating the record i do get the following error
PHP Fatal error: require_once(): Failed opening required 'Zend/Service/Nominatim/Result.php' (include_path='.:/usr/share/tine20:/usr/share/tine20/library:/etc/tine20') in /usr/share/tine20/library/zf1ext/Zend/Service/Nominatim/ResultSet.php on line 28
The reason is that the Nominatim folder is stored in /usr/share/tine20/library/zf1ext/Zend/Service# and not in /usr/share/tine20/library/Zend/Service where it is expected and searchd by php based upon the defined linclude path.
Fix would be to include /usr/share/tine20/library/zf1ext within the include path but is that the desired solution
| priority | zenderor on update of contact record reported by nothere on jan version elena community edition currently implementing and testing the class to integrate with evlolution when filling most of the fields evloution provides when updating the record i do get the following error php fatal error require once failed opening required zend service nominatim result php include path usr share usr share library etc in usr share library zend service nominatim resultset php on line the reason is that the nominatim folder is stored in usr share library zend service and not in usr share library zend service where it is expected and searchd by php based upon the defined linclude path fix would be to include usr share library within the include path but is that the desired solution | 1 |
686,510 | 23,493,964,746 | IssuesEvent | 2022-08-17 21:56:52 | gdg-garage/space-tycoon | https://api.github.com/repos/gdg-garage/space-tycoon | closed | data api should return reports/events for the scpecific tick | high priority | added reports to data:
- combat events
- trade events
not added:
- ~averaged resource prices~
- ~profiling~
- ~player score~ - this is already contained in data | 1.0 | data api should return reports/events for the scpecific tick - added reports to data:
- combat events
- trade events
not added:
- ~averaged resource prices~
- ~profiling~
- ~player score~ - this is already contained in data | priority | data api should return reports events for the scpecific tick added reports to data combat events trade events not added averaged resource prices profiling player score this is already contained in data | 1 |
729,927 | 25,150,998,754 | IssuesEvent | 2022-11-10 10:00:28 | 3liz/lizmap-web-client | https://api.github.com/repos/3liz/lizmap-web-client | closed | QGIS Project & cfg files with a space in the name cannot be used by LWC | bug map viewer priority:high | When the project file contains a space, Lizmap Web Client do not show it in the home page.
I need to check if the project can still be accessed with URL `&project=my+project+name`
Tested with Lizmap Web Client 3.3.12 & QGIS Desktop/Server 3.10 | 1.0 | QGIS Project & cfg files with a space in the name cannot be used by LWC - When the project file contains a space, Lizmap Web Client do not show it in the home page.
I need to check if the project can still be accessed with URL `&project=my+project+name`
Tested with Lizmap Web Client 3.3.12 & QGIS Desktop/Server 3.10 | priority | qgis project cfg files with a space in the name cannot be used by lwc when the project file contains a space lizmap web client do not show it in the home page i need to check if the project can still be accessed with url project my project name tested with lizmap web client qgis desktop server | 1 |
359,312 | 10,674,062,241 | IssuesEvent | 2019-10-21 08:39:59 | canonical-web-and-design/snapcraft.io | https://api.github.com/repos/canonical-web-and-design/snapcraft.io | closed | #docs Text wrap width is narrower than table and code width | Priority: High | Normal text will often wrap before the width of code and table blocks, which doesn't look aligned and optimal in my opinion.
This from https://snapcraft.io/docs:

Another example from https://snapcraft.io/docs/installing-snap-on-red-hat:

| 1.0 | #docs Text wrap width is narrower than table and code width - Normal text will often wrap before the width of code and table blocks, which doesn't look aligned and optimal in my opinion.
This from https://snapcraft.io/docs:

Another example from https://snapcraft.io/docs/installing-snap-on-red-hat:

| priority | docs text wrap width is narrower than table and code width normal text will often wrap before the width of code and table blocks which doesn t look aligned and optimal in my opinion this from another example from | 1 |
682,256 | 23,338,764,043 | IssuesEvent | 2022-08-09 12:24:12 | ballerina-platform/ballerina-dev-website | https://api.github.com/repos/ballerina-platform/ballerina-dev-website | closed | Add the Subscribe via RSS button to the B.io footer | Priority/Highest Area/UIUX Type/Improvement WebsiteRewrite | **Description:**
Add the Subscribe via RSS button of `blog.ballerina.io` to the main footer of B.io as well.
**Describe your problem(s)**
**Describe your solution(s)**
**Related Issues (optional):**
<!-- Any related issues such as sub tasks, issues reported in other repositories (e.g component repositories), similar problems, etc. -->
**Suggested Labels (optional):**
<!-- Optional comma separated list of suggested labels. Non committers can’t assign labels to issues, so this will help issue creators who are not a committer to suggest possible labels-->
**Suggested Assignees (optional):**
<!--Optional comma separated list of suggested team members who should attend the issue. Non committers can’t assign issues to assignees, so this will help issue creators who are not a committer to suggest possible assignees-->
| 1.0 | Add the Subscribe via RSS button to the B.io footer - **Description:**
Add the Subscribe via RSS button of `blog.ballerina.io` to the main footer of B.io as well.
**Describe your problem(s)**
**Describe your solution(s)**
**Related Issues (optional):**
<!-- Any related issues such as sub tasks, issues reported in other repositories (e.g component repositories), similar problems, etc. -->
**Suggested Labels (optional):**
<!-- Optional comma separated list of suggested labels. Non committers can’t assign labels to issues, so this will help issue creators who are not a committer to suggest possible labels-->
**Suggested Assignees (optional):**
<!--Optional comma separated list of suggested team members who should attend the issue. Non committers can’t assign issues to assignees, so this will help issue creators who are not a committer to suggest possible assignees-->
| priority | add the subscribe via rss button to the b io footer description add the subscribe via rss button of blog ballerina io to the main footer of b io as well describe your problem s describe your solution s related issues optional suggested labels optional suggested assignees optional | 1 |
526,245 | 15,284,318,033 | IssuesEvent | 2021-02-23 12:04:27 | red-hat-storage/ocs-ci | https://api.github.com/repos/red-hat-storage/ocs-ci | closed | Deployed new Azure cluster using Jenkins, observed resources are not locked | High Priority | Deployed a new Azure cluster using jenkins https://ocs4-jenkins-csb-ocsqe.apps.ocp4.prod.psi.redhat.com/job/qe-deploy-ocs-cluster/745/
Observed resources are not locked after Jenkins cluster deployment. | 1.0 | Deployed new Azure cluster using Jenkins, observed resources are not locked - Deployed a new Azure cluster using jenkins https://ocs4-jenkins-csb-ocsqe.apps.ocp4.prod.psi.redhat.com/job/qe-deploy-ocs-cluster/745/
Observed resources are not locked after Jenkins cluster deployment. | priority | deployed new azure cluster using jenkins observed resources are not locked deployed a new azure cluster using jenkins observed resources are not locked after jenkins cluster deployment | 1 |
340,724 | 10,277,779,813 | IssuesEvent | 2019-08-25 08:23:49 | qgis/QGIS | https://api.github.com/repos/qgis/QGIS | closed | QGIS crashes on closing | Bug Crash/Data Corruption Feedback High Priority | Author Name: **Karsten Tebling** (Karsten Tebling)
Original Redmine Issue: [22094](https://issues.qgis.org/issues/22094)
Affected QGIS version: 3.6.2
Redmine category:unknown
---
## User Feedback
QGIS crashed when I closed it while having 4 csv-files and one WMS open
## Report Details
*Crash ID*: 03dc7fee4fc9d39a290f3c5190fb31b9fcb2ed96
*Stack Trace*
```
QgsAuthManager::createConfigTables :
QgsAuthManager::configIds :
QgsAuthManager::configIds :
QgsAuthManager::defaultCertTrustPolicy :
QgsAuthMethodRegistry::operator= :
QMetaObject::activate :
QThread::finished :
QThread::currentThreadId :
QThread::start :
BaseThreadInitThunk :
RtlUserThreadStart :
```
*QGIS Info*
QGIS Version: 3.6.2-Noosa
QGIS code revision: 656500e0c4
Compiled against Qt: 5.11.2
Running against Qt: 5.11.2
Compiled against GDAL: 2.4.1
Running against GDAL: 2.4.1
*System Info*
CPU Type: x86_64
Kernel Type: winnt
Kernel Version: 6.1.7601
| 1.0 | QGIS crashes on closing - Author Name: **Karsten Tebling** (Karsten Tebling)
Original Redmine Issue: [22094](https://issues.qgis.org/issues/22094)
Affected QGIS version: 3.6.2
Redmine category:unknown
---
## User Feedback
QGIS crashed when I closed it while having 4 csv-files and one WMS open
## Report Details
*Crash ID*: 03dc7fee4fc9d39a290f3c5190fb31b9fcb2ed96
*Stack Trace*
```
QgsAuthManager::createConfigTables :
QgsAuthManager::configIds :
QgsAuthManager::configIds :
QgsAuthManager::defaultCertTrustPolicy :
QgsAuthMethodRegistry::operator= :
QMetaObject::activate :
QThread::finished :
QThread::currentThreadId :
QThread::start :
BaseThreadInitThunk :
RtlUserThreadStart :
```
*QGIS Info*
QGIS Version: 3.6.2-Noosa
QGIS code revision: 656500e0c4
Compiled against Qt: 5.11.2
Running against Qt: 5.11.2
Compiled against GDAL: 2.4.1
Running against GDAL: 2.4.1
*System Info*
CPU Type: x86_64
Kernel Type: winnt
Kernel Version: 6.1.7601
| priority | qgis crashes on closing author name karsten tebling karsten tebling original redmine issue affected qgis version redmine category unknown user feedback qgis crashed when i closed it while having csv files and one wms open report details crash id stack trace qgsauthmanager createconfigtables qgsauthmanager configids qgsauthmanager configids qgsauthmanager defaultcerttrustpolicy qgsauthmethodregistry operator qmetaobject activate qthread finished qthread currentthreadid qthread start basethreadinitthunk rtluserthreadstart qgis info qgis version noosa qgis code revision compiled against qt running against qt compiled against gdal running against gdal system info cpu type kernel type winnt kernel version | 1 |
91,734 | 3,862,309,382 | IssuesEvent | 2016-04-08 01:53:02 | tumblr/colossus | https://api.github.com/repos/tumblr/colossus | opened | Metrics are not being stored in a MetricContext's Collection correctly | bug priority:high project:metrics scope:small | MetricContexts share Collections. When a Metric is added to a Collection, it is being stored using its relative MetricAddress, not the full MetricAddress which is prefixed by the MetricContext.
Cases that break:
```scala
//not using implicits here, just to illustrate the point. Imagine these 2 metrics are created miles away from each other
val namespace = MetricContext("/", new Collection(CollectorConfig(Seq(1.minute, 1.second))))
val subName = namespace / "bar"
val rate = Rate("bar", false, true)(namespace)
//miles away
val rate2 = Counter("bar", true)(subName)
//the above line throws a DuplicateMetricException
```
another:
```scala
//not using implicits here, just to illustrate the point. Imagine these 2 metrics are created miles away from each other
val namespace = MetricContext("/", new Collection(CollectorConfig(Seq(1.minute, 1.second))))
val subName = namespace / "bar"
val rate = Rate("bar", false, true)(namespace)
//miles away
val rate2 = Rate("bar", true)(subName)
namespace.collection.collectors.size() //should be 2 .. is 1
```
Potential Solutions:
We have a few options:
- Don't share collections. Every sub should have a new collection, which gets registered with the MetricSystem on creation
- proxy "getOrAdd" on the MetricContext, so that it can be make sure the namespace is being properly applied
One thing which is bothering me a tad, is that even if we did proxy the getOrAdd function, actual Metric creation happens outside of the Context, so there is no guarantee that the Metric's address is actually in the namespace. Not sure if there is much we can do about that, at least not without going crazy.
| 1.0 | Metrics are not being stored in a MetricContext's Collection correctly - MetricContexts share Collections. When a Metric is added to a Collection, it is being stored using its relative MetricAddress, not the full MetricAddress which is prefixed by the MetricContext.
Cases that break:
```scala
//not using implicits here, just to illustrate the point. Imagine these 2 metrics are created miles away from each other
val namespace = MetricContext("/", new Collection(CollectorConfig(Seq(1.minute, 1.second))))
val subName = namespace / "bar"
val rate = Rate("bar", false, true)(namespace)
//miles away
val rate2 = Counter("bar", true)(subName)
//the above line throws a DuplicateMetricException
```
another:
```scala
//not using implicits here, just to illustrate the point. Imagine these 2 metrics are created miles away from each other
val namespace = MetricContext("/", new Collection(CollectorConfig(Seq(1.minute, 1.second))))
val subName = namespace / "bar"
val rate = Rate("bar", false, true)(namespace)
//miles away
val rate2 = Rate("bar", true)(subName)
namespace.collection.collectors.size() //should be 2 .. is 1
```
Potential Solutions:
We have a few options:
- Don't share collections. Every sub should have a new collection, which gets registered with the MetricSystem on creation
- proxy "getOrAdd" on the MetricContext, so that it can be make sure the namespace is being properly applied
One thing which is bothering me a tad, is that even if we did proxy the getOrAdd function, actual Metric creation happens outside of the Context, so there is no guarantee that the Metric's address is actually in the namespace. Not sure if there is much we can do about that, at least not without going crazy.
| priority | metrics are not being stored in a metriccontext s collection correctly metriccontexts share collections when a metric is added to a collection it is being stored using its relative metricaddress not the full metricaddress which is prefixed by the metriccontext cases that break scala not using implicits here just to illustrate the point imagine these metrics are created miles away from each other val namespace metriccontext new collection collectorconfig seq minute second val subname namespace bar val rate rate bar false true namespace miles away val counter bar true subname the above line throws a duplicatemetricexception another scala not using implicits here just to illustrate the point imagine these metrics are created miles away from each other val namespace metriccontext new collection collectorconfig seq minute second val subname namespace bar val rate rate bar false true namespace miles away val rate bar true subname namespace collection collectors size should be is potential solutions we have a few options don t share collections every sub should have a new collection which gets registered with the metricsystem on creation proxy getoradd on the metriccontext so that it can be make sure the namespace is being properly applied one thing which is bothering me a tad is that even if we did proxy the getoradd function actual metric creation happens outside of the context so there is no guarantee that the metric s address is actually in the namespace not sure if there is much we can do about that at least not without going crazy | 1 |
577,876 | 17,138,154,440 | IssuesEvent | 2021-07-13 06:23:25 | airbytehq/airbyte | https://api.github.com/repos/airbytehq/airbyte | closed | Periodic connector builds aren't running | area/connectors priority/high type/bug | A large number of connectors don't seem to have builds running consistently since July 2nd
https://status-api.airbyte.io/tests/summary/destination-bigquery/
https://status-api.airbyte.io/tests/summary/destination-local-json/
https://status-api.airbyte.io/tests/summary/destination-postgres/
| 1.0 | Periodic connector builds aren't running - A large number of connectors don't seem to have builds running consistently since July 2nd
https://status-api.airbyte.io/tests/summary/destination-bigquery/
https://status-api.airbyte.io/tests/summary/destination-local-json/
https://status-api.airbyte.io/tests/summary/destination-postgres/
| priority | periodic connector builds aren t running a large number of connectors don t seem to have builds running consistently since july | 1 |
423,765 | 12,301,886,018 | IssuesEvent | 2020-05-11 16:04:37 | maticnetwork/heimdall | https://api.github.com/repos/maticnetwork/heimdall | closed | Accept checkpoints only after `N` confirmations | bug high-priority | Currently, we send checkpoints as soon as the average checkpoint length is achieved, we should ideally wait for `one sprint` before we accept a new checkpoint. | 1.0 | Accept checkpoints only after `N` confirmations - Currently, we send checkpoints as soon as the average checkpoint length is achieved, we should ideally wait for `one sprint` before we accept a new checkpoint. | priority | accept checkpoints only after n confirmations currently we send checkpoints as soon as the average checkpoint length is achieved we should ideally wait for one sprint before we accept a new checkpoint | 1 |
793,297 | 27,989,738,542 | IssuesEvent | 2023-03-27 01:57:30 | AY2223S2-CS2103T-T15-1/tp | https://api.github.com/repos/AY2223S2-CS2103T-T15-1/tp | closed | Add draft DG documentation for UI components | type.Task priority.High | For future reference and easier onboarding of new developers onto the project.
To cover:
1. Calls to Logic from Ui
2. Ui setup and structure
3. Edit Mode switch flow | 1.0 | Add draft DG documentation for UI components - For future reference and easier onboarding of new developers onto the project.
To cover:
1. Calls to Logic from Ui
2. Ui setup and structure
3. Edit Mode switch flow | priority | add draft dg documentation for ui components for future reference and easier onboarding of new developers onto the project to cover calls to logic from ui ui setup and structure edit mode switch flow | 1 |
417 | 2,496,548,573 | IssuesEvent | 2015-01-06 20:22:49 | IQSS/dataverse.org | https://api.github.com/repos/IQSS/dataverse.org | opened | Clean up Getting Started Page | Component: Content Priority: High Type: Feature | Discussed with @mcrosas the following changes to be made in the short-term for the Getting Started page. Will further refine this page after 4.0 is released (tracked in a separate ticket #45 )
* Make sure references to the repository instances are all written as "Dataverse Repository".
* Where available/applicable: add links to guides or webpages.
* Change main header text from "Getting Started" to "Getting Started: Add Data"
| 1.0 | Clean up Getting Started Page - Discussed with @mcrosas the following changes to be made in the short-term for the Getting Started page. Will further refine this page after 4.0 is released (tracked in a separate ticket #45 )
* Make sure references to the repository instances are all written as "Dataverse Repository".
* Where available/applicable: add links to guides or webpages.
* Change main header text from "Getting Started" to "Getting Started: Add Data"
| priority | clean up getting started page discussed with mcrosas the following changes to be made in the short term for the getting started page will further refine this page after is released tracked in a separate ticket make sure references to the repository instances are all written as dataverse repository where available applicable add links to guides or webpages change main header text from getting started to getting started add data | 1 |
518,507 | 15,029,364,873 | IssuesEvent | 2021-02-02 05:23:10 | unitystation/unitystation | https://api.github.com/repos/unitystation/unitystation | closed | O2, fire, pressure icons are invisible when playing as client | Priority: High Type: Bug | ### Environment
- Game Version: 20012600
- OS Version: NA
### Detailed description of bug
Danger notification icons are invisible on latest develop version when you are playing as client.
### Steps to reproduce
1. Join staging
2. Jump out an airlock
3. Notice you're dying because of pressure and no o2, but there is no icons
| 1.0 | O2, fire, pressure icons are invisible when playing as client - ### Environment
- Game Version: 20012600
- OS Version: NA
### Detailed description of bug
Danger notification icons are invisible on latest develop version when you are playing as client.
### Steps to reproduce
1. Join staging
2. Jump out an airlock
3. Notice you're dying because of pressure and no o2, but there is no icons
| priority | fire pressure icons are invisible when playing as client environment game version os version na detailed description of bug danger notification icons are invisible on latest develop version when you are playing as client steps to reproduce join staging jump out an airlock notice you re dying because of pressure and no but there is no icons | 1 |
179,112 | 6,621,640,083 | IssuesEvent | 2017-09-21 19:59:14 | Polymer/web-component-tester | https://api.github.com/repos/Polymer/web-component-tester | closed | Add SauceLabs coverage for WCT integration tests. IE11 broken recently | Priority: High Status: Completed Type: Maintenance | This will increase WCT's already LONG Travis CI runs, but it is necessary to ensure we don't break IE11 support again. | 1.0 | Add SauceLabs coverage for WCT integration tests. IE11 broken recently - This will increase WCT's already LONG Travis CI runs, but it is necessary to ensure we don't break IE11 support again. | priority | add saucelabs coverage for wct integration tests broken recently this will increase wct s already long travis ci runs but it is necessary to ensure we don t break support again | 1 |
340,857 | 10,279,339,746 | IssuesEvent | 2019-08-25 22:12:09 | siphomateke/zra-helper | https://api.github.com/repos/siphomateke/zra-helper | reopened | Output of retries of pending liabilities action excludes tax types from the original run | action: pending liabilities bug effort: high priority: high question | **Version**
v1.4.0
**Describe the bug**
When retrying the pending liabilities action, the output only includes the tax types that failed and were retried. This makes it hard to combine the outputs once the data is exported.
**To Reproduce**
Steps to reproduce the behavior:
1. Run pending liabilities action
2. Make some pending liabilities fail possibly by disabling or throttling the internet connection
3. Retry the action
4. Observe the output is missing tax types from the original run
**Expected behavior**
All tax types that were in the original output of the action should be included in the output of the retry.
| 1.0 | Output of retries of pending liabilities action excludes tax types from the original run - **Version**
v1.4.0
**Describe the bug**
When retrying the pending liabilities action, the output only includes the tax types that failed and were retried. This makes it hard to combine the outputs once the data is exported.
**To Reproduce**
Steps to reproduce the behavior:
1. Run pending liabilities action
2. Make some pending liabilities fail possibly by disabling or throttling the internet connection
3. Retry the action
4. Observe the output is missing tax types from the original run
**Expected behavior**
All tax types that were in the original output of the action should be included in the output of the retry.
| priority | output of retries of pending liabilities action excludes tax types from the original run version describe the bug when retrying the pending liabilities action the output only includes the tax types that failed and were retried this makes it hard to combine the outputs once the data is exported to reproduce steps to reproduce the behavior run pending liabilities action make some pending liabilities fail possibly by disabling or throttling the internet connection retry the action observe the output is missing tax types from the original run expected behavior all tax types that were in the original output of the action should be included in the output of the retry | 1 |
407,563 | 11,923,663,850 | IssuesEvent | 2020-04-01 08:14:58 | jacob-and-nathan/SoftwarePlanner | https://api.github.com/repos/jacob-and-nathan/SoftwarePlanner | closed | Create an animation for the edit mode button | Priority: High enhancement help wanted | When you click on a text area, or input when you AREN'T in edit mode, it would be nice to have some sort of animation to show that you need to GO to edit mode. Maybe the edit mode button could shake? | 1.0 | Create an animation for the edit mode button - When you click on a text area, or input when you AREN'T in edit mode, it would be nice to have some sort of animation to show that you need to GO to edit mode. Maybe the edit mode button could shake? | priority | create an animation for the edit mode button when you click on a text area or input when you aren t in edit mode it would be nice to have some sort of animation to show that you need to go to edit mode maybe the edit mode button could shake | 1 |
781,208 | 27,427,773,270 | IssuesEvent | 2023-03-01 21:49:05 | bcgov/cas-ciip-portal | https://api.github.com/repos/bcgov/cas-ciip-portal | closed | Bug: CIIP duplicate email logins are allowed to be logged in | bug High Priority Giraffe 🦒 | Describe the Bug:
If a user logs in when a user record exists for their email, their session_sub is different, and the allow_sub_update flag is set to false, the record is not updated but the user is still logged in.
Expected behaviour: An error message is displayed and the user is logged out.
This is not an issue presently as the IDIR login guarantees that email unicity, but will be if multiple login methods are allowed.
Probability (how likely the bug is to happen, scored from 1-5): 1
Effect (how bad the bug is when it does happen, scored from 1-5): 5
| 1.0 | Bug: CIIP duplicate email logins are allowed to be logged in - Describe the Bug:
If a user logs in when a user record exists for their email, their session_sub is different, and the allow_sub_update flag is set to false, the record is not updated but the user is still logged in.
Expected behaviour: An error message is displayed and the user is logged out.
This is not an issue presently as the IDIR login guarantees that email unicity, but will be if multiple login methods are allowed.
Probability (how likely the bug is to happen, scored from 1-5): 1
Effect (how bad the bug is when it does happen, scored from 1-5): 5
| priority | bug ciip duplicate email logins are allowed to be logged in describe the bug if a user logs in when a user record exists for their email their session sub is different and the allow sub update flag is set to false the record is not updated but the user is still logged in expected behaviour an error message is displayed and the user is logged out this is not an issue presently as the idir login guarantees that email unicity but will be if multiple login methods are allowed probability how likely the bug is to happen scored from effect how bad the bug is when it does happen scored from | 1 |
402,250 | 11,806,896,219 | IssuesEvent | 2020-03-19 10:23:40 | a2000-erp-team/WEBERP | https://api.github.com/repos/a2000-erp-team/WEBERP | closed | Purchase Order Reschedule Missing in Purchase=>Billings | High Priority bug | Purchase Order Reschedule Missing

 | 1.0 | Purchase Order Reschedule Missing in Purchase=>Billings - Purchase Order Reschedule Missing

 | priority | purchase order reschedule missing in purchase billings purchase order reschedule missing | 1 |
750,976 | 26,227,037,172 | IssuesEvent | 2023-01-04 19:44:11 | encorelab/ck-board | https://api.github.com/repos/encorelab/ck-board | closed | Fix CK Monitor button styling | bug high priority | In the left pane, the "Monitor Task" buttons overflow (see below). Please prevent buttons from overflowing (as was fixed in the CK Workspace).
<img width="270" alt="Screen Shot 2023-01-01 at 11 38 32 PM" src="https://user-images.githubusercontent.com/6416247/210195537-95f2e59d-c4eb-4be3-be7d-9cb771126103.png">
| 1.0 | Fix CK Monitor button styling - In the left pane, the "Monitor Task" buttons overflow (see below). Please prevent buttons from overflowing (as was fixed in the CK Workspace).
<img width="270" alt="Screen Shot 2023-01-01 at 11 38 32 PM" src="https://user-images.githubusercontent.com/6416247/210195537-95f2e59d-c4eb-4be3-be7d-9cb771126103.png">
| priority | fix ck monitor button styling in the left pane the monitor task buttons overflow see below please prevent buttons from overflowing as was fixed in the ck workspace img width alt screen shot at pm src | 1 |
819,144 | 30,721,975,903 | IssuesEvent | 2023-07-27 16:34:45 | MCPositron/MCPositron | https://api.github.com/repos/MCPositron/MCPositron | closed | Refactor player related classes | enhancement high priority | - [x] Move player related classes to new package player
- [x] Move player related methods to new class PlayerManager | 1.0 | Refactor player related classes - - [x] Move player related classes to new package player
- [x] Move player related methods to new class PlayerManager | priority | refactor player related classes move player related classes to new package player move player related methods to new class playermanager | 1 |
199,504 | 6,989,833,335 | IssuesEvent | 2017-12-14 17:24:13 | salesagility/SuiteCRM | https://api.github.com/repos/salesagility/SuiteCRM | closed | 2 users of same email accounts - when one user import email.. it will cause for second problems | bug Fix Proposed High Priority Resolved: Next Release | <!--- Provide a general summary of the issue in the **Title** above -->
<!--- Before you open an issue, please check if a similar issue already exists or has been closed before. --->
#### Issue
<!--- Provide a more detailed introduction to the issue itself, and why you consider it to be a bug -->
When you create personal email accounts (e.g. test@test.com) for 2 or more users, it has few issues if first user imported email...
Second user will see in listview that somebody imported email and when go into detailview of email will see:
1. the body of email is empty (in email program like Thunderbird i see that there is content)
2. I see in action menu button Import.. but how can be there if email was imported?
3. We don't see the sub panels in detailview of this imported email
Problem is that issue one time repeat and one time not... still searching the milestone where will for sure 100% replicate the issue
Have somebody similar problem? or could add more info if has?
#### Expected Behavior
<!--- Tell us what should happen -->
Imported emails for second user of same email account should show body content + there will no import button
#### Steps to Reproduce
<!--- Provide a link to a live example, or an unambiguous set of steps to -->
<!--- reproduce this bug include code to reproduce, if relevant -->
1. Create for 2 or more users same personal email account
2. Import one email and switch to other user account
#### Context
<!--- How has this bug affected you? What were you trying to accomplish? -->
<!--- If you feel this should be a low/medium/high priority then please state so -->
#### Your Environment
<!--- Include as many relevant details about the environment you experienced the bug in -->
* SuiteCRM Version used: SuiteCRM 7.9.4
* Browser name and version: Chrome 56.x 64-bit
* Environment name and version: PHP 7.0.16, MySQL 5.6
* Operating System and version : Win 10 Home
| 1.0 | 2 users of same email accounts - when one user import email.. it will cause for second problems - <!--- Provide a general summary of the issue in the **Title** above -->
<!--- Before you open an issue, please check if a similar issue already exists or has been closed before. --->
#### Issue
<!--- Provide a more detailed introduction to the issue itself, and why you consider it to be a bug -->
When you create personal email accounts (e.g. test@test.com) for 2 or more users, it has few issues if first user imported email...
Second user will see in listview that somebody imported email and when go into detailview of email will see:
1. the body of email is empty (in email program like Thunderbird i see that there is content)
2. I see in action menu button Import.. but how can be there if email was imported?
3. We don't see the sub panels in detailview of this imported email
Problem is that issue one time repeat and one time not... still searching the milestone where will for sure 100% replicate the issue
Have somebody similar problem? or could add more info if has?
#### Expected Behavior
<!--- Tell us what should happen -->
Imported emails for second user of same email account should show body content + there will no import button
#### Steps to Reproduce
<!--- Provide a link to a live example, or an unambiguous set of steps to -->
<!--- reproduce this bug include code to reproduce, if relevant -->
1. Create for 2 or more users same personal email account
2. Import one email and switch to other user account
#### Context
<!--- How has this bug affected you? What were you trying to accomplish? -->
<!--- If you feel this should be a low/medium/high priority then please state so -->
#### Your Environment
<!--- Include as many relevant details about the environment you experienced the bug in -->
* SuiteCRM Version used: SuiteCRM 7.9.4
* Browser name and version: Chrome 56.x 64-bit
* Environment name and version: PHP 7.0.16, MySQL 5.6
* Operating System and version : Win 10 Home
| priority | users of same email accounts when one user import email it will cause for second problems issue when you create personal email accounts e g test test com for or more users it has few issues if first user imported email second user will see in listview that somebody imported email and when go into detailview of email will see the body of email is empty in email program like thunderbird i see that there is content i see in action menu button import but how can be there if email was imported we don t see the sub panels in detailview of this imported email problem is that issue one time repeat and one time not still searching the milestone where will for sure replicate the issue have somebody similar problem or could add more info if has expected behavior imported emails for second user of same email account should show body content there will no import button steps to reproduce create for or more users same personal email account import one email and switch to other user account context your environment suitecrm version used suitecrm browser name and version chrome x bit environment name and version php mysql operating system and version win home | 1 |
744,905 | 25,960,086,027 | IssuesEvent | 2022-12-18 19:42:40 | kubermatic/kubermatic | https://api.github.com/repos/kubermatic/kubermatic | closed | KKP 2.19 - Backup state is green even backups failing | kind/bug priority/high lifecycle/rotten | ### What happened?
Somehow for failing backups, the status is still green and the user has the intention that everything works. Also no Error event get visible in the UI

### What should happen?
- user should get notified about an error
- state should be red and indicate errors
### How to reproduce?
create a miss-configured backup target and execute a snapshot
### Environment
- KKP Version: 2.19.0
- Shared or separate master/seed clusters?: shared
- Master/seed cluster provider: any | 1.0 | KKP 2.19 - Backup state is green even backups failing - ### What happened?
Somehow for failing backups, the status is still green and the user has the intention that everything works. Also no Error event get visible in the UI

### What should happen?
- user should get notified about an error
- state should be red and indicate errors
### How to reproduce?
create a miss-configured backup target and execute a snapshot
### Environment
- KKP Version: 2.19.0
- Shared or separate master/seed clusters?: shared
- Master/seed cluster provider: any | priority | kkp backup state is green even backups failing what happened somehow for failing backups the status is still green and the user has the intention that everything works also no error event get visible in the ui what should happen user should get notified about an error state should be red and indicate errors how to reproduce create a miss configured backup target and execute a snapshot environment kkp version shared or separate master seed clusters shared master seed cluster provider any | 1 |
82,888 | 3,619,758,336 | IssuesEvent | 2016-02-08 17:11:09 | TranslationWMcs435/TranslationWMcs435 | https://api.github.com/repos/TranslationWMcs435/TranslationWMcs435 | opened | Dibs | High Priority | Divvy up the langs.
Claims for who translates into what.
Robotium:
Robolectric:
Espresso: Mark
UIEmulator: | 1.0 | Dibs - Divvy up the langs.
Claims for who translates into what.
Robotium:
Robolectric:
Espresso: Mark
UIEmulator: | priority | dibs divvy up the langs claims for who translates into what robotium robolectric espresso mark uiemulator | 1 |
695,999 | 23,878,888,207 | IssuesEvent | 2022-09-07 22:09:17 | KlimaDAO/klimadao | https://api.github.com/repos/KlimaDAO/klimadao | closed | Nav header cleanups | HIGH PRIORITY | Merge #591 first and do these in a follow-up PR
# Related to
#591
#532
# Desktop issues
These first three can be solved by using tippy.js around a natively-focusable element like `button`
* [x] 1. Desktop dropdowns can not be reached with the Tab key
* [x] 2. When a dropdown is open, items in an open menu should also be reachable with the tab key
* [x] 3. We need aria labels to indicate to screen-readers that a popper is open. `aria-expanded` and `aria-describedby` (tippy does by default)
# Other issues
* [x] Mobile menu items which are expandable should have `aria-expanded="false"` by default (`true` when expanded)
* [x] Mobile menu on narrow desktop Windows 10 screens has visible X and Y scrollbars. Probably using overflow: scroll, when you should be using overflow: auto?

* [x] When clicking a menu item in the mobile menu, it should not close the other one. This causes a jarring jump in the content which is disorienting. A menu should only close itself when you click it, or when the other
* [x] Remove the "mousedown" / click animation on the button. I always thought it was a bit overkill and it is particularly jarring on this new mobile menu
* [x] add 2.4rem padding-top to `hero_container` on mobile views only, because the white News banner clashes with the white sticky header
Before:

After:

* [x] especially for string ids starting with `shared`, but as a general best-practice, the English source strings should not be capitalized, because we might use it somewhere that doesn't want it capitalized. Use `text-transform: uppercase` in css instead
For example:
```ts
// 🔴 bad
t({
message: "COMMUNITY",
id: "shared.community",
})}
// 🟢 good
t({
message: "Community",
id: "shared.community",
})}
```
# Stretch Goals
* [ ] Mobile menu should also support tab-navigation. This would require the creation of a "focus trap" so that focus can't leave the mobile menu until the user closes it.
* [x] When the mobile menu is open, the main content and/or `body` should have a scroll lock to prevent un-knowingly scrolling the content underneath when you are trying to scroll the menu list | 1.0 | Nav header cleanups - Merge #591 first and do these in a follow-up PR
# Related to
#591
#532
# Desktop issues
These first three can be solved by using tippy.js around a natively-focusable element like `button`
* [x] 1. Desktop dropdowns can not be reached with the Tab key
* [x] 2. When a dropdown is open, items in an open menu should also be reachable with the tab key
* [x] 3. We need aria labels to indicate to screen-readers that a popper is open. `aria-expanded` and `aria-describedby` (tippy does by default)
# Other issues
* [x] Mobile menu items which are expandable should have `aria-expanded="false"` by default (`true` when expanded)
* [x] Mobile menu on narrow desktop Windows 10 screens has visible X and Y scrollbars. Probably using overflow: scroll, when you should be using overflow: auto?

* [x] When clicking a menu item in the mobile menu, it should not close the other one. This causes a jarring jump in the content which is disorienting. A menu should only close itself when you click it, or when the other
* [x] Remove the "mousedown" / click animation on the button. I always thought it was a bit overkill and it is particularly jarring on this new mobile menu
* [x] add 2.4rem padding-top to `hero_container` on mobile views only, because the white News banner clashes with the white sticky header
Before:

After:

* [x] especially for string ids starting with `shared`, but as a general best-practice, the English source strings should not be capitalized, because we might use it somewhere that doesn't want it capitalized. Use `text-transform: uppercase` in css instead
For example:
```ts
// 🔴 bad
t({
message: "COMMUNITY",
id: "shared.community",
})}
// 🟢 good
t({
message: "Community",
id: "shared.community",
})}
```
# Stretch Goals
* [ ] Mobile menu should also support tab-navigation. This would require the creation of a "focus trap" so that focus can't leave the mobile menu until the user closes it.
* [x] When the mobile menu is open, the main content and/or `body` should have a scroll lock to prevent un-knowingly scrolling the content underneath when you are trying to scroll the menu list | priority | nav header cleanups merge first and do these in a follow up pr related to desktop issues these first three can be solved by using tippy js around a natively focusable element like button desktop dropdowns can not be reached with the tab key when a dropdown is open items in an open menu should also be reachable with the tab key we need aria labels to indicate to screen readers that a popper is open aria expanded and aria describedby tippy does by default other issues mobile menu items which are expandable should have aria expanded false by default true when expanded mobile menu on narrow desktop windows screens has visible x and y scrollbars probably using overflow scroll when you should be using overflow auto when clicking a menu item in the mobile menu it should not close the other one this causes a jarring jump in the content which is disorienting a menu should only close itself when you click it or when the other remove the mousedown click animation on the button i always thought it was a bit overkill and it is particularly jarring on this new mobile menu add padding top to hero container on mobile views only because the white news banner clashes with the white sticky header before after especially for string ids starting with shared but as a general best practice the english source strings should not be capitalized because we might use it somewhere that doesn t want it capitalized use text transform uppercase in css instead for example ts 🔴 bad t message community id shared community 🟢 good t message community id shared community stretch goals mobile menu should also support tab navigation this would require the creation of a focus trap so that focus can t leave the mobile menu until the user closes it when the mobile menu is open the main content and or body should have a scroll lock to prevent un knowingly scrolling the content underneath when you are trying to scroll the menu list | 1 |
717,840 | 24,693,193,921 | IssuesEvent | 2022-10-19 10:03:27 | Rehachoudhary0/hotel_testing | https://api.github.com/repos/Rehachoudhary0/hotel_testing | closed | 🐛 Bug Report: User get chat notification but there is no change in UI so lil bit confusion created. | enhancement front-end (UI/UX) High priority | ### 👟 Reproduction steps
Users get chat notifications but there is no change to show in UI. How to recognize user there is a new chat from hotel.
### 👍 Expected behavior
i think need to do some thing to user for recognization .
### 👎 Actual Behavior
https://user-images.githubusercontent.com/85510636/194867149-087941f3-82a8-40af-a2b8-33bf98a8ab1e.mp4
### 🎲 App version
Version 22.10.09+01
### 💻 Operating system
Android
### 👀 Have you spent some time to check if this issue has been raised before?
- [X] I checked and didn't find similar issue
### 🏢 Have you read the Code of Conduct?
- [X] I have read the [Code of Conduct](https://github.com/Rehachoudhary0/hotel_testing/blob/HEAD/CODE_OF_CONDUCT.md) | 1.0 | 🐛 Bug Report: User get chat notification but there is no change in UI so lil bit confusion created. - ### 👟 Reproduction steps
Users get chat notifications but there is no change to show in UI. How to recognize user there is a new chat from hotel.
### 👍 Expected behavior
i think need to do some thing to user for recognization .
### 👎 Actual Behavior
https://user-images.githubusercontent.com/85510636/194867149-087941f3-82a8-40af-a2b8-33bf98a8ab1e.mp4
### 🎲 App version
Version 22.10.09+01
### 💻 Operating system
Android
### 👀 Have you spent some time to check if this issue has been raised before?
- [X] I checked and didn't find similar issue
### 🏢 Have you read the Code of Conduct?
- [X] I have read the [Code of Conduct](https://github.com/Rehachoudhary0/hotel_testing/blob/HEAD/CODE_OF_CONDUCT.md) | priority | 🐛 bug report user get chat notification but there is no change in ui so lil bit confusion created 👟 reproduction steps users get chat notifications but there is no change to show in ui how to recognize user there is a new chat from hotel 👍 expected behavior i think need to do some thing to user for recognization 👎 actual behavior 🎲 app version version 💻 operating system android 👀 have you spent some time to check if this issue has been raised before i checked and didn t find similar issue 🏢 have you read the code of conduct i have read the | 1 |
814,786 | 30,521,925,776 | IssuesEvent | 2023-07-19 08:40:23 | kubesphere/kubesphere | https://api.github.com/repos/kubesphere/kubesphere | closed | There is no detail promote when imput the wrong kubeconfig. | kind/bug priority/high kind/need-to-verify | <!--
You don't need to remove this comment section, it's invisible on the issues page.
## General remarks
* Attention, please fill out this issues form using English only!
* 注意!GitHub Issue 仅支持英文,中文 Issue 请在 [论坛](https://kubesphere.com.cn/forum/) 提交。
* This form is to report bugs. For general usage questions you can join our Slack channel
[KubeSphere-users](https://join.slack.com/t/kubesphere/shared_invite/enQtNTE3MDIxNzUxNzQ0LTZkNTdkYWNiYTVkMTM5ZThhODY1MjAyZmVlYWEwZmQ3ODQ1NmM1MGVkNWEzZTRhNzk0MzM5MmY4NDc3ZWVhMjE)
-->
https://github.com/kubesphere/issues/issues/174
**Describe the Bug**
A clear and concise description of what the bug is.
For UI issues please also add a screenshot that shows the issue.
**Versions Used**
KubeSphere:
Kubernetes: (If KubeSphere installer used, you can skip this)
**Environment**
How many nodes and their hardware configuration:
For example: CentOS 7.5 / 3 masters: 8cpu/8g; 3 nodes: 8cpu/16g
(and other info are welcomed to help us debugging)
**How 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.
| 1.0 | There is no detail promote when imput the wrong kubeconfig. - <!--
You don't need to remove this comment section, it's invisible on the issues page.
## General remarks
* Attention, please fill out this issues form using English only!
* 注意!GitHub Issue 仅支持英文,中文 Issue 请在 [论坛](https://kubesphere.com.cn/forum/) 提交。
* This form is to report bugs. For general usage questions you can join our Slack channel
[KubeSphere-users](https://join.slack.com/t/kubesphere/shared_invite/enQtNTE3MDIxNzUxNzQ0LTZkNTdkYWNiYTVkMTM5ZThhODY1MjAyZmVlYWEwZmQ3ODQ1NmM1MGVkNWEzZTRhNzk0MzM5MmY4NDc3ZWVhMjE)
-->
https://github.com/kubesphere/issues/issues/174
**Describe the Bug**
A clear and concise description of what the bug is.
For UI issues please also add a screenshot that shows the issue.
**Versions Used**
KubeSphere:
Kubernetes: (If KubeSphere installer used, you can skip this)
**Environment**
How many nodes and their hardware configuration:
For example: CentOS 7.5 / 3 masters: 8cpu/8g; 3 nodes: 8cpu/16g
(and other info are welcomed to help us debugging)
**How 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.
| priority | there is no detail promote when imput the wrong kubeconfig you don t need to remove this comment section it s invisible on the issues page general remarks attention please fill out this issues form using english only 注意!github issue 仅支持英文,中文 issue 请在 提交。 this form is to report bugs for general usage questions you can join our slack channel describe the bug a clear and concise description of what the bug is for ui issues please also add a screenshot that shows the issue versions used kubesphere kubernetes if kubesphere installer used you can skip this environment how many nodes and their hardware configuration for example centos masters nodes and other info are welcomed to help us debugging how to reproduce steps to reproduce the behavior go to click on scroll down to see error expected behavior a clear and concise description of what you expected to happen | 1 |
477,527 | 13,763,966,266 | IssuesEvent | 2020-10-07 11:21:16 | AY2021S1-CS2103T-T13-1/tp | https://api.github.com/repos/AY2021S1-CS2103T-T13-1/tp | opened | View functionality fix | Implementation bug priority.High | After the recent merges, view locations no longer works correctly. This needs to be fixed | 1.0 | View functionality fix - After the recent merges, view locations no longer works correctly. This needs to be fixed | priority | view functionality fix after the recent merges view locations no longer works correctly this needs to be fixed | 1 |
244,039 | 7,869,983,851 | IssuesEvent | 2018-06-24 20:16:43 | less/less.js | https://api.github.com/repos/less/less.js | closed | Imports are not updated when recompiling via the same (?) less object | bug high priority research needed up-for-grabs | bug report
I write a compile tool for my project, it depend less.
my project style folder and files likes
``` bash
- styles
_utils.less
index.less
```
and `index.less` content is
```less
@import "./utils"
```
I use less api to compile the less files like
```js
let less=require('less');
//....
less.render(indexContent,options,(err,result)=>{
console.log(result.css)
});
```
when i change `_utils.less` content , the above code will automatically execute
but since 3.0.x , when i change `_utils.less` content ,the `result.css` is the first time result, whatever change how many times.
but 2.7.x is ok, when i change `_utils.less` content ,the `result.css` also changed.
| 1.0 | Imports are not updated when recompiling via the same (?) less object - bug report
I write a compile tool for my project, it depend less.
my project style folder and files likes
``` bash
- styles
_utils.less
index.less
```
and `index.less` content is
```less
@import "./utils"
```
I use less api to compile the less files like
```js
let less=require('less');
//....
less.render(indexContent,options,(err,result)=>{
console.log(result.css)
});
```
when i change `_utils.less` content , the above code will automatically execute
but since 3.0.x , when i change `_utils.less` content ,the `result.css` is the first time result, whatever change how many times.
but 2.7.x is ok, when i change `_utils.less` content ,the `result.css` also changed.
| priority | imports are not updated when recompiling via the same less object bug report i write a compile tool for my project it depend less my project style folder and files likes bash styles utils less index less and index less content is less import utils i use less api to compile the less files like js let less require less less render indexcontent options err result console log result css when i change utils less content the above code will automatically execute but since x when i change utils less content the result css is the first time result whatever change how many times but x is ok when i change utils less content the result css also changed | 1 |
783,912 | 27,551,004,003 | IssuesEvent | 2023-03-07 14:56:40 | CrowdDotDev/crowd.dev | https://api.github.com/repos/CrowdDotDev/crowd.dev | closed | [C-653] Slack joined channel activities are duplicated | Bug High priority | For Slack, we are creating a channel join activity every time the member joins a channel. So, for example, if a member joins a server and is automatically added to 5 channels, it will have done 5 activities.
This is causing 2 problems:
* the obvious one where a member has an unrealistic number of activities
* the engagement score is way too high. For a member that really performed one activity, they have 5 activities with a weight of 3 each.
From a user:
"A member has just joined and is rated as 4 - Engaged. That's incorrect. Also, joining servers (or whatever they are called) on Slack adds you to some defined rooms. These shouldn't count as separate activities. Here, this just just joined our Slack and it shows he has 5 activities."
## Solution
This is tricky. The obvious solution would be to get all the Slack guild members. However, Slack returns these unordered, which means that every time the integration runs we would need to get all the members, this would be too expensive.
A solution would be to detect that this is happening. If the member has already performed this type of activity, we filter it out. We would also need to change the copy from *joined the channel* to *joined the server* or similar.
---
Created via [Raycast](https://www.raycast.com)
<sub>From [SyncLinear.com](https://synclinear.com) | [C-653](https://linear.app/crowddotdev/issue/C-653/slack-joined-channel-activities-are-duplicated)</sub> | 1.0 | [C-653] Slack joined channel activities are duplicated - For Slack, we are creating a channel join activity every time the member joins a channel. So, for example, if a member joins a server and is automatically added to 5 channels, it will have done 5 activities.
This is causing 2 problems:
* the obvious one where a member has an unrealistic number of activities
* the engagement score is way too high. For a member that really performed one activity, they have 5 activities with a weight of 3 each.
From a user:
"A member has just joined and is rated as 4 - Engaged. That's incorrect. Also, joining servers (or whatever they are called) on Slack adds you to some defined rooms. These shouldn't count as separate activities. Here, this just just joined our Slack and it shows he has 5 activities."
## Solution
This is tricky. The obvious solution would be to get all the Slack guild members. However, Slack returns these unordered, which means that every time the integration runs we would need to get all the members, this would be too expensive.
A solution would be to detect that this is happening. If the member has already performed this type of activity, we filter it out. We would also need to change the copy from *joined the channel* to *joined the server* or similar.
---
Created via [Raycast](https://www.raycast.com)
<sub>From [SyncLinear.com](https://synclinear.com) | [C-653](https://linear.app/crowddotdev/issue/C-653/slack-joined-channel-activities-are-duplicated)</sub> | priority | slack joined channel activities are duplicated for slack we are creating a channel join activity every time the member joins a channel so for example if a member joins a server and is automatically added to channels it will have done activities this is causing problems the obvious one where a member has an unrealistic number of activities the engagement score is way too high for a member that really performed one activity they have activities with a weight of each from a user a member has just joined and is rated as engaged that s incorrect also joining servers or whatever they are called on slack adds you to some defined rooms these shouldn t count as separate activities here this just just joined our slack and it shows he has activities solution this is tricky the obvious solution would be to get all the slack guild members however slack returns these unordered which means that every time the integration runs we would need to get all the members this would be too expensive a solution would be to detect that this is happening if the member has already performed this type of activity we filter it out we would also need to change the copy from joined the channel to joined the server or similar created via from | 1 |
652,855 | 21,563,265,098 | IssuesEvent | 2022-05-01 13:38:31 | AgnosticUI/agnosticui | https://api.github.com/repos/AgnosticUI/agnosticui | closed | [Svelte] Table does not consider key property | bug enhancement API high priority | **Describe the bug**
It seems like the order of the headers matters and that the respective key property is not used to select the cells. See the following snippet to illustrate the problem.
**To Reproduce**
Here an example snippet
```
<main>
<Table {...data} />
</main>
<script>
import 'agnostic-svelte/css/common.min.css';
import { Button, Table, Loader, Alert } from 'agnostic-svelte';
let data = {
rows: [
{"score": 10, "team_name": "my team"},
{"score": 20, "team_name": "my team 2"},
],
headers: [
{
label: 'Team',
key: 'team_name',
width: 'auto',
sortable: true,
},
{
label: 'Score',
key: 'score',
width: 'auto',
sortable: true,
}
],
}
</script>
```
This results in the following table:
| Team | Score |
|---------|----------|
| 10 | my team |
| 20 | my team 2|
**Expected behavior**
The snippet should result in
| Team | Score |
|---------|----------|
| my team | 10 |
| my team 2 | 20 |
**Desktop (please complete the following information):**
- OS: Fedora 34
- Browser: Firefox
- Version 98
| 1.0 | [Svelte] Table does not consider key property - **Describe the bug**
It seems like the order of the headers matters and that the respective key property is not used to select the cells. See the following snippet to illustrate the problem.
**To Reproduce**
Here an example snippet
```
<main>
<Table {...data} />
</main>
<script>
import 'agnostic-svelte/css/common.min.css';
import { Button, Table, Loader, Alert } from 'agnostic-svelte';
let data = {
rows: [
{"score": 10, "team_name": "my team"},
{"score": 20, "team_name": "my team 2"},
],
headers: [
{
label: 'Team',
key: 'team_name',
width: 'auto',
sortable: true,
},
{
label: 'Score',
key: 'score',
width: 'auto',
sortable: true,
}
],
}
</script>
```
This results in the following table:
| Team | Score |
|---------|----------|
| 10 | my team |
| 20 | my team 2|
**Expected behavior**
The snippet should result in
| Team | Score |
|---------|----------|
| my team | 10 |
| my team 2 | 20 |
**Desktop (please complete the following information):**
- OS: Fedora 34
- Browser: Firefox
- Version 98
| priority | table does not consider key property describe the bug it seems like the order of the headers matters and that the respective key property is not used to select the cells see the following snippet to illustrate the problem to reproduce here an example snippet import agnostic svelte css common min css import button table loader alert from agnostic svelte let data rows score team name my team score team name my team headers label team key team name width auto sortable true label score key score width auto sortable true this results in the following table team score my team my team expected behavior the snippet should result in team score my team my team desktop please complete the following information os fedora browser firefox version | 1 |
666,934 | 22,392,550,880 | IssuesEvent | 2022-06-17 09:08:27 | therealbluepandabear/PixaPencil | https://api.github.com/repos/therealbluepandabear/PixaPencil | closed | 'Save in Background' doesn't crash, but creates a new project on first creation every time after the first/second background save | 🐛 bug ❗ extremely high priority difficulty: unknown | 'Save in Background' doesn't crash, but creates a new project on first creation every time after the first/second background save. | 1.0 | 'Save in Background' doesn't crash, but creates a new project on first creation every time after the first/second background save - 'Save in Background' doesn't crash, but creates a new project on first creation every time after the first/second background save. | priority | save in background doesn t crash but creates a new project on first creation every time after the first second background save save in background doesn t crash but creates a new project on first creation every time after the first second background save | 1 |
363,373 | 10,741,078,503 | IssuesEvent | 2019-10-29 19:29:01 | eriq-augustine/test-issue-copy | https://api.github.com/repos/eriq-augustine/test-issue-copy | opened | [CLOSED] Rework Functional Predicates | Components - Database Difficulty - Medium Priority - High Type - Refactor | <a href="https://github.com/eriq-augustine"><img src="https://avatars0.githubusercontent.com/u/337857?v=4" align="left" width="96" height="96" hspace="10"></img></a> **Issue by [eriq-augustine](https://github.com/eriq-augustine)**
_Sunday Jan 07, 2018 at 19:44 GMT_
_Originally opened as https://github.com/eriq-augustine/psl/issues/139_
----
I think we can simplify how functional predicates are currently used.
Right now, they are added to the database and at the end of Formula2SQL.getQuery(), all the functional atoms are visited.
However, instead of that I think we can just invoke functional atoms only when we are instantiating ground rules.
And during query construction, we can treat functional atoms the same as we do negated atoms in the CNF.
This way, we do not depend on the database backend for implementing external functions and we don't have to pay for that extra wrapping overhead.
Also, we may be able to simplify UniqueIDs a bit (specifically DeferredFunctionalUniqueID).
| 1.0 | [CLOSED] Rework Functional Predicates - <a href="https://github.com/eriq-augustine"><img src="https://avatars0.githubusercontent.com/u/337857?v=4" align="left" width="96" height="96" hspace="10"></img></a> **Issue by [eriq-augustine](https://github.com/eriq-augustine)**
_Sunday Jan 07, 2018 at 19:44 GMT_
_Originally opened as https://github.com/eriq-augustine/psl/issues/139_
----
I think we can simplify how functional predicates are currently used.
Right now, they are added to the database and at the end of Formula2SQL.getQuery(), all the functional atoms are visited.
However, instead of that I think we can just invoke functional atoms only when we are instantiating ground rules.
And during query construction, we can treat functional atoms the same as we do negated atoms in the CNF.
This way, we do not depend on the database backend for implementing external functions and we don't have to pay for that extra wrapping overhead.
Also, we may be able to simplify UniqueIDs a bit (specifically DeferredFunctionalUniqueID).
| priority | rework functional predicates issue by sunday jan at gmt originally opened as i think we can simplify how functional predicates are currently used right now they are added to the database and at the end of getquery all the functional atoms are visited however instead of that i think we can just invoke functional atoms only when we are instantiating ground rules and during query construction we can treat functional atoms the same as we do negated atoms in the cnf this way we do not depend on the database backend for implementing external functions and we don t have to pay for that extra wrapping overhead also we may be able to simplify uniqueids a bit specifically deferredfunctionaluniqueid | 1 |
355,421 | 10,580,375,626 | IssuesEvent | 2019-10-08 06:32:30 | AY1920S1-CS2103T-T13-3/main | https://api.github.com/repos/AY1920S1-CS2103T-T13-3/main | opened | As a user, I want to generate and export to print out overview reports of the financials | Integration Overview UseCase enhancement priority.High type.Story | so that I can present it during board meetings and give it to other board directors
| 1.0 | As a user, I want to generate and export to print out overview reports of the financials - so that I can present it during board meetings and give it to other board directors
| priority | as a user i want to generate and export to print out overview reports of the financials so that i can present it during board meetings and give it to other board directors | 1 |
402,367 | 11,808,746,996 | IssuesEvent | 2020-03-19 13:53:56 | wso2/product-is | https://api.github.com/repos/wso2/product-is | closed | Admin portal login get broken when there are incorrect claims | Affected/5.11.0-M8 Component/Claim Management Priority/Highest Severity/Blocker Type/Bug component/Identity Apps | **Description:**
Add claim through admin portal local claim section.
https://localhost:9443/admin-portal/local-dialect
Leave "Display Order" field blank.
Logout to the admin portal and login again.
Login get failed printing the following log in the backend
```
[2020-03-16 05:10:37,022] [703cc884-70c3-4dd7-8860-6df7b98b012a] ERROR {org.wso2.carbon.identity.recovery.endpoint.impl.ClaimsApiServiceImpl} - Error occurred in the server while performing the task. java.lang.NumberFormatException: For input string: "null"
at java.base/java.lang.NumberFormatException.forInputString(NumberFormatException.java:65)
at java.base/java.lang.Integer.parseInt(Integer.java:652)
at java.base/java.lang.Integer.parseInt(Integer.java:770)
at org.wso2.carbon.identity.claim.metadata.mgt.util.ClaimMetadataUtils.convertLocalClaimToClaimMapping(ClaimMetadataUtils.java:235)
at org.wso2.carbon.identity.claim.metadata.mgt.DefaultClaimMetadataStore.getAllClaimMappings(DefaultClaimMetadataStore.java:484)
at org.wso2.carbon.identity.core.IdentityClaimManager.getAllSupportedClaims(IdentityClaimManager.java:106)
at org.wso2.carbon.identity.recovery.username.NotificationUsernameRecoveryManager.getIdentitySupportedClaims(NotificationUsernameRecoveryManager.java:121)
at org.wso2.carbon.identity.recovery.endpoint.impl.ClaimsApiServiceImpl.claimsGet(ClaimsApiServiceImpl.java:50)
at org.wso2.carbon.identity.recovery.endpoint.ClaimsApi.claimsGet(ClaimsApi.java:43)
at jdk.internal.reflect.GeneratedMethodAccessor454.invoke(Unknown Source)
at java.base/jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
at java.base/java.lang.reflect.Method.invoke(Method.java:566)
at org.apache.cxf.service.invoker.AbstractInvoker.performInvocation(AbstractInvoker.java:179)
at org.apache.cxf.service.invoker.AbstractInvoker.invoke(AbstractInvoker.java:96)
at org.apache.cxf.jaxrs.JAXRSInvoker.invoke(JAXRSInvoker.java:193)
at org.apache.cxf.jaxrs.JAXRSInvoker.invoke(JAXRSInvoker.java:103)
at org.apache.cxf.interceptor.ServiceInvokerInterceptor$1.run(ServiceInvokerInterceptor.java:59)
at org.apache.cxf.interceptor.ServiceInvokerInterceptor.handleMessage(ServiceInvokerInterceptor.java:96)
at org.apache.cxf.phase.PhaseInterceptorChain.doIntercept(PhaseInterceptorChain.java:308)
at org.apache.cxf.transport.ChainInitiationObserver.onMessage(ChainInitiationObserver.java:121)
at org.apache.cxf.transport.http.AbstractHTTPDestination.invoke(AbstractHTTPDestination.java:267)
at org.apache.cxf.transport.servlet.ServletController.invokeDestination(ServletController.java:234)
at org.apache.cxf.transport.servlet.ServletController.invoke(ServletController.java:208)
at org.apache.cxf.transport.servlet.ServletController.invoke(ServletController.java:160)
at org.apache.cxf.transport.servlet.CXFNonSpringServlet.invoke(CXFNonSpringServlet.java:216)
at org.apache.cxf.transport.servlet.AbstractHTTPServlet.handleRequest(AbstractHTTPServlet.java:301)
at org.apache.cxf.transport.servlet.AbstractHTTPServlet.doGet(AbstractHTTPServlet.java:225)
at javax.servlet.http.HttpServlet.service(HttpServlet.java:634)
``` | 1.0 | Admin portal login get broken when there are incorrect claims - **Description:**
Add claim through admin portal local claim section.
https://localhost:9443/admin-portal/local-dialect
Leave "Display Order" field blank.
Logout to the admin portal and login again.
Login get failed printing the following log in the backend
```
[2020-03-16 05:10:37,022] [703cc884-70c3-4dd7-8860-6df7b98b012a] ERROR {org.wso2.carbon.identity.recovery.endpoint.impl.ClaimsApiServiceImpl} - Error occurred in the server while performing the task. java.lang.NumberFormatException: For input string: "null"
at java.base/java.lang.NumberFormatException.forInputString(NumberFormatException.java:65)
at java.base/java.lang.Integer.parseInt(Integer.java:652)
at java.base/java.lang.Integer.parseInt(Integer.java:770)
at org.wso2.carbon.identity.claim.metadata.mgt.util.ClaimMetadataUtils.convertLocalClaimToClaimMapping(ClaimMetadataUtils.java:235)
at org.wso2.carbon.identity.claim.metadata.mgt.DefaultClaimMetadataStore.getAllClaimMappings(DefaultClaimMetadataStore.java:484)
at org.wso2.carbon.identity.core.IdentityClaimManager.getAllSupportedClaims(IdentityClaimManager.java:106)
at org.wso2.carbon.identity.recovery.username.NotificationUsernameRecoveryManager.getIdentitySupportedClaims(NotificationUsernameRecoveryManager.java:121)
at org.wso2.carbon.identity.recovery.endpoint.impl.ClaimsApiServiceImpl.claimsGet(ClaimsApiServiceImpl.java:50)
at org.wso2.carbon.identity.recovery.endpoint.ClaimsApi.claimsGet(ClaimsApi.java:43)
at jdk.internal.reflect.GeneratedMethodAccessor454.invoke(Unknown Source)
at java.base/jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
at java.base/java.lang.reflect.Method.invoke(Method.java:566)
at org.apache.cxf.service.invoker.AbstractInvoker.performInvocation(AbstractInvoker.java:179)
at org.apache.cxf.service.invoker.AbstractInvoker.invoke(AbstractInvoker.java:96)
at org.apache.cxf.jaxrs.JAXRSInvoker.invoke(JAXRSInvoker.java:193)
at org.apache.cxf.jaxrs.JAXRSInvoker.invoke(JAXRSInvoker.java:103)
at org.apache.cxf.interceptor.ServiceInvokerInterceptor$1.run(ServiceInvokerInterceptor.java:59)
at org.apache.cxf.interceptor.ServiceInvokerInterceptor.handleMessage(ServiceInvokerInterceptor.java:96)
at org.apache.cxf.phase.PhaseInterceptorChain.doIntercept(PhaseInterceptorChain.java:308)
at org.apache.cxf.transport.ChainInitiationObserver.onMessage(ChainInitiationObserver.java:121)
at org.apache.cxf.transport.http.AbstractHTTPDestination.invoke(AbstractHTTPDestination.java:267)
at org.apache.cxf.transport.servlet.ServletController.invokeDestination(ServletController.java:234)
at org.apache.cxf.transport.servlet.ServletController.invoke(ServletController.java:208)
at org.apache.cxf.transport.servlet.ServletController.invoke(ServletController.java:160)
at org.apache.cxf.transport.servlet.CXFNonSpringServlet.invoke(CXFNonSpringServlet.java:216)
at org.apache.cxf.transport.servlet.AbstractHTTPServlet.handleRequest(AbstractHTTPServlet.java:301)
at org.apache.cxf.transport.servlet.AbstractHTTPServlet.doGet(AbstractHTTPServlet.java:225)
at javax.servlet.http.HttpServlet.service(HttpServlet.java:634)
``` | priority | admin portal login get broken when there are incorrect claims description add claim through admin portal local claim section leave display order field blank logout to the admin portal and login again login get failed printing the following log in the backend error org carbon identity recovery endpoint impl claimsapiserviceimpl error occurred in the server while performing the task java lang numberformatexception for input string null at java base java lang numberformatexception forinputstring numberformatexception java at java base java lang integer parseint integer java at java base java lang integer parseint integer java at org carbon identity claim metadata mgt util claimmetadatautils convertlocalclaimtoclaimmapping claimmetadatautils java at org carbon identity claim metadata mgt defaultclaimmetadatastore getallclaimmappings defaultclaimmetadatastore java at org carbon identity core identityclaimmanager getallsupportedclaims identityclaimmanager java at org carbon identity recovery username notificationusernamerecoverymanager getidentitysupportedclaims notificationusernamerecoverymanager java at org carbon identity recovery endpoint impl claimsapiserviceimpl claimsget claimsapiserviceimpl java at org carbon identity recovery endpoint claimsapi claimsget claimsapi java at jdk internal reflect invoke unknown source at java base jdk internal reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java base java lang reflect method invoke method java at org apache cxf service invoker abstractinvoker performinvocation abstractinvoker java at org apache cxf service invoker abstractinvoker invoke abstractinvoker java at org apache cxf jaxrs jaxrsinvoker invoke jaxrsinvoker java at org apache cxf jaxrs jaxrsinvoker invoke jaxrsinvoker java at org apache cxf interceptor serviceinvokerinterceptor run serviceinvokerinterceptor java at org apache cxf interceptor serviceinvokerinterceptor handlemessage serviceinvokerinterceptor java at org apache cxf phase phaseinterceptorchain dointercept phaseinterceptorchain java at org apache cxf transport chaininitiationobserver onmessage chaininitiationobserver java at org apache cxf transport http abstracthttpdestination invoke abstracthttpdestination java at org apache cxf transport servlet servletcontroller invokedestination servletcontroller java at org apache cxf transport servlet servletcontroller invoke servletcontroller java at org apache cxf transport servlet servletcontroller invoke servletcontroller java at org apache cxf transport servlet cxfnonspringservlet invoke cxfnonspringservlet java at org apache cxf transport servlet abstracthttpservlet handlerequest abstracthttpservlet java at org apache cxf transport servlet abstracthttpservlet doget abstracthttpservlet java at javax servlet http httpservlet service httpservlet java | 1 |
216,331 | 7,303,464,391 | IssuesEvent | 2018-02-27 13:14:05 | spring-projects/spring-boot | https://api.github.com/repos/spring-projects/spring-boot | closed | Declaring a bean named conversionService prevents binding of Duration configuration properties | priority: high type: regression | Hello,
I have the following problem and I believe it might be a bug.
----
I have a multi-module application
* `core` - working perfectly
* `rest-api` - working perfectly (depends on `core`)
* `web-admin` - I'm currently creating this module (depends on `core`)
```java
@SpringBootConfiguration
@Import({
CoreBootstrap.class, // config from module core
WebConfiguration.class,
WebSecurityConfiguration.class,
})
@PropertySource("classpath:application-web-admin.properties")
public class WebAdminApplication
{
public static void main(final String[] args)
{
new SpringApplicationBuilder(WebAdminApplication.class)
.registerShutdownHook(true)
.bannerMode(Banner.Mode.OFF)
.web(WebApplicationType.SERVLET)
.run(args);
}
}
```
```java
@Configuration
@EnableWebSecurity
public class WebSecurityConfiguration extends WebSecurityConfigurerAdapter
{
...
```
```java
@Configuration
@Import({
ForwardedHeadersConfiguration.class, // enables ForwardedHeaderFilter
})
@EnableWebMvc
public class WebConfiguration implements WebMvcConfigurer
{
...
```
File `application-web-admin.properties`
```properties
server.servlet.context-path=/
spring.jpa.open-in-view=false
spring.mvc.throw-exception-if-no-handler-found=true
spring.http.encoding.charset=UTF-8
spring.http.encoding.enabled=true
spring.http.encoding.force=true
spring.security.filter.order=10
spring.thymeleaf.enabled=true
spring.mvc.locale-resolver=FIXED
spring.mvc.locale=en
#spring.resources.cache.period=1s
#spring.mvc.contentnegotiation.favor-parameter=false
#spring.mvc.contentnegotiation.favor-path-extension=false
management.endpoint.health.showDetails=WHEN_AUTHORIZED
management.endpoint.health.roles=ACTUATOR
```
---
Now - I've been struggling to figure out, why my static resources are returning 404 - and I believe I might have found the reason thanks to [this SO answer](https://stackoverflow.com/a/33852040/602899), so I've removed the `@EnableWebMvc` annotation and suddenly this:
```
23:19:47.623 [main] DEBUG org.springframework.boot.devtools.restart.ChangeableUrls - Matching URLs for reloading : [******]
23:19:53.453 [restartedMain ] INFO com.cogvio.WebAdminApplication: Starting WebAdminApplication
23:19:53.454 [restartedMain ] DEBUG com.cogvio.WebAdminApplication: Running with Spring Boot v2.0.0.RC2, Spring v5.0.4.RELEASE
23:19:57.191 [localhost-start] INFO org.springframework.web.context.ContextLoader: Root WebApplicationContext: initialization completed in 3684 ms
23:31:27.431 [restartedMain ] WARN ationConfigServletWebServerApplicationContext: Exception encountered during context initialization - cancelling refresh attempt: org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'org.springframework.security.config.annotation.web.configuration.WebSecurityConfiguration': Unsatisfied dependency expressed through method 'setFilterChainProxySecurityConfigurer' parameter 1; nested exception is org.springframework.beans.factory.BeanExpressionException: Expression parsing failed; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'com.cogvio.config.WebSecurityConfiguration': Unsatisfied dependency expressed through method 'setContentNegotationStrategy' parameter 0; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'org.springframework.boot.autoconfigure.web.servlet.WebMvcAutoConfiguration$EnableWebMvcConfiguration': Unsatisfied dependency expressed through method 'setConfigurers' parameter 0; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'org.springframework.boot.autoconfigure.web.servlet.WebMvcAutoConfiguration$WebMvcAutoConfigurationAdapter': Unsatisfied dependency expressed through constructor parameter 0; nested exception is org.springframework.boot.context.properties.ConfigurationPropertiesBindException: Error creating bean with name 'spring.resources-org.springframework.boot.autoconfigure.web.ResourceProperties': Could not bind properties to 'ResourceProperties' : prefix=spring.resources, ignoreInvalidFields=false, ignoreUnknownFields=false; nested exception is org.springframework.boot.context.properties.bind.BindException: Failed to bind properties under 'spring.resources.cache.period' to java.time.Duration
23:31:28.634 [restartedMain ] ERROR o.s.b.d.LoggingFailureAnalysisReporter:
***************************
APPLICATION FAILED TO START
***************************
Description:
Failed to bind properties under 'spring.resources.cache.period' to java.time.Duration:
Property: spring.resources.cache.period
Value: 0
Origin: "spring.resources.cache.period" from property source "refresh"
Reason: No converter found capable of converting from type [java.lang.String] to type [@org.springframework.boot.convert.DurationUnit java.time.Duration]
Action:
Update your application's configuration
```
I've tried to step-debug it, but there is multiple conversion services, some of them are static and the binding is happening behind 30+ layers of method calls.
If I uncomment this, nothing changes - the error message stays the same (the `Value: 0` doesn't change)
```properties
spring.resources.cache.period=1s
```
I believe the value comes from here

If I remove this from my `pom.xml`, it starts working
```xml
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-devtools</artifactId>
<optional>true</optional>
</dependency>
```
------
After I've "fixed" all this, I've decided that I want to change those settings, so I've set
```properties
spring.resources.cache.cachecontrol.maxAge=P365D
```
but - the same problem
```
***************************
APPLICATION FAILED TO START
***************************
Description:
Failed to bind properties under 'spring.resources.cache.cachecontrol.max-age' to java.time.Duration:
Property: spring.resources.cache.cachecontrol.maxage
Value: P365D
Origin: "spring.resources.cache.cachecontrol.maxAge" from property source "class path resource [application-web-admin.properties]"
Reason: No converter found capable of converting from type [java.lang.String] to type [@org.springframework.boot.convert.DurationUnit java.time.Duration]
Action:
Update your application's configuration
```
Which leads me to think, that Spring Boot contains properties that you simply cannot configure, without creating a custom converter. | 1.0 | Declaring a bean named conversionService prevents binding of Duration configuration properties - Hello,
I have the following problem and I believe it might be a bug.
----
I have a multi-module application
* `core` - working perfectly
* `rest-api` - working perfectly (depends on `core`)
* `web-admin` - I'm currently creating this module (depends on `core`)
```java
@SpringBootConfiguration
@Import({
CoreBootstrap.class, // config from module core
WebConfiguration.class,
WebSecurityConfiguration.class,
})
@PropertySource("classpath:application-web-admin.properties")
public class WebAdminApplication
{
public static void main(final String[] args)
{
new SpringApplicationBuilder(WebAdminApplication.class)
.registerShutdownHook(true)
.bannerMode(Banner.Mode.OFF)
.web(WebApplicationType.SERVLET)
.run(args);
}
}
```
```java
@Configuration
@EnableWebSecurity
public class WebSecurityConfiguration extends WebSecurityConfigurerAdapter
{
...
```
```java
@Configuration
@Import({
ForwardedHeadersConfiguration.class, // enables ForwardedHeaderFilter
})
@EnableWebMvc
public class WebConfiguration implements WebMvcConfigurer
{
...
```
File `application-web-admin.properties`
```properties
server.servlet.context-path=/
spring.jpa.open-in-view=false
spring.mvc.throw-exception-if-no-handler-found=true
spring.http.encoding.charset=UTF-8
spring.http.encoding.enabled=true
spring.http.encoding.force=true
spring.security.filter.order=10
spring.thymeleaf.enabled=true
spring.mvc.locale-resolver=FIXED
spring.mvc.locale=en
#spring.resources.cache.period=1s
#spring.mvc.contentnegotiation.favor-parameter=false
#spring.mvc.contentnegotiation.favor-path-extension=false
management.endpoint.health.showDetails=WHEN_AUTHORIZED
management.endpoint.health.roles=ACTUATOR
```
---
Now - I've been struggling to figure out, why my static resources are returning 404 - and I believe I might have found the reason thanks to [this SO answer](https://stackoverflow.com/a/33852040/602899), so I've removed the `@EnableWebMvc` annotation and suddenly this:
```
23:19:47.623 [main] DEBUG org.springframework.boot.devtools.restart.ChangeableUrls - Matching URLs for reloading : [******]
23:19:53.453 [restartedMain ] INFO com.cogvio.WebAdminApplication: Starting WebAdminApplication
23:19:53.454 [restartedMain ] DEBUG com.cogvio.WebAdminApplication: Running with Spring Boot v2.0.0.RC2, Spring v5.0.4.RELEASE
23:19:57.191 [localhost-start] INFO org.springframework.web.context.ContextLoader: Root WebApplicationContext: initialization completed in 3684 ms
23:31:27.431 [restartedMain ] WARN ationConfigServletWebServerApplicationContext: Exception encountered during context initialization - cancelling refresh attempt: org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'org.springframework.security.config.annotation.web.configuration.WebSecurityConfiguration': Unsatisfied dependency expressed through method 'setFilterChainProxySecurityConfigurer' parameter 1; nested exception is org.springframework.beans.factory.BeanExpressionException: Expression parsing failed; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'com.cogvio.config.WebSecurityConfiguration': Unsatisfied dependency expressed through method 'setContentNegotationStrategy' parameter 0; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'org.springframework.boot.autoconfigure.web.servlet.WebMvcAutoConfiguration$EnableWebMvcConfiguration': Unsatisfied dependency expressed through method 'setConfigurers' parameter 0; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'org.springframework.boot.autoconfigure.web.servlet.WebMvcAutoConfiguration$WebMvcAutoConfigurationAdapter': Unsatisfied dependency expressed through constructor parameter 0; nested exception is org.springframework.boot.context.properties.ConfigurationPropertiesBindException: Error creating bean with name 'spring.resources-org.springframework.boot.autoconfigure.web.ResourceProperties': Could not bind properties to 'ResourceProperties' : prefix=spring.resources, ignoreInvalidFields=false, ignoreUnknownFields=false; nested exception is org.springframework.boot.context.properties.bind.BindException: Failed to bind properties under 'spring.resources.cache.period' to java.time.Duration
23:31:28.634 [restartedMain ] ERROR o.s.b.d.LoggingFailureAnalysisReporter:
***************************
APPLICATION FAILED TO START
***************************
Description:
Failed to bind properties under 'spring.resources.cache.period' to java.time.Duration:
Property: spring.resources.cache.period
Value: 0
Origin: "spring.resources.cache.period" from property source "refresh"
Reason: No converter found capable of converting from type [java.lang.String] to type [@org.springframework.boot.convert.DurationUnit java.time.Duration]
Action:
Update your application's configuration
```
I've tried to step-debug it, but there is multiple conversion services, some of them are static and the binding is happening behind 30+ layers of method calls.
If I uncomment this, nothing changes - the error message stays the same (the `Value: 0` doesn't change)
```properties
spring.resources.cache.period=1s
```
I believe the value comes from here

If I remove this from my `pom.xml`, it starts working
```xml
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-devtools</artifactId>
<optional>true</optional>
</dependency>
```
------
After I've "fixed" all this, I've decided that I want to change those settings, so I've set
```properties
spring.resources.cache.cachecontrol.maxAge=P365D
```
but - the same problem
```
***************************
APPLICATION FAILED TO START
***************************
Description:
Failed to bind properties under 'spring.resources.cache.cachecontrol.max-age' to java.time.Duration:
Property: spring.resources.cache.cachecontrol.maxage
Value: P365D
Origin: "spring.resources.cache.cachecontrol.maxAge" from property source "class path resource [application-web-admin.properties]"
Reason: No converter found capable of converting from type [java.lang.String] to type [@org.springframework.boot.convert.DurationUnit java.time.Duration]
Action:
Update your application's configuration
```
Which leads me to think, that Spring Boot contains properties that you simply cannot configure, without creating a custom converter. | priority | declaring a bean named conversionservice prevents binding of duration configuration properties hello i have the following problem and i believe it might be a bug i have a multi module application core working perfectly rest api working perfectly depends on core web admin i m currently creating this module depends on core java springbootconfiguration import corebootstrap class config from module core webconfiguration class websecurityconfiguration class propertysource classpath application web admin properties public class webadminapplication public static void main final string args new springapplicationbuilder webadminapplication class registershutdownhook true bannermode banner mode off web webapplicationtype servlet run args java configuration enablewebsecurity public class websecurityconfiguration extends websecurityconfigureradapter java configuration import forwardedheadersconfiguration class enables forwardedheaderfilter enablewebmvc public class webconfiguration implements webmvcconfigurer file application web admin properties properties server servlet context path spring jpa open in view false spring mvc throw exception if no handler found true spring http encoding charset utf spring http encoding enabled true spring http encoding force true spring security filter order spring thymeleaf enabled true spring mvc locale resolver fixed spring mvc locale en spring resources cache period spring mvc contentnegotiation favor parameter false spring mvc contentnegotiation favor path extension false management endpoint health showdetails when authorized management endpoint health roles actuator now i ve been struggling to figure out why my static resources are returning and i believe i might have found the reason thanks to so i ve removed the enablewebmvc annotation and suddenly this debug org springframework boot devtools restart changeableurls matching urls for reloading info com cogvio webadminapplication starting webadminapplication debug com cogvio webadminapplication running with spring boot spring release info org springframework web context contextloader root webapplicationcontext initialization completed in ms warn ationconfigservletwebserverapplicationcontext exception encountered during context initialization cancelling refresh attempt org springframework beans factory unsatisfieddependencyexception error creating bean with name org springframework security config annotation web configuration websecurityconfiguration unsatisfied dependency expressed through method setfilterchainproxysecurityconfigurer parameter nested exception is org springframework beans factory beanexpressionexception expression parsing failed nested exception is org springframework beans factory unsatisfieddependencyexception error creating bean with name com cogvio config websecurityconfiguration unsatisfied dependency expressed through method setcontentnegotationstrategy parameter nested exception is org springframework beans factory unsatisfieddependencyexception error creating bean with name org springframework boot autoconfigure web servlet webmvcautoconfiguration enablewebmvcconfiguration unsatisfied dependency expressed through method setconfigurers parameter nested exception is org springframework beans factory unsatisfieddependencyexception error creating bean with name org springframework boot autoconfigure web servlet webmvcautoconfiguration webmvcautoconfigurationadapter unsatisfied dependency expressed through constructor parameter nested exception is org springframework boot context properties configurationpropertiesbindexception error creating bean with name spring resources org springframework boot autoconfigure web resourceproperties could not bind properties to resourceproperties prefix spring resources ignoreinvalidfields false ignoreunknownfields false nested exception is org springframework boot context properties bind bindexception failed to bind properties under spring resources cache period to java time duration error o s b d loggingfailureanalysisreporter application failed to start description failed to bind properties under spring resources cache period to java time duration property spring resources cache period value origin spring resources cache period from property source refresh reason no converter found capable of converting from type to type action update your application s configuration i ve tried to step debug it but there is multiple conversion services some of them are static and the binding is happening behind layers of method calls if i uncomment this nothing changes the error message stays the same the value doesn t change properties spring resources cache period i believe the value comes from here if i remove this from my pom xml it starts working xml org springframework boot spring boot devtools true after i ve fixed all this i ve decided that i want to change those settings so i ve set properties spring resources cache cachecontrol maxage but the same problem application failed to start description failed to bind properties under spring resources cache cachecontrol max age to java time duration property spring resources cache cachecontrol maxage value origin spring resources cache cachecontrol maxage from property source class path resource reason no converter found capable of converting from type to type action update your application s configuration which leads me to think that spring boot contains properties that you simply cannot configure without creating a custom converter | 1 |
516,709 | 14,986,769,142 | IssuesEvent | 2021-01-28 21:43:52 | idaholab/Deep-Lynx | https://api.github.com/repos/idaholab/Deep-Lynx | opened | Type mappings associated with uninserted data need protected | High Priority UI | ## Reason
A user must not delete a type mapping that is associated with data that hasn't been inserted as nodes/edges. Currently a user could potentially delete a type mapping for data pending insertion, and the system will not attempt to recreate that type mapping causing the system to error out.
## Design
Three changes must occur.
1. UI must be modified to not allow a user to delete a type mapping with uninserted data
2. API endpoint for deleting a type mapping must not work if type mapping has uninserted data
3. Processing loop must be able to handle data in an import that no longer has a type mapping, able to recreate that type mapping.
## Impact
Will impact all users across the board who deal with type mapping.
| 1.0 | Type mappings associated with uninserted data need protected - ## Reason
A user must not delete a type mapping that is associated with data that hasn't been inserted as nodes/edges. Currently a user could potentially delete a type mapping for data pending insertion, and the system will not attempt to recreate that type mapping causing the system to error out.
## Design
Three changes must occur.
1. UI must be modified to not allow a user to delete a type mapping with uninserted data
2. API endpoint for deleting a type mapping must not work if type mapping has uninserted data
3. Processing loop must be able to handle data in an import that no longer has a type mapping, able to recreate that type mapping.
## Impact
Will impact all users across the board who deal with type mapping.
| priority | type mappings associated with uninserted data need protected reason a user must not delete a type mapping that is associated with data that hasn t been inserted as nodes edges currently a user could potentially delete a type mapping for data pending insertion and the system will not attempt to recreate that type mapping causing the system to error out design three changes must occur ui must be modified to not allow a user to delete a type mapping with uninserted data api endpoint for deleting a type mapping must not work if type mapping has uninserted data processing loop must be able to handle data in an import that no longer has a type mapping able to recreate that type mapping impact will impact all users across the board who deal with type mapping | 1 |
202,185 | 7,045,043,122 | IssuesEvent | 2018-01-01 13:52:02 | r-lib/styler | https://api.github.com/repos/r-lib/styler | closed | rplumber support | Complexity: Low Priority: High Status: WIP Type: Bug | styler breaks `rplumber` syntax by inserting a space between `#` and `*`. E.g. take the following example from www.rplumber.io.
```r
# myfile.R
#* @get /mean
normalMean <- function(samples=10){
data <- rnorm(samples)
mean(data)
}
#* @post /sum
addTwo <- function(a, b){
as.numeric(a) + as.numeric(b)
}
```
This won't work anymore with `# * @get ` etc.
It seems as all plumber tags are listed [here](https://www.rplumber.io/docs/routing-and-input.html#endpoints). The list includes
* `@get`
* `@post`
* `@put`
* `@delete`
* `@head`
I think we simply may adapt the regex pattern in https://github.com/r-lib/styler/blob/master/R/rules-spacing.R#L189 to not only support `#'`, but also `#*`. I don't see any conflicts since roxygen markdown syntax uses `#' * bullet` (so it won't match).
cc: @trestletech | 1.0 | rplumber support - styler breaks `rplumber` syntax by inserting a space between `#` and `*`. E.g. take the following example from www.rplumber.io.
```r
# myfile.R
#* @get /mean
normalMean <- function(samples=10){
data <- rnorm(samples)
mean(data)
}
#* @post /sum
addTwo <- function(a, b){
as.numeric(a) + as.numeric(b)
}
```
This won't work anymore with `# * @get ` etc.
It seems as all plumber tags are listed [here](https://www.rplumber.io/docs/routing-and-input.html#endpoints). The list includes
* `@get`
* `@post`
* `@put`
* `@delete`
* `@head`
I think we simply may adapt the regex pattern in https://github.com/r-lib/styler/blob/master/R/rules-spacing.R#L189 to not only support `#'`, but also `#*`. I don't see any conflicts since roxygen markdown syntax uses `#' * bullet` (so it won't match).
cc: @trestletech | priority | rplumber support styler breaks rplumber syntax by inserting a space between and e g take the following example from r myfile r get mean normalmean function samples data rnorm samples mean data post sum addtwo function a b as numeric a as numeric b this won t work anymore with get etc it seems as all plumber tags are listed the list includes get post put delete head i think we simply may adapt the regex pattern in to not only support but also i don t see any conflicts since roxygen markdown syntax uses bullet so it won t match cc trestletech | 1 |
190,277 | 6,813,179,807 | IssuesEvent | 2017-11-06 08:08:50 | tunga-io/tunga-web | https://api.github.com/repos/tunga-io/tunga-web | closed | Feedback form actionable events drip mails | feature High priority Must have reviewing This week | <!--
PLEASE HELP US PROCESS GITHUB ISSUES FASTER BY PROVIDING THE FOLLOWING INFORMATION.
-->
## I'm submitting a ...
<!-- Check one of the following options with "x" and add the appropriate label to the issue as well -->
<pre><code>
[ ] Bug report <!-- Please search this repo for a similar issue or PR before submitting -->
[X] Feature request
[ ] Regression (behavior that used to work and stopped working in a new release)
</code></pre>
## Current behavior
<!-- Describe how the issue manifests. -->
In the previously issued actionable dripmails, there was a reference to a feedback form.
E.g.:
_"Hi [USER]
It seems that a deadline on your [NAME PROJECT] project has been missed. We apologize sincerely for the inconvenience this may have caused. This email is to notify you that we will be contacting you very soon to discuss the details of it and how we can help in resolving this very quickly.
Best regards,
Tunga
In case you do not want us to contact you or you have already been helped with this matter, please click the button below.
Button option at end of email stating DEADLINE WAS NOT MISSED/I DO NOT NEED TO BE CONTACTED"_
**For each of these mails we need to establish a feedback form on the platform and a button.
These need to be sent out to the three relevant users: PM's, clients, and developers.**
However, each email has a different button (if applicable - in this case it would be as indicated above) and every feedback form on the platform has a different title. In this case, the title of the feedback form would be: Feedback deadline missed. For every actionable event, keep the title short as referenced. For instance, "Feedback quality rating", "Feedback communication", etc.
Every single feedback form should lead to a screen (after being filled in). **"Thank you for the feedback. You'll hear from us soon."**
Below you find the feedback form per actionable event per user.
**1. In case of missed deadline, not communicated**
Developer:
Please share details about missing the deadline in the form below.
PM:
Please share details about missing the deadline in the form below. We shall be contacting you shortly.
**2. In case of missed deadline but communicated**
Client:
In case you wish to share some details with us about the missed deadline, feel free to share them with us in the form below.
Developer:
Please share details about missing the deadline in the form below. We shall be contacting you shortly.
PM:
Please share details about missing the deadline in the form below. We shall be contacting you shortly.
**3. Negative difference of 20% or more between percentage time passed and percentage finished of deliverable**
Developer:
Please indicate below if you will still be able to meet the deadline.
[two pre-filled options]
- I will still meet the deadline
- I will not meet the deadline
[In case of the latter being selected - a feedback form opens up below]
You've indicated that you will not meet the deadline. Please explain below why you will not be able to deadline and how we can possible support you.
**4. Unsatisfied with deliverable**
Developer:
[NAME CLIENT] has indicated that the deliverable was not up to the expected standard. If you have any details, please share them in form below.
PM:
[NAME CLIENT] has indicated that the deliverable was not up to the expected standard. If you have any details, please share them in form below.
**5. Rating deliverable**
Developer:
It seems that there is a large discrepancy between how you rated your deliverables on the [CLIENT’S PROJECT] project and how [NAME CLIENT] has rated it. If you have any additional details, please let us know in the for below.
PM:
Developer:
It seems that there is a large discrepancy between how you rated your deliverables on the [CLIENT’S PROJECT] project and how [NAME CLIENT] has rated it. If you have any additional details, please let us know in the for below.
**6. Status stuck**
Developer:
You've let us know that you're currently stuck with your project. Please share some details with us in the form below.
PM:
You've let us know that you and/or one of the developers in your tribe are currently stuck with your project. Please share some details with us below.
**7. Not anticipating to meet deadline**
Developer:
You've let us know that you expect to miss the deadline. Please share some details with us in the form below.
PM:
You've let us know that you expect to miss the deadline. Please share some details with us in the form below.
**8. If % finished according to client is < than % according to dev/pm**
Developer:
[NAME CLIENT] has let us know that the deliverable on the [CLIENT’S PROJECT] project does not fully meet the agreed specifications. Please share some details with us in the form below.
PM:
Developer:
[NAME CLIENT] has let us know that the deliverable on the [CLIENT’S PROJECT] project does not fully meet the agreed specifications. Please share some details with us in the form below.
## Expected behavior
<!-- Describe what the desired behavior would be. -->
In
## Minimal instructions for reproducing the problem (optional for feature requests)
<!--
For bug reports please provide the *STEPS TO REPRODUCE* and if possible a *MINIMAL DEMO* of the problem via
https://plnkr.co or similar.
-->
## What is the motivation / use case for changing the behavior?
<!-- Describe the motivation or the concrete use case. -->
## Please tell us about your environment (optional for feature requests)
<pre><code>
Browser:
- [ ] Chrome (desktop) version XX
- [ ] Chrome (Android) version XX
- [ ] Chrome (iOS) version XX
- [ ] Firefox version XX
- [ ] Safari (desktop) version XX
- [ ] Safari (iOS) version XX
- [ ] IE version XX
- [ ] Edge version XX
- [ ] Other version XX <!-- Replace Other with name of browser -->
Operating System:
- [ ] macOS version XX
- [ ] Windows version XX
- [ ] Linux <!-- Add flavor name here --> XX
- [ ] Android version XX
- [ ] iOS version XX
- [ ] Windows Phone version XX
- [ ] Other version XX <!-- Replace Other with name of OS -->
Environment/ Server:
- [ ] Production
- [ ] Staging
- [ ] Test
- [ ] Development
<!-- If possible, check whether this is still an issue on the test server first -->
For Developer issues:
- Node version: XX <!-- use `node --version` -->
- Platform: <!-- Mac, Linux, Windows -->
Others:
<!-- Anything else relevant? Operating system version, IDE, package manager, HTTP server, ... -->
</code></pre> | 1.0 | Feedback form actionable events drip mails - <!--
PLEASE HELP US PROCESS GITHUB ISSUES FASTER BY PROVIDING THE FOLLOWING INFORMATION.
-->
## I'm submitting a ...
<!-- Check one of the following options with "x" and add the appropriate label to the issue as well -->
<pre><code>
[ ] Bug report <!-- Please search this repo for a similar issue or PR before submitting -->
[X] Feature request
[ ] Regression (behavior that used to work and stopped working in a new release)
</code></pre>
## Current behavior
<!-- Describe how the issue manifests. -->
In the previously issued actionable dripmails, there was a reference to a feedback form.
E.g.:
_"Hi [USER]
It seems that a deadline on your [NAME PROJECT] project has been missed. We apologize sincerely for the inconvenience this may have caused. This email is to notify you that we will be contacting you very soon to discuss the details of it and how we can help in resolving this very quickly.
Best regards,
Tunga
In case you do not want us to contact you or you have already been helped with this matter, please click the button below.
Button option at end of email stating DEADLINE WAS NOT MISSED/I DO NOT NEED TO BE CONTACTED"_
**For each of these mails we need to establish a feedback form on the platform and a button.
These need to be sent out to the three relevant users: PM's, clients, and developers.**
However, each email has a different button (if applicable - in this case it would be as indicated above) and every feedback form on the platform has a different title. In this case, the title of the feedback form would be: Feedback deadline missed. For every actionable event, keep the title short as referenced. For instance, "Feedback quality rating", "Feedback communication", etc.
Every single feedback form should lead to a screen (after being filled in). **"Thank you for the feedback. You'll hear from us soon."**
Below you find the feedback form per actionable event per user.
**1. In case of missed deadline, not communicated**
Developer:
Please share details about missing the deadline in the form below.
PM:
Please share details about missing the deadline in the form below. We shall be contacting you shortly.
**2. In case of missed deadline but communicated**
Client:
In case you wish to share some details with us about the missed deadline, feel free to share them with us in the form below.
Developer:
Please share details about missing the deadline in the form below. We shall be contacting you shortly.
PM:
Please share details about missing the deadline in the form below. We shall be contacting you shortly.
**3. Negative difference of 20% or more between percentage time passed and percentage finished of deliverable**
Developer:
Please indicate below if you will still be able to meet the deadline.
[two pre-filled options]
- I will still meet the deadline
- I will not meet the deadline
[In case of the latter being selected - a feedback form opens up below]
You've indicated that you will not meet the deadline. Please explain below why you will not be able to deadline and how we can possible support you.
**4. Unsatisfied with deliverable**
Developer:
[NAME CLIENT] has indicated that the deliverable was not up to the expected standard. If you have any details, please share them in form below.
PM:
[NAME CLIENT] has indicated that the deliverable was not up to the expected standard. If you have any details, please share them in form below.
**5. Rating deliverable**
Developer:
It seems that there is a large discrepancy between how you rated your deliverables on the [CLIENT’S PROJECT] project and how [NAME CLIENT] has rated it. If you have any additional details, please let us know in the for below.
PM:
Developer:
It seems that there is a large discrepancy between how you rated your deliverables on the [CLIENT’S PROJECT] project and how [NAME CLIENT] has rated it. If you have any additional details, please let us know in the for below.
**6. Status stuck**
Developer:
You've let us know that you're currently stuck with your project. Please share some details with us in the form below.
PM:
You've let us know that you and/or one of the developers in your tribe are currently stuck with your project. Please share some details with us below.
**7. Not anticipating to meet deadline**
Developer:
You've let us know that you expect to miss the deadline. Please share some details with us in the form below.
PM:
You've let us know that you expect to miss the deadline. Please share some details with us in the form below.
**8. If % finished according to client is < than % according to dev/pm**
Developer:
[NAME CLIENT] has let us know that the deliverable on the [CLIENT’S PROJECT] project does not fully meet the agreed specifications. Please share some details with us in the form below.
PM:
Developer:
[NAME CLIENT] has let us know that the deliverable on the [CLIENT’S PROJECT] project does not fully meet the agreed specifications. Please share some details with us in the form below.
## Expected behavior
<!-- Describe what the desired behavior would be. -->
In
## Minimal instructions for reproducing the problem (optional for feature requests)
<!--
For bug reports please provide the *STEPS TO REPRODUCE* and if possible a *MINIMAL DEMO* of the problem via
https://plnkr.co or similar.
-->
## What is the motivation / use case for changing the behavior?
<!-- Describe the motivation or the concrete use case. -->
## Please tell us about your environment (optional for feature requests)
<pre><code>
Browser:
- [ ] Chrome (desktop) version XX
- [ ] Chrome (Android) version XX
- [ ] Chrome (iOS) version XX
- [ ] Firefox version XX
- [ ] Safari (desktop) version XX
- [ ] Safari (iOS) version XX
- [ ] IE version XX
- [ ] Edge version XX
- [ ] Other version XX <!-- Replace Other with name of browser -->
Operating System:
- [ ] macOS version XX
- [ ] Windows version XX
- [ ] Linux <!-- Add flavor name here --> XX
- [ ] Android version XX
- [ ] iOS version XX
- [ ] Windows Phone version XX
- [ ] Other version XX <!-- Replace Other with name of OS -->
Environment/ Server:
- [ ] Production
- [ ] Staging
- [ ] Test
- [ ] Development
<!-- If possible, check whether this is still an issue on the test server first -->
For Developer issues:
- Node version: XX <!-- use `node --version` -->
- Platform: <!-- Mac, Linux, Windows -->
Others:
<!-- Anything else relevant? Operating system version, IDE, package manager, HTTP server, ... -->
</code></pre> | priority | feedback form actionable events drip mails please help us process github issues faster by providing the following information i m submitting a bug report feature request regression behavior that used to work and stopped working in a new release current behavior in the previously issued actionable dripmails there was a reference to a feedback form e g hi it seems that a deadline on your project has been missed we apologize sincerely for the inconvenience this may have caused this email is to notify you that we will be contacting you very soon to discuss the details of it and how we can help in resolving this very quickly best regards tunga in case you do not want us to contact you or you have already been helped with this matter please click the button below button option at end of email stating deadline was not missed i do not need to be contacted for each of these mails we need to establish a feedback form on the platform and a button these need to be sent out to the three relevant users pm s clients and developers however each email has a different button if applicable in this case it would be as indicated above and every feedback form on the platform has a different title in this case the title of the feedback form would be feedback deadline missed for every actionable event keep the title short as referenced for instance feedback quality rating feedback communication etc every single feedback form should lead to a screen after being filled in thank you for the feedback you ll hear from us soon below you find the feedback form per actionable event per user in case of missed deadline not communicated developer please share details about missing the deadline in the form below pm please share details about missing the deadline in the form below we shall be contacting you shortly in case of missed deadline but communicated client in case you wish to share some details with us about the missed deadline feel free to share them with us in the form below developer please share details about missing the deadline in the form below we shall be contacting you shortly pm please share details about missing the deadline in the form below we shall be contacting you shortly negative difference of or more between percentage time passed and percentage finished of deliverable developer please indicate below if you will still be able to meet the deadline i will still meet the deadline i will not meet the deadline you ve indicated that you will not meet the deadline please explain below why you will not be able to deadline and how we can possible support you unsatisfied with deliverable developer has indicated that the deliverable was not up to the expected standard if you have any details please share them in form below pm has indicated that the deliverable was not up to the expected standard if you have any details please share them in form below rating deliverable developer it seems that there is a large discrepancy between how you rated your deliverables on the project and how has rated it if you have any additional details please let us know in the for below pm developer it seems that there is a large discrepancy between how you rated your deliverables on the project and how has rated it if you have any additional details please let us know in the for below status stuck developer you ve let us know that you re currently stuck with your project please share some details with us in the form below pm you ve let us know that you and or one of the developers in your tribe are currently stuck with your project please share some details with us below not anticipating to meet deadline developer you ve let us know that you expect to miss the deadline please share some details with us in the form below pm you ve let us know that you expect to miss the deadline please share some details with us in the form below if finished according to client is than according to dev pm developer has let us know that the deliverable on the project does not fully meet the agreed specifications please share some details with us in the form below pm developer has let us know that the deliverable on the project does not fully meet the agreed specifications please share some details with us in the form below expected behavior in minimal instructions for reproducing the problem optional for feature requests for bug reports please provide the steps to reproduce and if possible a minimal demo of the problem via or similar what is the motivation use case for changing the behavior please tell us about your environment optional for feature requests browser chrome desktop version xx chrome android version xx chrome ios version xx firefox version xx safari desktop version xx safari ios version xx ie version xx edge version xx other version xx operating system macos version xx windows version xx linux xx android version xx ios version xx windows phone version xx other version xx environment server production staging test development for developer issues node version xx platform others | 1 |
310,043 | 9,484,970,903 | IssuesEvent | 2019-04-22 08:40:48 | bitnami/kube-prod-runtime | https://api.github.com/repos/bitnami/kube-prod-runtime | reopened | Grafana Default Dashboards | enhancement good first issue priority/high | This is probably on your list of things to do, but do you plan on adding a default set of k8s dashboards for grafana? I have a set that I borrowed from GKE's marketplace, but they don't all fully work (due to change in node exporter format from Prometheus). I haven't come across a robust set of dashboards that work out of the box recently.
https://github.com/EamonKeane/k8s-cluster-services/tree/master/cluster-svc/dashboards | 1.0 | Grafana Default Dashboards - This is probably on your list of things to do, but do you plan on adding a default set of k8s dashboards for grafana? I have a set that I borrowed from GKE's marketplace, but they don't all fully work (due to change in node exporter format from Prometheus). I haven't come across a robust set of dashboards that work out of the box recently.
https://github.com/EamonKeane/k8s-cluster-services/tree/master/cluster-svc/dashboards | priority | grafana default dashboards this is probably on your list of things to do but do you plan on adding a default set of dashboards for grafana i have a set that i borrowed from gke s marketplace but they don t all fully work due to change in node exporter format from prometheus i haven t come across a robust set of dashboards that work out of the box recently | 1 |
405,264 | 11,870,612,282 | IssuesEvent | 2020-03-26 13:06:58 | input-output-hk/ouroboros-network | https://api.github.com/repos/input-output-hk/ouroboros-network | closed | Throw an exception when a peer sends are more `TxIds` than what we requested | byron networking priority high | * [x] - add another constructor to `TxSubmissionProtocolError`
* [x] - verify that there is erorr policy for `TxSumbissionProtocolError` in place | 1.0 | Throw an exception when a peer sends are more `TxIds` than what we requested - * [x] - add another constructor to `TxSubmissionProtocolError`
* [x] - verify that there is erorr policy for `TxSumbissionProtocolError` in place | priority | throw an exception when a peer sends are more txids than what we requested add another constructor to txsubmissionprotocolerror verify that there is erorr policy for txsumbissionprotocolerror in place | 1 |
31,855 | 2,740,435,814 | IssuesEvent | 2015-04-21 01:56:12 | drusepth/Indent | https://api.github.com/repos/drusepth/Indent | closed | Privacy value not validated for presence | bug High Priority | Since all of the models' Privacy values are not required to be present, any request to show that content could cause the following exception:
````
NoMethodError: undefined method `downcase' for nil:NilClass
app/controllers/application_controller.rb:215:in `hide_private_character'
test/controllers/characters_controller_test.rb:34:in `block in <class:CharactersControllerTest>'
````
This is due to [this line][1] for the Universe controller, similar for the other models:
```ruby
unless (session[:user] and session[:user] == character.user.id) or (character.universe and character.universe.privacy.downcase == 'public')
```
which doesn't check the presence of `character.universe.privacy` first. The rest of the privacy checks here have the same problem, I just came across it while debugging the characters controller.
The form to create a universe does provide a default, but since your code is assuming that the value is present, this value should be enforced as not null by the database, or the code should check for nil.
[1]: https://github.com/drusepth/Indent/blob/master/app/controllers/application_controller.rb#L215 | 1.0 | Privacy value not validated for presence - Since all of the models' Privacy values are not required to be present, any request to show that content could cause the following exception:
````
NoMethodError: undefined method `downcase' for nil:NilClass
app/controllers/application_controller.rb:215:in `hide_private_character'
test/controllers/characters_controller_test.rb:34:in `block in <class:CharactersControllerTest>'
````
This is due to [this line][1] for the Universe controller, similar for the other models:
```ruby
unless (session[:user] and session[:user] == character.user.id) or (character.universe and character.universe.privacy.downcase == 'public')
```
which doesn't check the presence of `character.universe.privacy` first. The rest of the privacy checks here have the same problem, I just came across it while debugging the characters controller.
The form to create a universe does provide a default, but since your code is assuming that the value is present, this value should be enforced as not null by the database, or the code should check for nil.
[1]: https://github.com/drusepth/Indent/blob/master/app/controllers/application_controller.rb#L215 | priority | privacy value not validated for presence since all of the models privacy values are not required to be present any request to show that content could cause the following exception nomethoderror undefined method downcase for nil nilclass app controllers application controller rb in hide private character test controllers characters controller test rb in block in this is due to for the universe controller similar for the other models ruby unless session and session character user id or character universe and character universe privacy downcase public which doesn t check the presence of character universe privacy first the rest of the privacy checks here have the same problem i just came across it while debugging the characters controller the form to create a universe does provide a default but since your code is assuming that the value is present this value should be enforced as not null by the database or the code should check for nil | 1 |
146,895 | 5,630,208,788 | IssuesEvent | 2017-04-05 11:37:02 | ocadotechnology/codeforlife-portal | https://api.github.com/repos/ocadotechnology/codeforlife-portal | closed | From django administration page, in Portal, can't access Teachers or Students | bug priority: high | Trying to access a Student or Teacher from the administration page leads to an error:
Failed to load resource: the server responded with a status of 500 (OK)
| 1.0 | From django administration page, in Portal, can't access Teachers or Students - Trying to access a Student or Teacher from the administration page leads to an error:
Failed to load resource: the server responded with a status of 500 (OK)
| priority | from django administration page in portal can t access teachers or students trying to access a student or teacher from the administration page leads to an error failed to load resource the server responded with a status of ok | 1 |
348,454 | 10,442,671,933 | IssuesEvent | 2019-09-18 13:31:45 | dennissergeev/mc_era5 | https://api.github.com/repos/dennissergeev/mc_era5 | closed | A PL case to show differences ERA5 to ERA-Interim | priority:high | From thesis created by [dennissergeev](https://github.com/dennissergeev) : dennissergeev/thesis#9
One from STARS or the ACCACIA PL? | 1.0 | A PL case to show differences ERA5 to ERA-Interim - From thesis created by [dennissergeev](https://github.com/dennissergeev) : dennissergeev/thesis#9
One from STARS or the ACCACIA PL? | priority | a pl case to show differences to era interim from thesis created by dennissergeev thesis one from stars or the accacia pl | 1 |
598,555 | 18,247,946,347 | IssuesEvent | 2021-10-01 21:21:39 | Sage-Bionetworks/data_curator | https://api.github.com/repos/Sage-Bionetworks/data_curator | closed | New files added to a folder do not show up in the generated templates | bug high priority | **Describe the bug**
From Marisol R at Vanderbilt:
```
I can generate the metadata spreadsheet now, but the spreadsheet only shows the older files, not the ones uploaded on 08/2021. The recently uploaded file names should be in the metadata spreadsheet for us to fill out, correct?
```
One of the folders that contains the old (February) files and new (August) files are here: https://www.synapse.org/#!Synapse:syn23564801
**To Reproduce**
Steps to reproduce the behavior:
1. Go to [Data Curator App](https://www.synapse.org/#!Wiki:syn20681266/ENTITY)
2. Select "Project":"HTAN Vanderbilt", "Folder":"single_cell_RNAseq_level_1", "Template":"scRNA-seq Level 1"
3. Click the three arrows to go to the generate template page
4. Click the purple "Click to Generate Google Sheets Template" button
5. Click on the link it generates
6. Template doesn't contain the newest files uploaded in August
**Expected behavior**
The generated template should contain both the older and newer files that were uploaded for centers to annotate.
**Additional Notes**
Ideally have this fix in place by early October 2021 | 1.0 | New files added to a folder do not show up in the generated templates - **Describe the bug**
From Marisol R at Vanderbilt:
```
I can generate the metadata spreadsheet now, but the spreadsheet only shows the older files, not the ones uploaded on 08/2021. The recently uploaded file names should be in the metadata spreadsheet for us to fill out, correct?
```
One of the folders that contains the old (February) files and new (August) files are here: https://www.synapse.org/#!Synapse:syn23564801
**To Reproduce**
Steps to reproduce the behavior:
1. Go to [Data Curator App](https://www.synapse.org/#!Wiki:syn20681266/ENTITY)
2. Select "Project":"HTAN Vanderbilt", "Folder":"single_cell_RNAseq_level_1", "Template":"scRNA-seq Level 1"
3. Click the three arrows to go to the generate template page
4. Click the purple "Click to Generate Google Sheets Template" button
5. Click on the link it generates
6. Template doesn't contain the newest files uploaded in August
**Expected behavior**
The generated template should contain both the older and newer files that were uploaded for centers to annotate.
**Additional Notes**
Ideally have this fix in place by early October 2021 | priority | new files added to a folder do not show up in the generated templates describe the bug from marisol r at vanderbilt i can generate the metadata spreadsheet now but the spreadsheet only shows the older files not the ones uploaded on the recently uploaded file names should be in the metadata spreadsheet for us to fill out correct one of the folders that contains the old february files and new august files are here to reproduce steps to reproduce the behavior go to select project htan vanderbilt folder single cell rnaseq level template scrna seq level click the three arrows to go to the generate template page click the purple click to generate google sheets template button click on the link it generates template doesn t contain the newest files uploaded in august expected behavior the generated template should contain both the older and newer files that were uploaded for centers to annotate additional notes ideally have this fix in place by early october | 1 |
288,825 | 8,851,970,871 | IssuesEvent | 2019-01-08 17:01:52 | wevote/WebApp | https://api.github.com/repos/wevote/WebApp | opened | Remove all bookmark code | Difficulty: High Priority: 2 | We have decided to no longer use bookmarks. Please strip all bookmark code out of WebApp. | 1.0 | Remove all bookmark code - We have decided to no longer use bookmarks. Please strip all bookmark code out of WebApp. | priority | remove all bookmark code we have decided to no longer use bookmarks please strip all bookmark code out of webapp | 1 |
550,996 | 16,135,836,647 | IssuesEvent | 2021-04-29 11:43:31 | 389ds/389-ds-base | https://api.github.com/repos/389ds/389-ds-base | closed | incorrect accounting of readers in vattr rwlock | In JIRA priority_high | **Issue Description**
Fedora 33 389-ds 1.4.4.13-2, a [prci test](https://github.com/freeipa/freeipa-pr-ci/issues/422#issuecomment-793504398) is showing a DS hang.
The hangs occurs when a thread (cos cache rebuild) tries to acquire vattr rwlock (the_map->lock) in write. As it remains readers, this thread is stopped but because of priority of writers it blocks others SRCH threads that try to acquire the rwlock in read.
The hang should finished when the readers threads that acquired the lock before writer thread (cos cache) release the lock.
The problem is that there is no others readers threads. The backtrace is only showing readers that are waiting for the writers.
The backtrace is showing 5 readers and 1 writers but the lock is showing 14 readers. So some readers, that complete their task, has not released the lock
<pre>
(gdb) print *the_map->lock
$41 = {__data = {__readers = 14, __writers = 0, __wrphase_futex = 2, __writers_futex = 1, __pad3 = 0, __pad4 = 0, __cur_writer = 0, __shared = 0, __rwelision = 0 '\000',
__pad1 = "\000\000\000\000\000\000", __pad2 = 0, __flags = 2},
__size = "\016\000\000\000\000\000\000\000\002\000\000\000\001", '\000' , "\002\000\000\000\000\000\000", __align = 14}
</pre>
Related ticket:
#[51068](https://pagure.io/389-ds-base/issue/51068) That gives priority to writers and hang later readers
#[49873](https://pagure.io/389-ds-base/issue/49873) That acquires the map rwlock at the operation level using a per cpu variable
**Package Version and Platform:**
I suspect it happens since #49873 (RHEL8)
**Steps to Reproduce**
The hang is **not** systematic. It happens from time to time with freeipa [prci test](https://github.com/freeipa/freeipa-pr-ci/issues/422#issuecomment-793504398)
**Expected results**
DS should not hang
| 1.0 | incorrect accounting of readers in vattr rwlock - **Issue Description**
Fedora 33 389-ds 1.4.4.13-2, a [prci test](https://github.com/freeipa/freeipa-pr-ci/issues/422#issuecomment-793504398) is showing a DS hang.
The hangs occurs when a thread (cos cache rebuild) tries to acquire vattr rwlock (the_map->lock) in write. As it remains readers, this thread is stopped but because of priority of writers it blocks others SRCH threads that try to acquire the rwlock in read.
The hang should finished when the readers threads that acquired the lock before writer thread (cos cache) release the lock.
The problem is that there is no others readers threads. The backtrace is only showing readers that are waiting for the writers.
The backtrace is showing 5 readers and 1 writers but the lock is showing 14 readers. So some readers, that complete their task, has not released the lock
<pre>
(gdb) print *the_map->lock
$41 = {__data = {__readers = 14, __writers = 0, __wrphase_futex = 2, __writers_futex = 1, __pad3 = 0, __pad4 = 0, __cur_writer = 0, __shared = 0, __rwelision = 0 '\000',
__pad1 = "\000\000\000\000\000\000", __pad2 = 0, __flags = 2},
__size = "\016\000\000\000\000\000\000\000\002\000\000\000\001", '\000' , "\002\000\000\000\000\000\000", __align = 14}
</pre>
Related ticket:
#[51068](https://pagure.io/389-ds-base/issue/51068) That gives priority to writers and hang later readers
#[49873](https://pagure.io/389-ds-base/issue/49873) That acquires the map rwlock at the operation level using a per cpu variable
**Package Version and Platform:**
I suspect it happens since #49873 (RHEL8)
**Steps to Reproduce**
The hang is **not** systematic. It happens from time to time with freeipa [prci test](https://github.com/freeipa/freeipa-pr-ci/issues/422#issuecomment-793504398)
**Expected results**
DS should not hang
| priority | incorrect accounting of readers in vattr rwlock issue description fedora ds a is showing a ds hang the hangs occurs when a thread cos cache rebuild tries to acquire vattr rwlock the map lock in write as it remains readers this thread is stopped but because of priority of writers it blocks others srch threads that try to acquire the rwlock in read the hang should finished when the readers threads that acquired the lock before writer thread cos cache release the lock the problem is that there is no others readers threads the backtrace is only showing readers that are waiting for the writers the backtrace is showing readers and writers but the lock is showing readers so some readers that complete their task has not released the lock gdb print the map lock data readers writers wrphase futex writers futex cur writer shared rwelision flags size align related ticket that gives priority to writers and hang later readers that acquires the map rwlock at the operation level using a per cpu variable package version and platform i suspect it happens since steps to reproduce the hang is not systematic it happens from time to time with freeipa expected results ds should not hang | 1 |
713,869 | 24,542,082,843 | IssuesEvent | 2022-10-12 05:18:12 | AY2223S1-CS2103T-T08-4/tp | https://api.github.com/repos/AY2223S1-CS2103T-T08-4/tp | closed | Marking attendance | type.Story priority.High | ### As a CS2103T TA, I can indicate whether a student has attended a tutorial, so that I can track their attendance.
Increment/decrement attendance. | 1.0 | Marking attendance - ### As a CS2103T TA, I can indicate whether a student has attended a tutorial, so that I can track their attendance.
Increment/decrement attendance. | priority | marking attendance as a ta i can indicate whether a student has attended a tutorial so that i can track their attendance increment decrement attendance | 1 |
168,863 | 6,388,372,594 | IssuesEvent | 2017-08-03 15:26:56 | geomcmaster/CollegeMatch | https://api.github.com/repos/geomcmaster/CollegeMatch | closed | Handle nulls values from table | bug high effort high priority | Use [wasNull()](https://docs.oracle.com/javase/7/docs/api/java/sql/ResultSet.html#wasNull()) to check if returned values are null, and handle it in a reasonable manner. | 1.0 | Handle nulls values from table - Use [wasNull()](https://docs.oracle.com/javase/7/docs/api/java/sql/ResultSet.html#wasNull()) to check if returned values are null, and handle it in a reasonable manner. | priority | handle nulls values from table use to check if returned values are null and handle it in a reasonable manner | 1 |
599,002 | 18,263,769,602 | IssuesEvent | 2021-10-04 05:13:17 | gambitph/Stackable | https://api.github.com/repos/gambitph/Stackable | closed | Button: Block error when pressing enter after typing button text | bug high priority [version] V3 [block] Button | <!--
Before posting, make sure that:
1. you are running the latest version of Stackable, and
2. you have searched whether your issue has already been reported
-->
Add a v3 Button
type into button text & press enter
<img width="704" alt="Screen Shot 2021-10-02 at 10 46 49 AM" src="https://user-images.githubusercontent.com/28699204/135701394-c97b8bc5-5f00-45b4-9413-b39611cc8e0e.png">
https://user-images.githubusercontent.com/28699204/135701384-e8a7b16e-527c-4b97-8e3d-25f88ce73bcc.mov
| 1.0 | Button: Block error when pressing enter after typing button text - <!--
Before posting, make sure that:
1. you are running the latest version of Stackable, and
2. you have searched whether your issue has already been reported
-->
Add a v3 Button
type into button text & press enter
<img width="704" alt="Screen Shot 2021-10-02 at 10 46 49 AM" src="https://user-images.githubusercontent.com/28699204/135701394-c97b8bc5-5f00-45b4-9413-b39611cc8e0e.png">
https://user-images.githubusercontent.com/28699204/135701384-e8a7b16e-527c-4b97-8e3d-25f88ce73bcc.mov
| priority | button block error when pressing enter after typing button text before posting make sure that you are running the latest version of stackable and you have searched whether your issue has already been reported add a button type into button text press enter img width alt screen shot at am src | 1 |
771,240 | 27,076,225,905 | IssuesEvent | 2023-02-14 10:46:47 | breez/c-breez | https://api.github.com/repos/breez/c-breez | closed | Export keys on iOS does't work | high priority | The logs show this error:
2023-02-12T12:10:04.890577 :: I :: CredentialsManager :: Restored credentials successfully :: :: 0 :: :: ::
2023-02-12T12:10:04.893670 :: E :: Main :: FlutterError: PathNotFoundException: Cannot open file, path = '/var/mobile/Containers/Data/Application/1B4212F5-8D96-4A6E-9106-9CD0286B6ADA/Library/Caches/keys6mFFsL/c-breez-credentials.json' (OS Error: No such file or directory, errno = 2) :: :: 0 :: ::
PathNotFoundException: Cannot open file, path = '/var/mobile/Containers/Data/Application/1B4212F5-8D96-4A6E-9106-9CD0286B6ADA/Library/Caches/keys6mFFsL/c-breez-credentials.json' (OS Error: No such file or directory, errno = 2) ::
#0 _checkForErrorResponse (dart:io/common.dart:42)
#1 _File.open.<anonymous closure> (dart:io/file_impl.dart:364)
#2 _rootRunUnary (dart:async/zone.dart:1406)
<asynchronous suspension>
#3 DevelopersView._exportKeys (package:c_breez/routes/dev/commands.dart:98)
<asynchronous suspension> | 1.0 | Export keys on iOS does't work - The logs show this error:
2023-02-12T12:10:04.890577 :: I :: CredentialsManager :: Restored credentials successfully :: :: 0 :: :: ::
2023-02-12T12:10:04.893670 :: E :: Main :: FlutterError: PathNotFoundException: Cannot open file, path = '/var/mobile/Containers/Data/Application/1B4212F5-8D96-4A6E-9106-9CD0286B6ADA/Library/Caches/keys6mFFsL/c-breez-credentials.json' (OS Error: No such file or directory, errno = 2) :: :: 0 :: ::
PathNotFoundException: Cannot open file, path = '/var/mobile/Containers/Data/Application/1B4212F5-8D96-4A6E-9106-9CD0286B6ADA/Library/Caches/keys6mFFsL/c-breez-credentials.json' (OS Error: No such file or directory, errno = 2) ::
#0 _checkForErrorResponse (dart:io/common.dart:42)
#1 _File.open.<anonymous closure> (dart:io/file_impl.dart:364)
#2 _rootRunUnary (dart:async/zone.dart:1406)
<asynchronous suspension>
#3 DevelopersView._exportKeys (package:c_breez/routes/dev/commands.dart:98)
<asynchronous suspension> | priority | export keys on ios does t work the logs show this error i credentialsmanager restored credentials successfully e main fluttererror pathnotfoundexception cannot open file path var mobile containers data application library caches c breez credentials json os error no such file or directory errno pathnotfoundexception cannot open file path var mobile containers data application library caches c breez credentials json os error no such file or directory errno checkforerrorresponse dart io common dart file open dart io file impl dart rootrununary dart async zone dart developersview exportkeys package c breez routes dev commands dart | 1 |
633,246 | 20,249,133,396 | IssuesEvent | 2022-02-14 16:16:13 | BCDevOps/developer-experience | https://api.github.com/repos/BCDevOps/developer-experience | closed | Developer a quota reduction query for all tools namespaces in Silver | high priority app-development | As per the details documented in [this ticket](https://app.zenhub.com/workspaces/platform-experience-5bb7c5ab4b5806bc2beb9d15/issues/bcdevops/developer-experience/1991), we want to reduce the CPU and RAM quotas in all tools namespaces in Silver. The only exception would be these 3 namespaces:
```
75e61b-tools (Education Common)
8878b4-tools (PEN)
77c02f-tools (GRAD)
0bd5ad-tools (Health Gateway)
```
EDUC team does not have Jenkins in these namespaces but instead uses them as staging environment for their app code. They will be migrating the code from `tools` into `test` over the next 1-2 months and will notify PS Team when it is done.
Health Gateway uses Azure build agents for deployment and has tested that multiple agent instances cannot run simultaneously under the reduced quota.
DoD:
- [ ] Develop a query that can run against all tools namespaces for the projects listed in the Project Registry that are hosted in the Silver cluster (with the exception of the 3 abovementions namespaces) and adjust the CPU and RAM quota for these projects to:
```
requests.cpu: 2 cores
limits.cpu: 4 cores
```
- [ ] Run the query in Silver on Feb 8, 2022 at 9am (the ticket can be closed once the query is run). | 1.0 | Developer a quota reduction query for all tools namespaces in Silver - As per the details documented in [this ticket](https://app.zenhub.com/workspaces/platform-experience-5bb7c5ab4b5806bc2beb9d15/issues/bcdevops/developer-experience/1991), we want to reduce the CPU and RAM quotas in all tools namespaces in Silver. The only exception would be these 3 namespaces:
```
75e61b-tools (Education Common)
8878b4-tools (PEN)
77c02f-tools (GRAD)
0bd5ad-tools (Health Gateway)
```
EDUC team does not have Jenkins in these namespaces but instead uses them as staging environment for their app code. They will be migrating the code from `tools` into `test` over the next 1-2 months and will notify PS Team when it is done.
Health Gateway uses Azure build agents for deployment and has tested that multiple agent instances cannot run simultaneously under the reduced quota.
DoD:
- [ ] Develop a query that can run against all tools namespaces for the projects listed in the Project Registry that are hosted in the Silver cluster (with the exception of the 3 abovementions namespaces) and adjust the CPU and RAM quota for these projects to:
```
requests.cpu: 2 cores
limits.cpu: 4 cores
```
- [ ] Run the query in Silver on Feb 8, 2022 at 9am (the ticket can be closed once the query is run). | priority | developer a quota reduction query for all tools namespaces in silver as per the details documented in we want to reduce the cpu and ram quotas in all tools namespaces in silver the only exception would be these namespaces tools education common tools pen tools grad tools health gateway educ team does not have jenkins in these namespaces but instead uses them as staging environment for their app code they will be migrating the code from tools into test over the next months and will notify ps team when it is done health gateway uses azure build agents for deployment and has tested that multiple agent instances cannot run simultaneously under the reduced quota dod develop a query that can run against all tools namespaces for the projects listed in the project registry that are hosted in the silver cluster with the exception of the abovementions namespaces and adjust the cpu and ram quota for these projects to requests cpu cores limits cpu cores run the query in silver on feb at the ticket can be closed once the query is run | 1 |
194,482 | 6,895,162,562 | IssuesEvent | 2017-11-23 12:50:55 | metasfresh/metasfresh | https://api.github.com/repos/metasfresh/metasfresh | closed | Allow more than 1 PostFinanceUserNo per Account | branch:master priority:high type:enhancement | ### Is this a bug or feature request?
Feature Request
### What is the current behavior?
Currently, it's only possible to add 1 PostFinanceUserNo (ESR) to a bank account. In ESR Payment Import the Bank Account is added to Header and there is a check if Bank Account matches to PostFinanceUserNo (ESR).
#### Which are the steps to reproduce?
Try and see.
### What is the expected or desired behavior?
Extend the PostFinanceUserNo (ESR) recording in Bank Account and allow more than 1 ESR definition. In ESR Import allow to import ESR files which have different PostFinanceUserNo (ESR) in 1 File. | 1.0 | Allow more than 1 PostFinanceUserNo per Account - ### Is this a bug or feature request?
Feature Request
### What is the current behavior?
Currently, it's only possible to add 1 PostFinanceUserNo (ESR) to a bank account. In ESR Payment Import the Bank Account is added to Header and there is a check if Bank Account matches to PostFinanceUserNo (ESR).
#### Which are the steps to reproduce?
Try and see.
### What is the expected or desired behavior?
Extend the PostFinanceUserNo (ESR) recording in Bank Account and allow more than 1 ESR definition. In ESR Import allow to import ESR files which have different PostFinanceUserNo (ESR) in 1 File. | priority | allow more than postfinanceuserno per account is this a bug or feature request feature request what is the current behavior currently it s only possible to add postfinanceuserno esr to a bank account in esr payment import the bank account is added to header and there is a check if bank account matches to postfinanceuserno esr which are the steps to reproduce try and see what is the expected or desired behavior extend the postfinanceuserno esr recording in bank account and allow more than esr definition in esr import allow to import esr files which have different postfinanceuserno esr in file | 1 |
522,661 | 15,164,903,920 | IssuesEvent | 2021-02-12 14:22:49 | netdata/netdata | https://api.github.com/repos/netdata/netdata | closed | Socket per process | ebpf-mteam feature request priority/high | ##### Feature idea summary
After we start to monitor IO per process, it is also interesting to expand this concept to the other eBPF collector (Network viewer) in development, we expect to have the following features with this collector:
- [x] Charts per process: It won't be visible for while, but internally all the statistic information will be grouped using the PID.
- [x] IP range specified together network mask: We will allow our users to specify in different formats the values for the options `inbound` and `outbound`. [Network format](https://github.com/netdata/netdata/issues/7886#issuecomment-600205239)
- [x] Port and IP needs to accept different separators(spaces and commas): Considering that Netdata allows in different configuration files these two separators, we are bringing both to Network viewer config file, because we are not considering to use simple pattern with it. [Ports format](https://github.com/netdata/netdata/issues/7886#issuecomment-600209288)
- [x] Ports for UDP and TCP as different options: Instead to have only one option in the configuration file to specify ports, we will separate them in two different options `destination_tcp_ports` and `destination_udp_ports`. [Ports format](https://github.com/netdata/netdata/issues/7886#issuecomment-600209288)
- [x] Charts with global socket information and not only the specified sockets: This chart will demonstrate the calls for specific functions inside the kernel.
- [x] Use hash tables instead perf events: Perf events needs a lot of CPU usage to transfer data from kernel ring to user ring, instead we will hash tables and read every second the accumulated information stored there. [eBPF docs](https://github.com/netdata/docs/pull/157)
- [x] Is it possible to use eBPF with Kubernetes/Docker: We need to test our collectors inside containers and verify possible options and arguments necessaries to execute them. [Docker](https://github.com/netdata/netdata/issues/7886#issuecomment-600202011)
- [x] How interface in `promiscuous mode` affects the collector: When we set promisc mode on LAN interface, will the collector works normally? Or does the kernel get a different road to publish the packets? [Promisc]( https://github.com/netdata/netdata/issues/7886#issuecomment-599579612 )
- [x] How VLANs impacts the data collection: The same questions made for `promisc` mode are applied here? [VLAN]( https://github.com/netdata/netdata/issues/7886#issuecomment-599607359 )
- [x] Inbound connections: This was never planned for Network Viewer, for while, but considering what is described at https://github.com/netdata/product/issues/525 we will need to consider it in a near future.
##### Expected behavior
- A chart that shows global socket information for TCP and UDP
- Charts that show TCP and UDP information for user-specified IP ranges and ports
- Discussion with the product team about use cases
- Detailed information in this issue how each test was executed. | 1.0 | Socket per process - ##### Feature idea summary
After we start to monitor IO per process, it is also interesting to expand this concept to the other eBPF collector (Network viewer) in development, we expect to have the following features with this collector:
- [x] Charts per process: It won't be visible for while, but internally all the statistic information will be grouped using the PID.
- [x] IP range specified together network mask: We will allow our users to specify in different formats the values for the options `inbound` and `outbound`. [Network format](https://github.com/netdata/netdata/issues/7886#issuecomment-600205239)
- [x] Port and IP needs to accept different separators(spaces and commas): Considering that Netdata allows in different configuration files these two separators, we are bringing both to Network viewer config file, because we are not considering to use simple pattern with it. [Ports format](https://github.com/netdata/netdata/issues/7886#issuecomment-600209288)
- [x] Ports for UDP and TCP as different options: Instead to have only one option in the configuration file to specify ports, we will separate them in two different options `destination_tcp_ports` and `destination_udp_ports`. [Ports format](https://github.com/netdata/netdata/issues/7886#issuecomment-600209288)
- [x] Charts with global socket information and not only the specified sockets: This chart will demonstrate the calls for specific functions inside the kernel.
- [x] Use hash tables instead perf events: Perf events needs a lot of CPU usage to transfer data from kernel ring to user ring, instead we will hash tables and read every second the accumulated information stored there. [eBPF docs](https://github.com/netdata/docs/pull/157)
- [x] Is it possible to use eBPF with Kubernetes/Docker: We need to test our collectors inside containers and verify possible options and arguments necessaries to execute them. [Docker](https://github.com/netdata/netdata/issues/7886#issuecomment-600202011)
- [x] How interface in `promiscuous mode` affects the collector: When we set promisc mode on LAN interface, will the collector works normally? Or does the kernel get a different road to publish the packets? [Promisc]( https://github.com/netdata/netdata/issues/7886#issuecomment-599579612 )
- [x] How VLANs impacts the data collection: The same questions made for `promisc` mode are applied here? [VLAN]( https://github.com/netdata/netdata/issues/7886#issuecomment-599607359 )
- [x] Inbound connections: This was never planned for Network Viewer, for while, but considering what is described at https://github.com/netdata/product/issues/525 we will need to consider it in a near future.
##### Expected behavior
- A chart that shows global socket information for TCP and UDP
- Charts that show TCP and UDP information for user-specified IP ranges and ports
- Discussion with the product team about use cases
- Detailed information in this issue how each test was executed. | priority | socket per process feature idea summary after we start to monitor io per process it is also interesting to expand this concept to the other ebpf collector network viewer in development we expect to have the following features with this collector charts per process it won t be visible for while but internally all the statistic information will be grouped using the pid ip range specified together network mask we will allow our users to specify in different formats the values for the options inbound and outbound port and ip needs to accept different separators spaces and commas considering that netdata allows in different configuration files these two separators we are bringing both to network viewer config file because we are not considering to use simple pattern with it ports for udp and tcp as different options instead to have only one option in the configuration file to specify ports we will separate them in two different options destination tcp ports and destination udp ports charts with global socket information and not only the specified sockets this chart will demonstrate the calls for specific functions inside the kernel use hash tables instead perf events perf events needs a lot of cpu usage to transfer data from kernel ring to user ring instead we will hash tables and read every second the accumulated information stored there is it possible to use ebpf with kubernetes docker we need to test our collectors inside containers and verify possible options and arguments necessaries to execute them how interface in promiscuous mode affects the collector when we set promisc mode on lan interface will the collector works normally or does the kernel get a different road to publish the packets how vlans impacts the data collection the same questions made for promisc mode are applied here inbound connections this was never planned for network viewer for while but considering what is described at we will need to consider it in a near future expected behavior a chart that shows global socket information for tcp and udp charts that show tcp and udp information for user specified ip ranges and ports discussion with the product team about use cases detailed information in this issue how each test was executed | 1 |
582,699 | 17,368,149,103 | IssuesEvent | 2021-07-30 10:10:55 | DistributedCollective/Sovryn-smart-contracts | https://api.github.com/repos/DistributedCollective/Sovryn-smart-contracts | closed | Add view function to Affiliates to get converted to rBTC amount of fees | enhancement high priority | Add external view function to Affiliates to get converted to rBTC amount of fees accumulated in trading tokens at ex rate queried from AMM poll converter | 1.0 | Add view function to Affiliates to get converted to rBTC amount of fees - Add external view function to Affiliates to get converted to rBTC amount of fees accumulated in trading tokens at ex rate queried from AMM poll converter | priority | add view function to affiliates to get converted to rbtc amount of fees add external view function to affiliates to get converted to rbtc amount of fees accumulated in trading tokens at ex rate queried from amm poll converter | 1 |
712,639 | 24,501,996,533 | IssuesEvent | 2022-10-10 13:30:23 | Rehachoudhary0/hotel_testing | https://api.github.com/repos/Rehachoudhary0/hotel_testing | closed | 🐛 Bug Report: User chat page | bug app front-end (UI/UX) High priority | ### 👟 Reproduction steps
Second user chat showing as the first user chats with the first user name and if the first user doing a chat that chats shows as the second user with the second user name.Reception of user sending text as a hotel. Same as a kitchen if hotel replies on that chat after that showing correct.
### 👍 Expected behavior
should be correct
### 👎 Actual Behavior

### 🎲 App version
Version 22.10.01+01
### 💻 Operating system
Android
### 👀 Have you spent some time to check if this issue has been raised before?
- [X] I checked and didn't find similar issue
### 🏢 Have you read the Code of Conduct?
- [X] I have read the [Code of Conduct](https://github.com/Rehachoudhary0/hotel_testing/blob/HEAD/CODE_OF_CONDUCT.md) | 1.0 | 🐛 Bug Report: User chat page - ### 👟 Reproduction steps
Second user chat showing as the first user chats with the first user name and if the first user doing a chat that chats shows as the second user with the second user name.Reception of user sending text as a hotel. Same as a kitchen if hotel replies on that chat after that showing correct.
### 👍 Expected behavior
should be correct
### 👎 Actual Behavior

### 🎲 App version
Version 22.10.01+01
### 💻 Operating system
Android
### 👀 Have you spent some time to check if this issue has been raised before?
- [X] I checked and didn't find similar issue
### 🏢 Have you read the Code of Conduct?
- [X] I have read the [Code of Conduct](https://github.com/Rehachoudhary0/hotel_testing/blob/HEAD/CODE_OF_CONDUCT.md) | priority | 🐛 bug report user chat page 👟 reproduction steps second user chat showing as the first user chats with the first user name and if the first user doing a chat that chats shows as the second user with the second user name reception of user sending text as a hotel same as a kitchen if hotel replies on that chat after that showing correct 👍 expected behavior should be correct 👎 actual behavior 🎲 app version version 💻 operating system android 👀 have you spent some time to check if this issue has been raised before i checked and didn t find similar issue 🏢 have you read the code of conduct i have read the | 1 |
34,354 | 2,777,151,635 | IssuesEvent | 2015-05-05 04:58:02 | punongbayan-araullo/tickets | https://api.github.com/repos/punongbayan-araullo/tickets | opened | Success Rate of Proposal (per divison) report – Number of wins for a specified quarter. | priority - high status - accepted system - pursuits type - enhancement | Success Rate of Proposal (per divison) report – Number of wins for a specified quarter. | 1.0 | Success Rate of Proposal (per divison) report – Number of wins for a specified quarter. - Success Rate of Proposal (per divison) report – Number of wins for a specified quarter. | priority | success rate of proposal per divison report – number of wins for a specified quarter success rate of proposal per divison report – number of wins for a specified quarter | 1 |
187,630 | 6,759,830,325 | IssuesEvent | 2017-10-24 18:27:42 | missions-me/missions | https://api.github.com/repos/missions-me/missions | closed | Add search button to reservation search input | Priority: High Status: Complete Type: Enhancement | ### User Story
As an admin, I want to enter my search term and then click a button or press enter so that my search isn't executed until I have chosen my search term.
Performance wins we are after:
- Fewer API calls
- Avoid overlap of calls resulting in unpredictable results returned
### Acceptance Criteria
- [x] See search button
- [x] Search executes on click
- [x] Search executes on press enter | 1.0 | Add search button to reservation search input - ### User Story
As an admin, I want to enter my search term and then click a button or press enter so that my search isn't executed until I have chosen my search term.
Performance wins we are after:
- Fewer API calls
- Avoid overlap of calls resulting in unpredictable results returned
### Acceptance Criteria
- [x] See search button
- [x] Search executes on click
- [x] Search executes on press enter | priority | add search button to reservation search input user story as an admin i want to enter my search term and then click a button or press enter so that my search isn t executed until i have chosen my search term performance wins we are after fewer api calls avoid overlap of calls resulting in unpredictable results returned acceptance criteria see search button search executes on click search executes on press enter | 1 |
177,355 | 6,582,657,594 | IssuesEvent | 2017-09-13 00:03:39 | IBM/pytorch-seq2seq | https://api.github.com/repos/IBM/pytorch-seq2seq | closed | pytorch-seq2seq slower than OpenNMT-py | enhancement high priority | Benchmarked the two implementations using WMT's newstest2013 from German to English. See training logs in the [gist](https://gist.github.com/kylegao91/53dea90b3f3572a28318d8eb72d4ec8d). Despite accuracy differences, pytorch-seq2seq is 10 times slower than OpenNMT.py. | 1.0 | pytorch-seq2seq slower than OpenNMT-py - Benchmarked the two implementations using WMT's newstest2013 from German to English. See training logs in the [gist](https://gist.github.com/kylegao91/53dea90b3f3572a28318d8eb72d4ec8d). Despite accuracy differences, pytorch-seq2seq is 10 times slower than OpenNMT.py. | priority | pytorch slower than opennmt py benchmarked the two implementations using wmt s from german to english see training logs in the despite accuracy differences pytorch is times slower than opennmt py | 1 |
235,288 | 7,736,221,064 | IssuesEvent | 2018-05-28 00:06:35 | elementary/camera | https://api.github.com/repos/elementary/camera | closed | UI is not translated | Priority: High Status: Confirmed | Po-files with translations are present, but UI is not translated.
##
Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/38149949-ui-is-not-translated?utm_campaign=plugin&utm_content=tracker%2F45629460&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F45629460&utm_medium=issues&utm_source=github).
<bountysource-plugin>
---
Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/38149949-ui-is-not-translated?utm_campaign=plugin&utm_content=tracker%2F45629460&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F45629460&utm_medium=issues&utm_source=github).
</bountysource-plugin> | 1.0 | UI is not translated - Po-files with translations are present, but UI is not translated.
##
Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/38149949-ui-is-not-translated?utm_campaign=plugin&utm_content=tracker%2F45629460&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F45629460&utm_medium=issues&utm_source=github).
<bountysource-plugin>
---
Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/38149949-ui-is-not-translated?utm_campaign=plugin&utm_content=tracker%2F45629460&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F45629460&utm_medium=issues&utm_source=github).
</bountysource-plugin> | priority | ui is not translated po files with translations are present but ui is not translated want to back this issue we accept bounties via want to back this issue we accept bounties via | 1 |
613,184 | 19,074,624,168 | IssuesEvent | 2021-11-27 14:47:36 | strubrina/WEEM | https://api.github.com/repos/strubrina/WEEM | opened | 4.1 Vorbereitung GAMS Projekt | priority: high | GanttDue: 2022-08-29
GanttStart: 2023-07-20
Alle für ein GAMS-Projekt notwenigen Dateien vorbereiten(z.B. kodierte Briefe,Stylesheets, Metadaten)
| 1.0 | 4.1 Vorbereitung GAMS Projekt - GanttDue: 2022-08-29
GanttStart: 2023-07-20
Alle für ein GAMS-Projekt notwenigen Dateien vorbereiten(z.B. kodierte Briefe,Stylesheets, Metadaten)
| priority | vorbereitung gams projekt ganttdue ganttstart alle für ein gams projekt notwenigen dateien vorbereiten z b kodierte briefe stylesheets metadaten | 1 |
566,802 | 16,830,798,677 | IssuesEvent | 2021-06-18 04:16:37 | CertifaiAI/classifai | https://api.github.com/repos/CertifaiAI/classifai | closed | Unable to access Classifai when user has rename project folder or remove project folder in the file system | bug high priority | **Describe the bug**
When the project folder has been renamed or removed, classifai will keep looking for the original project folder and get stuck in loading folder process.
**To Reproduce**
Steps to reproduce the behavior:
1. Prepare a folder with pictures, name it, and create project in classifai
2. Briefly annotate a 1 or 2 pic and export config file
3. Reproduce the issue by rename the original folder with another name or delete the folder
4. open back classifai and check if the project fetching error happen
**Expected behavior**
A "Fetching your project error" persist when open classifai. Cannot access classifai because could not find back the original folder, this block the access to classifai.

**Desktop :**
- OS: Window 10
- Browser : Chromium
- Version : Classifai V2_alpha
| 1.0 | Unable to access Classifai when user has rename project folder or remove project folder in the file system - **Describe the bug**
When the project folder has been renamed or removed, classifai will keep looking for the original project folder and get stuck in loading folder process.
**To Reproduce**
Steps to reproduce the behavior:
1. Prepare a folder with pictures, name it, and create project in classifai
2. Briefly annotate a 1 or 2 pic and export config file
3. Reproduce the issue by rename the original folder with another name or delete the folder
4. open back classifai and check if the project fetching error happen
**Expected behavior**
A "Fetching your project error" persist when open classifai. Cannot access classifai because could not find back the original folder, this block the access to classifai.

**Desktop :**
- OS: Window 10
- Browser : Chromium
- Version : Classifai V2_alpha
| priority | unable to access classifai when user has rename project folder or remove project folder in the file system describe the bug when the project folder has been renamed or removed classifai will keep looking for the original project folder and get stuck in loading folder process to reproduce steps to reproduce the behavior prepare a folder with pictures name it and create project in classifai briefly annotate a or pic and export config file reproduce the issue by rename the original folder with another name or delete the folder open back classifai and check if the project fetching error happen expected behavior a fetching your project error persist when open classifai cannot access classifai because could not find back the original folder this block the access to classifai desktop os window browser chromium version classifai alpha | 1 |
291,473 | 8,925,631,694 | IssuesEvent | 2019-01-21 23:46:51 | aa-software2112/SOEN390_SimpleCamera | https://api.github.com/repos/aa-software2112/SOEN390_SimpleCamera | closed | Setup a linter for Android Studio | environment priority: high risk: high | Find a linter for Android Studio and document how to set it up in the Wiki | 1.0 | Setup a linter for Android Studio - Find a linter for Android Studio and document how to set it up in the Wiki | priority | setup a linter for android studio find a linter for android studio and document how to set it up in the wiki | 1 |
378,521 | 11,203,491,682 | IssuesEvent | 2020-01-04 20:25:05 | StrangeLoopGames/EcoIssues | https://api.github.com/repos/StrangeLoopGames/EcoIssues | closed | [0.9.0 staging-1321] Accepting a contract causes it to become disabled | Fixed High Priority | After a accepting a contract, it starts the Civic countdown to make the contract invalid. This was not an issue in staging-1320.

| 1.0 | [0.9.0 staging-1321] Accepting a contract causes it to become disabled - After a accepting a contract, it starts the Civic countdown to make the contract invalid. This was not an issue in staging-1320.

| priority | accepting a contract causes it to become disabled after a accepting a contract it starts the civic countdown to make the contract invalid this was not an issue in staging | 1 |
101,511 | 4,119,336,047 | IssuesEvent | 2016-06-08 14:36:30 | Heteroskedastic/internal-ecom | https://api.github.com/repos/Heteroskedastic/internal-ecom | closed | Store Wolcom message | High Priority | 
I would like the following message for the welcome message:
Welcome, (Name), to the Cinnamon Hills Gift Store. This store was set up to help you more conveniently purchase birthday and holiday gifts for your student. We hope you are able to find a gift that will enhance your student’s treatment experience.
During your student’s stay at Cinnamon Hills, they are allowed to receive a limited number of gifts for birthday and holiday. A student will only be able to receive three items per event regardless of how many individuals are attempting to purchase gifts for that student. Please coordinate with anyone else involved in your student’s treatment because they may be attempting to purchase gifts for your student as well.
Student gifts are organized into three categories: Activities, Books, and Snacks. You are allowed to purchase one gift from each category; however, you are not required to purchase three gifts. Three gifts is simply the limit for each student for every event. If you have any questions about our gift structure, please call 435-674-0984 and ask for Information Management.
**Current Shopping limits:**
Item limit: 10
Spending limit: $100
| 1.0 | Store Wolcom message - 
I would like the following message for the welcome message:
Welcome, (Name), to the Cinnamon Hills Gift Store. This store was set up to help you more conveniently purchase birthday and holiday gifts for your student. We hope you are able to find a gift that will enhance your student’s treatment experience.
During your student’s stay at Cinnamon Hills, they are allowed to receive a limited number of gifts for birthday and holiday. A student will only be able to receive three items per event regardless of how many individuals are attempting to purchase gifts for that student. Please coordinate with anyone else involved in your student’s treatment because they may be attempting to purchase gifts for your student as well.
Student gifts are organized into three categories: Activities, Books, and Snacks. You are allowed to purchase one gift from each category; however, you are not required to purchase three gifts. Three gifts is simply the limit for each student for every event. If you have any questions about our gift structure, please call 435-674-0984 and ask for Information Management.
**Current Shopping limits:**
Item limit: 10
Spending limit: $100
| priority | store wolcom message i would like the following message for the welcome message welcome name to the cinnamon hills gift store this store was set up to help you more conveniently purchase birthday and holiday gifts for your student we hope you are able to find a gift that will enhance your student’s treatment experience during your student’s stay at cinnamon hills they are allowed to receive a limited number of gifts for birthday and holiday a student will only be able to receive three items per event regardless of how many individuals are attempting to purchase gifts for that student please coordinate with anyone else involved in your student’s treatment because they may be attempting to purchase gifts for your student as well student gifts are organized into three categories activities books and snacks you are allowed to purchase one gift from each category however you are not required to purchase three gifts three gifts is simply the limit for each student for every event if you have any questions about our gift structure please call and ask for information management current shopping limits item limit spending limit | 1 |
199,548 | 6,991,494,936 | IssuesEvent | 2017-12-15 00:16:00 | UnknownShadow200/ClassicalSharp | https://api.github.com/repos/UnknownShadow200/ClassicalSharp | closed | crash | bug high priority | === crash occurred ===
Time: 20-6-2017 13:44:49
Running on: .NET 2.0.50727.8745, Windows - 6.2.9200.0
SharpDX.SharpDXException: HRESULT: [0x8876086C], D3D error type: InvalidCall
bij SharpDX.Direct3D9.Device.SetRenderState(RenderState state, Int32 value)
bij ClassicalSharp.GraphicsAPI.Direct3D9Api.set_FaceCulling(Boolean value)
bij ClassicalSharp.GraphicsAPI.Direct3D9Api.SetDefaultRenderStates()
bij ClassicalSharp.GraphicsAPI.Direct3D9Api.RecreateDevice(Game game)
bij ClassicalSharp.Game.RenderFrame(Double delta)
bij ClassicalSharp.DesktopWindow.OnRenderFrame(FrameEventArgs e)
bij OpenTK.GameWindow.RaiseRenderFrame(Stopwatch render_watch, Double& next_render, FrameEventArgs render_args)
bij OpenTK.GameWindow.Run()
bij ClassicalSharp.DesktopWindow.ClassicalSharp.IPlatformWindow.Run()
bij ClassicalSharp.Program.RunMultiplayer(String[] args, Boolean nullContext, Int32 width, Int32 height)
bij ClassicalSharp.Program.Main(String[] args)
-- Using Direct3D9 api --
Adapter: Intel(R) HD Graphics 520
Mode: HardwareVertexProcessing
Texture memory: 4093 MB
Max 2D texture dimensions: 8192
Depth buffer format: D24X8
Back buffer format: X8R8G8B8
I hope it isnt a problem that some parts are written in dutch.
| 1.0 | crash - === crash occurred ===
Time: 20-6-2017 13:44:49
Running on: .NET 2.0.50727.8745, Windows - 6.2.9200.0
SharpDX.SharpDXException: HRESULT: [0x8876086C], D3D error type: InvalidCall
bij SharpDX.Direct3D9.Device.SetRenderState(RenderState state, Int32 value)
bij ClassicalSharp.GraphicsAPI.Direct3D9Api.set_FaceCulling(Boolean value)
bij ClassicalSharp.GraphicsAPI.Direct3D9Api.SetDefaultRenderStates()
bij ClassicalSharp.GraphicsAPI.Direct3D9Api.RecreateDevice(Game game)
bij ClassicalSharp.Game.RenderFrame(Double delta)
bij ClassicalSharp.DesktopWindow.OnRenderFrame(FrameEventArgs e)
bij OpenTK.GameWindow.RaiseRenderFrame(Stopwatch render_watch, Double& next_render, FrameEventArgs render_args)
bij OpenTK.GameWindow.Run()
bij ClassicalSharp.DesktopWindow.ClassicalSharp.IPlatformWindow.Run()
bij ClassicalSharp.Program.RunMultiplayer(String[] args, Boolean nullContext, Int32 width, Int32 height)
bij ClassicalSharp.Program.Main(String[] args)
-- Using Direct3D9 api --
Adapter: Intel(R) HD Graphics 520
Mode: HardwareVertexProcessing
Texture memory: 4093 MB
Max 2D texture dimensions: 8192
Depth buffer format: D24X8
Back buffer format: X8R8G8B8
I hope it isnt a problem that some parts are written in dutch.
| priority | crash crash occurred time running on net windows sharpdx sharpdxexception hresult error type invalidcall bij sharpdx device setrenderstate renderstate state value bij classicalsharp graphicsapi set faceculling boolean value bij classicalsharp graphicsapi setdefaultrenderstates bij classicalsharp graphicsapi recreatedevice game game bij classicalsharp game renderframe double delta bij classicalsharp desktopwindow onrenderframe frameeventargs e bij opentk gamewindow raiserenderframe stopwatch render watch double next render frameeventargs render args bij opentk gamewindow run bij classicalsharp desktopwindow classicalsharp iplatformwindow run bij classicalsharp program runmultiplayer string args boolean nullcontext width height bij classicalsharp program main string args using api adapter intel r hd graphics mode hardwarevertexprocessing texture memory mb max texture dimensions depth buffer format back buffer format i hope it isnt a problem that some parts are written in dutch | 1 |
239,906 | 7,800,154,484 | IssuesEvent | 2018-06-09 05:38:21 | tine20/Tine-2.0-Open-Source-Groupware-and-CRM | https://api.github.com/repos/tine20/Tine-2.0-Open-Source-Groupware-and-CRM | closed | 0007510:
Two clicks in mail subject | Bug Felamimail Mantis high priority | **Reported by gfunchal on 28 Nov 2012 19:29**
**Version:** Milan (2012.03.7)
Needed two clicks to enter in the subject field to mail compose
**Steps to reproduce:** Compose mail and click in subject field
| 1.0 | 0007510:
Two clicks in mail subject - **Reported by gfunchal on 28 Nov 2012 19:29**
**Version:** Milan (2012.03.7)
Needed two clicks to enter in the subject field to mail compose
**Steps to reproduce:** Compose mail and click in subject field
| priority | two clicks in mail subject reported by gfunchal on nov version milan needed two clicks to enter in the subject field to mail compose steps to reproduce compose mail and click in subject field | 1 |
447,259 | 12,887,156,562 | IssuesEvent | 2020-07-13 10:42:58 | MyDataTaiwan/mylog14 | https://api.github.com/repos/MyDataTaiwan/mylog14 | closed | [Bug Report] The language will change to default (phone setting) after relaunch the APP | QA priority-high | **Description**
After changing language in Settings page, the change will return to default setting after relaunch the APP
**Steps to Reproduce**
1. Go to 'Settings page'
2. Change language into English (the original language of phone setting is Chinese)
3. Close the APP and wipe it
4. Relaunch the APP
5. The display language change into Chinese
**Expected behavior**
* Expected: The display language is still English.
* Actual: The display language become Chinese.
**Logs**
See below.
**Environment**
* MyLog: v0.10.0
* OS: iOS 13.5.1, iphone SE(2020)
 | 1.0 | [Bug Report] The language will change to default (phone setting) after relaunch the APP - **Description**
After changing language in Settings page, the change will return to default setting after relaunch the APP
**Steps to Reproduce**
1. Go to 'Settings page'
2. Change language into English (the original language of phone setting is Chinese)
3. Close the APP and wipe it
4. Relaunch the APP
5. The display language change into Chinese
**Expected behavior**
* Expected: The display language is still English.
* Actual: The display language become Chinese.
**Logs**
See below.
**Environment**
* MyLog: v0.10.0
* OS: iOS 13.5.1, iphone SE(2020)
 | priority | the language will change to default phone setting after relaunch the app description after changing language in settings page the change will return to default setting after relaunch the app steps to reproduce go to settings page change language into english the original language of phone setting is chinese close the app and wipe it relaunch the app the display language change into chinese expected behavior expected the display language is still english actual the display language become chinese logs see below environment mylog os ios iphone se | 1 |
828,453 | 31,829,729,599 | IssuesEvent | 2023-09-14 09:47:53 | ahmedkaludi/accelerated-mobile-pages | https://api.github.com/repos/ahmedkaludi/accelerated-mobile-pages | closed | Uncaught ValueError: DOMDocument::loadHTML(): Argument #1 ($source) must not be empty | bug [Priority: HIGH] Ready for Review | After upgrade plugin to 1.0.88 (1.0.88.1) (After 2023/08/22 15:12:02 GMT)
```
PHP Fatal error: Uncaught ValueError: DOMDocument::loadHTML(): Argument #1 ($source) must not be empty in /***/wp-content/plugins/accelerated-mobile-pages/templates/features.php:8557
Stack trace:
#0 /***/wp-content/plugins/accelerated-mobile-pages/templates/features.php(8557): DOMDocument->loadHTML()
#1 /***/wp-includes/class-wp-hook.php(310): ampforwp_remove_unwanted_code()
#2 /***/wp-includes/plugin.php(205): WP_Hook->apply_filters()
#3 /***/wp-content/plugins/accelerated-mobile-pages/includes/features/functions.php(314): apply_filters()
#4 [internal function]: ampforwp_the_content_filter_full()
#5 /***/wp-includes/functions.php(5349): ob_end_flush()
#6 /***/wp-includes/class-wp-hook.php(310): wp_ob_end_flush_all()
#7 /***/wp-includes/class-wp-hook.php(334): WP_Hook->apply_filters()
#8 /***/wp-includes/plugin.php(517): WP_Hook->do_action()
```
https://github.com/ahmedkaludi/accelerated-mobile-pages/issues/5174 | 1.0 | Uncaught ValueError: DOMDocument::loadHTML(): Argument #1 ($source) must not be empty - After upgrade plugin to 1.0.88 (1.0.88.1) (After 2023/08/22 15:12:02 GMT)
```
PHP Fatal error: Uncaught ValueError: DOMDocument::loadHTML(): Argument #1 ($source) must not be empty in /***/wp-content/plugins/accelerated-mobile-pages/templates/features.php:8557
Stack trace:
#0 /***/wp-content/plugins/accelerated-mobile-pages/templates/features.php(8557): DOMDocument->loadHTML()
#1 /***/wp-includes/class-wp-hook.php(310): ampforwp_remove_unwanted_code()
#2 /***/wp-includes/plugin.php(205): WP_Hook->apply_filters()
#3 /***/wp-content/plugins/accelerated-mobile-pages/includes/features/functions.php(314): apply_filters()
#4 [internal function]: ampforwp_the_content_filter_full()
#5 /***/wp-includes/functions.php(5349): ob_end_flush()
#6 /***/wp-includes/class-wp-hook.php(310): wp_ob_end_flush_all()
#7 /***/wp-includes/class-wp-hook.php(334): WP_Hook->apply_filters()
#8 /***/wp-includes/plugin.php(517): WP_Hook->do_action()
```
https://github.com/ahmedkaludi/accelerated-mobile-pages/issues/5174 | priority | uncaught valueerror domdocument loadhtml argument source must not be empty after upgrade plugin to after gmt php fatal error uncaught valueerror domdocument loadhtml argument source must not be empty in wp content plugins accelerated mobile pages templates features php stack trace wp content plugins accelerated mobile pages templates features php domdocument loadhtml wp includes class wp hook php ampforwp remove unwanted code wp includes plugin php wp hook apply filters wp content plugins accelerated mobile pages includes features functions php apply filters ampforwp the content filter full wp includes functions php ob end flush wp includes class wp hook php wp ob end flush all wp includes class wp hook php wp hook apply filters wp includes plugin php wp hook do action | 1 |
86,567 | 3,727,153,218 | IssuesEvent | 2016-03-06 03:14:28 | cs2103jan2016-f13-1j/main | https://api.github.com/repos/cs2103jan2016-f13-1j/main | closed | A user can add a floating task | priority.high type.story | so that the user can record tasks without specifications (i.e. no date/time). | 1.0 | A user can add a floating task - so that the user can record tasks without specifications (i.e. no date/time). | priority | a user can add a floating task so that the user can record tasks without specifications i e no date time | 1 |
766,886 | 26,903,050,264 | IssuesEvent | 2023-02-06 16:56:22 | restarone/violet_rails | https://api.github.com/repos/restarone/violet_rails | opened | fix list view in API Resources #Index | enhancement high priority | **Is your feature request related to a problem? Please describe.**
<img width="1728" alt="Screen Shot 2023-02-06 at 11 53 52 AM" src="https://user-images.githubusercontent.com/35935196/217034697-39e2bf16-2011-4d69-ba9f-8c70072e59d2.png">
Currently list views in API Resources #index are non-responsive. They show the entire JSON object so in cases where we have massive objects like Nikean's story platform-- the list view becomes unmanageable
**Describe the solution you'd like**
design and implement a better list view for managing API Resources. Move API Resources #index further up the page so the user can access it easier. Make filtering/sorting work over AJAX
| 1.0 | fix list view in API Resources #Index - **Is your feature request related to a problem? Please describe.**
<img width="1728" alt="Screen Shot 2023-02-06 at 11 53 52 AM" src="https://user-images.githubusercontent.com/35935196/217034697-39e2bf16-2011-4d69-ba9f-8c70072e59d2.png">
Currently list views in API Resources #index are non-responsive. They show the entire JSON object so in cases where we have massive objects like Nikean's story platform-- the list view becomes unmanageable
**Describe the solution you'd like**
design and implement a better list view for managing API Resources. Move API Resources #index further up the page so the user can access it easier. Make filtering/sorting work over AJAX
| priority | fix list view in api resources index is your feature request related to a problem please describe img width alt screen shot at am src currently list views in api resources index are non responsive they show the entire json object so in cases where we have massive objects like nikean s story platform the list view becomes unmanageable describe the solution you d like design and implement a better list view for managing api resources move api resources index further up the page so the user can access it easier make filtering sorting work over ajax | 1 |
700,066 | 24,044,270,688 | IssuesEvent | 2022-09-16 06:45:26 | WordPress/gutenberg | https://api.github.com/repos/WordPress/gutenberg | closed | Duplicating a template part makes the site editor freeze | [Type] Bug [Priority] High [Status] In Progress [Block] Template Part [Feature] Site Editor | ### Description
Duplicating a template part seems to make the site editor hang.
There's no visible error, but I think duplicating triggers an infinite recursion and the UI hangs.
### Step-by-step reproduction instructions
1. Open the site editor
2. Select the header or footer
3. From the block toolbar open the options dropdown and select Duplicate
4. Continue editing in the site editor
Expected: It's possible to continue editing
Actual: After a while the site editor freezes and is unusable
### Screenshots, screen recording, code snippet
_No response_
### Environment info
Mac OS / Brave
Tested using latest Gutenberg trunk (at 2de41972289df3c423b604a59720bb38e7d92815)
### Please confirm that you have searched existing issues in the repo.
Yes
### Please confirm that you have tested with all plugins deactivated except Gutenberg.
Yes | 1.0 | Duplicating a template part makes the site editor freeze - ### Description
Duplicating a template part seems to make the site editor hang.
There's no visible error, but I think duplicating triggers an infinite recursion and the UI hangs.
### Step-by-step reproduction instructions
1. Open the site editor
2. Select the header or footer
3. From the block toolbar open the options dropdown and select Duplicate
4. Continue editing in the site editor
Expected: It's possible to continue editing
Actual: After a while the site editor freezes and is unusable
### Screenshots, screen recording, code snippet
_No response_
### Environment info
Mac OS / Brave
Tested using latest Gutenberg trunk (at 2de41972289df3c423b604a59720bb38e7d92815)
### Please confirm that you have searched existing issues in the repo.
Yes
### Please confirm that you have tested with all plugins deactivated except Gutenberg.
Yes | priority | duplicating a template part makes the site editor freeze description duplicating a template part seems to make the site editor hang there s no visible error but i think duplicating triggers an infinite recursion and the ui hangs step by step reproduction instructions open the site editor select the header or footer from the block toolbar open the options dropdown and select duplicate continue editing in the site editor expected it s possible to continue editing actual after a while the site editor freezes and is unusable screenshots screen recording code snippet no response environment info mac os brave tested using latest gutenberg trunk at please confirm that you have searched existing issues in the repo yes please confirm that you have tested with all plugins deactivated except gutenberg yes | 1 |
596,371 | 18,104,155,131 | IssuesEvent | 2021-09-22 17:14:39 | NOAA-GSL/VxLegacyIngest | https://api.github.com/repos/NOAA-GSL/VxLegacyIngest | closed | Redesign AMDAR database schema | Status: Doing Type: Task Priority: High | ---
Author Name: **jeffrey.a.hamilton** (jeffrey.a.hamilton)
Original Redmine Issue: 67929, https://vlab.ncep.noaa.gov/redmine/issues/67929
Original Date: 2019-08-28
Original Assignee: jeffrey.a.hamilton
---
The aircraft verification database is the last one using the old schema that includes forecast hour in the table name. Work to replace it so it is more in line with the others. Additionally, add RHobT as a variable to be tracked.
| 1.0 | Redesign AMDAR database schema - ---
Author Name: **jeffrey.a.hamilton** (jeffrey.a.hamilton)
Original Redmine Issue: 67929, https://vlab.ncep.noaa.gov/redmine/issues/67929
Original Date: 2019-08-28
Original Assignee: jeffrey.a.hamilton
---
The aircraft verification database is the last one using the old schema that includes forecast hour in the table name. Work to replace it so it is more in line with the others. Additionally, add RHobT as a variable to be tracked.
| priority | redesign amdar database schema author name jeffrey a hamilton jeffrey a hamilton original redmine issue original date original assignee jeffrey a hamilton the aircraft verification database is the last one using the old schema that includes forecast hour in the table name work to replace it so it is more in line with the others additionally add rhobt as a variable to be tracked | 1 |
497,798 | 14,384,495,891 | IssuesEvent | 2020-12-02 10:32:16 | nlbdev/nordic-epub3-dtbook-migrator | https://api.github.com/repos/nlbdev/nordic-epub3-dtbook-migrator | closed | Write human readable documentation for all the Schematron validation rules | High priority validator-revision | Initially, until there's a better solution (see #389), you can just put the text in XML comments:
```xml
<!-- Human readable description of the validation rule here -->
<pattern id="…">
``` | 1.0 | Write human readable documentation for all the Schematron validation rules - Initially, until there's a better solution (see #389), you can just put the text in XML comments:
```xml
<!-- Human readable description of the validation rule here -->
<pattern id="…">
``` | priority | write human readable documentation for all the schematron validation rules initially until there s a better solution see you can just put the text in xml comments xml | 1 |
811,059 | 30,273,252,008 | IssuesEvent | 2023-07-07 17:10:09 | KinsonDigital/Infrastructure | https://api.github.com/repos/KinsonDigital/Infrastructure | closed | 🚧Fix pr sync report status issue | 🐛bug high priority ♻️cicd | ### I have done the items below . . .
- [X] I have updated the title without removing the 🚧 emoji.
### Description
Fix a sync report status issue when syncing from a change triggered by an issue change.
### Acceptance Criteria
**This issue is finished when:**
- [x] Sync status report issue fixed
### ToDo Items
- [X] Priority label added to this issue. Refer to the _**Priority Type Labels**_ section below.
- [X] Change type labels added to this issue. Refer to the _**Change Type Labels**_ section below.
- [X] Issue linked to the correct project.
### Issue Dependencies
_No response_
### Related Work
_No response_
### Additional Information:
**_<details closed><summary>Change Type Labels</summary>_**
| Change Type | Label |
|---------------------|---------------------------|
| Bug Fixes | `🐛bug` |
| Breaking Changes | `🧨breaking changes` |
| Enhancement | `enhancement` |
| Workflow Changes | `workflow` |
| Code Doc Changes | `🗒️documentation code` |
| Product Doc Changes | `📝documentation product` |
</details>
**_<details closed><summary>Priority Type Labels</summary>_**
| Priority Type | Label |
|---------------------|--------------------------------------------------------------------------|
| Low Priority | `low priority` |
| Medium Priority | `medium priority` |
| High Priority | `high priority` |
</details>
### Code of Conduct
- [X] I agree to follow this project's Code of Conduct.
<!--closed-by-pr:89--> | 1.0 | 🚧Fix pr sync report status issue - ### I have done the items below . . .
- [X] I have updated the title without removing the 🚧 emoji.
### Description
Fix a sync report status issue when syncing from a change triggered by an issue change.
### Acceptance Criteria
**This issue is finished when:**
- [x] Sync status report issue fixed
### ToDo Items
- [X] Priority label added to this issue. Refer to the _**Priority Type Labels**_ section below.
- [X] Change type labels added to this issue. Refer to the _**Change Type Labels**_ section below.
- [X] Issue linked to the correct project.
### Issue Dependencies
_No response_
### Related Work
_No response_
### Additional Information:
**_<details closed><summary>Change Type Labels</summary>_**
| Change Type | Label |
|---------------------|---------------------------|
| Bug Fixes | `🐛bug` |
| Breaking Changes | `🧨breaking changes` |
| Enhancement | `enhancement` |
| Workflow Changes | `workflow` |
| Code Doc Changes | `🗒️documentation code` |
| Product Doc Changes | `📝documentation product` |
</details>
**_<details closed><summary>Priority Type Labels</summary>_**
| Priority Type | Label |
|---------------------|--------------------------------------------------------------------------|
| Low Priority | `low priority` |
| Medium Priority | `medium priority` |
| High Priority | `high priority` |
</details>
### Code of Conduct
- [X] I agree to follow this project's Code of Conduct.
<!--closed-by-pr:89--> | priority | 🚧fix pr sync report status issue i have done the items below i have updated the title without removing the 🚧 emoji description fix a sync report status issue when syncing from a change triggered by an issue change acceptance criteria this issue is finished when sync status report issue fixed todo items priority label added to this issue refer to the priority type labels section below change type labels added to this issue refer to the change type labels section below issue linked to the correct project issue dependencies no response related work no response additional information change type labels change type label bug fixes 🐛bug breaking changes 🧨breaking changes enhancement enhancement workflow changes workflow code doc changes 🗒️documentation code product doc changes 📝documentation product priority type labels priority type label low priority low priority medium priority medium priority high priority high priority code of conduct i agree to follow this project s code of conduct | 1 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.