Unnamed: 0 int64 0 832k | id float64 2.49B 32.1B | type stringclasses 1
value | created_at stringlengths 19 19 | repo stringlengths 5 112 | repo_url stringlengths 34 141 | action stringclasses 3
values | title stringlengths 1 957 | labels stringlengths 4 795 | body stringlengths 1 259k | index stringclasses 12
values | text_combine stringlengths 96 259k | label stringclasses 2
values | text stringlengths 96 252k | binary_label int64 0 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
49,363 | 3,002,164,743 | IssuesEvent | 2015-07-24 15:39:12 | jayway/powermock | https://api.github.com/repos/jayway/powermock | opened | java.lang.IllegalStateException: Failed to transform class Reason: PowerMock internal error when modifying method. | bug imported Priority-Medium | _From [petrkn...@gmail.com](https://code.google.com/u/104862038159999963299/) on February 21, 2012 21:31:58_
What steps will reproduce the problem? I am using the following code:
1) Class Debugger for which I would like to mock static void methods
package uk.ac.open.util;
public class Debugger {
public static void debug(){System.err.println();}
}
2) My Test class
package uk.ac.open.util;
import junit.framework.Assert;
import org.junit.After;
import org.junit.AfterClass;
import org.junit.Before;
import org.junit.BeforeClass;
import org.junit.Test;
import org.junit.runner.RunWith;
//import org.junit.runner.RunWith;
import org.powermock.core.classloader.annotations.PrepareForTest;
import org.powermock.modules.junit4.PowerMockRunner;
//import static org.powermock.api.easymock.PowerMock.*;
import static org.powermock.api.mockito.PowerMockito.*;
import org.powermock.api.mockito.PowerMockito;
@RunWith( PowerMockRunner.class )
@PrepareForTest( Debugger.class )
public class DebuggerTest {
public DebuggerTest() {
}
@BeforeClass
public static void setUpClass() throws Exception {
}
@AfterClass
public static void tearDownClass() throws Exception {
}
@Before
public void setUp() {
}
@After
public void tearDown() {
}
@Test
public void testDebug() {
mockStatic( Debugger.class );
spy(Debugger.class);
doNothing().when(Debugger.class);
//PowerMockito.suppress(Debugger.class.getMethods());
Debugger.debug();
boolean what = false;
Assert.assertEquals(true, true);
}
}
3) I am using the following jar files powermock-mockito-junit-1.4.11.zip downloaded today from here: https://code.google.com/p/powermock/downloads/detail?name=powermock-mockito-junit-1.4.11.zip&can=2&q= What is the expected output? What do you see instead? I woud expect the test to be successful. Instead the test ends with:
Testsuite: uk.ac.open.util.DebuggerTest
Tests run: 1, Failures: 0, Errors: 1, Time elapsed: 0.18 sec
Testcase: initializationError(uk.ac.open.util.DebuggerTest): Caused an ERROR
Failed to transform class with name uk.ac.open.util.DebuggerTest. Reason: PowerMock internal error when modifying method.
java.lang.IllegalStateException: Failed to transform class with name uk.ac.open.util.DebuggerTest. Reason: PowerMock internal error when modifying method.
at org.powermock.core.classloader.MockClassLoader.loadMockClass(MockClassLoader.java:207)
at org.powermock.core.classloader.MockClassLoader.loadMockClass(MockClassLoader.java:207)
at org.powermock.core.classloader.MockClassLoader.loadModifiedClass(MockClassLoader.java:145)
at org.powermock.core.classloader.DeferSupportingClassLoader.loadClass(DeferSupportingClassLoader.java:65)
at java.lang.ClassLoader.loadClass(ClassLoader.java:247)
at java.lang.Class.forName0(Native Method)
at java.lang.Class.forName(Class.java:247)
at org.powermock.modules.junit4.common.internal.impl.JUnit4TestSuiteChunkerImpl.createDelegatorFromClassloader(JUnit4TestSuiteChunkerImpl.java:133)
at org.powermock.modules.junit4.common.internal.impl.JUnit4TestSuiteChunkerImpl.createDelegatorFromClassloader(JUnit4TestSuiteChunkerImpl.java:39)
at org.powermock.tests.utils.impl.AbstractTestSuiteChunkerImpl.createTestDelegators(AbstractTestSuiteChunkerImpl.java:217)
at org.powermock.modules.junit4.common.internal.impl.JUnit4TestSuiteChunkerImpl.<init>(JUnit4TestSuiteChunkerImpl.java:59)
at org.powermock.modules.junit4.common.internal.impl.AbstractCommonPowerMockRunner.<init>(AbstractCommonPowerMockRunner.java:32)
at org.powermock.modules.junit4.PowerMockRunner.<init>(PowerMockRunner.java:31)
at java.lang.reflect.Constructor.newInstance(Constructor.java:513)
at java.lang.reflect.Constructor.newInstance(Constructor.java:513)
Caused by: java.lang.RuntimeException: PowerMock internal error when modifying method.
at org.powermock.core.transformers.impl.MainMockTransformer$PowerMockExpressionEditor.edit(MainMockTransformer.java:304)
at javassist.expr.ExprEditor.loopBody(ExprEditor.java:191)
at javassist.expr.ExprEditor.doit(ExprEditor.java:90)
at javassist.CtClassType.instrument(CtClassType.java:1289)
at org.powermock.core.transformers.impl.MainMockTransformer.transform(MainMockTransformer.java:75)
at org.powermock.core.classloader.MockClassLoader.loadMockClass(MockClassLoader.java:203)
Caused by: javassist.NotFoundException: debug(..) is not found in uk.ac.open.util.Debugger
at javassist.CtClassType.getMethod(CtClassType.java:1042)
at javassist.expr.MethodCall.getMethod(MethodCall.java:114)
at org.powermock.core.transformers.impl.MainMockTransformer$PowerMockExpressionEditor.edit(MainMockTransformer.java:283)
Test uk.ac.open.util.DebuggerTest FAILED What version of the product are you using? On what operating system? I am testing on Mac, JDK 1.6.0 . Probably not important, but in Netbeans. Please provide any additional information below. I am a newbie to Powermock (so perhaps I am doing something stupid), but I was not able to find any solution to this problem anywhere. Seems to me the problem might be javaassist. I tried with different versions, but no result.
Many thanks,
Peter
_Original issue: http://code.google.com/p/powermock/issues/detail?id=372_ | 1.0 | java.lang.IllegalStateException: Failed to transform class Reason: PowerMock internal error when modifying method. - _From [petrkn...@gmail.com](https://code.google.com/u/104862038159999963299/) on February 21, 2012 21:31:58_
What steps will reproduce the problem? I am using the following code:
1) Class Debugger for which I would like to mock static void methods
package uk.ac.open.util;
public class Debugger {
public static void debug(){System.err.println();}
}
2) My Test class
package uk.ac.open.util;
import junit.framework.Assert;
import org.junit.After;
import org.junit.AfterClass;
import org.junit.Before;
import org.junit.BeforeClass;
import org.junit.Test;
import org.junit.runner.RunWith;
//import org.junit.runner.RunWith;
import org.powermock.core.classloader.annotations.PrepareForTest;
import org.powermock.modules.junit4.PowerMockRunner;
//import static org.powermock.api.easymock.PowerMock.*;
import static org.powermock.api.mockito.PowerMockito.*;
import org.powermock.api.mockito.PowerMockito;
@RunWith( PowerMockRunner.class )
@PrepareForTest( Debugger.class )
public class DebuggerTest {
public DebuggerTest() {
}
@BeforeClass
public static void setUpClass() throws Exception {
}
@AfterClass
public static void tearDownClass() throws Exception {
}
@Before
public void setUp() {
}
@After
public void tearDown() {
}
@Test
public void testDebug() {
mockStatic( Debugger.class );
spy(Debugger.class);
doNothing().when(Debugger.class);
//PowerMockito.suppress(Debugger.class.getMethods());
Debugger.debug();
boolean what = false;
Assert.assertEquals(true, true);
}
}
3) I am using the following jar files powermock-mockito-junit-1.4.11.zip downloaded today from here: https://code.google.com/p/powermock/downloads/detail?name=powermock-mockito-junit-1.4.11.zip&can=2&q= What is the expected output? What do you see instead? I woud expect the test to be successful. Instead the test ends with:
Testsuite: uk.ac.open.util.DebuggerTest
Tests run: 1, Failures: 0, Errors: 1, Time elapsed: 0.18 sec
Testcase: initializationError(uk.ac.open.util.DebuggerTest): Caused an ERROR
Failed to transform class with name uk.ac.open.util.DebuggerTest. Reason: PowerMock internal error when modifying method.
java.lang.IllegalStateException: Failed to transform class with name uk.ac.open.util.DebuggerTest. Reason: PowerMock internal error when modifying method.
at org.powermock.core.classloader.MockClassLoader.loadMockClass(MockClassLoader.java:207)
at org.powermock.core.classloader.MockClassLoader.loadMockClass(MockClassLoader.java:207)
at org.powermock.core.classloader.MockClassLoader.loadModifiedClass(MockClassLoader.java:145)
at org.powermock.core.classloader.DeferSupportingClassLoader.loadClass(DeferSupportingClassLoader.java:65)
at java.lang.ClassLoader.loadClass(ClassLoader.java:247)
at java.lang.Class.forName0(Native Method)
at java.lang.Class.forName(Class.java:247)
at org.powermock.modules.junit4.common.internal.impl.JUnit4TestSuiteChunkerImpl.createDelegatorFromClassloader(JUnit4TestSuiteChunkerImpl.java:133)
at org.powermock.modules.junit4.common.internal.impl.JUnit4TestSuiteChunkerImpl.createDelegatorFromClassloader(JUnit4TestSuiteChunkerImpl.java:39)
at org.powermock.tests.utils.impl.AbstractTestSuiteChunkerImpl.createTestDelegators(AbstractTestSuiteChunkerImpl.java:217)
at org.powermock.modules.junit4.common.internal.impl.JUnit4TestSuiteChunkerImpl.<init>(JUnit4TestSuiteChunkerImpl.java:59)
at org.powermock.modules.junit4.common.internal.impl.AbstractCommonPowerMockRunner.<init>(AbstractCommonPowerMockRunner.java:32)
at org.powermock.modules.junit4.PowerMockRunner.<init>(PowerMockRunner.java:31)
at java.lang.reflect.Constructor.newInstance(Constructor.java:513)
at java.lang.reflect.Constructor.newInstance(Constructor.java:513)
Caused by: java.lang.RuntimeException: PowerMock internal error when modifying method.
at org.powermock.core.transformers.impl.MainMockTransformer$PowerMockExpressionEditor.edit(MainMockTransformer.java:304)
at javassist.expr.ExprEditor.loopBody(ExprEditor.java:191)
at javassist.expr.ExprEditor.doit(ExprEditor.java:90)
at javassist.CtClassType.instrument(CtClassType.java:1289)
at org.powermock.core.transformers.impl.MainMockTransformer.transform(MainMockTransformer.java:75)
at org.powermock.core.classloader.MockClassLoader.loadMockClass(MockClassLoader.java:203)
Caused by: javassist.NotFoundException: debug(..) is not found in uk.ac.open.util.Debugger
at javassist.CtClassType.getMethod(CtClassType.java:1042)
at javassist.expr.MethodCall.getMethod(MethodCall.java:114)
at org.powermock.core.transformers.impl.MainMockTransformer$PowerMockExpressionEditor.edit(MainMockTransformer.java:283)
Test uk.ac.open.util.DebuggerTest FAILED What version of the product are you using? On what operating system? I am testing on Mac, JDK 1.6.0 . Probably not important, but in Netbeans. Please provide any additional information below. I am a newbie to Powermock (so perhaps I am doing something stupid), but I was not able to find any solution to this problem anywhere. Seems to me the problem might be javaassist. I tried with different versions, but no result.
Many thanks,
Peter
_Original issue: http://code.google.com/p/powermock/issues/detail?id=372_ | priority | java lang illegalstateexception failed to transform class reason powermock internal error when modifying method from on february what steps will reproduce the problem i am using the following code class debugger for which i would like to mock static void methods package uk ac open util public class debugger public static void debug system err println my test class package uk ac open util import junit framework assert import org junit after import org junit afterclass import org junit before import org junit beforeclass import org junit test import org junit runner runwith import org junit runner runwith import org powermock core classloader annotations preparefortest import org powermock modules powermockrunner import static org powermock api easymock powermock import static org powermock api mockito powermockito import org powermock api mockito powermockito runwith powermockrunner class preparefortest debugger class public class debuggertest public debuggertest beforeclass public static void setupclass throws exception afterclass public static void teardownclass throws exception before public void setup after public void teardown test public void testdebug mockstatic debugger class spy debugger class donothing when debugger class powermockito suppress debugger class getmethods debugger debug boolean what false assert assertequals true true i am using the following jar files powermock mockito junit zip downloaded today from here what is the expected output what do you see instead i woud expect the test to be successful instead the test ends with testsuite uk ac open util debuggertest tests run failures errors time elapsed sec testcase initializationerror uk ac open util debuggertest caused an error failed to transform class with name uk ac open util debuggertest reason powermock internal error when modifying method java lang illegalstateexception failed to transform class with name uk ac open util debuggertest reason powermock internal error when modifying method at org powermock core classloader mockclassloader loadmockclass mockclassloader java at org powermock core classloader mockclassloader loadmockclass mockclassloader java at org powermock core classloader mockclassloader loadmodifiedclass mockclassloader java at org powermock core classloader defersupportingclassloader loadclass defersupportingclassloader java at java lang classloader loadclass classloader java at java lang class native method at java lang class forname class java at org powermock modules common internal impl createdelegatorfromclassloader java at org powermock modules common internal impl createdelegatorfromclassloader java at org powermock tests utils impl abstracttestsuitechunkerimpl createtestdelegators abstracttestsuitechunkerimpl java at org powermock modules common internal impl java at org powermock modules common internal impl abstractcommonpowermockrunner abstractcommonpowermockrunner java at org powermock modules powermockrunner powermockrunner java at java lang reflect constructor newinstance constructor java at java lang reflect constructor newinstance constructor java caused by java lang runtimeexception powermock internal error when modifying method at org powermock core transformers impl mainmocktransformer powermockexpressioneditor edit mainmocktransformer java at javassist expr expreditor loopbody expreditor java at javassist expr expreditor doit expreditor java at javassist ctclasstype instrument ctclasstype java at org powermock core transformers impl mainmocktransformer transform mainmocktransformer java at org powermock core classloader mockclassloader loadmockclass mockclassloader java caused by javassist notfoundexception debug is not found in uk ac open util debugger at javassist ctclasstype getmethod ctclasstype java at javassist expr methodcall getmethod methodcall java at org powermock core transformers impl mainmocktransformer powermockexpressioneditor edit mainmocktransformer java test uk ac open util debuggertest failed what version of the product are you using on what operating system i am testing on mac jdk probably not important but in netbeans please provide any additional information below i am a newbie to powermock so perhaps i am doing something stupid but i was not able to find any solution to this problem anywhere seems to me the problem might be javaassist i tried with different versions but no result many thanks peter original issue | 1 |
49,599 | 3,003,707,504 | IssuesEvent | 2015-07-25 05:51:21 | jayway/powermock | https://api.github.com/repos/jayway/powermock | closed | Powermock ignores the answer in the @Mock annotation | bug imported Priority-Medium | _From [ger...@gmail.com](https://code.google.com/u/112342141579751635264/) on March 06, 2014 09:21:47_
What steps will reproduce the problem? Write a test, where a field is annotated with @Mock(answer = Answers.CALLS_REAL_METHODS) What is the expected output? What do you see instead? In Mockito, this works perfectly. It simply calls the real methods of the mock.
In PowerMock, this does nothing. It's simply a mock. You have to mock the methods to get any result. What version of the product are you using? On what operating system? PowerMockito 1.5.4
Mockito 1.9.5
Mac OS X 10.9.2 Please provide any additional information below. Workaround for this problem: let's say that I have this mock present in my test:
@Mock(answer = Answers.CALLS_REAL_METHODS) private TimestampToStringConverter timestampToStringConverter;
In order to have it actually call the real methods of the mock, I have to do this in my setup method:
when(timestampToStringConverter.convert(any(Timestamp.class))).thenCallRealMethod();
It is infuriating, however, because you have to actually do this for EVERY method you want to use in your test. If you have a class which has 8 methods, which you all use, you're doing this for every single one of them. It leads to an ugly blob of code.
_Original issue: http://code.google.com/p/powermock/issues/detail?id=486_ | 1.0 | Powermock ignores the answer in the @Mock annotation - _From [ger...@gmail.com](https://code.google.com/u/112342141579751635264/) on March 06, 2014 09:21:47_
What steps will reproduce the problem? Write a test, where a field is annotated with @Mock(answer = Answers.CALLS_REAL_METHODS) What is the expected output? What do you see instead? In Mockito, this works perfectly. It simply calls the real methods of the mock.
In PowerMock, this does nothing. It's simply a mock. You have to mock the methods to get any result. What version of the product are you using? On what operating system? PowerMockito 1.5.4
Mockito 1.9.5
Mac OS X 10.9.2 Please provide any additional information below. Workaround for this problem: let's say that I have this mock present in my test:
@Mock(answer = Answers.CALLS_REAL_METHODS) private TimestampToStringConverter timestampToStringConverter;
In order to have it actually call the real methods of the mock, I have to do this in my setup method:
when(timestampToStringConverter.convert(any(Timestamp.class))).thenCallRealMethod();
It is infuriating, however, because you have to actually do this for EVERY method you want to use in your test. If you have a class which has 8 methods, which you all use, you're doing this for every single one of them. It leads to an ugly blob of code.
_Original issue: http://code.google.com/p/powermock/issues/detail?id=486_ | priority | powermock ignores the answer in the mock annotation from on march what steps will reproduce the problem write a test where a field is annotated with mock answer answers calls real methods what is the expected output what do you see instead in mockito this works perfectly it simply calls the real methods of the mock in powermock this does nothing it s simply a mock you have to mock the methods to get any result what version of the product are you using on what operating system powermockito mockito mac os x please provide any additional information below workaround for this problem let s say that i have this mock present in my test mock answer answers calls real methods private timestamptostringconverter timestamptostringconverter in order to have it actually call the real methods of the mock i have to do this in my setup method when timestamptostringconverter convert any timestamp class thencallrealmethod it is infuriating however because you have to actually do this for every method you want to use in your test if you have a class which has methods which you all use you re doing this for every single one of them it leads to an ugly blob of code original issue | 1 |
422,124 | 12,266,476,132 | IssuesEvent | 2020-05-07 09:01:25 | mlr-org/mlr3 | https://api.github.com/repos/mlr-org/mlr3 | closed | Learners: `run_paramtest()` does not check "predict" args | Priority: Medium Status: Accepted Type: Enhancement | Only "train" args.
Already stumbled across an instance where "predict" args are missing. | 1.0 | Learners: `run_paramtest()` does not check "predict" args - Only "train" args.
Already stumbled across an instance where "predict" args are missing. | priority | learners run paramtest does not check predict args only train args already stumbled across an instance where predict args are missing | 1 |
824,296 | 31,148,560,418 | IssuesEvent | 2023-08-16 08:22:31 | yugabyte/yugabyte-db | https://api.github.com/repos/yugabyte/yugabyte-db | reopened | Ensure importer does not read data in queue segment that has not been fsync-ed | kind/new-feature priority/medium area/ecosystem jira-originated | Jira Link: [DB-7512](https://yugabyte.atlassian.net/browse/DB-7512)
[DB-7512]: https://yugabyte.atlassian.net/browse/DB-7512?atlOrigin=eyJpIjoiNWRkNTljNzYxNjVmNDY3MDlhMDU5Y2ZhYzA5YTRkZjUiLCJwIjoiZ2l0aHViLWNvbS1KU1cifQ | 1.0 | Ensure importer does not read data in queue segment that has not been fsync-ed - Jira Link: [DB-7512](https://yugabyte.atlassian.net/browse/DB-7512)
[DB-7512]: https://yugabyte.atlassian.net/browse/DB-7512?atlOrigin=eyJpIjoiNWRkNTljNzYxNjVmNDY3MDlhMDU5Y2ZhYzA5YTRkZjUiLCJwIjoiZ2l0aHViLWNvbS1KU1cifQ | priority | ensure importer does not read data in queue segment that has not been fsync ed jira link | 1 |
540,370 | 15,806,988,403 | IssuesEvent | 2021-04-04 08:17:10 | AY2021S2-CS2113T-W09-2/tp | https://api.github.com/repos/AY2021S2-CS2113T-W09-2/tp | closed | [PE-D] Update prerequisite after marked as done | priority.High severity.Low severity.Medium type.Bug | No details provided.

After marking a module as done, it was still possible to update the mod with a prerequisite of an undone mod. Perhaps can consider checking for this and throwing an error?
<!--session: 1617437456087-b11cd5d4-595b-4323-aa93-43e1ba798752-->
-------------
Labels: `severity.Low` `type.FunctionalityBug`
original: AlexanderTanJunAn/ped#5 | 1.0 | [PE-D] Update prerequisite after marked as done - No details provided.

After marking a module as done, it was still possible to update the mod with a prerequisite of an undone mod. Perhaps can consider checking for this and throwing an error?
<!--session: 1617437456087-b11cd5d4-595b-4323-aa93-43e1ba798752-->
-------------
Labels: `severity.Low` `type.FunctionalityBug`
original: AlexanderTanJunAn/ped#5 | priority | update prerequisite after marked as done no details provided after marking a module as done it was still possible to update the mod with a prerequisite of an undone mod perhaps can consider checking for this and throwing an error labels severity low type functionalitybug original alexandertanjunan ped | 1 |
292,768 | 8,967,739,709 | IssuesEvent | 2019-01-29 05:00:34 | cybercongress/chaingear | https://api.github.com/repos/cybercongress/chaingear | closed | Decreasing gas consumption, audit | Priority: Medium Type: Enhancement | #### Overview
- [Here](https://github.com/cybercongress/chaingear/blob/master/README.md) you can explore Chaingear's basic idea
- [Here](https://github.com/cybercongress/chaingear/blob/master/docs/contracts.md) you can explore contract's general docs
- [Here](https://github.com/cybercongress/chaingear/blob/master/docs/pipelines.md) you can explore common pipelines
- [Here](https://github.com/cybercongress/chaingear/blob/master/docs/development.md) you can explore development docs
---
#### Current project situation
1. Chaingear's smart contracts in first alpha release / It's just Proof-of-Concept
2. The business logic of contracts are frozen
3. The assumption about contracts - they are absolutely not safe
4. Contracts are non-optimized about gas consumption
5. Contract's test coverage is too low
---
#### Task description
**Case**
Proof-of-Concept of Chaingear wrote by guys without production smart-contracts development experience.
**Task**
Analyze smart-contracts code and provide a couple of advice about decreasing gas consumption, audit.
PS: There is integrated [eth-gas-reporter](https://github.com/cgewecke/eth-gas-reporter)
---
#### Required skills
- js/mocha
- truffle/ganache
- web3.js
---
#### Contribution rules
Your pull request, also with the description of the solution
---
#### Definition of done
Points to methods (or architecture changes proposals) with a description of a better realization which decrease gas consumption in context or project (that means that you should provide advice/solution in the context of how project work)
---
#### Extra information
Bounty amount | 0.25 ETH
------------ | -------------
Experience level | advanced
Project length | days
Expires in | November 8, 2019
Bounty type | bug | 1.0 | Decreasing gas consumption, audit - #### Overview
- [Here](https://github.com/cybercongress/chaingear/blob/master/README.md) you can explore Chaingear's basic idea
- [Here](https://github.com/cybercongress/chaingear/blob/master/docs/contracts.md) you can explore contract's general docs
- [Here](https://github.com/cybercongress/chaingear/blob/master/docs/pipelines.md) you can explore common pipelines
- [Here](https://github.com/cybercongress/chaingear/blob/master/docs/development.md) you can explore development docs
---
#### Current project situation
1. Chaingear's smart contracts in first alpha release / It's just Proof-of-Concept
2. The business logic of contracts are frozen
3. The assumption about contracts - they are absolutely not safe
4. Contracts are non-optimized about gas consumption
5. Contract's test coverage is too low
---
#### Task description
**Case**
Proof-of-Concept of Chaingear wrote by guys without production smart-contracts development experience.
**Task**
Analyze smart-contracts code and provide a couple of advice about decreasing gas consumption, audit.
PS: There is integrated [eth-gas-reporter](https://github.com/cgewecke/eth-gas-reporter)
---
#### Required skills
- js/mocha
- truffle/ganache
- web3.js
---
#### Contribution rules
Your pull request, also with the description of the solution
---
#### Definition of done
Points to methods (or architecture changes proposals) with a description of a better realization which decrease gas consumption in context or project (that means that you should provide advice/solution in the context of how project work)
---
#### Extra information
Bounty amount | 0.25 ETH
------------ | -------------
Experience level | advanced
Project length | days
Expires in | November 8, 2019
Bounty type | bug | priority | decreasing gas consumption audit overview you can explore chaingear s basic idea you can explore contract s general docs you can explore common pipelines you can explore development docs current project situation chaingear s smart contracts in first alpha release it s just proof of concept the business logic of contracts are frozen the assumption about contracts they are absolutely not safe contracts are non optimized about gas consumption contract s test coverage is too low task description case proof of concept of chaingear wrote by guys without production smart contracts development experience task analyze smart contracts code and provide a couple of advice about decreasing gas consumption audit ps there is integrated required skills js mocha truffle ganache js contribution rules your pull request also with the description of the solution definition of done points to methods or architecture changes proposals with a description of a better realization which decrease gas consumption in context or project that means that you should provide advice solution in the context of how project work extra information bounty amount eth experience level advanced project length days expires in november bounty type bug | 1 |
716,919 | 24,653,111,833 | IssuesEvent | 2022-10-17 20:27:38 | phylum-dev/phylum-ci | https://api.github.com/repos/phylum-dev/phylum-ci | opened | Allow `.phylum_project` file to be optional | enhancement medium priority | ## Overview
**Is your feature request related to a problem? Please describe.**
The current integrations all have a pre-requisite that a `.phylum_project` file exists at the working directory or a project name is specified as an option. It would be great if the integration provided a default project name when one isn't supplied by an option.
**Describe the solution you'd like**
No longer require a `.phylum_project` file or project name to be supplied. If they are present, then use them (option takes precedence) but don't fail the integration when neither are present.
**Describe alternatives you've considered**
* Create a `.phylum_project` file when one is not present
## Additional context
The idea is that an integration can be pointed at any repo and have it go. Take a look at `peterjmorgan/Syringe` repo for reference.
The project name is assumed to be the only value in the `.phylum_project` file that is needed for analysis. The group name is optional and can still be provided with an option. The other info from the file is unused in the context of the `phylum-ci` integrations.
Talk with the Integrations team and other interested parties about how to implement the new behavior:
* Should the behavior default to a "full auto" sequence for project name usage?
* Suggested sequence, for "full auto" by default
* 1 - Get the name from the `--project` option when it is populated
* 2 - Get the name from the `.phylum_project` when the `--project` option is not specified
* 3 - Auto create the project name when there is no other source for it
* Should the "full auto" behavior only happen when told to do so, like with a flag?
* Is there another approach to consider?
* What is the strategy for creating a project name
* Something like: `base-repo-name_lockfile-name`
* What other information could be used to populate this name?
* Using the lockfile might not make sense once multi-lockfile support is a thing
* Think about nested repos, multi-lockfile support, scripting scenarios, viewing in the UI, etc.
## Acceptance criteria
- [ ] Repositories without a `.phylum_project` file or `--project` option specified can be analyzed with the integrations
- [ ] Pre-requisite checks are updated to remove the one for `.phylum_project` or project option
- [ ] Documentation is updated
- Don't forget all the docstrings | 1.0 | Allow `.phylum_project` file to be optional - ## Overview
**Is your feature request related to a problem? Please describe.**
The current integrations all have a pre-requisite that a `.phylum_project` file exists at the working directory or a project name is specified as an option. It would be great if the integration provided a default project name when one isn't supplied by an option.
**Describe the solution you'd like**
No longer require a `.phylum_project` file or project name to be supplied. If they are present, then use them (option takes precedence) but don't fail the integration when neither are present.
**Describe alternatives you've considered**
* Create a `.phylum_project` file when one is not present
## Additional context
The idea is that an integration can be pointed at any repo and have it go. Take a look at `peterjmorgan/Syringe` repo for reference.
The project name is assumed to be the only value in the `.phylum_project` file that is needed for analysis. The group name is optional and can still be provided with an option. The other info from the file is unused in the context of the `phylum-ci` integrations.
Talk with the Integrations team and other interested parties about how to implement the new behavior:
* Should the behavior default to a "full auto" sequence for project name usage?
* Suggested sequence, for "full auto" by default
* 1 - Get the name from the `--project` option when it is populated
* 2 - Get the name from the `.phylum_project` when the `--project` option is not specified
* 3 - Auto create the project name when there is no other source for it
* Should the "full auto" behavior only happen when told to do so, like with a flag?
* Is there another approach to consider?
* What is the strategy for creating a project name
* Something like: `base-repo-name_lockfile-name`
* What other information could be used to populate this name?
* Using the lockfile might not make sense once multi-lockfile support is a thing
* Think about nested repos, multi-lockfile support, scripting scenarios, viewing in the UI, etc.
## Acceptance criteria
- [ ] Repositories without a `.phylum_project` file or `--project` option specified can be analyzed with the integrations
- [ ] Pre-requisite checks are updated to remove the one for `.phylum_project` or project option
- [ ] Documentation is updated
- Don't forget all the docstrings | priority | allow phylum project file to be optional overview is your feature request related to a problem please describe the current integrations all have a pre requisite that a phylum project file exists at the working directory or a project name is specified as an option it would be great if the integration provided a default project name when one isn t supplied by an option describe the solution you d like no longer require a phylum project file or project name to be supplied if they are present then use them option takes precedence but don t fail the integration when neither are present describe alternatives you ve considered create a phylum project file when one is not present additional context the idea is that an integration can be pointed at any repo and have it go take a look at peterjmorgan syringe repo for reference the project name is assumed to be the only value in the phylum project file that is needed for analysis the group name is optional and can still be provided with an option the other info from the file is unused in the context of the phylum ci integrations talk with the integrations team and other interested parties about how to implement the new behavior should the behavior default to a full auto sequence for project name usage suggested sequence for full auto by default get the name from the project option when it is populated get the name from the phylum project when the project option is not specified auto create the project name when there is no other source for it should the full auto behavior only happen when told to do so like with a flag is there another approach to consider what is the strategy for creating a project name something like base repo name lockfile name what other information could be used to populate this name using the lockfile might not make sense once multi lockfile support is a thing think about nested repos multi lockfile support scripting scenarios viewing in the ui etc acceptance criteria repositories without a phylum project file or project option specified can be analyzed with the integrations pre requisite checks are updated to remove the one for phylum project or project option documentation is updated don t forget all the docstrings | 1 |
465,241 | 13,369,026,636 | IssuesEvent | 2020-09-01 08:14:12 | enso-org/ide | https://api.github.com/repos/enso-org/ide | closed | Project name is disappearing/changing position after resize | Category: GUI Priority: Medium Type: Bug | <!--
Please ensure that you are using the latest version of Enso IDE before reporting
the bug! It may have been fixed since.
-->
### General Summary
<!--
- Please include a high-level description of your bug here.
-->
Despite of the size of the window the project name should be always on the top of the window. Right now it is either disappearing or moving
### Steps to Reproduce
<!--
Please list the reproduction steps for your bug.
-->
Open IDE and resize
### Expected Result
<!--
- A description of the results you expected from the reproduction steps.
-->
Project name on the top of the window
### Actual Result
<!--
- A description of what actually happens when you perform these steps.
- Please include any error output if relevant.
-->

### Enso Version
<!--
- Please include the version of Enso IDE you are using here.
-->
| 1.0 | Project name is disappearing/changing position after resize - <!--
Please ensure that you are using the latest version of Enso IDE before reporting
the bug! It may have been fixed since.
-->
### General Summary
<!--
- Please include a high-level description of your bug here.
-->
Despite of the size of the window the project name should be always on the top of the window. Right now it is either disappearing or moving
### Steps to Reproduce
<!--
Please list the reproduction steps for your bug.
-->
Open IDE and resize
### Expected Result
<!--
- A description of the results you expected from the reproduction steps.
-->
Project name on the top of the window
### Actual Result
<!--
- A description of what actually happens when you perform these steps.
- Please include any error output if relevant.
-->

### Enso Version
<!--
- Please include the version of Enso IDE you are using here.
-->
| priority | project name is disappearing changing position after resize please ensure that you are using the latest version of enso ide before reporting the bug it may have been fixed since general summary please include a high level description of your bug here despite of the size of the window the project name should be always on the top of the window right now it is either disappearing or moving steps to reproduce please list the reproduction steps for your bug open ide and resize expected result a description of the results you expected from the reproduction steps project name on the top of the window actual result a description of what actually happens when you perform these steps please include any error output if relevant enso version please include the version of enso ide you are using here | 1 |
62,778 | 3,193,126,895 | IssuesEvent | 2015-09-30 01:58:14 | SiCKRAGETV/sickrage-issues | https://api.github.com/repos/SiCKRAGETV/sickrage-issues | closed | massEditSubmit failed | 1: Bug / issue 2: Medium Priority | BRANCH: (master) / COMMIT: (bb16d3a3e4d3462a73b944c6e7d9384798774ffd)
Tried to edit paths ( A moved to B) and got the below on submit
```
2015-09-10 11:23:30 DEBUG TORNADO :: Failed doing webui request "massEditSubmit":
Traceback (most recent call last):
File "/opt/SickBeard-tvrage/sickbeard/webserve.py", line 257, in get
results = yield self.async_call(method)
File "/opt/SickBeard-tvrage/tornado/gen.py", line 807, in run
value = future.result()
File "/opt/SickBeard-tvrage/lib/concurrent/futures/_base.py", line 400, in result
return self.__get_result()
File "/opt/SickBeard-tvrage/lib/concurrent/futures/_base.py", line 359, in __get_result
reraise(self._exception, self._traceback)
File "/opt/SickBeard-tvrage/lib/concurrent/futures/_compat.py", line 107, in reraise
exec('raise exc_type, exc_value, traceback', {}, locals_)
File "/opt/SickBeard-tvrage/lib/concurrent/futures/thread.py", line 61, in run
result = self.fn(*self.args, **self.kwargs)
File "/opt/SickBeard-tvrage/sickbeard/webserve.py", line 272, in async_call
result = function(**kwargs)
File "/opt/SickBeard-tvrage/sickbeard/webserve.py", line 3310, in massEditSubmit
directCall=True)
File "/opt/SickBeard-tvrage/sickbeard/webserve.py", line 1488, in editShow
showObj.saveToDB()
File "/opt/SickBeard-tvrage/sickbeard/tv.py", line 1190, in saveToDB
myDB.upsert("imdb_info", newValueDict, controlValueDict)
File "/opt/SickBeard-tvrage/sickbeard/db.py", line 216, in upsert
self.action(query, valueDict.values() + keyDict.values())
File "/opt/SickBeard-tvrage/sickbeard/db.py", line 168, in action
sqlResult = self.execute(query, args, fetchall=fetchall, fetchone=fetchone)
File "/opt/SickBeard-tvrage/sickbeard/db.py", line 88, in execute
return self._execute(query, args)
File "/opt/SickBeard-tvrage/sickbeard/db.py", line 77, in _execute
return self.connection.cursor().execute(query, args)
OperationalError: near "WHERE": syntax error
``` | 1.0 | massEditSubmit failed - BRANCH: (master) / COMMIT: (bb16d3a3e4d3462a73b944c6e7d9384798774ffd)
Tried to edit paths ( A moved to B) and got the below on submit
```
2015-09-10 11:23:30 DEBUG TORNADO :: Failed doing webui request "massEditSubmit":
Traceback (most recent call last):
File "/opt/SickBeard-tvrage/sickbeard/webserve.py", line 257, in get
results = yield self.async_call(method)
File "/opt/SickBeard-tvrage/tornado/gen.py", line 807, in run
value = future.result()
File "/opt/SickBeard-tvrage/lib/concurrent/futures/_base.py", line 400, in result
return self.__get_result()
File "/opt/SickBeard-tvrage/lib/concurrent/futures/_base.py", line 359, in __get_result
reraise(self._exception, self._traceback)
File "/opt/SickBeard-tvrage/lib/concurrent/futures/_compat.py", line 107, in reraise
exec('raise exc_type, exc_value, traceback', {}, locals_)
File "/opt/SickBeard-tvrage/lib/concurrent/futures/thread.py", line 61, in run
result = self.fn(*self.args, **self.kwargs)
File "/opt/SickBeard-tvrage/sickbeard/webserve.py", line 272, in async_call
result = function(**kwargs)
File "/opt/SickBeard-tvrage/sickbeard/webserve.py", line 3310, in massEditSubmit
directCall=True)
File "/opt/SickBeard-tvrage/sickbeard/webserve.py", line 1488, in editShow
showObj.saveToDB()
File "/opt/SickBeard-tvrage/sickbeard/tv.py", line 1190, in saveToDB
myDB.upsert("imdb_info", newValueDict, controlValueDict)
File "/opt/SickBeard-tvrage/sickbeard/db.py", line 216, in upsert
self.action(query, valueDict.values() + keyDict.values())
File "/opt/SickBeard-tvrage/sickbeard/db.py", line 168, in action
sqlResult = self.execute(query, args, fetchall=fetchall, fetchone=fetchone)
File "/opt/SickBeard-tvrage/sickbeard/db.py", line 88, in execute
return self._execute(query, args)
File "/opt/SickBeard-tvrage/sickbeard/db.py", line 77, in _execute
return self.connection.cursor().execute(query, args)
OperationalError: near "WHERE": syntax error
``` | priority | masseditsubmit failed branch master commit tried to edit paths a moved to b and got the below on submit debug tornado failed doing webui request masseditsubmit traceback most recent call last file opt sickbeard tvrage sickbeard webserve py line in get results yield self async call method file opt sickbeard tvrage tornado gen py line in run value future result file opt sickbeard tvrage lib concurrent futures base py line in result return self get result file opt sickbeard tvrage lib concurrent futures base py line in get result reraise self exception self traceback file opt sickbeard tvrage lib concurrent futures compat py line in reraise exec raise exc type exc value traceback locals file opt sickbeard tvrage lib concurrent futures thread py line in run result self fn self args self kwargs file opt sickbeard tvrage sickbeard webserve py line in async call result function kwargs file opt sickbeard tvrage sickbeard webserve py line in masseditsubmit directcall true file opt sickbeard tvrage sickbeard webserve py line in editshow showobj savetodb file opt sickbeard tvrage sickbeard tv py line in savetodb mydb upsert imdb info newvaluedict controlvaluedict file opt sickbeard tvrage sickbeard db py line in upsert self action query valuedict values keydict values file opt sickbeard tvrage sickbeard db py line in action sqlresult self execute query args fetchall fetchall fetchone fetchone file opt sickbeard tvrage sickbeard db py line in execute return self execute query args file opt sickbeard tvrage sickbeard db py line in execute return self connection cursor execute query args operationalerror near where syntax error | 1 |
113,088 | 4,543,059,103 | IssuesEvent | 2016-09-10 00:06:35 | brannondorsey/FermiGameJam | https://api.github.com/repos/brannondorsey/FermiGameJam | opened | Warn/Error to user if any API/Style is not supported by browser | medium priority | Bleeding edge APIs include:
- [ ] WebGL
- [ ] PeerJS/WebRTC
- [ ] GeoLocation
- [ ] CSS Flexboxes
| 1.0 | Warn/Error to user if any API/Style is not supported by browser - Bleeding edge APIs include:
- [ ] WebGL
- [ ] PeerJS/WebRTC
- [ ] GeoLocation
- [ ] CSS Flexboxes
| priority | warn error to user if any api style is not supported by browser bleeding edge apis include webgl peerjs webrtc geolocation css flexboxes | 1 |
431,134 | 12,475,585,179 | IssuesEvent | 2020-05-29 11:54:45 | hotosm/tasking-manager | https://api.github.com/repos/hotosm/tasking-manager | closed | when selecting area validation option I get tasks that has been validated already | Component: Frontend Priority: Medium Status: Needs implementation Type: Enhancement | If I select the area validation option (where I draw a polygon in an area of interest) I expect to validate tasks that hasn't been validated. However, it seems like this selection option also includes tasks that has passed already passed validation.
This was experienced while validating [this](https://tasks.hotosm.org/project/5414) project. | 1.0 | when selecting area validation option I get tasks that has been validated already - If I select the area validation option (where I draw a polygon in an area of interest) I expect to validate tasks that hasn't been validated. However, it seems like this selection option also includes tasks that has passed already passed validation.
This was experienced while validating [this](https://tasks.hotosm.org/project/5414) project. | priority | when selecting area validation option i get tasks that has been validated already if i select the area validation option where i draw a polygon in an area of interest i expect to validate tasks that hasn t been validated however it seems like this selection option also includes tasks that has passed already passed validation this was experienced while validating project | 1 |
526,554 | 15,295,344,369 | IssuesEvent | 2021-02-24 04:36:56 | nlpsandbox/date-annotator-example | https://api.github.com/repos/nlpsandbox/date-annotator-example | closed | Create badge that redirect to the Leaderboard page of this NLP Task | Priority: Medium enhancement | The badge could also be used in the Documentation on Synapse
- Badge icon: [Synapse logo](https://www.synapse.org/images/logo.svg)
- Badge label: "Leaderboard" or "Benchmark" or "Benchmarked on nlpsandbox.io" (maybe a bit long) or just "nlpsandbox.io"
| 1.0 | Create badge that redirect to the Leaderboard page of this NLP Task - The badge could also be used in the Documentation on Synapse
- Badge icon: [Synapse logo](https://www.synapse.org/images/logo.svg)
- Badge label: "Leaderboard" or "Benchmark" or "Benchmarked on nlpsandbox.io" (maybe a bit long) or just "nlpsandbox.io"
| priority | create badge that redirect to the leaderboard page of this nlp task the badge could also be used in the documentation on synapse badge icon badge label leaderboard or benchmark or benchmarked on nlpsandbox io maybe a bit long or just nlpsandbox io | 1 |
779,227 | 27,345,108,012 | IssuesEvent | 2023-02-27 03:48:15 | tahowallet/extension | https://api.github.com/repos/tahowallet/extension | closed | Define/decide the connection flow for wallet connect | Type: Question Priority: Medium Status: Needs Product Input | We have multiple options on how to start the communication flow
## Questions:
- Do we want to get into the wallet connect registry OR we want to inject tally icon on the desktop page?
- If we want to get into the registry we need a url that opens when the button is pressed and that url will start the connection flow [Similar to tokenary](https://tokenary.io/wc?uri=wc%3A3df9fb70-201f-4ed9-92fc-27448e592db5%401%3Fbridge%3Dhttps%253A%252F%252F8.bridge.walletconnect.org%26key%3D2c6a55573abc1ab8c3276e019f9b535794d240451a408058dfcec57004999447)
- Do we want to display a page when the URL is opened, OR we want to start the communication with the wallet and close the tab automatically.
- OR we don't want to open a tab at all โ only possible if we inject the button
## Options to choose from
- registry + new tab/webpage โ robust, stable, distribution channel (tally will be in every dapp that implements wallet connect and we can get them to install from the webpage)
- inject + new tab/webpage โ fairly robust, fairly stable, only works if user has tally installed
- inject + open communication directly โ a bit hacky but probably would work
From dev effort perspective they are similar.
Blocks #2689, #2690, #2692 | 1.0 | Define/decide the connection flow for wallet connect - We have multiple options on how to start the communication flow
## Questions:
- Do we want to get into the wallet connect registry OR we want to inject tally icon on the desktop page?
- If we want to get into the registry we need a url that opens when the button is pressed and that url will start the connection flow [Similar to tokenary](https://tokenary.io/wc?uri=wc%3A3df9fb70-201f-4ed9-92fc-27448e592db5%401%3Fbridge%3Dhttps%253A%252F%252F8.bridge.walletconnect.org%26key%3D2c6a55573abc1ab8c3276e019f9b535794d240451a408058dfcec57004999447)
- Do we want to display a page when the URL is opened, OR we want to start the communication with the wallet and close the tab automatically.
- OR we don't want to open a tab at all โ only possible if we inject the button
## Options to choose from
- registry + new tab/webpage โ robust, stable, distribution channel (tally will be in every dapp that implements wallet connect and we can get them to install from the webpage)
- inject + new tab/webpage โ fairly robust, fairly stable, only works if user has tally installed
- inject + open communication directly โ a bit hacky but probably would work
From dev effort perspective they are similar.
Blocks #2689, #2690, #2692 | priority | define decide the connection flow for wallet connect we have multiple options on how to start the communication flow questions do we want to get into the wallet connect registry or we want to inject tally icon on the desktop page if we want to get into the registry we need a url that opens when the button is pressed and that url will start the connection flow do we want to display a page when the url is opened or we want to start the communication with the wallet and close the tab automatically or we don t want to open a tab at all โ only possible if we inject the button options to choose from registry new tab webpage โ robust stable distribution channel tally will be in every dapp that implements wallet connect and we can get them to install from the webpage inject new tab webpage โ fairly robust fairly stable only works if user has tally installed inject open communication directly โ a bit hacky but probably would work from dev effort perspective they are similar blocks | 1 |
655,882 | 21,713,404,232 | IssuesEvent | 2022-05-10 15:36:20 | radix-ui/primitives | https://api.github.com/repos/radix-ui/primitives | closed | [Select] Select content is misaligned when defaultValue or value is not passed | Priority: Urgent Difficulty: Medium Package: react/select | ## Bug report
When `value` or `defaultValue` is not passed `SelectContent` is misaligned.
### Current Behavior
<!-- If applicable, add screenshots/videos to help explain the problem. -->
<img width="985" alt="Screenshot 2022-04-13 at 10 31 46" src="https://user-images.githubusercontent.com/3672221/163134679-1bb21a6c-15d4-4aab-a67a-bff8b8fb9db9.png">
### Expected behavior
I think the behavior of the custom select should replicate the behavior of the native select and the first available option should be automatically selected in this case.
### Reproducible example
https://codesandbox.io/s/happy-leaf-oscbxo?file=/App.js
### Suggested solution
Automatically select first available option if `defaultValue` or `value` is not passed. Basically, the same behavior as with a native select.
### Additional context
<!-- Add any other context about the problem here. -->
### Your environment
<!-- Very important for us to help you debug. Please fill this out! -->
| Software | Name(s) | Version |
| ---------------- | ------- | ------- |
| Radix Package(s) | react-select | 0.1.1 |
| 1.0 | [Select] Select content is misaligned when defaultValue or value is not passed - ## Bug report
When `value` or `defaultValue` is not passed `SelectContent` is misaligned.
### Current Behavior
<!-- If applicable, add screenshots/videos to help explain the problem. -->
<img width="985" alt="Screenshot 2022-04-13 at 10 31 46" src="https://user-images.githubusercontent.com/3672221/163134679-1bb21a6c-15d4-4aab-a67a-bff8b8fb9db9.png">
### Expected behavior
I think the behavior of the custom select should replicate the behavior of the native select and the first available option should be automatically selected in this case.
### Reproducible example
https://codesandbox.io/s/happy-leaf-oscbxo?file=/App.js
### Suggested solution
Automatically select first available option if `defaultValue` or `value` is not passed. Basically, the same behavior as with a native select.
### Additional context
<!-- Add any other context about the problem here. -->
### Your environment
<!-- Very important for us to help you debug. Please fill this out! -->
| Software | Name(s) | Version |
| ---------------- | ------- | ------- |
| Radix Package(s) | react-select | 0.1.1 |
| priority | select content is misaligned when defaultvalue or value is not passed bug report when value or defaultvalue is not passed selectcontent is misaligned current behavior img width alt screenshot at src expected behavior i think the behavior of the custom select should replicate the behavior of the native select and the first available option should be automatically selected in this case reproducible example suggested solution automatically select first available option if defaultvalue or value is not passed basically the same behavior as with a native select additional context your environment software name s version radix package s react select | 1 |
656,586 | 21,768,095,505 | IssuesEvent | 2022-05-13 05:55:01 | Bridgeconn/VachanAppReact | https://api.github.com/repos/Bridgeconn/VachanAppReact | closed | Alert misleading for Dictionary | Medium priority 1.3.1-alpha.2 | A message 'No Dictionary ' displays for a while before loading the actual Dictionary which could be misleading to the user.(medium) | 1.0 | Alert misleading for Dictionary - A message 'No Dictionary ' displays for a while before loading the actual Dictionary which could be misleading to the user.(medium) | priority | alert misleading for dictionary a message no dictionary displays for a while before loading the actual dictionary which could be misleading to the user medium | 1 |
474,449 | 13,670,304,072 | IssuesEvent | 2020-09-29 04:24:17 | zorkind/Hellion-Rescue-Project | https://api.github.com/repos/zorkind/Hellion-Rescue-Project | closed | Self destruct timer not working | Vanilla bug medium priority | **Describe the bug**
Timer in self destruct ticks down to 4:59 and stops
**To Reproduce**
Steps to reproduce the behavior:
1. Go to your ship Security Panel
2. Click on SELF DESTRUCT
3. The time will go down to 4:59
4. It wont go further.
**Expected behavior**
The timer should go down to zero and the ship should be destroyed.
**Screenshots**
None.
**Additional context**
None.
| 1.0 | Self destruct timer not working - **Describe the bug**
Timer in self destruct ticks down to 4:59 and stops
**To Reproduce**
Steps to reproduce the behavior:
1. Go to your ship Security Panel
2. Click on SELF DESTRUCT
3. The time will go down to 4:59
4. It wont go further.
**Expected behavior**
The timer should go down to zero and the ship should be destroyed.
**Screenshots**
None.
**Additional context**
None.
| priority | self destruct timer not working describe the bug timer in self destruct ticks down to and stops to reproduce steps to reproduce the behavior go to your ship security panel click on self destruct the time will go down to it wont go further expected behavior the timer should go down to zero and the ship should be destroyed screenshots none additional context none | 1 |
311,570 | 9,535,444,440 | IssuesEvent | 2019-04-30 06:53:26 | TerriaJS/InvestorMap | https://api.github.com/repos/TerriaJS/InvestorMap | closed | Investigate and add Land Management and Farming in Australia, 2016-17 | Medium priority | Please investigate and add: http://www.abs.gov.au/AUSSTATS/abs@.nsf/DetailsPage/4627.02016-17?OpenDocument
Unfortunately is not as an API on http://stat.data.abs.gov.au/
just land management practices survey up to 2013-14 | 1.0 | Investigate and add Land Management and Farming in Australia, 2016-17 - Please investigate and add: http://www.abs.gov.au/AUSSTATS/abs@.nsf/DetailsPage/4627.02016-17?OpenDocument
Unfortunately is not as an API on http://stat.data.abs.gov.au/
just land management practices survey up to 2013-14 | priority | investigate and add land management and farming in australia please investigate and add unfortunately is not as an api on just land management practices survey up to | 1 |
525,567 | 15,256,342,552 | IssuesEvent | 2021-02-20 19:47:03 | actually-colab/editor | https://api.github.com/repos/actually-colab/editor | closed | Create active sessions table | database difficulty: medium priority: high socket | Create a table in dynamodb to store users with active sessions in a specific notebook
### Schema
```
uid: DUser['uid']
nb_id: DNotebook['nb_id']
time_connected: Datetime
time_disconnected?: Datetime
last_event: Datetime
```
Hash key: uid + nb_id
Range key: time_connected | 1.0 | Create active sessions table - Create a table in dynamodb to store users with active sessions in a specific notebook
### Schema
```
uid: DUser['uid']
nb_id: DNotebook['nb_id']
time_connected: Datetime
time_disconnected?: Datetime
last_event: Datetime
```
Hash key: uid + nb_id
Range key: time_connected | priority | create active sessions table create a table in dynamodb to store users with active sessions in a specific notebook schema uid duser nb id dnotebook time connected datetime time disconnected datetime last event datetime hash key uid nb id range key time connected | 1 |
98,960 | 4,044,396,549 | IssuesEvent | 2016-05-21 09:12:49 | khyateh/lumstic-web | https://api.github.com/repos/khyateh/lumstic-web | opened | Questions added to a published survey should not be downloaded unless the survey is published | bug medium priority | Steps:
1. Create a survey with some questions, finalise and publish the survey
2. Edit the survey by adding a new question, SAVE the survey
3. Download the survey to the device
4. Create a response - The newly added question is available to answer
5. Upload the response
Result:
The upload will fail because the new question has not been published
Workaround for the upload error is to publish the survey | 1.0 | Questions added to a published survey should not be downloaded unless the survey is published - Steps:
1. Create a survey with some questions, finalise and publish the survey
2. Edit the survey by adding a new question, SAVE the survey
3. Download the survey to the device
4. Create a response - The newly added question is available to answer
5. Upload the response
Result:
The upload will fail because the new question has not been published
Workaround for the upload error is to publish the survey | priority | questions added to a published survey should not be downloaded unless the survey is published steps create a survey with some questions finalise and publish the survey edit the survey by adding a new question save the survey download the survey to the device create a response the newly added question is available to answer upload the response result the upload will fail because the new question has not been published workaround for the upload error is to publish the survey | 1 |
454,229 | 13,097,033,484 | IssuesEvent | 2020-08-03 16:42:24 | momentum-mod/game | https://api.github.com/repos/momentum-mod/game | opened | Restarting a run/stage can teleport player into ceiling/wall/object | Priority: Medium Size: Medium Type: Bug | **Describe the bug**
Zones in vertically tight areas can lead the the player being teleported into the ceiling on restart.
More generally, when the player is teleported to the middle of the zone (happens when restarting a run or restarting the current stage), the player can get stuck in a wall/object.
**To Reproduce**
Steps to reproduce the behavior:
1. Create a start zone in an area with a low ceiling
2. Restart the run
3. Player stuck in ceiling
**Expected behavior**
Player should not get stuck in walls/objects when restarting run/stage. There are a couple ways to go about this:
1. Give zones the ability to choose the type of teleport (middle of zone or at teleport location).
2. Change teleporting to avoid getting stuck in a wall.
3. Just have the player teleport to the teleport locations instead of in the middle of the zone. Would be fine for the jump gamemodes. Not sure if there are implications for surf/bhop though.
**Desktop (please complete the following information):**
- OS: Windows
**Additional context**
To avoid being teleporting into the ceiling on restarting a run (when not using a start mark), have to bump this start zone down like so:
 | 1.0 | Restarting a run/stage can teleport player into ceiling/wall/object - **Describe the bug**
Zones in vertically tight areas can lead the the player being teleported into the ceiling on restart.
More generally, when the player is teleported to the middle of the zone (happens when restarting a run or restarting the current stage), the player can get stuck in a wall/object.
**To Reproduce**
Steps to reproduce the behavior:
1. Create a start zone in an area with a low ceiling
2. Restart the run
3. Player stuck in ceiling
**Expected behavior**
Player should not get stuck in walls/objects when restarting run/stage. There are a couple ways to go about this:
1. Give zones the ability to choose the type of teleport (middle of zone or at teleport location).
2. Change teleporting to avoid getting stuck in a wall.
3. Just have the player teleport to the teleport locations instead of in the middle of the zone. Would be fine for the jump gamemodes. Not sure if there are implications for surf/bhop though.
**Desktop (please complete the following information):**
- OS: Windows
**Additional context**
To avoid being teleporting into the ceiling on restarting a run (when not using a start mark), have to bump this start zone down like so:
 | priority | restarting a run stage can teleport player into ceiling wall object describe the bug zones in vertically tight areas can lead the the player being teleported into the ceiling on restart more generally when the player is teleported to the middle of the zone happens when restarting a run or restarting the current stage the player can get stuck in a wall object to reproduce steps to reproduce the behavior create a start zone in an area with a low ceiling restart the run player stuck in ceiling expected behavior player should not get stuck in walls objects when restarting run stage there are a couple ways to go about this give zones the ability to choose the type of teleport middle of zone or at teleport location change teleporting to avoid getting stuck in a wall just have the player teleport to the teleport locations instead of in the middle of the zone would be fine for the jump gamemodes not sure if there are implications for surf bhop though desktop please complete the following information os windows additional context to avoid being teleporting into the ceiling on restarting a run when not using a start mark have to bump this start zone down like so | 1 |
545,790 | 15,963,547,148 | IssuesEvent | 2021-04-16 04:11:50 | gianfrancodumoulinbertucci/SOEN341 | https://api.github.com/repos/gianfrancodumoulinbertucci/SOEN341 | closed | (Feature) As a user, I want to be able to post a picture | Priority: Medium Resolved feature front-end | ### **FRONT END**
- The timeline page should have a button "Post"
Parent Story: https://github.com/gianfrancodumoulinbertucci/SOEN341/issues/5 | 1.0 | (Feature) As a user, I want to be able to post a picture - ### **FRONT END**
- The timeline page should have a button "Post"
Parent Story: https://github.com/gianfrancodumoulinbertucci/SOEN341/issues/5 | priority | feature as a user i want to be able to post a picture front end the timeline page should have a button post parent story | 1 |
17,451 | 2,615,144,696 | IssuesEvent | 2015-03-01 06:20:22 | chrsmith/html5rocks | https://api.github.com/repos/chrsmith/html5rocks | closed | studio logo | auto-migrated Milestone-2 Priority-Medium Type-Task | ```
I think we only need this for the homepage.
The studio itself can probably absorb the consistent topnav.
```
Original issue reported on code.google.com by `paulir...@google.com` on 28 Jul 2010 at 6:56 | 1.0 | studio logo - ```
I think we only need this for the homepage.
The studio itself can probably absorb the consistent topnav.
```
Original issue reported on code.google.com by `paulir...@google.com` on 28 Jul 2010 at 6:56 | priority | studio logo i think we only need this for the homepage the studio itself can probably absorb the consistent topnav original issue reported on code google com by paulir google com on jul at | 1 |
24,382 | 2,667,387,778 | IssuesEvent | 2015-03-22 15:24:12 | NewCreature/EOF | https://api.github.com/repos/NewCreature/EOF | closed | EOF doesn't output to USB headphones? | bug imported invalid Priority-Medium | _From [raynebc](https://code.google.com/u/raynebc/) on June 15, 2010 17:23:43_
As reported here: http://www.fretsonfire.net/forums/viewtopic.php?f=11&t=32725&p=530973#p530927 My personal theory is that EOF is initializing to use the computer's normal sound device because that is what the install_sound() function is automatically choosing. But USB headphones may install as a separate audio output device. If this is the case, an auto-detection might not allow the headphones to be used. If there's a way for Allegro to poll the usable sound devices from the OS, it may be useful to provide a dialog to the user so the device to use can be selected.
_Original issue: http://code.google.com/p/editor-on-fire/issues/detail?id=118_ | 1.0 | EOF doesn't output to USB headphones? - _From [raynebc](https://code.google.com/u/raynebc/) on June 15, 2010 17:23:43_
As reported here: http://www.fretsonfire.net/forums/viewtopic.php?f=11&t=32725&p=530973#p530927 My personal theory is that EOF is initializing to use the computer's normal sound device because that is what the install_sound() function is automatically choosing. But USB headphones may install as a separate audio output device. If this is the case, an auto-detection might not allow the headphones to be used. If there's a way for Allegro to poll the usable sound devices from the OS, it may be useful to provide a dialog to the user so the device to use can be selected.
_Original issue: http://code.google.com/p/editor-on-fire/issues/detail?id=118_ | priority | eof doesn t output to usb headphones from on june as reported here my personal theory is that eof is initializing to use the computer s normal sound device because that is what the install sound function is automatically choosing but usb headphones may install as a separate audio output device if this is the case an auto detection might not allow the headphones to be used if there s a way for allegro to poll the usable sound devices from the os it may be useful to provide a dialog to the user so the device to use can be selected original issue | 1 |
197,883 | 6,965,786,880 | IssuesEvent | 2017-12-09 10:57:10 | RheaAyase/Botwinder.core | https://api.github.com/repos/RheaAyase/Botwinder.core | closed | Rewrite Command Options (commands or webconfig) | 2 - Medium Priority | Web feature in https://github.com/RheaAyase/Botwinder.web/issues/5
- [x] Command `permissions`
- [x] Command `alias`
- [x] Command `deleteRequest`
- [x] Command `cmdChannelWhitelist`
- [x] Command `cmdChannelBlacklist`
- [x] Command `cmdResetRestrictions` | 1.0 | Rewrite Command Options (commands or webconfig) - Web feature in https://github.com/RheaAyase/Botwinder.web/issues/5
- [x] Command `permissions`
- [x] Command `alias`
- [x] Command `deleteRequest`
- [x] Command `cmdChannelWhitelist`
- [x] Command `cmdChannelBlacklist`
- [x] Command `cmdResetRestrictions` | priority | rewrite command options commands or webconfig web feature in command permissions command alias command deleterequest command cmdchannelwhitelist command cmdchannelblacklist command cmdresetrestrictions | 1 |
660,270 | 21,959,108,328 | IssuesEvent | 2022-05-24 14:27:09 | CheeseInthe-Life/Daru-iOS | https://api.github.com/repos/CheeseInthe-Life/Daru-iOS | closed | TeaHouseCell ๋์ด ๋ง์ถ๊ธฐ | Priority: Medium Type: Feature/UI Status: To Do | ## Description
HomeScene์ ์๋ TeahouseCell์ ๋์ด์ ๋ด๊ฐ ์ข์ํ๋ ์ฐป์งํ๋ฉด์ ์๋ Cell์ ๋์ด๊ฐ ๋ค๋ฅด๋ค
## Todo
- [ ] Home์ ์๋ TeahouseSection GroupHeight ์์
| 1.0 | TeaHouseCell ๋์ด ๋ง์ถ๊ธฐ - ## Description
HomeScene์ ์๋ TeahouseCell์ ๋์ด์ ๋ด๊ฐ ์ข์ํ๋ ์ฐป์งํ๋ฉด์ ์๋ Cell์ ๋์ด๊ฐ ๋ค๋ฅด๋ค
## Todo
- [ ] Home์ ์๋ TeahouseSection GroupHeight ์์
| priority | teahousecell ๋์ด ๋ง์ถ๊ธฐ description homescene์ ์๋ teahousecell์ ๋์ด์ ๋ด๊ฐ ์ข์ํ๋ ์ฐป์งํ๋ฉด์ ์๋ cell์ ๋์ด๊ฐ ๋ค๋ฅด๋ค todo home์ ์๋ teahousesection groupheight ์์ | 1 |
221,044 | 7,373,276,913 | IssuesEvent | 2018-03-13 16:50:16 | SiLeBAT/FSK-Lab | https://api.github.com/repos/SiLeBAT/FSK-Lab | opened | FSK Model Creator: Create warning on required UTF8 encoding of scripts | enhancement medium priority | To avoid issues with e.g. charts it is important to notify the modeller that imported script files should be UTF8 encoded. | 1.0 | FSK Model Creator: Create warning on required UTF8 encoding of scripts - To avoid issues with e.g. charts it is important to notify the modeller that imported script files should be UTF8 encoded. | priority | fsk model creator create warning on required encoding of scripts to avoid issues with e g charts it is important to notify the modeller that imported script files should be encoded | 1 |
6,303 | 2,587,104,710 | IssuesEvent | 2015-02-17 16:27:16 | DoSomething/dosomething | https://api.github.com/repos/DoSomething/dosomething | closed | Add "Edit" link after photo is cropped and previewed in Reportback interface. | priority-medium | Prior to submitting a reportback, need to add an Edit link along with the cropped preview so that user can go back and re-crop if they want to edit their photo. | 1.0 | Add "Edit" link after photo is cropped and previewed in Reportback interface. - Prior to submitting a reportback, need to add an Edit link along with the cropped preview so that user can go back and re-crop if they want to edit their photo. | priority | add edit link after photo is cropped and previewed in reportback interface prior to submitting a reportback need to add an edit link along with the cropped preview so that user can go back and re crop if they want to edit their photo | 1 |
282,236 | 8,704,628,035 | IssuesEvent | 2018-12-05 19:56:33 | craftercms/craftercms | https://api.github.com/repos/craftercms/craftercms | opened | [studio] Add new API 2 spec for CMIS | new feature priority: medium | Add API v2 spec (OAS) for CMIS:
* /cmis/list: lists the children under a folder in a CMIS repo
* /cmis/search: queries the CMIS repo for items based on a query statement.
* /cmis/clone: clones an item from the CMIS repo into Studio.
| 1.0 | [studio] Add new API 2 spec for CMIS - Add API v2 spec (OAS) for CMIS:
* /cmis/list: lists the children under a folder in a CMIS repo
* /cmis/search: queries the CMIS repo for items based on a query statement.
* /cmis/clone: clones an item from the CMIS repo into Studio.
| priority | add new api spec for cmis add api spec oas for cmis cmis list lists the children under a folder in a cmis repo cmis search queries the cmis repo for items based on a query statement cmis clone clones an item from the cmis repo into studio | 1 |
78,084 | 3,509,453,707 | IssuesEvent | 2016-01-08 22:49:46 | OregonCore/OregonCore | https://api.github.com/repos/OregonCore/OregonCore | closed | Quest the tome of divinity (BB #856) | Category: Quests migrated Priority: Medium Type: Bug | This issue was migrated from bitbucket.
**Original Reporter:** Dikkedeur
**Original Date:** 03.05.2015 10:32:20 GMT+0000
**Original Priority:** major
**Original Type:** bug
**Original State:** resolved
**Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/856
<hr>
When you have the symbol of life, you need to search for Henze Faulk.
when you want to res the guy with the symbol of life you get the error, invalid target as shown on the screen.
| 1.0 | Quest the tome of divinity (BB #856) - This issue was migrated from bitbucket.
**Original Reporter:** Dikkedeur
**Original Date:** 03.05.2015 10:32:20 GMT+0000
**Original Priority:** major
**Original Type:** bug
**Original State:** resolved
**Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/856
<hr>
When you have the symbol of life, you need to search for Henze Faulk.
when you want to res the guy with the symbol of life you get the error, invalid target as shown on the screen.
| priority | quest the tome of divinity bb this issue was migrated from bitbucket original reporter dikkedeur original date gmt original priority major original type bug original state resolved direct link when you have the symbol of life you need to search for henze faulk when you want to res the guy with the symbol of life you get the error invalid target as shown on the screen | 1 |
206,540 | 7,113,368,110 | IssuesEvent | 2018-01-17 20:12:28 | minio/minio | https://api.github.com/repos/minio/minio | closed | tests: go test with -race flag taking more than 10 min under Windows. Check for possible anomalies. | priority: medium | ## Expected Behavior
We need to see why tests are taking more than 10 min under Windows antrid judge if this is a bug or we just have many test
## Current Behavior
go test -race currently raises timeout because tests are taking more than 10 min
## Possible Solution
Not yet
## Steps to Reproduce (for bugs)
Check appveyor log for time taken by go test
## Context
Manual testing
## Your Environment
Windows
| 1.0 | tests: go test with -race flag taking more than 10 min under Windows. Check for possible anomalies. - ## Expected Behavior
We need to see why tests are taking more than 10 min under Windows antrid judge if this is a bug or we just have many test
## Current Behavior
go test -race currently raises timeout because tests are taking more than 10 min
## Possible Solution
Not yet
## Steps to Reproduce (for bugs)
Check appveyor log for time taken by go test
## Context
Manual testing
## Your Environment
Windows
| priority | tests go test with race flag taking more than min under windows check for possible anomalies expected behavior we need to see why tests are taking more than min under windows antrid judge if this is a bug or we just have many test current behavior go test race currently raises timeout because tests are taking more than min possible solution not yet steps to reproduce for bugs check appveyor log for time taken by go test context manual testing your environment windows | 1 |
280,279 | 8,679,640,792 | IssuesEvent | 2018-12-01 01:11:31 | SETI/pds-opus | https://api.github.com/repos/SETI/pds-opus | closed | Widget titles can be confusing | A-Enhancement B-OPUS Django B-OPUS JS Effort 2 Medium Priority TBD | There are multiple widgets with the same name (e.g. "Spacecraft Clock Count") for multiple missions or instruments. When you pull up the "New Horizons Mission/Spacecraft Clock Count" widget, the widget is just titled "Spacecraft Clock Count". Then you can change your search criteria to make the NH menu go away entirely, but the NHM/SCC widget remains available. Then you can select, say, Cassini and get the "Cassini Mission/Spacecraft Clock Count" widget, which looks the same but is searching on a totally different field.
Perhaps it would be nice to include the mission or instrument name in the widget title?
| 1.0 | Widget titles can be confusing - There are multiple widgets with the same name (e.g. "Spacecraft Clock Count") for multiple missions or instruments. When you pull up the "New Horizons Mission/Spacecraft Clock Count" widget, the widget is just titled "Spacecraft Clock Count". Then you can change your search criteria to make the NH menu go away entirely, but the NHM/SCC widget remains available. Then you can select, say, Cassini and get the "Cassini Mission/Spacecraft Clock Count" widget, which looks the same but is searching on a totally different field.
Perhaps it would be nice to include the mission or instrument name in the widget title?
| priority | widget titles can be confusing there are multiple widgets with the same name e g spacecraft clock count for multiple missions or instruments when you pull up the new horizons mission spacecraft clock count widget the widget is just titled spacecraft clock count then you can change your search criteria to make the nh menu go away entirely but the nhm scc widget remains available then you can select say cassini and get the cassini mission spacecraft clock count widget which looks the same but is searching on a totally different field perhaps it would be nice to include the mission or instrument name in the widget title | 1 |
169,487 | 6,402,970,209 | IssuesEvent | 2017-08-06 14:43:22 | TauCetiStation/TauCetiClassic | https://api.github.com/repos/TauCetiStation/TauCetiClassic | closed | ะะพะทะธััะพะฝะบะธ ะฒ ะผะตั
ะฐั
ะฝะต ะผะพะณัั ะธัะฟะพะปัะทะพะฒะฐัั ะพััะถะธะต | Bug Priority: Medium |
#### ะะพะดัะพะฑะฝะพะต ะพะฟะธัะฐะฝะธะต ะฟัะพะฑะปะตะผั
ะะพะทะธััะพะฝะบะธ ะฒ ะผะตั
ะฐั
ะฝะต ะผะพะณัั ะธัะฟะพะปัะทะพะฒะฐัั ะพััะถะธะต. ะกะฟัะฐะนั ัะพะณะพ ัะตะผ ัััะตะปััั ะพััะฐะตััั ะฝะฐ ะฟะพะปั - ะปะฐะทะตั ะธะปะธ ะฟัะปั.
#### ะงัะพ ะดะพะปะถะฝะพ ะฑัะปะพ ะฟัะพะธะทะพะนัะธ
ะะตั
ะดะพะปะถะตะฝ ัััะตะปััั ะธ ะฟะพะฟะฐะดะฐัั.
#### ะงัะพ ะฟัะพะธะทะพัะปะพ ะฝะฐ ัะฐะผะพะผ ะดะตะปะต
ะะฐ ะฟะพะปั ะฟะพะด ะผะตั
ะพะผ ัะฟัะฐะนัะธะบ ะฒััััะตะปะฐ
#### ะะฐะบ ะฟะพะฒัะพัะธัั
ะะฐััะฝััั ะฟะพะทะธััะพะฝะบั ะฒ ะผะตั
ะฐ
#### ะะพะฟะพะปะฝะธัะตะปัะฝะฐั ะธะฝัะพัะผะฐัะธั:
ะะตั
ั ัะตะปะพะฒะตะบะพะผ ะดะพ ััะพะณะพ ัััะตะปัะป ะฝะพัะผะฐะปัะฝะพ | 1.0 | ะะพะทะธััะพะฝะบะธ ะฒ ะผะตั
ะฐั
ะฝะต ะผะพะณัั ะธัะฟะพะปัะทะพะฒะฐัั ะพััะถะธะต -
#### ะะพะดัะพะฑะฝะพะต ะพะฟะธัะฐะฝะธะต ะฟัะพะฑะปะตะผั
ะะพะทะธััะพะฝะบะธ ะฒ ะผะตั
ะฐั
ะฝะต ะผะพะณัั ะธัะฟะพะปัะทะพะฒะฐัั ะพััะถะธะต. ะกะฟัะฐะนั ัะพะณะพ ัะตะผ ัััะตะปััั ะพััะฐะตััั ะฝะฐ ะฟะพะปั - ะปะฐะทะตั ะธะปะธ ะฟัะปั.
#### ะงัะพ ะดะพะปะถะฝะพ ะฑัะปะพ ะฟัะพะธะทะพะนัะธ
ะะตั
ะดะพะปะถะตะฝ ัััะตะปััั ะธ ะฟะพะฟะฐะดะฐัั.
#### ะงัะพ ะฟัะพะธะทะพัะปะพ ะฝะฐ ัะฐะผะพะผ ะดะตะปะต
ะะฐ ะฟะพะปั ะฟะพะด ะผะตั
ะพะผ ัะฟัะฐะนัะธะบ ะฒััััะตะปะฐ
#### ะะฐะบ ะฟะพะฒัะพัะธัั
ะะฐััะฝััั ะฟะพะทะธััะพะฝะบั ะฒ ะผะตั
ะฐ
#### ะะพะฟะพะปะฝะธัะตะปัะฝะฐั ะธะฝัะพัะผะฐัะธั:
ะะตั
ั ัะตะปะพะฒะตะบะพะผ ะดะพ ััะพะณะพ ัััะตะปัะป ะฝะพัะผะฐะปัะฝะพ | priority | ะฟะพะทะธััะพะฝะบะธ ะฒ ะผะตั
ะฐั
ะฝะต ะผะพะณัั ะธัะฟะพะปัะทะพะฒะฐัั ะพััะถะธะต ะฟะพะดัะพะฑะฝะพะต ะพะฟะธัะฐะฝะธะต ะฟัะพะฑะปะตะผั ะฟะพะทะธััะพะฝะบะธ ะฒ ะผะตั
ะฐั
ะฝะต ะผะพะณัั ะธัะฟะพะปัะทะพะฒะฐัั ะพััะถะธะต ัะฟัะฐะนั ัะพะณะพ ัะตะผ ัััะตะปััั ะพััะฐะตััั ะฝะฐ ะฟะพะปั ะปะฐะทะตั ะธะปะธ ะฟัะปั ััะพ ะดะพะปะถะฝะพ ะฑัะปะพ ะฟัะพะธะทะพะนัะธ ะผะตั
ะดะพะปะถะตะฝ ัััะตะปััั ะธ ะฟะพะฟะฐะดะฐัั ััะพ ะฟัะพะธะทะพัะปะพ ะฝะฐ ัะฐะผะพะผ ะดะตะปะต ะฝะฐ ะฟะพะปั ะฟะพะด ะผะตั
ะพะผ ัะฟัะฐะนัะธะบ ะฒััััะตะปะฐ ะบะฐะบ ะฟะพะฒัะพัะธัั ะทะฐััะฝััั ะฟะพะทะธััะพะฝะบั ะฒ ะผะตั
ะฐ ะดะพะฟะพะปะฝะธัะตะปัะฝะฐั ะธะฝัะพัะผะฐัะธั ะผะตั
ั ัะตะปะพะฒะตะบะพะผ ะดะพ ััะพะณะพ ัััะตะปัะป ะฝะพัะผะฐะปัะฝะพ | 1 |
790,939 | 27,843,593,693 | IssuesEvent | 2023-03-20 14:15:14 | AY2223S2-CS2103T-T11-2/tp | https://api.github.com/repos/AY2223S2-CS2103T-T11-2/tp | closed | Allow for more formats for `DateTime` | type.Enhancement priority.Medium | Currently, `DateTime` takes in input of the form: `dd/MM/yyyy HH:mm`. However, it is inconvenient for users to always have to specify all the fields, moreover, sometimes the time might not be relevant.
Would be much better to allow for other formats such as `ddMMyy` and also not having to specify the time. | 1.0 | Allow for more formats for `DateTime` - Currently, `DateTime` takes in input of the form: `dd/MM/yyyy HH:mm`. However, it is inconvenient for users to always have to specify all the fields, moreover, sometimes the time might not be relevant.
Would be much better to allow for other formats such as `ddMMyy` and also not having to specify the time. | priority | allow for more formats for datetime currently datetime takes in input of the form dd mm yyyy hh mm however it is inconvenient for users to always have to specify all the fields moreover sometimes the time might not be relevant would be much better to allow for other formats such as ddmmyy and also not having to specify the time | 1 |
724,028 | 24,915,682,874 | IssuesEvent | 2022-10-30 11:21:33 | bounswe/bounswe2022group2 | https://api.github.com/repos/bounswe/bounswe2022group2 | closed | Frontend: Backend Connection for the Sign Up Page | priority-medium status-needreview front-end back-connection | ### Issue Description
As the frontend development of our web application continues, I was responsible for the implementation of sign up page of our application. All the details with the initial implementation can be tracked from [this issue](https://github.com/bounswe/bounswe2022group2/issues/376).
Next, I will be establishing the backend connection for the page according to the backend development conducted by the backend team.
### Step Details
Steps that will be performed:
- [x] Read the API documentation for sign up
- [x] Provide an endpoint integration technique
- [x] Create request and response models
- [x] Authenticity control
- [x] Establish the endpoint connection with the sign up button
- [x] Cover error cases
### Final Actions
I will create a branch about this very issue from the frontend development branch. During the development process, I will be committing the updates to that branch and after I complete all the tasks above, I will create a pull request according to the issue. When the PR is approved and merged to our development branch, it closes this issue.
### Deadline of the Issue
28.10.2022 - Friday - 23.59
### Reviewer
Mehmet Gรถkay Yฤฑldฤฑz
### Deadline for the Review
29.10.2022 - Saturday - 23.59 | 1.0 | Frontend: Backend Connection for the Sign Up Page - ### Issue Description
As the frontend development of our web application continues, I was responsible for the implementation of sign up page of our application. All the details with the initial implementation can be tracked from [this issue](https://github.com/bounswe/bounswe2022group2/issues/376).
Next, I will be establishing the backend connection for the page according to the backend development conducted by the backend team.
### Step Details
Steps that will be performed:
- [x] Read the API documentation for sign up
- [x] Provide an endpoint integration technique
- [x] Create request and response models
- [x] Authenticity control
- [x] Establish the endpoint connection with the sign up button
- [x] Cover error cases
### Final Actions
I will create a branch about this very issue from the frontend development branch. During the development process, I will be committing the updates to that branch and after I complete all the tasks above, I will create a pull request according to the issue. When the PR is approved and merged to our development branch, it closes this issue.
### Deadline of the Issue
28.10.2022 - Friday - 23.59
### Reviewer
Mehmet Gรถkay Yฤฑldฤฑz
### Deadline for the Review
29.10.2022 - Saturday - 23.59 | priority | frontend backend connection for the sign up page issue description as the frontend development of our web application continues i was responsible for the implementation of sign up page of our application all the details with the initial implementation can be tracked from next i will be establishing the backend connection for the page according to the backend development conducted by the backend team step details steps that will be performed read the api documentation for sign up provide an endpoint integration technique create request and response models authenticity control establish the endpoint connection with the sign up button cover error cases final actions i will create a branch about this very issue from the frontend development branch during the development process i will be committing the updates to that branch and after i complete all the tasks above i will create a pull request according to the issue when the pr is approved and merged to our development branch it closes this issue deadline of the issue friday reviewer mehmet gรถkay yฤฑldฤฑz deadline for the review saturday | 1 |
489,849 | 14,112,830,149 | IssuesEvent | 2020-11-07 07:46:27 | AY2021S1-CS2103T-W16-3/tp | https://api.github.com/repos/AY2021S1-CS2103T-W16-3/tp | closed | Standardise error messages for commands | priority.medium :2nd_place_medal: type.bug :bug: | Commands should show an empty argument error message instead of an invalid command format command message if the input supplied is empty. | 1.0 | Standardise error messages for commands - Commands should show an empty argument error message instead of an invalid command format command message if the input supplied is empty. | priority | standardise error messages for commands commands should show an empty argument error message instead of an invalid command format command message if the input supplied is empty | 1 |
133,560 | 5,205,371,747 | IssuesEvent | 2017-01-24 17:46:08 | vmware/vic | https://api.github.com/repos/vmware/vic | closed | Exited time for container is incorrect when time in container is incorrect | component/portlayer component/tether kind/bug priority/medium | During testing I ran into this:
```
hmahmood@zeta:~/go/src/github.com/vmware/vic$ docker -H 172.16.154.136:2376 --tls ps -a
CONTAINER ID IMAGE COMMAND CREATED STATUS PORTS NAMES
111162ab74ab busybox "sh" About a minute ago Exited (0) 9 days ago cranky_euclid
ce8fc0c71887 busybox "sh" 2 minutes ago Exited (0) 9 days ago elated_torvalds
```
The time exited is 9 days ago, yet the containers were created a few minutes ago. I ran another container:
```
docker run -it busybox date
```
Output was indeed 9 days behind. However, container start/run/exit time should be tracked separately and should not depend on what time it is in the container.
Acceptance:
* verify container time is tracked regardless of time that is set in container, and is accurate | 1.0 | Exited time for container is incorrect when time in container is incorrect - During testing I ran into this:
```
hmahmood@zeta:~/go/src/github.com/vmware/vic$ docker -H 172.16.154.136:2376 --tls ps -a
CONTAINER ID IMAGE COMMAND CREATED STATUS PORTS NAMES
111162ab74ab busybox "sh" About a minute ago Exited (0) 9 days ago cranky_euclid
ce8fc0c71887 busybox "sh" 2 minutes ago Exited (0) 9 days ago elated_torvalds
```
The time exited is 9 days ago, yet the containers were created a few minutes ago. I ran another container:
```
docker run -it busybox date
```
Output was indeed 9 days behind. However, container start/run/exit time should be tracked separately and should not depend on what time it is in the container.
Acceptance:
* verify container time is tracked regardless of time that is set in container, and is accurate | priority | exited time for container is incorrect when time in container is incorrect during testing i ran into this hmahmood zeta go src github com vmware vic docker h tls ps a container id image command created status ports names busybox sh about a minute ago exited days ago cranky euclid busybox sh minutes ago exited days ago elated torvalds the time exited is days ago yet the containers were created a few minutes ago i ran another container docker run it busybox date output was indeed days behind however container start run exit time should be tracked separately and should not depend on what time it is in the container acceptance verify container time is tracked regardless of time that is set in container and is accurate | 1 |
773,670 | 27,166,034,275 | IssuesEvent | 2023-02-17 15:24:46 | scs-lab/ChronoLog | https://api.github.com/repos/scs-lab/ChronoLog | closed | Licensing | medium priority | Add Chronolog License to all source files and headers.
Add Google License to CityHash
Add related licenses to external libs
| 1.0 | Licensing - Add Chronolog License to all source files and headers.
Add Google License to CityHash
Add related licenses to external libs
| priority | licensing add chronolog license to all source files and headers add google license to cityhash add related licenses to external libs | 1 |
568,000 | 16,943,875,682 | IssuesEvent | 2021-06-28 02:04:16 | adirh3/Fluent-Search | https://api.github.com/repos/adirh3/Fluent-Search | closed | [0.9.88.0] Preview : images are scaled to fit the width causing them to be cropped | Medium Priority bug | in 0.9.88.0, the native preview scales images so that their width is filling the FS window.
This behavior makes images to be cropped and/or appear pixelated (for small images)
related pic:

expected behavior : images should entirely fit inside the FS window by default, with an appropriate uniform scaling. | 1.0 | [0.9.88.0] Preview : images are scaled to fit the width causing them to be cropped - in 0.9.88.0, the native preview scales images so that their width is filling the FS window.
This behavior makes images to be cropped and/or appear pixelated (for small images)
related pic:

expected behavior : images should entirely fit inside the FS window by default, with an appropriate uniform scaling. | priority | preview images are scaled to fit the width causing them to be cropped in the native preview scales images so that their width is filling the fs window this behavior makes images to be cropped and or appear pixelated for small images related pic expected behavior images should entirely fit inside the fs window by default with an appropriate uniform scaling | 1 |
409,461 | 11,962,883,262 | IssuesEvent | 2020-04-05 14:04:04 | hamaluik/timecop | https://api.github.com/repos/hamaluik/timecop | closed | It is possible to make a timer have negative time | Priority: Medium Status: Accepted Type: Bug | To reproduce:
1. Create a timer
2. Set the end time to whenever
3. Set the start time to some time after the end time | 1.0 | It is possible to make a timer have negative time - To reproduce:
1. Create a timer
2. Set the end time to whenever
3. Set the start time to some time after the end time | priority | it is possible to make a timer have negative time to reproduce create a timer set the end time to whenever set the start time to some time after the end time | 1 |
55,564 | 3,073,784,339 | IssuesEvent | 2015-08-20 00:29:47 | RobotiumTech/robotium | https://api.github.com/repos/RobotiumTech/robotium | closed | clickOnWebElement() doesn't work | bug imported Priority-Medium wontfix | _From [karthiky...@googlemail.com](https://code.google.com/u/104484619773215176454/) on May 29, 2013 03:32:15_
What steps will reproduce the problem? 1. I have shared the application APK to Renas.
2. I get webelement by the method WebElement wb = solo.getWebElement(By.id("history"), 0);
3. On the subsequent line, i had written solo.clickOnWebElement(wb); which didn't work
Robotium -solo 4.1.jar
Deployed APK to Samsung galaxy S2 phone from Windows XP machine
Detailed steps: https://groups.google.com/forum/#!topic/robotium-developers/MhDKJE4rLB0
_Original issue: http://code.google.com/p/robotium/issues/detail?id=467_ | 1.0 | clickOnWebElement() doesn't work - _From [karthiky...@googlemail.com](https://code.google.com/u/104484619773215176454/) on May 29, 2013 03:32:15_
What steps will reproduce the problem? 1. I have shared the application APK to Renas.
2. I get webelement by the method WebElement wb = solo.getWebElement(By.id("history"), 0);
3. On the subsequent line, i had written solo.clickOnWebElement(wb); which didn't work
Robotium -solo 4.1.jar
Deployed APK to Samsung galaxy S2 phone from Windows XP machine
Detailed steps: https://groups.google.com/forum/#!topic/robotium-developers/MhDKJE4rLB0
_Original issue: http://code.google.com/p/robotium/issues/detail?id=467_ | priority | clickonwebelement doesn t work from on may what steps will reproduce the problem i have shared the application apk to renas i get webelement by the method webelement wb solo getwebelement by id history on the subsequent line i had written solo clickonwebelement wb which didn t work robotium solo jar deployed apk to samsung galaxy phone from windows xp machine detailed steps original issue | 1 |
123,463 | 4,863,329,898 | IssuesEvent | 2016-11-14 15:11:49 | geosolutions-it/MapStore2 | https://api.github.com/repos/geosolutions-it/MapStore2 | opened | Openlayers Snapshot do not work with OpenTopoMap background | bug OL3 Priority: Medium | The OpenTopoMap tiles do not have the CORS headers, as the other common tile provider have, than the resulting canvas will be tainted, and then not exportable.

We should:
1) provide an error to the user for this kind of issue
2) Investigate on the tileproviders we support to identify which of them have the same problem
3) Implement proxy usage for this kind of layers, as we do for WMS. (see : https://github.com/geosolutions-it/MapStore2/blob/master/web/client/components/map/openlayers/snapshot/GrabMap.jsx#L50)
| 1.0 | Openlayers Snapshot do not work with OpenTopoMap background - The OpenTopoMap tiles do not have the CORS headers, as the other common tile provider have, than the resulting canvas will be tainted, and then not exportable.

We should:
1) provide an error to the user for this kind of issue
2) Investigate on the tileproviders we support to identify which of them have the same problem
3) Implement proxy usage for this kind of layers, as we do for WMS. (see : https://github.com/geosolutions-it/MapStore2/blob/master/web/client/components/map/openlayers/snapshot/GrabMap.jsx#L50)
| priority | openlayers snapshot do not work with opentopomap background the opentopomap tiles do not have the cors headers as the other common tile provider have than the resulting canvas will be tainted and then not exportable we should provide an error to the user for this kind of issue investigate on the tileproviders we support to identify which of them have the same problem implement proxy usage for this kind of layers as we do for wms see | 1 |
630,630 | 20,115,200,959 | IssuesEvent | 2022-02-07 18:45:23 | grage03/prello | https://api.github.com/repos/grage03/prello | opened | Routing | frontend medium priority | ## Routing
Need to set up routing, with subroutines, transition parameters and access to some page.
https://reactrouter.com/docs/en/v6/getting-started/overview | 1.0 | Routing - ## Routing
Need to set up routing, with subroutines, transition parameters and access to some page.
https://reactrouter.com/docs/en/v6/getting-started/overview | priority | routing routing need to set up routing with subroutines transition parameters and access to some page | 1 |
425,023 | 12,334,306,116 | IssuesEvent | 2020-05-14 09:58:37 | bounswe/bounswe2020group6 | https://api.github.com/repos/bounswe/bounswe2020group6 | closed | Fixing Project Plan According To Feedback | documenting medium priority | Here are the tasks for the feedback, please mark the completed tasks and comment you completed the task.
Assigneess: Everyone
_Deadline: 28.04.2020 23.55_
- [x] Create Ram Chart
- [x] Create wiki page for the project plan
- [x] Fix typo for "frontend", "forend"
- [x] Change Major Task Of Following
Why does โdeciding on forend backed (typo here) routinesโ is covered by the major task of Project Plan?
- [x] 6 days for meeting notes, even 13 days for it, but 3 days for creating use case diagram?
- [x] Remove unrelated tasks.
I think โassigning issuesโ or โmeeting with customerโ are not part of a plan, they are not tasks to be mentioned in the plan. Besides, some task names should be redefined such as โremoving some parts from requirementsโ. It seems quite informal and ambiguous.
- [x] Create more detailed plan for CMPE451/implementation. Also Frontend and Backend should not be seperate.
Yes, it is stated that CMPE451/implementation part should be prepared in a high-level manner, but this is very high-level :) At least some details about the tasks related to your requirements are expected, such as โimplementing the search functionalityโ, โimplementing the signup facilityโ and so on. The implementation tasks in your plan does not differ much from not defining the implementation-related tasks at all.
One can start implementing frontend before completing the backend. In other words, backend is not a prerequisite of the frontend, even though they are highly related. | 1.0 | Fixing Project Plan According To Feedback - Here are the tasks for the feedback, please mark the completed tasks and comment you completed the task.
Assigneess: Everyone
_Deadline: 28.04.2020 23.55_
- [x] Create Ram Chart
- [x] Create wiki page for the project plan
- [x] Fix typo for "frontend", "forend"
- [x] Change Major Task Of Following
Why does โdeciding on forend backed (typo here) routinesโ is covered by the major task of Project Plan?
- [x] 6 days for meeting notes, even 13 days for it, but 3 days for creating use case diagram?
- [x] Remove unrelated tasks.
I think โassigning issuesโ or โmeeting with customerโ are not part of a plan, they are not tasks to be mentioned in the plan. Besides, some task names should be redefined such as โremoving some parts from requirementsโ. It seems quite informal and ambiguous.
- [x] Create more detailed plan for CMPE451/implementation. Also Frontend and Backend should not be seperate.
Yes, it is stated that CMPE451/implementation part should be prepared in a high-level manner, but this is very high-level :) At least some details about the tasks related to your requirements are expected, such as โimplementing the search functionalityโ, โimplementing the signup facilityโ and so on. The implementation tasks in your plan does not differ much from not defining the implementation-related tasks at all.
One can start implementing frontend before completing the backend. In other words, backend is not a prerequisite of the frontend, even though they are highly related. | priority | fixing project plan according to feedback here are the tasks for the feedback please mark the completed tasks and comment you completed the task assigneess everyone deadline create ram chart create wiki page for the project plan fix typo for frontend forend change major task of following why does โdeciding on forend backed typo here routinesโ is covered by the major task of project plan days for meeting notes even days for it but days for creating use case diagram remove unrelated tasks i think โassigning issuesโ or โmeeting with customerโ are not part of a plan they are not tasks to be mentioned in the plan besides some task names should be redefined such as โremoving some parts from requirementsโ it seems quite informal and ambiguous create more detailed plan for implementation also frontend and backend should not be seperate yes it is stated that implementation part should be prepared in a high level manner but this is very high level at least some details about the tasks related to your requirements are expected such as โimplementing the search functionalityโ โimplementing the signup facilityโ and so on the implementation tasks in your plan does not differ much from not defining the implementation related tasks at all one can start implementing frontend before completing the backend in other words backend is not a prerequisite of the frontend even though they are highly related | 1 |
91,936 | 3,863,517,802 | IssuesEvent | 2016-04-08 09:45:57 | iamxavier/elmah | https://api.github.com/repos/iamxavier/elmah | closed | Add ability to delete log entries as the error is fixed | auto-migrated Priority-Medium Type-Enhancement | ```
What version of the product are you using? On what operating system?
Using ELMAH, version 1.0.9414.1441
Please provide any additional information below.
Enhancement Request: I think this product is great however I have one
feature request. I would like to see a checkbox or button at the side of
each log entry that you can click to delete the log or move it to a backup
table or flag it as completed. That way, if I have a load of errors I am
gradually working through, I can remove the ones I have fixed and just
show outstanding ones.
```
Original issue reported on code.google.com by `Meen...@gmail.com` on 4 Sep 2008 at 4:43 | 1.0 | Add ability to delete log entries as the error is fixed - ```
What version of the product are you using? On what operating system?
Using ELMAH, version 1.0.9414.1441
Please provide any additional information below.
Enhancement Request: I think this product is great however I have one
feature request. I would like to see a checkbox or button at the side of
each log entry that you can click to delete the log or move it to a backup
table or flag it as completed. That way, if I have a load of errors I am
gradually working through, I can remove the ones I have fixed and just
show outstanding ones.
```
Original issue reported on code.google.com by `Meen...@gmail.com` on 4 Sep 2008 at 4:43 | priority | add ability to delete log entries as the error is fixed what version of the product are you using on what operating system using elmah version please provide any additional information below enhancement request i think this product is great however i have one feature request i would like to see a checkbox or button at the side of each log entry that you can click to delete the log or move it to a backup table or flag it as completed that way if i have a load of errors i am gradually working through i can remove the ones i have fixed and just show outstanding ones original issue reported on code google com by meen gmail com on sep at | 1 |
50,179 | 3,006,231,160 | IssuesEvent | 2015-07-27 09:02:45 | Puharesource/TitleManager | https://api.github.com/repos/Puharesource/TitleManager | closed | Fade in displayname and other names | Feature request Medium priority Ready for next release | I would like a way to make the {DISPLAYNAME} or {PLAYER} or {STRIPPEDDISPLAYNAME} to fade in on each frame :) | 1.0 | Fade in displayname and other names - I would like a way to make the {DISPLAYNAME} or {PLAYER} or {STRIPPEDDISPLAYNAME} to fade in on each frame :) | priority | fade in displayname and other names i would like a way to make the displayname or player or strippeddisplayname to fade in on each frame | 1 |
803,901 | 29,193,556,847 | IssuesEvent | 2023-05-19 23:21:35 | XRPLF/rippled | https://api.github.com/repos/XRPLF/rippled | closed | Return 'escrowSequence' with Escrow Ledger Object | Feature Request Reviewed Medium Priority | Greetings! While investigating the possibility of adding 'smart' auto-fill fields to the [Wipple Transaction Writer](http://wipple.devnull.network/live/transactions/EscrowCancel) we noticed that Escrow Objects unlike Offers and PaymentChannels do not return the necessary identifier information needed to act upon them. In the case of Offers, the 'Sequence' value is returned when one requests **account_objects** or **ledger_entries**; which can be used to issued OrderCancel requests or new OrderCreate requests to cancel/overwrite them. In the case of PaymentChannels, we receive the 'index' which can be used to fund and or issue claims against the channel.
With escrow, no such field is returned and the client is unable to deduce the 'sequence' which to set on subsequent EscrowCancel or EscrowFinish requests so as to cancel/execute the escrow. One could do something 'hacky' such as scan all of an accounts transactions until they find the escrow, or use 'PreviousTxnLgrSeq' to retrieve the ledger and then lookup the transaction in that, but it would be nice if they didn't have to do this, and if rippled would return the sequence number of the EscrowCreate transaction with the Escrow itself.
Is this possible / acceptable?
Thank you for considering this. | 1.0 | Return 'escrowSequence' with Escrow Ledger Object - Greetings! While investigating the possibility of adding 'smart' auto-fill fields to the [Wipple Transaction Writer](http://wipple.devnull.network/live/transactions/EscrowCancel) we noticed that Escrow Objects unlike Offers and PaymentChannels do not return the necessary identifier information needed to act upon them. In the case of Offers, the 'Sequence' value is returned when one requests **account_objects** or **ledger_entries**; which can be used to issued OrderCancel requests or new OrderCreate requests to cancel/overwrite them. In the case of PaymentChannels, we receive the 'index' which can be used to fund and or issue claims against the channel.
With escrow, no such field is returned and the client is unable to deduce the 'sequence' which to set on subsequent EscrowCancel or EscrowFinish requests so as to cancel/execute the escrow. One could do something 'hacky' such as scan all of an accounts transactions until they find the escrow, or use 'PreviousTxnLgrSeq' to retrieve the ledger and then lookup the transaction in that, but it would be nice if they didn't have to do this, and if rippled would return the sequence number of the EscrowCreate transaction with the Escrow itself.
Is this possible / acceptable?
Thank you for considering this. | priority | return escrowsequence with escrow ledger object greetings while investigating the possibility of adding smart auto fill fields to the we noticed that escrow objects unlike offers and paymentchannels do not return the necessary identifier information needed to act upon them in the case of offers the sequence value is returned when one requests account objects or ledger entries which can be used to issued ordercancel requests or new ordercreate requests to cancel overwrite them in the case of paymentchannels we receive the index which can be used to fund and or issue claims against the channel with escrow no such field is returned and the client is unable to deduce the sequence which to set on subsequent escrowcancel or escrowfinish requests so as to cancel execute the escrow one could do something hacky such as scan all of an accounts transactions until they find the escrow or use previoustxnlgrseq to retrieve the ledger and then lookup the transaction in that but it would be nice if they didn t have to do this and if rippled would return the sequence number of the escrowcreate transaction with the escrow itself is this possible acceptable thank you for considering this | 1 |
333,410 | 10,121,980,789 | IssuesEvent | 2019-07-31 16:49:51 | salesagility/SuiteCRM | https://api.github.com/repos/salesagility/SuiteCRM | closed | Error with custom fields on getQuery from One2Many relationships | Fix Proposed Medium Priority bug | <!--- 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. --->
<!--- If you have discovered a security risk please report it by emailing security@suitecrm.com. This will be delivered to the product team who handle security issues. Please don't disclose security bugs publicly until they have been handled by the security team. --->
#### Issue
<!--- Provide a more detailed introduction to the issue itself, and why you consider it to be a bug -->
If you call `getQuery` method on One2Many relationship using custom fields on `order_by` or `where` optional parameters you've got the following error:
```
Query Failed: SELECT id FROM tasks WHERE tasks.contact_id = '62f50b22-c255-ccc9-a2e2-5a871e7b989' AND tasks.deleted=0 AND tasks_cstm.tipo_tarea_c = 'tipo1' LIMIT 0,10: MySQL error 1054: Unknown column 'tasks_cstm.tipo_tarea_c' in 'where clause'
```
This is caused due missing JOIN with cstm table.
#### Expected Behavior
<!--- Tell us what should happen -->
It must be possible to call `getQuery` method on One2Many relationship using custom fields on `order_by` or `where`. This is working correctly with Many2Many relationships.
#### Actual Behavior
<!--- Tell us what happens instead -->
See issue description.
<!--- Also please check relevant logs (suitecrm.log, php error.log etc.) -->
#### Possible Fix
<!--- Not obligatory, but suggest a fix or reason for the bug -->
See #5755
#### 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. Call `getQuery` method on One2Many relationship using custom fields on `order_by` or `where`.
2. Notice that you do not receive any result.
3. See a MySQL error on `suitecrm.log`.
#### Context
<!--- How has this bug affected you? What were you trying to accomplish? -->
I'm trying to get related records of a bean filtering by a custom field.
<!--- 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: 7.8.18 LTS
* Browser name and version (e.g. Chrome Version 51.0.2704.63 (64-bit)): Versiรณn 66.0.3359.117 (Build oficial) (64 bits)
* Environment name and version (e.g. MySQL, PHP 7): PHP 7.0.27-0 and mysql-server 5.5
* Operating System and version (e.g Ubuntu 16.04): Debian 9
| 1.0 | Error with custom fields on getQuery from One2Many relationships - <!--- 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. --->
<!--- If you have discovered a security risk please report it by emailing security@suitecrm.com. This will be delivered to the product team who handle security issues. Please don't disclose security bugs publicly until they have been handled by the security team. --->
#### Issue
<!--- Provide a more detailed introduction to the issue itself, and why you consider it to be a bug -->
If you call `getQuery` method on One2Many relationship using custom fields on `order_by` or `where` optional parameters you've got the following error:
```
Query Failed: SELECT id FROM tasks WHERE tasks.contact_id = '62f50b22-c255-ccc9-a2e2-5a871e7b989' AND tasks.deleted=0 AND tasks_cstm.tipo_tarea_c = 'tipo1' LIMIT 0,10: MySQL error 1054: Unknown column 'tasks_cstm.tipo_tarea_c' in 'where clause'
```
This is caused due missing JOIN with cstm table.
#### Expected Behavior
<!--- Tell us what should happen -->
It must be possible to call `getQuery` method on One2Many relationship using custom fields on `order_by` or `where`. This is working correctly with Many2Many relationships.
#### Actual Behavior
<!--- Tell us what happens instead -->
See issue description.
<!--- Also please check relevant logs (suitecrm.log, php error.log etc.) -->
#### Possible Fix
<!--- Not obligatory, but suggest a fix or reason for the bug -->
See #5755
#### 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. Call `getQuery` method on One2Many relationship using custom fields on `order_by` or `where`.
2. Notice that you do not receive any result.
3. See a MySQL error on `suitecrm.log`.
#### Context
<!--- How has this bug affected you? What were you trying to accomplish? -->
I'm trying to get related records of a bean filtering by a custom field.
<!--- 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: 7.8.18 LTS
* Browser name and version (e.g. Chrome Version 51.0.2704.63 (64-bit)): Versiรณn 66.0.3359.117 (Build oficial) (64 bits)
* Environment name and version (e.g. MySQL, PHP 7): PHP 7.0.27-0 and mysql-server 5.5
* Operating System and version (e.g Ubuntu 16.04): Debian 9
| priority | error with custom fields on getquery from relationships issue if you call getquery method on relationship using custom fields on order by or where optional parameters you ve got the following error query failed select id from tasks where tasks contact id and tasks deleted and tasks cstm tipo tarea c limit mysql error unknown column tasks cstm tipo tarea c in where clause this is caused due missing join with cstm table expected behavior it must be possible to call getquery method on relationship using custom fields on order by or where this is working correctly with relationships actual behavior see issue description possible fix see steps to reproduce call getquery method on relationship using custom fields on order by or where notice that you do not receive any result see a mysql error on suitecrm log context i m trying to get related records of a bean filtering by a custom field your environment suitecrm version used lts browser name and version e g chrome version bit versiรณn build oficial bits environment name and version e g mysql php php and mysql server operating system and version e g ubuntu debian | 1 |
707,754 | 24,317,346,399 | IssuesEvent | 2022-09-30 07:41:31 | okkhoy/Utilities | https://api.github.com/repos/okkhoy/Utilities | opened | Support natural language dates | priority.Medium | E.g., support date-time identifiers such as Three days from now
Satisfies user story #4 | 1.0 | Support natural language dates - E.g., support date-time identifiers such as Three days from now
Satisfies user story #4 | priority | support natural language dates e g support date time identifiers such as three days from now satisfies user story | 1 |
73,676 | 3,419,491,654 | IssuesEvent | 2015-12-08 10:02:45 | openpolis/open_municipio | https://api.github.com/repos/openpolis/open_municipio | closed | Rendere opzionale la pubblicitร di politici/atti/argomenti monitorati | data model priority-medium UI | In fase di registrazione e in ogni momento, attraverso il proprio profilo personale, l'utente puรฒ scegliere di mostrare o non mostrare ciascuna di queste sezioni del proprio profilo personale (es: http://senigallia.openmunicipio.it/users/profile/scaloni):
- politici monitorati
- argomenti monitorati
- atti monitorati | 1.0 | Rendere opzionale la pubblicitร di politici/atti/argomenti monitorati - In fase di registrazione e in ogni momento, attraverso il proprio profilo personale, l'utente puรฒ scegliere di mostrare o non mostrare ciascuna di queste sezioni del proprio profilo personale (es: http://senigallia.openmunicipio.it/users/profile/scaloni):
- politici monitorati
- argomenti monitorati
- atti monitorati | priority | rendere opzionale la pubblicitร di politici atti argomenti monitorati in fase di registrazione e in ogni momento attraverso il proprio profilo personale l utente puรฒ scegliere di mostrare o non mostrare ciascuna di queste sezioni del proprio profilo personale es politici monitorati argomenti monitorati atti monitorati | 1 |
4,012 | 2,544,713,267 | IssuesEvent | 2015-01-29 12:17:43 | pychess/pychess | https://api.github.com/repos/pychess/pychess | closed | PGN | Component-Persistence enhancement imported Milestone-Release1.0 Priority-Medium | _From [lobais](https://code.google.com/u/lobais/) on August 06, 2006 16:49:51_
Should be able to load and save in the pgn format
_Original issue: http://code.google.com/p/pychess/issues/detail?id=2_ | 1.0 | PGN - _From [lobais](https://code.google.com/u/lobais/) on August 06, 2006 16:49:51_
Should be able to load and save in the pgn format
_Original issue: http://code.google.com/p/pychess/issues/detail?id=2_ | priority | pgn from on august should be able to load and save in the pgn format original issue | 1 |
261,374 | 8,230,444,556 | IssuesEvent | 2018-09-07 12:58:49 | blackbaud/skyux2 | https://api.github.com/repos/blackbaud/skyux2 | closed | Sectioned form: tab panel custom control not using roles and properties for tabs (4.1.2) | Priority: Medium Status: Ready to merge accessibility sky-sectioned-form | ### Expected behavior
The component has roles and properties for tab panels - https://www.w3.org/TR/wai-aria-practices-1.1/#tabpanel
- overall component element has role=tablist
- each tab has role=tab
- each panel has role=tabpanel
- etc. See section title "WAI-ARIA Roles, States, and Properties" in link above.
### Actual behavior
Component has no semantics for roles as well as missing some other tab panel properties.
Aria-selected used on <a> element which doesn't use this property.
| 1.0 | Sectioned form: tab panel custom control not using roles and properties for tabs (4.1.2) - ### Expected behavior
The component has roles and properties for tab panels - https://www.w3.org/TR/wai-aria-practices-1.1/#tabpanel
- overall component element has role=tablist
- each tab has role=tab
- each panel has role=tabpanel
- etc. See section title "WAI-ARIA Roles, States, and Properties" in link above.
### Actual behavior
Component has no semantics for roles as well as missing some other tab panel properties.
Aria-selected used on <a> element which doesn't use this property.
| priority | sectioned form tab panel custom control not using roles and properties for tabs expected behavior the component has roles and properties for tab panels overall component element has role tablist each tab has role tab each panel has role tabpanel etc see section title wai aria roles states and properties in link above actual behavior component has no semantics for roles as well as missing some other tab panel properties aria selected used on element which doesn t use this property | 1 |
278,597 | 8,644,557,470 | IssuesEvent | 2018-11-26 03:33:47 | bounswe/bounswe2018group8 | https://api.github.com/repos/bounswe/bounswe2018group8 | opened | Implementing client validation | Frontend-Web Priority: Medium Status: In Progress | is_client boolean variable which is defined in SignupForm.js should have a validation according to client/freelancer option of our register page. | 1.0 | Implementing client validation - is_client boolean variable which is defined in SignupForm.js should have a validation according to client/freelancer option of our register page. | priority | implementing client validation is client boolean variable which is defined in signupform js should have a validation according to client freelancer option of our register page | 1 |
444,085 | 12,806,179,401 | IssuesEvent | 2020-07-03 08:58:08 | enso-org/enso | https://api.github.com/repos/enso-org/enso | closed | Implement --version option for Project Manager | Category: Tooling Change: Non-Breaking Difficulty: Intermediate Priority: Medium Size: Small Status: Help Wanted Type: Enhancement | ### Summary
<!--
- A summary of the task.
-->
To properly report issues for the Project Manager the `--version` option containing all of the required informations.
### Value
<!--
- This section should describe the value of this task.
- This value can be for users, to the team, etc.
-->
Better bug reports.
### Specification
<!--
- Detailed requirements for the feature.
- The performance requirements for the feature.
-->
`--version` option containing:
version as it is on published packages on github
GraalVM version
commit
JDK version
### Acceptance Criteria & Test Cases
<!--
- Any criteria that must be satisfied for the task to be accepted.
- The test plan for the feature, related to the acceptance criteria.
-->
`--version` returning above | 1.0 | Implement --version option for Project Manager - ### Summary
<!--
- A summary of the task.
-->
To properly report issues for the Project Manager the `--version` option containing all of the required informations.
### Value
<!--
- This section should describe the value of this task.
- This value can be for users, to the team, etc.
-->
Better bug reports.
### Specification
<!--
- Detailed requirements for the feature.
- The performance requirements for the feature.
-->
`--version` option containing:
version as it is on published packages on github
GraalVM version
commit
JDK version
### Acceptance Criteria & Test Cases
<!--
- Any criteria that must be satisfied for the task to be accepted.
- The test plan for the feature, related to the acceptance criteria.
-->
`--version` returning above | priority | implement version option for project manager summary a summary of the task to properly report issues for the project manager the version option containing all of the required informations value this section should describe the value of this task this value can be for users to the team etc better bug reports specification detailed requirements for the feature the performance requirements for the feature version option containing version as it is on published packages on github graalvm version commit jdk version acceptance criteria test cases any criteria that must be satisfied for the task to be accepted the test plan for the feature related to the acceptance criteria version returning above | 1 |
63,736 | 3,198,057,439 | IssuesEvent | 2015-10-01 09:48:34 | geosolutions-it/MapStore2 | https://api.github.com/repos/geosolutions-it/MapStore2 | closed | Implement a scalebar component | enhancement pending review Priority: Medium task | The component should:
- show a scalebar to identify the current scale graphically
- show a combo to select a new scale and show the current one
We would like to have some configuration options to customize the scalebar:
* show sample distance in m, km, mi
* only scalebar / only scale combo / both
| 1.0 | Implement a scalebar component - The component should:
- show a scalebar to identify the current scale graphically
- show a combo to select a new scale and show the current one
We would like to have some configuration options to customize the scalebar:
* show sample distance in m, km, mi
* only scalebar / only scale combo / both
| priority | implement a scalebar component the component should show a scalebar to identify the current scale graphically show a combo to select a new scale and show the current one we would like to have some configuration options to customize the scalebar show sample distance in m km mi only scalebar only scale combo both | 1 |
53,929 | 3,054,252,131 | IssuesEvent | 2015-08-13 00:34:23 | jakepaulus/collate-network | https://api.github.com/repos/jakepaulus/collate-network | closed | Discovered hosts link is wrong | bug Impact-Low Priority-Medium Usability | The discovered hosts link in the control panel links to search results for *subnets* with a note of "Added by discovery addon". This should link to statics instead. | 1.0 | Discovered hosts link is wrong - The discovered hosts link in the control panel links to search results for *subnets* with a note of "Added by discovery addon". This should link to statics instead. | priority | discovered hosts link is wrong the discovered hosts link in the control panel links to search results for subnets with a note of added by discovery addon this should link to statics instead | 1 |
746,710 | 26,042,656,028 | IssuesEvent | 2022-12-22 11:48:16 | Tribler/py-ipv8 | https://api.github.com/repos/Tribler/py-ipv8 | opened | Python 3.11 asynctest support | priority: medium | The IPv8 unit tests fail on Python 3.11 due to the `asynctest` dependency.
```python
Traceback (most recent call last):
File "C:\py-ipv8\run_all_tests.py", line 166, in <module>
test_class_names = find_all_test_class_names()
^^^^^^^^^^^^^^^^^^^^^^^^^^^
File "C:\py-ipv8\run_all_tests.py", line 139, in find_all_test_class_names
test_class_names.extend(derive_test_class_names(found_test))
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
File "C:\py-ipv8\run_all_tests.py", line 126, in derive_test_class_names
module_instance = importlib.import_module(module_name)
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
File "C:\Python311\Lib\importlib\__init__.py", line 126, in import_module
return _bootstrap._gcd_import(name[level:], package, level)
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
File "<frozen importlib._bootstrap>", line 1206, in _gcd_import
File "<frozen importlib._bootstrap>", line 1178, in _find_and_load
File "<frozen importlib._bootstrap>", line 1149, in _find_and_load_unlocked
File "<frozen importlib._bootstrap>", line 690, in _load_unlocked
File "<frozen importlib._bootstrap_external>", line 940, in exec_module
File "<frozen importlib._bootstrap>", line 241, in _call_with_frames_removed
File "C:\py-ipv8\ipv8\test\test_community.py", line 1, in <module>
from .base import TestBase
File "C:\py-ipv8\ipv8\test\base.py", line 13, in <module>
import asynctest
File "C:\Python311\Lib\site-packages\asynctest\__init__.py", line 22, in <module>
from .case import *
File "C:\Python311\Lib\site-packages\asynctest\case.py", line 54, in <module>
import asynctest.selector
File "C:\Python311\Lib\site-packages\asynctest\selector.py", line 29, in <module>
from . import mock
File "C:\Python311\Lib\site-packages\asynctest\mock.py", line 428, in <module>
class _AwaitEvent:
File "C:\Python311\Lib\site-packages\asynctest\mock.py", line 433, in _AwaitEvent
@asyncio.coroutine
^^^^^^^^^^^^^^^^^
AttributeError: module 'asyncio' has no attribute 'coroutine'. Did you mean: 'coroutines'?
```
| 1.0 | Python 3.11 asynctest support - The IPv8 unit tests fail on Python 3.11 due to the `asynctest` dependency.
```python
Traceback (most recent call last):
File "C:\py-ipv8\run_all_tests.py", line 166, in <module>
test_class_names = find_all_test_class_names()
^^^^^^^^^^^^^^^^^^^^^^^^^^^
File "C:\py-ipv8\run_all_tests.py", line 139, in find_all_test_class_names
test_class_names.extend(derive_test_class_names(found_test))
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
File "C:\py-ipv8\run_all_tests.py", line 126, in derive_test_class_names
module_instance = importlib.import_module(module_name)
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
File "C:\Python311\Lib\importlib\__init__.py", line 126, in import_module
return _bootstrap._gcd_import(name[level:], package, level)
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
File "<frozen importlib._bootstrap>", line 1206, in _gcd_import
File "<frozen importlib._bootstrap>", line 1178, in _find_and_load
File "<frozen importlib._bootstrap>", line 1149, in _find_and_load_unlocked
File "<frozen importlib._bootstrap>", line 690, in _load_unlocked
File "<frozen importlib._bootstrap_external>", line 940, in exec_module
File "<frozen importlib._bootstrap>", line 241, in _call_with_frames_removed
File "C:\py-ipv8\ipv8\test\test_community.py", line 1, in <module>
from .base import TestBase
File "C:\py-ipv8\ipv8\test\base.py", line 13, in <module>
import asynctest
File "C:\Python311\Lib\site-packages\asynctest\__init__.py", line 22, in <module>
from .case import *
File "C:\Python311\Lib\site-packages\asynctest\case.py", line 54, in <module>
import asynctest.selector
File "C:\Python311\Lib\site-packages\asynctest\selector.py", line 29, in <module>
from . import mock
File "C:\Python311\Lib\site-packages\asynctest\mock.py", line 428, in <module>
class _AwaitEvent:
File "C:\Python311\Lib\site-packages\asynctest\mock.py", line 433, in _AwaitEvent
@asyncio.coroutine
^^^^^^^^^^^^^^^^^
AttributeError: module 'asyncio' has no attribute 'coroutine'. Did you mean: 'coroutines'?
```
| priority | python asynctest support the unit tests fail on python due to the asynctest dependency python traceback most recent call last file c py run all tests py line in test class names find all test class names file c py run all tests py line in find all test class names test class names extend derive test class names found test file c py run all tests py line in derive test class names module instance importlib import module module name file c lib importlib init py line in import module return bootstrap gcd import name package level file line in gcd import file line in find and load file line in find and load unlocked file line in load unlocked file line in exec module file line in call with frames removed file c py test test community py line in from base import testbase file c py test base py line in import asynctest file c lib site packages asynctest init py line in from case import file c lib site packages asynctest case py line in import asynctest selector file c lib site packages asynctest selector py line in from import mock file c lib site packages asynctest mock py line in class awaitevent file c lib site packages asynctest mock py line in awaitevent asyncio coroutine attributeerror module asyncio has no attribute coroutine did you mean coroutines | 1 |
149,046 | 5,706,566,561 | IssuesEvent | 2017-04-18 11:40:59 | Forecaster/ForeModpacker | https://api.github.com/repos/Forecaster/ForeModpacker | opened | Send platform bans to server | enhancement Medium Priority | When someone is set to banned on the platform a ban command should be sent to the server to immediately remove the person | 1.0 | Send platform bans to server - When someone is set to banned on the platform a ban command should be sent to the server to immediately remove the person | priority | send platform bans to server when someone is set to banned on the platform a ban command should be sent to the server to immediately remove the person | 1 |
656,095 | 21,719,166,844 | IssuesEvent | 2022-05-10 21:19:24 | OneSignal/OneSignal-Android-SDK | https://api.github.com/repos/OneSignal/OneSignal-Android-SDK | closed | [Bug] Heads up notifications show the contains of a previous notification when grouped | Bug: Medium Priority Reproducible | **Description:**
Heads up notifications show the contains of a previous notification when notifications are grouped.
**Context:**
Notifications are grouped if you set a "Group Key" on OneSignal, or automatically by the OneSignal SDK when the 4th one is shown, without clearing the previous ones.
**Environment**
Issue reproduced on a Samsung S21 with Android 12 on the OneSignal-Android-SDK 4.7.2 SDK.
**Steps to Reproduce Issue:**
1. Change the app notification settings for the app to "Show as pop-up" or highest priority.
- Or create a [notification channel on the OneSignal dashboard](https://documentation.onesignal.com/docs/android-notification-categories#setting-up-notification-channel-categories) with "Importance" set to "URGENT" and make sure use it on the next steps
3. Send a notification with a "Group Key" set, to any value
4. Observer the Heads up notification on the device is correct.
- <img width="370" alt="image" src="https://user-images.githubusercontent.com/645861/164381864-61840d62-2e2f-4c70-823f-1b5335eed873.png">
5. Send another notification (with different title and body, but same "Group Key"
6. **Observer the heads up is WRONG, it shows the contents for the last notification**
- <img width="370" alt="image" src="https://user-images.githubusercontent.com/645861/164382150-e1d567a4-9d48-472e-a5d1-23fbba285bf8.png">
7. Also observer that if you open the notification shade they are actually correct though.
- <img width="348" alt="image" src="https://user-images.githubusercontent.com/645861/164382356-99161e3f-b49a-41ef-bf7c-ed4bdb3bf1a8.png">
| 1.0 | [Bug] Heads up notifications show the contains of a previous notification when grouped - **Description:**
Heads up notifications show the contains of a previous notification when notifications are grouped.
**Context:**
Notifications are grouped if you set a "Group Key" on OneSignal, or automatically by the OneSignal SDK when the 4th one is shown, without clearing the previous ones.
**Environment**
Issue reproduced on a Samsung S21 with Android 12 on the OneSignal-Android-SDK 4.7.2 SDK.
**Steps to Reproduce Issue:**
1. Change the app notification settings for the app to "Show as pop-up" or highest priority.
- Or create a [notification channel on the OneSignal dashboard](https://documentation.onesignal.com/docs/android-notification-categories#setting-up-notification-channel-categories) with "Importance" set to "URGENT" and make sure use it on the next steps
3. Send a notification with a "Group Key" set, to any value
4. Observer the Heads up notification on the device is correct.
- <img width="370" alt="image" src="https://user-images.githubusercontent.com/645861/164381864-61840d62-2e2f-4c70-823f-1b5335eed873.png">
5. Send another notification (with different title and body, but same "Group Key"
6. **Observer the heads up is WRONG, it shows the contents for the last notification**
- <img width="370" alt="image" src="https://user-images.githubusercontent.com/645861/164382150-e1d567a4-9d48-472e-a5d1-23fbba285bf8.png">
7. Also observer that if you open the notification shade they are actually correct though.
- <img width="348" alt="image" src="https://user-images.githubusercontent.com/645861/164382356-99161e3f-b49a-41ef-bf7c-ed4bdb3bf1a8.png">
| priority | heads up notifications show the contains of a previous notification when grouped description heads up notifications show the contains of a previous notification when notifications are grouped context notifications are grouped if you set a group key on onesignal or automatically by the onesignal sdk when the one is shown without clearing the previous ones environment issue reproduced on a samsung with android on the onesignal android sdk sdk steps to reproduce issue change the app notification settings for the app to show as pop up or highest priority or create a with importance set to urgent and make sure use it on the next steps send a notification with a group key set to any value observer the heads up notification on the device is correct img width alt image src send another notification with different title and body but same group key observer the heads up is wrong it shows the contents for the last notification img width alt image src also observer that if you open the notification shade they are actually correct though img width alt image src | 1 |
237,399 | 7,759,503,377 | IssuesEvent | 2018-05-31 23:55:06 | minio/minio-js | https://api.github.com/repos/minio/minio-js | closed | constructor parameters | priority: medium triage wontfix | Using an url to pass the constructor parameters would make developer life easier :
`http<secure>://<accessKey>:<secretKey>@<endPoint>:<port>?region=<region>`
| 1.0 | constructor parameters - Using an url to pass the constructor parameters would make developer life easier :
`http<secure>://<accessKey>:<secretKey>@<endPoint>:<port>?region=<region>`
| priority | constructor parameters using an url to pass the constructor parameters would make developer life easier http region | 1 |
278,441 | 8,641,483,255 | IssuesEvent | 2018-11-24 18:14:11 | inexorgame/entity-system | https://api.github.com/repos/inexorgame/entity-system | closed | Don't change data type when operator = is used but do a cast | difficulty:medium feature memory priority:medium refactoring | When setting the data of a DataContainer we automatically change the data type:
```
int x = 2134;
DataContainer IntCont1(x);
float y = 324252.0f;
IntCont = y;
// IntCont is now of type ENTSYS_DATA_TYPE_FLOAT
```
| 1.0 | Don't change data type when operator = is used but do a cast - When setting the data of a DataContainer we automatically change the data type:
```
int x = 2134;
DataContainer IntCont1(x);
float y = 324252.0f;
IntCont = y;
// IntCont is now of type ENTSYS_DATA_TYPE_FLOAT
```
| priority | don t change data type when operator is used but do a cast when setting the data of a datacontainer we automatically change the data type int x datacontainer x float y intcont y intcont is now of type entsys data type float | 1 |
560,753 | 16,603,205,337 | IssuesEvent | 2021-06-01 22:44:26 | nclient/NClient | https://api.github.com/repos/nclient/NClient | opened | Inherited methods are not validated | Cost: S Good first issue Priority: Medium Type: Bug | **Describe the bug**
Inherited methods are not validated during the creation of the client instance. The error occurs when executing an invalid method.
**To Reproduce**
```C#
public interface IMyClient : IMyController
{
}
public interface IMyController
{
[GetMethod("{non_existent_parameter}")]
int[] Get();
}
...
var client = NClientProvider
.Use<IMyClient>(host: "http://localhost:5000")
.Build();
```
**Expected behavior**
I expect the exception to be thrown when calling the `Use<>` method.
**Project info:**
- Version NClient - 0.5.1 | 1.0 | Inherited methods are not validated - **Describe the bug**
Inherited methods are not validated during the creation of the client instance. The error occurs when executing an invalid method.
**To Reproduce**
```C#
public interface IMyClient : IMyController
{
}
public interface IMyController
{
[GetMethod("{non_existent_parameter}")]
int[] Get();
}
...
var client = NClientProvider
.Use<IMyClient>(host: "http://localhost:5000")
.Build();
```
**Expected behavior**
I expect the exception to be thrown when calling the `Use<>` method.
**Project info:**
- Version NClient - 0.5.1 | priority | inherited methods are not validated describe the bug inherited methods are not validated during the creation of the client instance the error occurs when executing an invalid method to reproduce c public interface imyclient imycontroller public interface imycontroller int get var client nclientprovider use host build expected behavior i expect the exception to be thrown when calling the use method project info version nclient | 1 |
658,389 | 21,890,964,073 | IssuesEvent | 2022-05-20 01:31:54 | bounswe/bounswe2022group8 | https://api.github.com/repos/bounswe/bounswe2022group8 | opened | Practice App: Dockerization | Effort: Medium Priority: High practice app | ### What's up?
Docker is a tool that is used to automate the deployment of applications in lightweight containers so that applications can work efficiently in different environments. Therefore, in order for our application to be more versatile we need to dockerize it before the deployment.
**Note:** More information related to docker can be found in our related [research page](https://github.com/bounswe/bounswe2022group8/wiki/Research-On-Docker).
### To Do
- [ ] Figure out how to dockerize our practice application.
- [ ] Document how dockerization is done so that other group members can benefit.
### Deadline
20.05.2022 _@12.00_
### Additional Information
* In order to dockerize our application one should perform the following steps:
1) Download Docker. (You can download it from [here](https://www.docker.com/).) It may require you to download WSL 2, so just follow the instructions. If asked, download Ubuntu as linux distributor.
2) Create a file named **Dockerfile** under the project folder and paste the code snippet below into the file:
```javascript
FROM python:3.8-slim-buster
WORKDIR /app
COPY requirements.txt requirements.txt
RUN pip3 install -r requirements.txt
RUN apt-get update && apt-get -y install tk-dev
COPY . .
CMD ["python3", "manage.py", "runserver", "0.0.0.0:8000"]
```
* This file contains the code that is necessary to create our docker image.
3) Create a file named **.dockerignore** as we do not want our environment related files to be included. Add ``` */env ``` into the file. (Assuming that your virtual environment name is _env_. If not add that name in the format mentioned above. )
4) Now we are going to build our docker image. Enter the following command in the terminal:
```javascript
docker build --tag python-django .
```
* python-django is the name of the image so you can name it however you want.
* Don't forget that images are immutable so in order to change it you need to recreate it. I know that it is a quite large file but don't worry about recreating as necessary files are backed up in the cache.
5) It is time to create our container. Enter the following command in the terminal to run your image inside a container.
```javascript
docker run --publish 8000:8000 python-django
```
6) Open the Docker app you downloaded at first, click containers, move the cursor over the container you just created and click _open in browser_. **Boom.** Our application now also works on linux as well.
### Reviewers
_No response_ | 1.0 | Practice App: Dockerization - ### What's up?
Docker is a tool that is used to automate the deployment of applications in lightweight containers so that applications can work efficiently in different environments. Therefore, in order for our application to be more versatile we need to dockerize it before the deployment.
**Note:** More information related to docker can be found in our related [research page](https://github.com/bounswe/bounswe2022group8/wiki/Research-On-Docker).
### To Do
- [ ] Figure out how to dockerize our practice application.
- [ ] Document how dockerization is done so that other group members can benefit.
### Deadline
20.05.2022 _@12.00_
### Additional Information
* In order to dockerize our application one should perform the following steps:
1) Download Docker. (You can download it from [here](https://www.docker.com/).) It may require you to download WSL 2, so just follow the instructions. If asked, download Ubuntu as linux distributor.
2) Create a file named **Dockerfile** under the project folder and paste the code snippet below into the file:
```javascript
FROM python:3.8-slim-buster
WORKDIR /app
COPY requirements.txt requirements.txt
RUN pip3 install -r requirements.txt
RUN apt-get update && apt-get -y install tk-dev
COPY . .
CMD ["python3", "manage.py", "runserver", "0.0.0.0:8000"]
```
* This file contains the code that is necessary to create our docker image.
3) Create a file named **.dockerignore** as we do not want our environment related files to be included. Add ``` */env ``` into the file. (Assuming that your virtual environment name is _env_. If not add that name in the format mentioned above. )
4) Now we are going to build our docker image. Enter the following command in the terminal:
```javascript
docker build --tag python-django .
```
* python-django is the name of the image so you can name it however you want.
* Don't forget that images are immutable so in order to change it you need to recreate it. I know that it is a quite large file but don't worry about recreating as necessary files are backed up in the cache.
5) It is time to create our container. Enter the following command in the terminal to run your image inside a container.
```javascript
docker run --publish 8000:8000 python-django
```
6) Open the Docker app you downloaded at first, click containers, move the cursor over the container you just created and click _open in browser_. **Boom.** Our application now also works on linux as well.
### Reviewers
_No response_ | priority | practice app dockerization what s up docker is a tool that is used to automate the deployment of applications in lightweight containers so that applications can work efficiently in different environments therefore in order for our application to be more versatile we need to dockerize it before the deployment note more information related to docker can be found in our related to do figure out how to dockerize our practice application document how dockerization is done so that other group members can benefit deadline additional information in order to dockerize our application one should perform the following steps download docker you can download it from it may require you to download wsl so just follow the instructions if asked download ubuntu as linux distributor create a file named dockerfile under the project folder and paste the code snippet below into the file javascript from python slim buster workdir app copy requirements txt requirements txt run install r requirements txt run apt get update apt get y install tk dev copy cmd this file contains the code that is necessary to create our docker image create a file named dockerignore as we do not want our environment related files to be included add env into the file assuming that your virtual environment name is env if not add that name in the format mentioned above now we are going to build our docker image enter the following command in the terminal javascript docker build tag python django python django is the name of the image so you can name it however you want don t forget that images are immutable so in order to change it you need to recreate it i know that it is a quite large file but don t worry about recreating as necessary files are backed up in the cache it is time to create our container enter the following command in the terminal to run your image inside a container javascript docker run publish python django open the docker app you downloaded at first click containers move the cursor over the container you just created and click open in browser boom our application now also works on linux as well reviewers no response | 1 |
482,014 | 13,895,697,344 | IssuesEvent | 2020-10-19 16:10:11 | canonical-web-and-design/anbox-cloud.io | https://api.github.com/repos/canonical-web-and-design/anbox-cloud.io | closed | Disable streaming on unsupported browsers | Priority: Medium | A check was added to the stream SDK to prevent streaming on unsupported browsers.
We need to have a message telling users to use a supported browser when that occurs
the following error is thrown if a browser is unsupported
`throw new Error("unsupported browser");` | 1.0 | Disable streaming on unsupported browsers - A check was added to the stream SDK to prevent streaming on unsupported browsers.
We need to have a message telling users to use a supported browser when that occurs
the following error is thrown if a browser is unsupported
`throw new Error("unsupported browser");` | priority | disable streaming on unsupported browsers a check was added to the stream sdk to prevent streaming on unsupported browsers we need to have a message telling users to use a supported browser when that occurs the following error is thrown if a browser is unsupported throw new error unsupported browser | 1 |
609,631 | 18,883,309,366 | IssuesEvent | 2021-11-15 03:00:25 | nimblehq/nimble-medium-ios | https://api.github.com/repos/nimblehq/nimble-medium-ios | closed | Refactor Resolve library to register correctly | type : chore priority : medium | ## Why
Refactor Resolve library to use `.register` instead of `.implement` for correct object generation per interface.
## Acceptance Criteria
The app works normally.
| 1.0 | Refactor Resolve library to register correctly - ## Why
Refactor Resolve library to use `.register` instead of `.implement` for correct object generation per interface.
## Acceptance Criteria
The app works normally.
| priority | refactor resolve library to register correctly why refactor resolve library to use register instead of implement for correct object generation per interface acceptance criteria the app works normally | 1 |
260,983 | 8,221,998,260 | IssuesEvent | 2018-09-06 05:27:23 | Repair-DeskPOS/RepairDesk-BUGS-IMPROVEMENTS | https://api.github.com/repos/Repair-DeskPOS/RepairDesk-BUGS-IMPROVEMENTS | closed | Customers module - Tickets & Invoice Listing Order | Added to Roadmap Medium Priority customers enhancement | So I'm just wondering if others have noticed this. There's no rhyme or reason to the ticket list order under a customer. There is no order to them. Not by job number or by date. Makes it frustrating. I'll confirm jobs on the first page. Yet new jobs could be at the top of the list or on the second page or even half way down. Is there a reason to this unorganisation? Even if I try to sort by id or date at the top of the table there is no logical reason to how it orders it. Seems pointless. Also when we search for customers from the top. And specifically select 'customers' we can't search by company name. Sure we can on the next page when we get no results where we can search by 'organisation' but what's the point to this search feature? We don't only search for customers by name. Also by company name. We might have put an original contact name in (as a new customer requires a full name) but often we just want to search and inspect a companies repair history. Without having to know the direct contact name of someone.
**Reported: Michael - ITZ Computer**
| 1.0 | Customers module - Tickets & Invoice Listing Order - So I'm just wondering if others have noticed this. There's no rhyme or reason to the ticket list order under a customer. There is no order to them. Not by job number or by date. Makes it frustrating. I'll confirm jobs on the first page. Yet new jobs could be at the top of the list or on the second page or even half way down. Is there a reason to this unorganisation? Even if I try to sort by id or date at the top of the table there is no logical reason to how it orders it. Seems pointless. Also when we search for customers from the top. And specifically select 'customers' we can't search by company name. Sure we can on the next page when we get no results where we can search by 'organisation' but what's the point to this search feature? We don't only search for customers by name. Also by company name. We might have put an original contact name in (as a new customer requires a full name) but often we just want to search and inspect a companies repair history. Without having to know the direct contact name of someone.
**Reported: Michael - ITZ Computer**
| priority | customers module tickets invoice listing order so i m just wondering if others have noticed this there s no rhyme or reason to the ticket list order under a customer there is no order to them not by job number or by date makes it frustrating i ll confirm jobs on the first page yet new jobs could be at the top of the list or on the second page or even half way down is there a reason to this unorganisation even if i try to sort by id or date at the top of the table there is no logical reason to how it orders it seems pointless also when we search for customers from the top and specifically select customers we can t search by company name sure we can on the next page when we get no results where we can search by organisation but what s the point to this search feature we don t only search for customers by name also by company name we might have put an original contact name in as a new customer requires a full name but often we just want to search and inspect a companies repair history without having to know the direct contact name of someone reported michael itz computer | 1 |
167,956 | 6,354,191,498 | IssuesEvent | 2017-07-29 06:55:58 | compodoc/compodoc | https://api.github.com/repos/compodoc/compodoc | opened | [BUG] Support function types in function parameters description | Priority: Medium Status: Accepted Time: ~3 hours Type: Enhancement | ##### **Overview of the issue**
Current syntax :
```
constructor(scheduler: Scheduler, work: (this: Action<T>, state?: T) => void) {
super();
}
```
render this :
```
constructor(scheduler: Scheduler, work: )
```
| 1.0 | [BUG] Support function types in function parameters description - ##### **Overview of the issue**
Current syntax :
```
constructor(scheduler: Scheduler, work: (this: Action<T>, state?: T) => void) {
super();
}
```
render this :
```
constructor(scheduler: Scheduler, work: )
```
| priority | support function types in function parameters description overview of the issue current syntax constructor scheduler scheduler work this action state t void super render this constructor scheduler scheduler work | 1 |
614,669 | 19,188,061,509 | IssuesEvent | 2021-12-05 14:44:52 | kevslinger/bot-be-named | https://api.github.com/repos/kevslinger/bot-be-named | closed | Docstring cleanup everywhere | Priority: Medium Before MH22 | Test if single quote substitutes instead of double quotes in every module/some modules/no module. My guess is only "Help module" behaves different, but every other module accepts (Can be wrong)
After testing, change all applicable (maybe all) instances of single quotes in docstring to be double quotes.
Aka
`~catclone "Category A" "Category B"` instead of `~catclone 'Category A' 'Category B'` in the docstring | 1.0 | Docstring cleanup everywhere - Test if single quote substitutes instead of double quotes in every module/some modules/no module. My guess is only "Help module" behaves different, but every other module accepts (Can be wrong)
After testing, change all applicable (maybe all) instances of single quotes in docstring to be double quotes.
Aka
`~catclone "Category A" "Category B"` instead of `~catclone 'Category A' 'Category B'` in the docstring | priority | docstring cleanup everywhere test if single quote substitutes instead of double quotes in every module some modules no module my guess is only help module behaves different but every other module accepts can be wrong after testing change all applicable maybe all instances of single quotes in docstring to be double quotes aka catclone category a category b instead of catclone category a category b in the docstring | 1 |
148,295 | 5,672,608,019 | IssuesEvent | 2017-04-12 02:13:56 | pmeas/pmeas-frontend | https://api.github.com/repos/pmeas/pmeas-frontend | closed | Boot Screen Sequence | Difficulty: Medium Priority: Medium Stage: Research Type: Feature | Add the different stages before loading the main effects page. I.E -> Open App -> Show Splash Screen -> Pick Connection Medium -> Pick Ports -> Load Main Page | 1.0 | Boot Screen Sequence - Add the different stages before loading the main effects page. I.E -> Open App -> Show Splash Screen -> Pick Connection Medium -> Pick Ports -> Load Main Page | priority | boot screen sequence add the different stages before loading the main effects page i e open app show splash screen pick connection medium pick ports load main page | 1 |
787,864 | 27,734,057,935 | IssuesEvent | 2023-03-15 10:01:45 | gamefreedomgit/Maelstrom | https://api.github.com/repos/gamefreedomgit/Maelstrom | closed | Impact and Divine Purpose proccing even when you don't damage anyone | Spell Priority: Medium Status: Confirmed | Edit: As there is no concrete evidence on this, I will assume that the lack of evidence speaks of this being a bug, otherwise every guide would suggest spamming your spells pre-pull to get your procs.
Currently, if you spam untargeted damaging abilities as a Mage and Ret, who have both Impact and Divine Purpose talented, despite not doing any damage to anyone, they can still get their procs.
Divine Purpose proccing from a Divine Storm that deals no damage (also applies to Holy Wrath): https://www.youtube.com/watch?v=I2sO4IF388Y
Impact proccing from an Arcane Explosion that deals no damage (also applies to Flamestrike, Blast Wave, Blizzard, Cone of Cold, Frost Nova and Dragon's Breath): https://www.youtube.com/watch?v=dILv0xwG2EQ
I am not aware of any other bugs like this with other classes (for example, after 100 casts of Whirlwind and another 100 of Thunder Clap, Sudden Death does not proc this way). However, I found this interesting bit of evidence from an early MoP hotfix for Divine Purpose: (2012-09-12): Divine Purpose should only have one chance to activate once per finisher (which must land on at least one target).
https://wowpedia.fandom.com/wiki/Divine_Purpose
Hotfix generally means a bugfix. Yes, it is from MoP, but I couldn't find any Retail Cata info on this. Personally, I don't think those spells should be able to proc if you don't deal any damage. From a game health perspective, it'd lead to some toxic and degenerate playstyles of farming your procs before you get to your targets (and from a PvE lens, timing pulls around those procs - imagine having a full Inquisition before you pull any boss with your T11 4set, then swapping back to your main set post-T11). | 1.0 | Impact and Divine Purpose proccing even when you don't damage anyone - Edit: As there is no concrete evidence on this, I will assume that the lack of evidence speaks of this being a bug, otherwise every guide would suggest spamming your spells pre-pull to get your procs.
Currently, if you spam untargeted damaging abilities as a Mage and Ret, who have both Impact and Divine Purpose talented, despite not doing any damage to anyone, they can still get their procs.
Divine Purpose proccing from a Divine Storm that deals no damage (also applies to Holy Wrath): https://www.youtube.com/watch?v=I2sO4IF388Y
Impact proccing from an Arcane Explosion that deals no damage (also applies to Flamestrike, Blast Wave, Blizzard, Cone of Cold, Frost Nova and Dragon's Breath): https://www.youtube.com/watch?v=dILv0xwG2EQ
I am not aware of any other bugs like this with other classes (for example, after 100 casts of Whirlwind and another 100 of Thunder Clap, Sudden Death does not proc this way). However, I found this interesting bit of evidence from an early MoP hotfix for Divine Purpose: (2012-09-12): Divine Purpose should only have one chance to activate once per finisher (which must land on at least one target).
https://wowpedia.fandom.com/wiki/Divine_Purpose
Hotfix generally means a bugfix. Yes, it is from MoP, but I couldn't find any Retail Cata info on this. Personally, I don't think those spells should be able to proc if you don't deal any damage. From a game health perspective, it'd lead to some toxic and degenerate playstyles of farming your procs before you get to your targets (and from a PvE lens, timing pulls around those procs - imagine having a full Inquisition before you pull any boss with your T11 4set, then swapping back to your main set post-T11). | priority | impact and divine purpose proccing even when you don t damage anyone edit as there is no concrete evidence on this i will assume that the lack of evidence speaks of this being a bug otherwise every guide would suggest spamming your spells pre pull to get your procs currently if you spam untargeted damaging abilities as a mage and ret who have both impact and divine purpose talented despite not doing any damage to anyone they can still get their procs divine purpose proccing from a divine storm that deals no damage also applies to holy wrath impact proccing from an arcane explosion that deals no damage also applies to flamestrike blast wave blizzard cone of cold frost nova and dragon s breath i am not aware of any other bugs like this with other classes for example after casts of whirlwind and another of thunder clap sudden death does not proc this way however i found this interesting bit of evidence from an early mop hotfix for divine purpose divine purpose should only have one chance to activate once per finisher which must land on at least one target hotfix generally means a bugfix yes it is from mop but i couldn t find any retail cata info on this personally i don t think those spells should be able to proc if you don t deal any damage from a game health perspective it d lead to some toxic and degenerate playstyles of farming your procs before you get to your targets and from a pve lens timing pulls around those procs imagine having a full inquisition before you pull any boss with your then swapping back to your main set post | 1 |
595,582 | 18,069,403,391 | IssuesEvent | 2021-09-20 23:50:33 | NOAA-GSL/MATS | https://api.github.com/repos/NOAA-GSL/MATS | closed | date-selector refresh happening too early | Priority: Medium Project: MATScommon Project: MATS | It appears that in the date_range.js file around line 25 we had a refresh() that is firing too soon.
//RTP I think this causes it to refresh too quickly. If we need this we should find a better way.
//refresh(); // initial value based on what is in the superior
We need to debug this better and fix it in a better way. | 1.0 | date-selector refresh happening too early - It appears that in the date_range.js file around line 25 we had a refresh() that is firing too soon.
//RTP I think this causes it to refresh too quickly. If we need this we should find a better way.
//refresh(); // initial value based on what is in the superior
We need to debug this better and fix it in a better way. | priority | date selector refresh happening too early it appears that in the date range js file around line we had a refresh that is firing too soon rtp i think this causes it to refresh too quickly if we need this we should find a better way refresh initial value based on what is in the superior we need to debug this better and fix it in a better way | 1 |
287,055 | 8,798,496,915 | IssuesEvent | 2018-12-24 08:04:02 | openshiftio/openshift.io | https://api.github.com/repos/openshiftio/openshift.io | closed | [2] Effort field populates incorrect value | SEV3-medium area/planner area/planner/item-details priority/P2 status/in-progress team/ui type/bug | Enter the value 11111111111111111.51 in the effort field. On save, this value is converted to 11111111111111112
Enter the value 111111111111111111111111.51 and it will save as 1.1111111111111111e+23. However, attempting to re-save this value will result in the following error message: "Invalid value for the field type float" | 1.0 | [2] Effort field populates incorrect value - Enter the value 11111111111111111.51 in the effort field. On save, this value is converted to 11111111111111112
Enter the value 111111111111111111111111.51 and it will save as 1.1111111111111111e+23. However, attempting to re-save this value will result in the following error message: "Invalid value for the field type float" | priority | effort field populates incorrect value enter the value in the effort field on save this value is converted to enter the value and it will save as however attempting to re save this value will result in the following error message invalid value for the field type float | 1 |
618,416 | 19,441,315,755 | IssuesEvent | 2021-12-22 01:31:10 | ut-issl/c2a-core | https://api.github.com/repos/ut-issl/c2a-core | opened | GS Cmdใฎๅ้ๅถๅพกใซใคใใฆใฉใใใใ่ใใ | priority::medium | ## ๆฆ่ฆ
GS Cmdใฎๅ้ๅถๅพกใซใคใใฆใฉใใใใ่ใใ
## ่ฉณ็ดฐ
ใชใซใๆฑบใพใฃใฆใชใใฎใง๏ผ๏ผใใ่ใใ
## closeๆกไปถ
ไปๅพใฎๆน้ใๆฑบใพใฃใใ
## ๅ่
- ้ข้ฃ https://github.com/ut-issl/c2a-core/issues/127 | 1.0 | GS Cmdใฎๅ้ๅถๅพกใซใคใใฆใฉใใใใ่ใใ - ## ๆฆ่ฆ
GS Cmdใฎๅ้ๅถๅพกใซใคใใฆใฉใใใใ่ใใ
## ่ฉณ็ดฐ
ใชใซใๆฑบใพใฃใฆใชใใฎใง๏ผ๏ผใใ่ใใ
## closeๆกไปถ
ไปๅพใฎๆน้ใๆฑบใพใฃใใ
## ๅ่
- ้ข้ฃ https://github.com/ut-issl/c2a-core/issues/127 | priority | gs cmdใฎๅ้ๅถๅพกใซใคใใฆใฉใใใใ่ใใ ๆฆ่ฆ gs cmdใฎๅ้ๅถๅพกใซใคใใฆใฉใใใใ่ใใ ่ฉณ็ดฐ ใชใซใๆฑบใพใฃใฆใชใใฎใง๏ผ closeๆกไปถ ไปๅพใฎๆน้ใๆฑบใพใฃใใ ๅ่ ้ข้ฃ | 1 |
176,903 | 6,569,014,995 | IssuesEvent | 2017-09-09 01:06:20 | pydata/numexpr | https://api.github.com/repos/pydata/numexpr | closed | failing unittests / crashes on GNU/Linux Debian sparc arch (in threaded mode) | bug imported Priority-Medium | _From [yarikop...@gmail.com](https://code.google.com/u/106463979469591360865/) on April 09, 2012 20:34:26_
What steps will reproduce the problem? 1. happens with 1.4.2 and 2.0.1 (debian experimental)
2. on sparc boxes (but necessarily all of them)
3. some times just a test failure some times a crash, e.g. http://www.onerussian.com/tmp/numexpr-crash.txt Here is the script with rudimentary evaluate which reveals the failing tests and crash:
import numpy as np
from numpy.testing import *
from numpy import arange
import numexpr
from numexpr import E, NumExpr, evaluate, disassemble, use_vml
# numexpr.set_num_threads(1)
print "LIOOP"
for r in xrange(1000000000):
x = arange(800000., 1e6)
y = evaluate("x")
print r
if not np.all( x == y):
print "FAILED on %d run:" % r
print len(np.where (x!=y)[0])
print (np.where (x!=y)[0])
print x[x!=y]
print (x-y)[x!=y]
#import pdb; pdb.set_trace()
#assert_array_equal(x, y)
if threading is disabled above -- then tests failures and crash goes away.
could you please advise on directions to troubleshoot?
_Original issue: http://code.google.com/p/numexpr/issues/detail?id=77_
| 1.0 | failing unittests / crashes on GNU/Linux Debian sparc arch (in threaded mode) - _From [yarikop...@gmail.com](https://code.google.com/u/106463979469591360865/) on April 09, 2012 20:34:26_
What steps will reproduce the problem? 1. happens with 1.4.2 and 2.0.1 (debian experimental)
2. on sparc boxes (but necessarily all of them)
3. some times just a test failure some times a crash, e.g. http://www.onerussian.com/tmp/numexpr-crash.txt Here is the script with rudimentary evaluate which reveals the failing tests and crash:
import numpy as np
from numpy.testing import *
from numpy import arange
import numexpr
from numexpr import E, NumExpr, evaluate, disassemble, use_vml
# numexpr.set_num_threads(1)
print "LIOOP"
for r in xrange(1000000000):
x = arange(800000., 1e6)
y = evaluate("x")
print r
if not np.all( x == y):
print "FAILED on %d run:" % r
print len(np.where (x!=y)[0])
print (np.where (x!=y)[0])
print x[x!=y]
print (x-y)[x!=y]
#import pdb; pdb.set_trace()
#assert_array_equal(x, y)
if threading is disabled above -- then tests failures and crash goes away.
could you please advise on directions to troubleshoot?
_Original issue: http://code.google.com/p/numexpr/issues/detail?id=77_
| priority | failing unittests crashes on gnu linux debian sparc arch in threaded mode from on april what steps will reproduce the problem happens with and debian experimental on sparc boxes but necessarily all of them some times just a test failure some times a crash e g here is the script with rudimentary evaluate which reveals the failing tests and crash import numpy as np from numpy testing import from numpy import arange import numexpr from numexpr import e numexpr evaluate disassemble use vml numexpr set num threads print lioop for r in xrange x arange y evaluate x print r if not np all x y print failed on d run r print len np where x y print np where x y print x print x y import pdb pdb set trace assert array equal x y if threading is disabled above then tests failures and crash goes away could you please advise on directions to troubleshoot original issue | 1 |
677,923 | 23,179,782,118 | IssuesEvent | 2022-07-31 23:41:44 | City-Bureau/city-scrapers-atl | https://api.github.com/repos/City-Bureau/city-scrapers-atl | opened | New Scraper: Clayton County Board of Health | priority-medium | Create a new scraper for Clayton County Board of Health
Website: https://www.claytoncountypublichealth.org/about-us/meetings-and-minutes/
Jurisdiction: Clayton County
Classification: Public Health
| 1.0 | New Scraper: Clayton County Board of Health - Create a new scraper for Clayton County Board of Health
Website: https://www.claytoncountypublichealth.org/about-us/meetings-and-minutes/
Jurisdiction: Clayton County
Classification: Public Health
| priority | new scraper clayton county board of health create a new scraper for clayton county board of health website jurisdiction clayton county classification public health | 1 |
680,831 | 23,286,941,778 | IssuesEvent | 2022-08-05 17:35:16 | x13pixels/remedybg-issues | https://api.github.com/repos/x13pixels/remedybg-issues | closed | Closing tab with Ctrl+W defocuses editor | Type: Bug Priority: 5 (Medium) Component: Text Window | Because of this I'm unable to just press Ctrl+W multiple times in succession to close multiple tabs. I have to Ctrl+W, click to refocus, Ctrl+W, click to refocus, and so on. | 1.0 | Closing tab with Ctrl+W defocuses editor - Because of this I'm unable to just press Ctrl+W multiple times in succession to close multiple tabs. I have to Ctrl+W, click to refocus, Ctrl+W, click to refocus, and so on. | priority | closing tab with ctrl w defocuses editor because of this i m unable to just press ctrl w multiple times in succession to close multiple tabs i have to ctrl w click to refocus ctrl w click to refocus and so on | 1 |
577,192 | 17,105,051,688 | IssuesEvent | 2021-07-09 16:23:31 | phetsims/fourier-making-waves | https://api.github.com/repos/phetsims/fourier-making-waves | closed | How to start/stop continuous sounds that are specific to a Screen? | priority:3-medium | The Discrete screen has a checkbox/slider control for the sound associated with the Fourier series:
<img width="280" alt="screenshot_1050" src="https://user-images.githubusercontent.com/3046552/124819749-ded3ae80-df29-11eb-969e-31cb5ce47d94.png">
This is a continous sound. And I just discovered that switching screens does NOT stop this sound.
@jbphet Does soundManager provide any support for screen-specific sounds? Or do I need to handle this myself? If I need to handle it myself, what is the recommended pattern? | 1.0 | How to start/stop continuous sounds that are specific to a Screen? - The Discrete screen has a checkbox/slider control for the sound associated with the Fourier series:
<img width="280" alt="screenshot_1050" src="https://user-images.githubusercontent.com/3046552/124819749-ded3ae80-df29-11eb-969e-31cb5ce47d94.png">
This is a continous sound. And I just discovered that switching screens does NOT stop this sound.
@jbphet Does soundManager provide any support for screen-specific sounds? Or do I need to handle this myself? If I need to handle it myself, what is the recommended pattern? | priority | how to start stop continuous sounds that are specific to a screen the discrete screen has a checkbox slider control for the sound associated with the fourier series img width alt screenshot src this is a continous sound and i just discovered that switching screens does not stop this sound jbphet does soundmanager provide any support for screen specific sounds or do i need to handle this myself if i need to handle it myself what is the recommended pattern | 1 |
272,563 | 8,514,927,874 | IssuesEvent | 2018-10-31 20:00:56 | robotframework/SeleniumLibrary | https://api.github.com/repos/robotframework/SeleniumLibrary | closed | Capture Elemen picture | enhancement priority: medium | It looks like taking picture from a element is progressing in [ChromeDriver](https://bugs.chromium.org/p/chromedriver/issues/detail?id=1938). Once it gets implemented in ChromeDriver, then there is support from Firefox and Chrome browsers. Also this has been asked few times, but because of lack of Selenium/browser support, we have not implemented it. Now, if Chrome support arrived, we could implement keyword for capturing picture from a element. | 1.0 | Capture Elemen picture - It looks like taking picture from a element is progressing in [ChromeDriver](https://bugs.chromium.org/p/chromedriver/issues/detail?id=1938). Once it gets implemented in ChromeDriver, then there is support from Firefox and Chrome browsers. Also this has been asked few times, but because of lack of Selenium/browser support, we have not implemented it. Now, if Chrome support arrived, we could implement keyword for capturing picture from a element. | priority | capture elemen picture it looks like taking picture from a element is progressing in once it gets implemented in chromedriver then there is support from firefox and chrome browsers also this has been asked few times but because of lack of selenium browser support we have not implemented it now if chrome support arrived we could implement keyword for capturing picture from a element | 1 |
344,694 | 10,348,540,870 | IssuesEvent | 2019-09-04 20:03:24 | DisabledMallis/BTDToolbox | https://api.github.com/repos/DisabledMallis/BTDToolbox | closed | Control font size in JsonEditor | Feature Medium Priority | Text box and basic function is set up. Change not applied when value is changed in text box. I believe it would need to re-render the text currently inside the editor | 1.0 | Control font size in JsonEditor - Text box and basic function is set up. Change not applied when value is changed in text box. I believe it would need to re-render the text currently inside the editor | priority | control font size in jsoneditor text box and basic function is set up change not applied when value is changed in text box i believe it would need to re render the text currently inside the editor | 1 |
345,151 | 10,353,987,438 | IssuesEvent | 2019-09-05 12:52:14 | department-of-veterans-affairs/caseflow | https://api.github.com/repos/department-of-veterans-affairs/caseflow | closed | Tech discovery: strategies for minimizing BGS impact on Caseflow performance | BGS foxtrot priority-medium tech-improvement | # Improvements to BGS information in Queue
Caseflow is dependent upon BGS for information like Veteran name, POA, and appellant information. BGS can be unreliable, and Caseflow has the goal of remaining operational as much as possible even if external dependencies are experiencing downtime. Additionally, making multiple calls to BGS slows down Caseflow performance, as already experienced in our list of BEAAM appeals.
Here, we try to think through improvements for how we might handle BGS data in Caseflow Queue.
## Overall Goals
- BVA employees should not be blocked from doing work during a BGS outage, wherever possible.
- BVA employees should not need to wait for N BGS requests to resolve to view their list of N tasks.
- BVA employees should be able to view case details for appeal info even if BGS is down.
- BVA employees should not be able to see veteran info from BGS if they lack permission to see that info.
## Queue task list view: Veteran name / appellant name
Currently, the Veteran name is currently displayed in all task list views, along with "Veteran is not the appellant" where applicable.
### Option 1. Don't show Veteran name/ "Veteran is not appellant"
This option would require redesigns that remove information from all Queues.
### Option 2. Lazy load Veteran names, don't show "Veteran is not appellant"
This would allow the Queue to load, but we would still need to make many BGS requests.
### Option 3. Save veteran name, a boolean representing whether the veteran is the appellant, and appellant name in the Caseflow database in Caseflow Intake
If we get approval to save Veteran and appellant name in Caseflow, this is an option. Queue list view loading times will remain fast, and Veteran names change infrequently enough that data integrity wouldn't be an issue โ according to Dustin, VACOLS veteran names are anecdotally not seen as a problem, even though they are not edited on any schedule.
## Case Details view: detailed veteran info
This includes gender, service periods, DOB, POA, address (what else)? See data in case details [here](https://github.com/department-of-veterans-affairs/caseflow/wiki/Case-details).
### Caching
Some Veteran information is only accessible to users with certain sensitivity levels, so we'd likely need to cache this information on a per-user, per-appeal basis.
To ensure that the Board can continually review cases even through a BGS outage, we could run a nightly job to prefetch all relevant info from BGS for cases newly assigned to attorneys and judges. For other users, this information could just be fetched as necessary.
The cached versions could be marked as expired after 24 hours, but if BGS is down we could still return the last saved version (while indicating that the information was updated more than a day ago). So only if a user has never looked at Case Details before for an appeal would they be possibly blocked by a BGS outage.
### Sensitivity
Option 1: Prevent users from loading the Case Details page if the user's BGS access level is too low.
Option 2: Display appeal information stored in Caseflow if the user's BGS access level is too low, but don't show BGS information.
### Open questions
- Should we lazy load BGS info in Case Details?
- Is the background job necessary, or should we fetch BGS info only when a user requests it?
- What other BGS data might we need - contested claimant info?
| 1.0 | Tech discovery: strategies for minimizing BGS impact on Caseflow performance - # Improvements to BGS information in Queue
Caseflow is dependent upon BGS for information like Veteran name, POA, and appellant information. BGS can be unreliable, and Caseflow has the goal of remaining operational as much as possible even if external dependencies are experiencing downtime. Additionally, making multiple calls to BGS slows down Caseflow performance, as already experienced in our list of BEAAM appeals.
Here, we try to think through improvements for how we might handle BGS data in Caseflow Queue.
## Overall Goals
- BVA employees should not be blocked from doing work during a BGS outage, wherever possible.
- BVA employees should not need to wait for N BGS requests to resolve to view their list of N tasks.
- BVA employees should be able to view case details for appeal info even if BGS is down.
- BVA employees should not be able to see veteran info from BGS if they lack permission to see that info.
## Queue task list view: Veteran name / appellant name
Currently, the Veteran name is currently displayed in all task list views, along with "Veteran is not the appellant" where applicable.
### Option 1. Don't show Veteran name/ "Veteran is not appellant"
This option would require redesigns that remove information from all Queues.
### Option 2. Lazy load Veteran names, don't show "Veteran is not appellant"
This would allow the Queue to load, but we would still need to make many BGS requests.
### Option 3. Save veteran name, a boolean representing whether the veteran is the appellant, and appellant name in the Caseflow database in Caseflow Intake
If we get approval to save Veteran and appellant name in Caseflow, this is an option. Queue list view loading times will remain fast, and Veteran names change infrequently enough that data integrity wouldn't be an issue โ according to Dustin, VACOLS veteran names are anecdotally not seen as a problem, even though they are not edited on any schedule.
## Case Details view: detailed veteran info
This includes gender, service periods, DOB, POA, address (what else)? See data in case details [here](https://github.com/department-of-veterans-affairs/caseflow/wiki/Case-details).
### Caching
Some Veteran information is only accessible to users with certain sensitivity levels, so we'd likely need to cache this information on a per-user, per-appeal basis.
To ensure that the Board can continually review cases even through a BGS outage, we could run a nightly job to prefetch all relevant info from BGS for cases newly assigned to attorneys and judges. For other users, this information could just be fetched as necessary.
The cached versions could be marked as expired after 24 hours, but if BGS is down we could still return the last saved version (while indicating that the information was updated more than a day ago). So only if a user has never looked at Case Details before for an appeal would they be possibly blocked by a BGS outage.
### Sensitivity
Option 1: Prevent users from loading the Case Details page if the user's BGS access level is too low.
Option 2: Display appeal information stored in Caseflow if the user's BGS access level is too low, but don't show BGS information.
### Open questions
- Should we lazy load BGS info in Case Details?
- Is the background job necessary, or should we fetch BGS info only when a user requests it?
- What other BGS data might we need - contested claimant info?
| priority | tech discovery strategies for minimizing bgs impact on caseflow performance improvements to bgs information in queue caseflow is dependent upon bgs for information like veteran name poa and appellant information bgs can be unreliable and caseflow has the goal of remaining operational as much as possible even if external dependencies are experiencing downtime additionally making multiple calls to bgs slows down caseflow performance as already experienced in our list of beaam appeals here we try to think through improvements for how we might handle bgs data in caseflow queue overall goals bva employees should not be blocked from doing work during a bgs outage wherever possible bva employees should not need to wait for n bgs requests to resolve to view their list of n tasks bva employees should be able to view case details for appeal info even if bgs is down bva employees should not be able to see veteran info from bgs if they lack permission to see that info queue task list view veteran name appellant name currently the veteran name is currently displayed in all task list views along with veteran is not the appellant where applicable option don t show veteran name veteran is not appellant this option would require redesigns that remove information from all queues option lazy load veteran names don t show veteran is not appellant this would allow the queue to load but we would still need to make many bgs requests option save veteran name a boolean representing whether the veteran is the appellant and appellant name in the caseflow database in caseflow intake if we get approval to save veteran and appellant name in caseflow this is an option queue list view loading times will remain fast and veteran names change infrequently enough that data integrity wouldn t be an issue โ according to dustin vacols veteran names are anecdotally not seen as a problem even though they are not edited on any schedule case details view detailed veteran info this includes gender service periods dob poa address what else see data in case details caching some veteran information is only accessible to users with certain sensitivity levels so we d likely need to cache this information on a per user per appeal basis to ensure that the board can continually review cases even through a bgs outage we could run a nightly job to prefetch all relevant info from bgs for cases newly assigned to attorneys and judges for other users this information could just be fetched as necessary the cached versions could be marked as expired after hours but if bgs is down we could still return the last saved version while indicating that the information was updated more than a day ago so only if a user has never looked at case details before for an appeal would they be possibly blocked by a bgs outage sensitivity option prevent users from loading the case details page if the user s bgs access level is too low option display appeal information stored in caseflow if the user s bgs access level is too low but don t show bgs information open questions should we lazy load bgs info in case details is the background job necessary or should we fetch bgs info only when a user requests it what other bgs data might we need contested claimant info | 1 |
48,985 | 3,001,329,468 | IssuesEvent | 2015-07-24 10:26:11 | marvinlabs/customer-area | https://api.github.com/repos/marvinlabs/customer-area | closed | Shortcode for user groups | enhancement Premium add-ons Priority - medium | From: http://wp-customerarea.com/support/topic/automatically-add-users-to-user-groups-based-on-field-in-registration-form/
Would be good to have a shortcode to display the groups of a user.
Could be nice to have that shown on the profile page (with a setting to enable/disable) | 1.0 | Shortcode for user groups - From: http://wp-customerarea.com/support/topic/automatically-add-users-to-user-groups-based-on-field-in-registration-form/
Would be good to have a shortcode to display the groups of a user.
Could be nice to have that shown on the profile page (with a setting to enable/disable) | priority | shortcode for user groups from would be good to have a shortcode to display the groups of a user could be nice to have that shown on the profile page with a setting to enable disable | 1 |
590,354 | 17,776,947,009 | IssuesEvent | 2021-08-30 20:32:41 | ngageoint/hootenanny | https://api.github.com/repos/ngageoint/hootenanny | opened | Translation errors in regression tests | Type: Bug Priority: Medium Category: Translation Status: Defined | Seeing many translations errors when running the regression tests. Here is an example:
`20:30:18.990 ERROR <empty handle>( 650) "Unable to store \"hoot:score:detail\":\"The feature pair with a match score of 1 was matched because it met the threshold for a match at 0.6.;The feature pair with a match score of 1 was matched because it met the threshold for a match at 0.6.;The feature pair with a match score of 1 was matched because it met the threshold for a match at 0.6.\" in a text field!"`
Know for sure they're happening in the smoke tests. There may be others. | 1.0 | Translation errors in regression tests - Seeing many translations errors when running the regression tests. Here is an example:
`20:30:18.990 ERROR <empty handle>( 650) "Unable to store \"hoot:score:detail\":\"The feature pair with a match score of 1 was matched because it met the threshold for a match at 0.6.;The feature pair with a match score of 1 was matched because it met the threshold for a match at 0.6.;The feature pair with a match score of 1 was matched because it met the threshold for a match at 0.6.\" in a text field!"`
Know for sure they're happening in the smoke tests. There may be others. | priority | translation errors in regression tests seeing many translations errors when running the regression tests here is an example error unable to store hoot score detail the feature pair with a match score of was matched because it met the threshold for a match at the feature pair with a match score of was matched because it met the threshold for a match at the feature pair with a match score of was matched because it met the threshold for a match at in a text field know for sure they re happening in the smoke tests there may be others | 1 |
234,984 | 7,733,520,145 | IssuesEvent | 2018-05-26 12:53:15 | wevote/WebApp | https://api.github.com/repos/wevote/WebApp | opened | "Summary of Ballot Items" quicklinks: Make the anchor tag jump you below the header | Difficulty: Medium Priority: 1 | ### Please describe the issue (What happens? What do you expect?)
Right now when you click a link under "Summary of Ballot Items" it positions you on the ballot with the anchor tag at the very top of the page. Sometimes this happens to be beneath the header (which animates in and out).
I have given the relevant anchor tags the class "anchor-under-header". Please figure out how to use the anchor tag to scroll the page to where the anchor tag is this distance ($header-height-secondary-nav: 104px;) from the top of the page.
Note: Please solve with CSS only (no javascript) if at all possible.
| 1.0 | "Summary of Ballot Items" quicklinks: Make the anchor tag jump you below the header - ### Please describe the issue (What happens? What do you expect?)
Right now when you click a link under "Summary of Ballot Items" it positions you on the ballot with the anchor tag at the very top of the page. Sometimes this happens to be beneath the header (which animates in and out).
I have given the relevant anchor tags the class "anchor-under-header". Please figure out how to use the anchor tag to scroll the page to where the anchor tag is this distance ($header-height-secondary-nav: 104px;) from the top of the page.
Note: Please solve with CSS only (no javascript) if at all possible.
| priority | summary of ballot items quicklinks make the anchor tag jump you below the header please describe the issue what happens what do you expect right now when you click a link under summary of ballot items it positions you on the ballot with the anchor tag at the very top of the page sometimes this happens to be beneath the header which animates in and out i have given the relevant anchor tags the class anchor under header please figure out how to use the anchor tag to scroll the page to where the anchor tag is this distance header height secondary nav from the top of the page note please solve with css only no javascript if at all possible | 1 |
291,591 | 8,940,634,452 | IssuesEvent | 2019-01-24 00:32:55 | bdecon/econ_data | https://api.github.com/repos/bdecon/econ_data | closed | bd CPS: Use revised 2000-based weights for January 2000 to December 2002 | enhancement priority: medium | Census published [2000-based revised weights](https://thedataweb.rm.census.gov/ftp/cps_ftp.html#cpsbasic_extract) for January 2000 to December 2002 observations. I'd like to replace BASICWGT and PWORWGT (or create ORGWGT) with these values. Thanks to EPI for pointing this out.
[Data dictionary](https://thedataweb.rm.census.gov/pub/cps/basic/199801-/2000-2extract.txt)
| 1.0 | bd CPS: Use revised 2000-based weights for January 2000 to December 2002 - Census published [2000-based revised weights](https://thedataweb.rm.census.gov/ftp/cps_ftp.html#cpsbasic_extract) for January 2000 to December 2002 observations. I'd like to replace BASICWGT and PWORWGT (or create ORGWGT) with these values. Thanks to EPI for pointing this out.
[Data dictionary](https://thedataweb.rm.census.gov/pub/cps/basic/199801-/2000-2extract.txt)
| priority | bd cps use revised based weights for january to december census published for january to december observations i d like to replace basicwgt and pworwgt or create orgwgt with these values thanks to epi for pointing this out | 1 |
485,939 | 14,001,622,497 | IssuesEvent | 2020-10-28 13:52:40 | space-wizards/space-station-14 | https://api.github.com/repos/space-wizards/space-station-14 | closed | Add weightless status | Feature: Physics Priority: 2-medium Type: Feature | There's been a bunch of people asking why movement is weird and it seems like at least half of it is from the gravity generator being offline, so we need a status on the UI for when the player is weightless. | 1.0 | Add weightless status - There's been a bunch of people asking why movement is weird and it seems like at least half of it is from the gravity generator being offline, so we need a status on the UI for when the player is weightless. | priority | add weightless status there s been a bunch of people asking why movement is weird and it seems like at least half of it is from the gravity generator being offline so we need a status on the ui for when the player is weightless | 1 |
661,790 | 22,087,703,765 | IssuesEvent | 2022-06-01 01:34:13 | yugabyte/yugabyte-db | https://api.github.com/repos/yugabyte/yugabyte-db | closed | [DocDB] Prevent tablespace deletion in case PITR is enabled | kind/bug area/docdb priority/medium | Jira Link: [[DB-342]](https://yugabyte.atlassian.net/browse/DB-342)
### Description
Tablespaces are currently not restored by PITR, so the following scenario leads to an unworkable state:
1. Create a tablespace.
2. Create a DB with a table assigned to the tablespace.
3. Enable PITR (create a schedule).
4. Drop the table and the tablespace.
5. Restore to the point in time before tablespace is dropped.
Since tablespace is not restored, table recovery also fails. We need to guard this by prohibiting tablespace removal in case there is a schedule on one of the databases.
[DB-342]: https://yugabyte.atlassian.net/browse/DB-342?atlOrigin=eyJpIjoiNWRkNTljNzYxNjVmNDY3MDlhMDU5Y2ZhYzA5YTRkZjUiLCJwIjoiZ2l0aHViLWNvbS1KU1cifQ | 1.0 | [DocDB] Prevent tablespace deletion in case PITR is enabled - Jira Link: [[DB-342]](https://yugabyte.atlassian.net/browse/DB-342)
### Description
Tablespaces are currently not restored by PITR, so the following scenario leads to an unworkable state:
1. Create a tablespace.
2. Create a DB with a table assigned to the tablespace.
3. Enable PITR (create a schedule).
4. Drop the table and the tablespace.
5. Restore to the point in time before tablespace is dropped.
Since tablespace is not restored, table recovery also fails. We need to guard this by prohibiting tablespace removal in case there is a schedule on one of the databases.
[DB-342]: https://yugabyte.atlassian.net/browse/DB-342?atlOrigin=eyJpIjoiNWRkNTljNzYxNjVmNDY3MDlhMDU5Y2ZhYzA5YTRkZjUiLCJwIjoiZ2l0aHViLWNvbS1KU1cifQ | priority | prevent tablespace deletion in case pitr is enabled jira link description tablespaces are currently not restored by pitr so the following scenario leads to an unworkable state create a tablespace create a db with a table assigned to the tablespace enable pitr create a schedule drop the table and the tablespace restore to the point in time before tablespace is dropped since tablespace is not restored table recovery also fails we need to guard this by prohibiting tablespace removal in case there is a schedule on one of the databases | 1 |
20,319 | 2,622,795,229 | IssuesEvent | 2015-03-04 07:29:01 | olga-jane/prizm | https://api.github.com/repos/olga-jane/prizm | closed | Replacing external files [Mill] v 1.0.33.9990 | bug - crash/performance/leak Coding MEDIUM priority reported_by_students | 1. Create new pipe
2. Click on "Attachments" and add new file
3. Save changes
4. Click on "Attachments" again and download this file to the folder with the same file
5. Click "Yes" to replace old file

************** Exception Text **************
System.IO.IOException: The file 'C:\Users\Tester\Desktop\Ex.txt' already exists.
at System.IO.__Error.WinIOError(Int32 errorCode, String maybeFullPath)
at System.IO.File.InternalCopy(String sourceFileName, String destFileName, Boolean overwrite, Boolean checkHost)
at System.IO.File.Copy(String sourceFileName, String destFileName)
at Prizm.Main.Forms.ExternalFile.DownloadFileCommand.Execute()
at Prizm.Main.Forms.ExternalFile.ExternalFilesXtraForm.downloadButton_ButtonClick(Object sender, ButtonPressedEventArgs e)
at DevExpress.XtraEditors.Repository.RepositoryItemButtonEdit.RaiseButtonClick(ButtonPressedEventArgs e)
at DevExpress.XtraEditors.ButtonEdit.OnClickButton(EditorButtonObjectInfoArgs buttonInfo)
at DevExpress.XtraEditors.ButtonEdit.OnMouseUp(MouseEventArgs e)
at System.Windows.Forms.Control.WmMouseUp(Message& m, MouseButtons button, Int32 clicks)
at System.Windows.Forms.Control.WndProc(Message& m)
at DevExpress.Utils.Controls.ControlBase.WndProc(Message& m)
at DevExpress.XtraEditors.TextEdit.WndProc(Message& msg)
at System.Windows.Forms.Control.ControlNativeWindow.OnMessage(Message& m)
at System.Windows.Forms.Control.ControlNativeWindow.WndProc(Message& m)
at System.Windows.Forms.NativeWindow.Callback(IntPtr hWnd, Int32 msg, IntPtr wparam, IntPtr lparam)
| 1.0 | Replacing external files [Mill] v 1.0.33.9990 - 1. Create new pipe
2. Click on "Attachments" and add new file
3. Save changes
4. Click on "Attachments" again and download this file to the folder with the same file
5. Click "Yes" to replace old file

************** Exception Text **************
System.IO.IOException: The file 'C:\Users\Tester\Desktop\Ex.txt' already exists.
at System.IO.__Error.WinIOError(Int32 errorCode, String maybeFullPath)
at System.IO.File.InternalCopy(String sourceFileName, String destFileName, Boolean overwrite, Boolean checkHost)
at System.IO.File.Copy(String sourceFileName, String destFileName)
at Prizm.Main.Forms.ExternalFile.DownloadFileCommand.Execute()
at Prizm.Main.Forms.ExternalFile.ExternalFilesXtraForm.downloadButton_ButtonClick(Object sender, ButtonPressedEventArgs e)
at DevExpress.XtraEditors.Repository.RepositoryItemButtonEdit.RaiseButtonClick(ButtonPressedEventArgs e)
at DevExpress.XtraEditors.ButtonEdit.OnClickButton(EditorButtonObjectInfoArgs buttonInfo)
at DevExpress.XtraEditors.ButtonEdit.OnMouseUp(MouseEventArgs e)
at System.Windows.Forms.Control.WmMouseUp(Message& m, MouseButtons button, Int32 clicks)
at System.Windows.Forms.Control.WndProc(Message& m)
at DevExpress.Utils.Controls.ControlBase.WndProc(Message& m)
at DevExpress.XtraEditors.TextEdit.WndProc(Message& msg)
at System.Windows.Forms.Control.ControlNativeWindow.OnMessage(Message& m)
at System.Windows.Forms.Control.ControlNativeWindow.WndProc(Message& m)
at System.Windows.Forms.NativeWindow.Callback(IntPtr hWnd, Int32 msg, IntPtr wparam, IntPtr lparam)
| priority | replacing external files v create new pipe click on attachments and add new file save changes click on attachments again and download this file to the folder with the same file click yes to replace old file exception text system io ioexception the file c users tester desktop ex txt already exists at system io error winioerror errorcode string maybefullpath at system io file internalcopy string sourcefilename string destfilename boolean overwrite boolean checkhost at system io file copy string sourcefilename string destfilename at prizm main forms externalfile downloadfilecommand execute at prizm main forms externalfile externalfilesxtraform downloadbutton buttonclick object sender buttonpressedeventargs e at devexpress xtraeditors repository repositoryitembuttonedit raisebuttonclick buttonpressedeventargs e at devexpress xtraeditors buttonedit onclickbutton editorbuttonobjectinfoargs buttoninfo at devexpress xtraeditors buttonedit onmouseup mouseeventargs e at system windows forms control wmmouseup message m mousebuttons button clicks at system windows forms control wndproc message m at devexpress utils controls controlbase wndproc message m at devexpress xtraeditors textedit wndproc message msg at system windows forms control controlnativewindow onmessage message m at system windows forms control controlnativewindow wndproc message m at system windows forms nativewindow callback intptr hwnd msg intptr wparam intptr lparam | 1 |
799,402 | 28,306,239,432 | IssuesEvent | 2023-04-10 11:17:46 | fastcampus-final/go-together-be | https://api.github.com/repos/fastcampus-final/go-together-be | opened | Refactor: ์์ฝ ๊ด๋ จ 2์ฐจ ๋ฆฌํฉํ ๋ง | For: API For: Backend Priority: Medium Status: Available Type: Enhancement | ## Title
- ์์ฝ ๊ด๋ จ 2์ฐจ ๋ฆฌํฉํ ๋ง
## Tasks
- [ ] ์ฅ๋ฐ๊ตฌ๋๋ก ํ์ ์์ฝ ์ถ๊ฐ ์ ์ฅ๋ฐ๊ตฌ๋ ์ญ์
- [ ] ํ์ ์์ฝ ์ถ๊ฐ ์ ์ํ์ ์๋ ์ํ ์ต์
์ ์ ์ฒญํ์ ๋ ์์ธ ์ฒ๋ฆฌ
- [ ] Task 3 | 1.0 | Refactor: ์์ฝ ๊ด๋ จ 2์ฐจ ๋ฆฌํฉํ ๋ง - ## Title
- ์์ฝ ๊ด๋ จ 2์ฐจ ๋ฆฌํฉํ ๋ง
## Tasks
- [ ] ์ฅ๋ฐ๊ตฌ๋๋ก ํ์ ์์ฝ ์ถ๊ฐ ์ ์ฅ๋ฐ๊ตฌ๋ ์ญ์
- [ ] ํ์ ์์ฝ ์ถ๊ฐ ์ ์ํ์ ์๋ ์ํ ์ต์
์ ์ ์ฒญํ์ ๋ ์์ธ ์ฒ๋ฆฌ
- [ ] Task 3 | priority | refactor ์์ฝ ๊ด๋ จ ๋ฆฌํฉํ ๋ง title ์์ฝ ๊ด๋ จ ๋ฆฌํฉํ ๋ง tasks ์ฅ๋ฐ๊ตฌ๋๋ก ํ์ ์์ฝ ์ถ๊ฐ ์ ์ฅ๋ฐ๊ตฌ๋ ์ญ์ ํ์ ์์ฝ ์ถ๊ฐ ์ ์ํ์ ์๋ ์ํ ์ต์
์ ์ ์ฒญํ์ ๋ ์์ธ ์ฒ๋ฆฌ task | 1 |
68,785 | 3,292,580,273 | IssuesEvent | 2015-10-30 15:16:14 | thesgc/chembiohub_helpdesk | https://api.github.com/repos/thesgc/chembiohub_helpdesk | closed | Custom fields cannot yet be searched | app: ChemReg enhancement name: Andrew Stretton priority: Medium Search | Custom fields cannot yet be searched
date recorded in spreadsheet: 10/04/2015 15:54:37 | 1.0 | Custom fields cannot yet be searched - Custom fields cannot yet be searched
date recorded in spreadsheet: 10/04/2015 15:54:37 | priority | custom fields cannot yet be searched custom fields cannot yet be searched date recorded in spreadsheet | 1 |
168,128 | 6,362,527,542 | IssuesEvent | 2017-07-31 15:09:03 | OperationCode/operationcode_backend | https://api.github.com/repos/OperationCode/operationcode_backend | opened | Add Rithm School to code_schools.yml | beginner friendly Priority: Medium Status: Available Type: Feature | <!-- Please fill out one of the sections below based on the type of issue you're creating -->
# Feature
## Why is this feature being added?
<!-- What problem is it solving? What value does it add? -->
name: Rithm School
url: rithmschool.com?utm_source=OperationCode&utm_medium=logo&utm_campaign=root
logo: [SEE ATTACHMENT]
full_time: true
hardware_included: false
has_online: false
online_only: false
locations:
- va_accepted: false
address1: 3338 17th St.
address2: #100
city: San Francisco
state: CA
zip: 94110 | 1.0 | Add Rithm School to code_schools.yml - <!-- Please fill out one of the sections below based on the type of issue you're creating -->
# Feature
## Why is this feature being added?
<!-- What problem is it solving? What value does it add? -->
name: Rithm School
url: rithmschool.com?utm_source=OperationCode&utm_medium=logo&utm_campaign=root
logo: [SEE ATTACHMENT]
full_time: true
hardware_included: false
has_online: false
online_only: false
locations:
- va_accepted: false
address1: 3338 17th St.
address2: #100
city: San Francisco
state: CA
zip: 94110 | priority | add rithm school to code schools yml feature why is this feature being added name rithm school url rithmschool com utm source operationcode utm medium logo utm campaign root logo full time true hardware included false has online false online only false locations va accepted false st city san francisco state ca zip | 1 |
102,453 | 4,155,878,173 | IssuesEvent | 2016-06-16 16:09:21 | CCAFS/ccafs-ap | https://api.github.com/repos/CCAFS/ccafs-ap | closed | Create public pages to sections different to activities | auto-migrated enhancement Priority-Medium Section-General | ```
There should exists a public page to see sections like publications,
communications, etc. Where users can see the work of other leaders.
```
Original issue reported on code.google.com by `carvajal.hernandavid@gmail.com` on 5 Feb 2014 at 4:03 | 1.0 | Create public pages to sections different to activities - ```
There should exists a public page to see sections like publications,
communications, etc. Where users can see the work of other leaders.
```
Original issue reported on code.google.com by `carvajal.hernandavid@gmail.com` on 5 Feb 2014 at 4:03 | priority | create public pages to sections different to activities there should exists a public page to see sections like publications communications etc where users can see the work of other leaders original issue reported on code google com by carvajal hernandavid gmail com on feb at | 1 |
335,831 | 10,167,315,305 | IssuesEvent | 2019-08-07 17:55:00 | Alluxio/alluxio | https://api.github.com/repos/Alluxio/alluxio | closed | Web UI error when authentication is SIMPLE but authorization is disabled | priority-medium target-2.1.0 type-bug | **Alluxio Version:**
Alluxio 1.8
**Describe the bug**
A clear and concise description of what the bug is.
**To Reproduce**
set auth type to SIMPLE and disable authorization, web UI file browser will show error.
**Expected behavior**
Web UI should be usable.
**Urgency**
high, it makes webUI file browsing unusable
**Additional context**

| 1.0 | Web UI error when authentication is SIMPLE but authorization is disabled - **Alluxio Version:**
Alluxio 1.8
**Describe the bug**
A clear and concise description of what the bug is.
**To Reproduce**
set auth type to SIMPLE and disable authorization, web UI file browser will show error.
**Expected behavior**
Web UI should be usable.
**Urgency**
high, it makes webUI file browsing unusable
**Additional context**

| priority | web ui error when authentication is simple but authorization is disabled alluxio version alluxio describe the bug a clear and concise description of what the bug is to reproduce set auth type to simple and disable authorization web ui file browser will show error expected behavior web ui should be usable urgency high it makes webui file browsing unusable additional context | 1 |
330,708 | 10,054,245,084 | IssuesEvent | 2019-07-21 23:58:49 | momentum-mod/game | https://api.github.com/repos/momentum-mod/game | opened | Rocket Jumping Gamemode | Priority: Medium Size: Large Type: Feature | Alright, since @laurirasanen set us up for RJ to be in Momentum much sooner than 1.0.0, we can begin to explore adding the features specific to the game mode.
## Things to be done by 0.8.2:
- [x] Rocket launcher with correct speed/damage values (thanks @laurirasanen !)
- [ ] Mount TF2 assets for maps that use them
- [ ] Zone changes
- [ ] Start only on zone exit
- [ ] Do not limit speed inside the zone
## Things to do any time, can be after 0.8.2:
- [ ] Shotgun with correct fixed spread
- [ ] Sticky launcher with correct damage/limits
- [ ] Alternate firing modes for rocket:
- [ ] Center firing
- [ ] Left-handed firing | 1.0 | Rocket Jumping Gamemode - Alright, since @laurirasanen set us up for RJ to be in Momentum much sooner than 1.0.0, we can begin to explore adding the features specific to the game mode.
## Things to be done by 0.8.2:
- [x] Rocket launcher with correct speed/damage values (thanks @laurirasanen !)
- [ ] Mount TF2 assets for maps that use them
- [ ] Zone changes
- [ ] Start only on zone exit
- [ ] Do not limit speed inside the zone
## Things to do any time, can be after 0.8.2:
- [ ] Shotgun with correct fixed spread
- [ ] Sticky launcher with correct damage/limits
- [ ] Alternate firing modes for rocket:
- [ ] Center firing
- [ ] Left-handed firing | priority | rocket jumping gamemode alright since laurirasanen set us up for rj to be in momentum much sooner than we can begin to explore adding the features specific to the game mode things to be done by rocket launcher with correct speed damage values thanks laurirasanen mount assets for maps that use them zone changes start only on zone exit do not limit speed inside the zone things to do any time can be after shotgun with correct fixed spread sticky launcher with correct damage limits alternate firing modes for rocket center firing left handed firing | 1 |
453,617 | 13,085,703,299 | IssuesEvent | 2020-08-02 02:57:42 | zephyrproject-rtos/zephyr | https://api.github.com/repos/zephyrproject-rtos/zephyr | closed | [Coverity CID :211551] Out-of-bounds read in soc/xtensa/sample_controller/include/_soc_inthandlers.h | Coverity bug priority: medium |
Static code scan issues found in file:
https://github.com/zephyrproject-rtos/zephyr/tree/7d90812f265c0d23bad904434cef9c1616ba08ad/soc/xtensa/sample_controller/include/_soc_inthandlers.h
Category: Memory - illegal accesses
Function: `_xtensa_handle_one_int3`
Component: Other
CID: [211551](https://scan9.coverity.com/reports.htm#v29726/p12996/mergedDefectId=211551)
Please fix or provide comments in coverity using the link:
https://scan9.coverity.com/reports.htm#v32951/p12996.
Note: This issue was created automatically. Priority was set based on classification
of the file affected and the impact field in coverity. Assignees were set using the CODEOWNERS file.
| 1.0 | [Coverity CID :211551] Out-of-bounds read in soc/xtensa/sample_controller/include/_soc_inthandlers.h -
Static code scan issues found in file:
https://github.com/zephyrproject-rtos/zephyr/tree/7d90812f265c0d23bad904434cef9c1616ba08ad/soc/xtensa/sample_controller/include/_soc_inthandlers.h
Category: Memory - illegal accesses
Function: `_xtensa_handle_one_int3`
Component: Other
CID: [211551](https://scan9.coverity.com/reports.htm#v29726/p12996/mergedDefectId=211551)
Please fix or provide comments in coverity using the link:
https://scan9.coverity.com/reports.htm#v32951/p12996.
Note: This issue was created automatically. Priority was set based on classification
of the file affected and the impact field in coverity. Assignees were set using the CODEOWNERS file.
| priority | out of bounds read in soc xtensa sample controller include soc inthandlers h static code scan issues found in file category memory illegal accesses function xtensa handle one component other cid please fix or provide comments in coverity using the link note this issue was created automatically priority was set based on classification of the file affected and the impact field in coverity assignees were set using the codeowners file | 1 |
714,515 | 24,564,667,932 | IssuesEvent | 2022-10-13 01:00:59 | AY2223S1-CS2103T-W13-4/tp | https://api.github.com/repos/AY2223S1-CS2103T-W13-4/tp | closed | Incorrect help link | priority.Medium | Pressing <kbd>F1</kbd> in the app shows a help link that points to the original address book link. It should point to our user guide instead. | 1.0 | Incorrect help link - Pressing <kbd>F1</kbd> in the app shows a help link that points to the original address book link. It should point to our user guide instead. | priority | incorrect help link pressing in the app shows a help link that points to the original address book link it should point to our user guide instead | 1 |
77,830 | 3,507,283,243 | IssuesEvent | 2016-01-08 12:23:10 | OregonCore/OregonCore | https://api.github.com/repos/OregonCore/OregonCore | closed | First Aid - Bandages (with healing bonus bug) (BB #812) | migrated Priority: Medium Type: Bug | This issue was migrated from bitbucket.
**Original Reporter:** smoldar
**Original Date:** 17.02.2015 11:12:48 GMT+0000
**Original Priority:** major
**Original Type:** bug
**Original State:** resolved
**Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/812
<hr>
All first aid bandages and other spells have bonus healing.
But bandages or Gift of Naaru (spell id 28880) with bonus healing - have higher heal | 1.0 | First Aid - Bandages (with healing bonus bug) (BB #812) - This issue was migrated from bitbucket.
**Original Reporter:** smoldar
**Original Date:** 17.02.2015 11:12:48 GMT+0000
**Original Priority:** major
**Original Type:** bug
**Original State:** resolved
**Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/812
<hr>
All first aid bandages and other spells have bonus healing.
But bandages or Gift of Naaru (spell id 28880) with bonus healing - have higher heal | priority | first aid bandages with healing bonus bug bb this issue was migrated from bitbucket original reporter smoldar original date gmt original priority major original type bug original state resolved direct link all first aid bandages and other spells have bonus healing but bandages or gift of naaru spell id with bonus healing have higher heal | 1 |
548,361 | 16,062,699,948 | IssuesEvent | 2021-04-23 14:36:11 | containrrr/watchtower | https://api.github.com/repos/containrrr/watchtower | closed | Discord watchtower / shoutrrr failing after 1.2.1 | Priority: Medium Status: Available Type: Bug | **Describe the bug**
Just got the new update and now the app is failing to send discord messages via shoutrrr (This might belong in shoutrrr's github but I'm not sure where the underlining error is). Webhook url was working till latest update.
**Image of it working before update**

**To Reproduce**
Steps to reproduce the behavior:
1. Start container with `WATCHTOWER_NOTIFICATION_URL`
2. Get 400 error in logs
**Expected behavior**
Message to send
**Screenshots**
If applicable, add screenshots to help explain your problem.

**Environment**
- Platform
- Architecture
- Docker version
The section from my docker-compose stack pertaining to watchtower (redacted some of the webhook as to not give it out)
```
watchtower:
image: containrrr/watchtower:latest
container_name: watchtower
restart: unless-stopped
networks:
- default
- socket_proxy
depends_on:
- socket-proxy
volumes:
- $DOCKERDIR/watchtower:/config
environment:
TZ: $TZ
WATCHTOWER_CLEANUP: "true"
WATCHTOWER_REMOVE_VOLUMES: "true"
WATCHTOWER_INCLUDE_STOPPED: "true"
WATCHTOWER_NO_STARTUP_MESSAGE: "false"
WATCHTOWER_SCHEDULE: "0 30 12 * * *" # Everyday at 12:30 # "*/30 * * * *" # Every 10 mins
WATCHTOWER_NOTIFICATIONS: shoutrrr
WATCHTOWER_NOTIFICATION_URL: "discord://Q1p02j@7701"
WATCHTOWER_NOTIFICATIONS_LEVEL: info
DOCKER_HOST: tcp://socket-proxy:2375
DOCKER_CONFIG: /config
DOCKER_API_VERSION: "1.40"
```
<details>
<summary><b> Logs from running watchtower with the <code>--debug</code> option </b></summary>
```
time="2021-03-28T18:36:06-04:00" level=info msg="Watchtower v0.0.0-unknown\nUsing notifications: discord\nChecking all containers (except explicitly disabled with label)\nScheduling first run: 2021-03-29 12:30:00 -0400 EDT\nNote that the first check will be performed in 17 hours, 53 minutes, 53 seconds"
Failed to send notification via shoutrrr (url=discord://Q1p02jQGqJukmFo2ninybgxqIFUm8CADBmQIcMjgbiWCM_ZwqISIbEHmHqZvUGRDmOZV@770128369572118529): failed to send discord notification: response status code 400 Bad Request
```
</details>
**Additional context**
Add any other context about the problem here.
| 1.0 | Discord watchtower / shoutrrr failing after 1.2.1 - **Describe the bug**
Just got the new update and now the app is failing to send discord messages via shoutrrr (This might belong in shoutrrr's github but I'm not sure where the underlining error is). Webhook url was working till latest update.
**Image of it working before update**

**To Reproduce**
Steps to reproduce the behavior:
1. Start container with `WATCHTOWER_NOTIFICATION_URL`
2. Get 400 error in logs
**Expected behavior**
Message to send
**Screenshots**
If applicable, add screenshots to help explain your problem.

**Environment**
- Platform
- Architecture
- Docker version
The section from my docker-compose stack pertaining to watchtower (redacted some of the webhook as to not give it out)
```
watchtower:
image: containrrr/watchtower:latest
container_name: watchtower
restart: unless-stopped
networks:
- default
- socket_proxy
depends_on:
- socket-proxy
volumes:
- $DOCKERDIR/watchtower:/config
environment:
TZ: $TZ
WATCHTOWER_CLEANUP: "true"
WATCHTOWER_REMOVE_VOLUMES: "true"
WATCHTOWER_INCLUDE_STOPPED: "true"
WATCHTOWER_NO_STARTUP_MESSAGE: "false"
WATCHTOWER_SCHEDULE: "0 30 12 * * *" # Everyday at 12:30 # "*/30 * * * *" # Every 10 mins
WATCHTOWER_NOTIFICATIONS: shoutrrr
WATCHTOWER_NOTIFICATION_URL: "discord://Q1p02j@7701"
WATCHTOWER_NOTIFICATIONS_LEVEL: info
DOCKER_HOST: tcp://socket-proxy:2375
DOCKER_CONFIG: /config
DOCKER_API_VERSION: "1.40"
```
<details>
<summary><b> Logs from running watchtower with the <code>--debug</code> option </b></summary>
```
time="2021-03-28T18:36:06-04:00" level=info msg="Watchtower v0.0.0-unknown\nUsing notifications: discord\nChecking all containers (except explicitly disabled with label)\nScheduling first run: 2021-03-29 12:30:00 -0400 EDT\nNote that the first check will be performed in 17 hours, 53 minutes, 53 seconds"
Failed to send notification via shoutrrr (url=discord://Q1p02jQGqJukmFo2ninybgxqIFUm8CADBmQIcMjgbiWCM_ZwqISIbEHmHqZvUGRDmOZV@770128369572118529): failed to send discord notification: response status code 400 Bad Request
```
</details>
**Additional context**
Add any other context about the problem here.
| priority | discord watchtower shoutrrr failing after describe the bug just got the new update and now the app is failing to send discord messages via shoutrrr this might belong in shoutrrr s github but i m not sure where the underlining error is webhook url was working till latest update image of it working before update to reproduce steps to reproduce the behavior start container with watchtower notification url get error in logs expected behavior message to send screenshots if applicable add screenshots to help explain your problem environment platform architecture docker version the section from my docker compose stack pertaining to watchtower redacted some of the webhook as to not give it out watchtower image containrrr watchtower latest container name watchtower restart unless stopped networks default socket proxy depends on socket proxy volumes dockerdir watchtower config environment tz tz watchtower cleanup true watchtower remove volumes true watchtower include stopped true watchtower no startup message false watchtower schedule everyday at every mins watchtower notifications shoutrrr watchtower notification url discord watchtower notifications level info docker host tcp socket proxy docker config config docker api version logs from running watchtower with the debug option time level info msg watchtower unknown nusing notifications discord nchecking all containers except explicitly disabled with label nscheduling first run edt nnote that the first check will be performed in hours minutes seconds failed to send notification via shoutrrr url discord zwqisibehmhqzvugrdmozv failed to send discord notification response status code bad request additional context add any other context about the problem here | 1 |
336,971 | 10,208,541,013 | IssuesEvent | 2019-08-14 10:22:16 | strapi/strapi | https://api.github.com/repos/strapi/strapi | closed | Generated API controller.action conflict with plugins controller.action in routes files | priority: medium status: confirmed type: bug ๐ | <!-- โ ๏ธ If you do not respect this template your issue will be closed. -->
<!-- โ ๏ธ Before writing your issue make sure you are using:-->
<!-- Node 9.x.x -->
<!-- npm 5.x.x -->
<!-- The latest version of Strapi. -->
**Informations**
- **Node.js version**: `10.4.0` (replicable in `8.9.4` and `9.9.0`)
- **npm version**: `6.2.0` (also used `5.6.0`)
- **Strapi version**: `3.0.0-alpha.14`
- **Database**: MongoDB
- **Operating system**: macOS Sierra
**What is the current behavior?**
Hitting the `/email` API calls the `send` action in `plugins/email/controllers/Email.js` rather than its own controller within `api/email/controllers/Email.js`.
**Steps to reproduce the problem**
Create an email API using `strapi generate:api email`. Then, edit the newly generated `routes.json` to target a `send` action within its controller.
```
{
"routes": [
{
"method": "POST",
"path": "/email",
"handler": "Email.send",
"config": {
"policies": []
}
}
]
}
```
Now create a new `send` action within `api/email/controllers/Email.js`.
```
// within 'api/email/controllers/Email.js'
module.exports = {
send: async (ctx) => {
console.log("This is not called")
}
}
```
Any code within this action will not be called rather the call goes directly to the `send` action in `plugins/email/controllers/Email.js` even though we have explicitly specified in the `routes.json` to make use of `send` within the controller of that specific API.
**What is the expected behavior?**
As the `routes.json` is specified to call the `send` action within its own controller, the call should be going to `send` in `api/email/controllers/Email.js`.
**Suggested solutions**
No suggested solutions.
<!-- โ ๏ธ Make sure to browse the opened and closed issues before submitting your issue. -->
| 1.0 | Generated API controller.action conflict with plugins controller.action in routes files - <!-- โ ๏ธ If you do not respect this template your issue will be closed. -->
<!-- โ ๏ธ Before writing your issue make sure you are using:-->
<!-- Node 9.x.x -->
<!-- npm 5.x.x -->
<!-- The latest version of Strapi. -->
**Informations**
- **Node.js version**: `10.4.0` (replicable in `8.9.4` and `9.9.0`)
- **npm version**: `6.2.0` (also used `5.6.0`)
- **Strapi version**: `3.0.0-alpha.14`
- **Database**: MongoDB
- **Operating system**: macOS Sierra
**What is the current behavior?**
Hitting the `/email` API calls the `send` action in `plugins/email/controllers/Email.js` rather than its own controller within `api/email/controllers/Email.js`.
**Steps to reproduce the problem**
Create an email API using `strapi generate:api email`. Then, edit the newly generated `routes.json` to target a `send` action within its controller.
```
{
"routes": [
{
"method": "POST",
"path": "/email",
"handler": "Email.send",
"config": {
"policies": []
}
}
]
}
```
Now create a new `send` action within `api/email/controllers/Email.js`.
```
// within 'api/email/controllers/Email.js'
module.exports = {
send: async (ctx) => {
console.log("This is not called")
}
}
```
Any code within this action will not be called rather the call goes directly to the `send` action in `plugins/email/controllers/Email.js` even though we have explicitly specified in the `routes.json` to make use of `send` within the controller of that specific API.
**What is the expected behavior?**
As the `routes.json` is specified to call the `send` action within its own controller, the call should be going to `send` in `api/email/controllers/Email.js`.
**Suggested solutions**
No suggested solutions.
<!-- โ ๏ธ Make sure to browse the opened and closed issues before submitting your issue. -->
| priority | generated api controller action conflict with plugins controller action in routes files informations node js version replicable in and npm version also used strapi version alpha database mongodb operating system macos sierra what is the current behavior hitting the email api calls the send action in plugins email controllers email js rather than its own controller within api email controllers email js steps to reproduce the problem create an email api using strapi generate api email then edit the newly generated routes json to target a send action within its controller routes method post path email handler email send config policies now create a new send action within api email controllers email js within api email controllers email js module exports send async ctx console log this is not called any code within this action will not be called rather the call goes directly to the send action in plugins email controllers email js even though we have explicitly specified in the routes json to make use of send within the controller of that specific api what is the expected behavior as the routes json is specified to call the send action within its own controller the call should be going to send in api email controllers email js suggested solutions no suggested solutions | 1 |
305,925 | 9,378,351,429 | IssuesEvent | 2019-04-04 12:42:23 | medic/medic | https://api.github.com/repos/medic/medic | closed | Add a permission to show the Report edit button | Priority: 2 - Medium Type: Improvement | On the Report/History tab there's a button to edit a report which is shown to all users but sometimes we don't want certain users to be able to edit reports. Add a permission to the default and standard configurations that is required to allow for editing of reports. By default all roles should have this permission.
Requested by @Fatoufall in https://github.com/medic/medic-projects/issues/6057 | 1.0 | Add a permission to show the Report edit button - On the Report/History tab there's a button to edit a report which is shown to all users but sometimes we don't want certain users to be able to edit reports. Add a permission to the default and standard configurations that is required to allow for editing of reports. By default all roles should have this permission.
Requested by @Fatoufall in https://github.com/medic/medic-projects/issues/6057 | priority | add a permission to show the report edit button on the report history tab there s a button to edit a report which is shown to all users but sometimes we don t want certain users to be able to edit reports add a permission to the default and standard configurations that is required to allow for editing of reports by default all roles should have this permission requested by fatoufall in | 1 |
632,425 | 20,196,543,371 | IssuesEvent | 2022-02-11 11:11:15 | dnd-side-project/dnd-6th-1-backend | https://api.github.com/repos/dnd-side-project/dnd-6th-1-backend | opened | ๋ง์ดํ์ด์ง ์กฐํ ๋ฐ ํ์์ ๋ณด ์์ API | Priority: Medium ๋ง์ดํ์ด์ง ์์ฃผ Add | ## ๊ธฐ๋ฅ ์ค๋ช
๋ง์ดํ์ด์ง ์กฐํ ๋ฐ ํ์์ ๋ณด ์์ API
## ์๋ฃ ์กฐ๊ฑด
- [ ] ๋ง์ดํ์ด์ง ์ฒซ ํ๋ฉด
- [ ] ๋๋ค์ ์์
- [ ] ๋น๋ฐ๋ฒํธ ์ฌ์ค์
- [ ] ์ด๋ฏธ์ง ์์
## ์ฐธ๊ณ ์ฌํญ
| 1.0 | ๋ง์ดํ์ด์ง ์กฐํ ๋ฐ ํ์์ ๋ณด ์์ API - ## ๊ธฐ๋ฅ ์ค๋ช
๋ง์ดํ์ด์ง ์กฐํ ๋ฐ ํ์์ ๋ณด ์์ API
## ์๋ฃ ์กฐ๊ฑด
- [ ] ๋ง์ดํ์ด์ง ์ฒซ ํ๋ฉด
- [ ] ๋๋ค์ ์์
- [ ] ๋น๋ฐ๋ฒํธ ์ฌ์ค์
- [ ] ์ด๋ฏธ์ง ์์
## ์ฐธ๊ณ ์ฌํญ
| priority | ๋ง์ดํ์ด์ง ์กฐํ ๋ฐ ํ์์ ๋ณด ์์ api ๊ธฐ๋ฅ ์ค๋ช
๋ง์ดํ์ด์ง ์กฐํ ๋ฐ ํ์์ ๋ณด ์์ api ์๋ฃ ์กฐ๊ฑด ๋ง์ดํ์ด์ง ์ฒซ ํ๋ฉด ๋๋ค์ ์์ ๋น๋ฐ๋ฒํธ ์ฌ์ค์ ์ด๋ฏธ์ง ์์ ์ฐธ๊ณ ์ฌํญ | 1 |
681,872 | 23,325,603,810 | IssuesEvent | 2022-08-08 20:51:06 | DSpace/DSpace | https://api.github.com/repos/DSpace/DSpace | closed | Multiple objects and authorization features endpoint does not support pagination | bug interface: REST API v7 medium priority e/4 | **Describe the bug**
Endpoint `/authorizations/objects` is not correctly handling pagination
**To Reproduce**
Steps to reproduce the behavior:
1. Call `/authorizations/objects` with page=1 and size = 1 parameters
2. Response will contain pagination information with page=0 and size = 20
**Expected behavior**
Response paginated as required, when pagination information is sent in rest request
We (4Science) can take in charge this fix, adding further tests to prove correct pagination. For this task, we estimate 4 hours of effort
| 1.0 | Multiple objects and authorization features endpoint does not support pagination - **Describe the bug**
Endpoint `/authorizations/objects` is not correctly handling pagination
**To Reproduce**
Steps to reproduce the behavior:
1. Call `/authorizations/objects` with page=1 and size = 1 parameters
2. Response will contain pagination information with page=0 and size = 20
**Expected behavior**
Response paginated as required, when pagination information is sent in rest request
We (4Science) can take in charge this fix, adding further tests to prove correct pagination. For this task, we estimate 4 hours of effort
| priority | multiple objects and authorization features endpoint does not support pagination describe the bug endpoint authorizations objects is not correctly handling pagination to reproduce steps to reproduce the behavior call authorizations objects with page and size parameters response will contain pagination information with page and size expected behavior response paginated as required when pagination information is sent in rest request we can take in charge this fix adding further tests to prove correct pagination for this task we estimate hours of effort | 1 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.