Unnamed: 0
int64
0
832k
id
float64
2.49B
32.1B
type
stringclasses
1 value
created_at
stringlengths
19
19
repo
stringlengths
5
112
repo_url
stringlengths
34
141
action
stringclasses
3 values
title
stringlengths
1
855
labels
stringlengths
4
721
body
stringlengths
1
261k
index
stringclasses
13 values
text_combine
stringlengths
96
261k
label
stringclasses
2 values
text
stringlengths
96
240k
binary_label
int64
0
1
179,721
6,628,118,768
IssuesEvent
2017-09-23 13:54:35
textlint/textlint
https://api.github.com/repos/textlint/textlint
closed
Plugins should be initialized with plugin options
Priority: High Status: Proposal
Currently, plugin can't receive plugin options. We want to pass the option to each plugins. `.textlintrc`: ```json { "plugins": { "text": { "custom": "value" } } } ``` ```js // TextProcessor.js import {parse} from "txt-to-ast"; export default class TextProcessor { constructor(options) { this.options = options; console.log(options); // { custom : "value" } } // available ".ext" list static availableExtensions() { return [ ".txt", ".text" ]; } // define pre/post process // in other words, parse and generate process processor(ext) { return { preProcess(text, filePath) { // parsed result is a AST object // AST is consist of TxtNode // https://github.com/textlint/textlint/blob/master/docs/txtnode.md return parse(text); }, postProcess(messages, filePath) { return { messages, filePath: filePath ? filePath : "<text>" }; } }; } } ```
1.0
Plugins should be initialized with plugin options - Currently, plugin can't receive plugin options. We want to pass the option to each plugins. `.textlintrc`: ```json { "plugins": { "text": { "custom": "value" } } } ``` ```js // TextProcessor.js import {parse} from "txt-to-ast"; export default class TextProcessor { constructor(options) { this.options = options; console.log(options); // { custom : "value" } } // available ".ext" list static availableExtensions() { return [ ".txt", ".text" ]; } // define pre/post process // in other words, parse and generate process processor(ext) { return { preProcess(text, filePath) { // parsed result is a AST object // AST is consist of TxtNode // https://github.com/textlint/textlint/blob/master/docs/txtnode.md return parse(text); }, postProcess(messages, filePath) { return { messages, filePath: filePath ? filePath : "<text>" }; } }; } } ```
priority
plugins should be initialized with plugin options currently plugin can t receive plugin options we want to pass the option to each plugins textlintrc json plugins text custom value js textprocessor js import parse from txt to ast export default class textprocessor constructor options this options options console log options custom value available ext list static availableextensions return txt text define pre post process in other words parse and generate process processor ext return preprocess text filepath parsed result is a ast object ast is consist of txtnode return parse text postprocess messages filepath return messages filepath filepath filepath
1
686,883
23,507,635,694
IssuesEvent
2022-08-18 13:54:37
WordPress/openverse
https://api.github.com/repos/WordPress/openverse
opened
RFC Request: API unit and integration testing
🟧 priority: high 📄 aspect: text 🧰 goal: internal improvement
## Problem <!-- Describe a problem solved by this feature; or delete the section entirely. --> The API unit and integration testing has undergone several uncoordinated changes and additions. I don't think we have solid, shared definitions and goals for each our test types, integration and unit. We also don't have a good set of shared utilities and factories (yet) that would make either of them easy to write and maintain. ## Description <!-- Describe the feature and how it solves the problem. --> I'd like to request someone to write an RFC that takes a broad look at the current tests that exist for the API and outlines some approaches we could take. In particular, I'd like the following questions answered at minimum: 1. What is the role of external network entities in our integration and unit tests? Should we rely on them? What layers of isolation do we expect in unit and integration tests (distinctly). How do we manage and mitigate failure or unexpected changes in either? 2. How do we manage sample test data? Is there a more maintainable way to do this that still keeps the spirit of the integration tests as they exist today? 3. What are the trade-offs between integration tests that actually make localhost network requests to a live, running API, versus using something like the Django Test Client, which mimics this process while still allowing mocking and other conveniences? 4. When do we unit test? When do we integration test? What's the difference between these test types? What do we get from each that we don't get from the other? How do you decide what kind of test to write for your change? 5. How strictly should we abide by acceptance testing? If a change or fix does not require a change to any tests and does not include additional tests to cover the gap, is that okay? Are there helpful, automated, non-intrusive ways to keep ourselves accountable to this, like coverage tools? 6. Are there broad isolation nets that we can cast to ensure tests stay within particular boundaries? For example, is a tool like HTTPretty able to be utilised? Do we need to use [VCR.py](https://vcrpy.readthedocs.io) to isolate from upstream or external providers? 7. If we do isolate the tests from external network dependencies, do we want to also be able to run the tests on a periodic basis (once a day, for example) without that isolation in order to catch unexpected changes in those dependencies? ## Additional context <!-- Add any other context about the feature here; or delete the section entirely. --> Here are some issues where discussions around this have happened. There's a lot more than this though, I just can't find them all right now. If folks can add to this it would be helpful to expand this list for whomever writes this RFC. https://github.com/WordPress/openverse-api/issues/889 https://github.com/WordPress/openverse-api/issues/866 https://github.com/WordPress/openverse-api/issues/883 ## Implementation <!-- Replace the [ ] with [x] to check the box. --> - [ ] 🙋 I would be interested in implementing this feature.
1.0
RFC Request: API unit and integration testing - ## Problem <!-- Describe a problem solved by this feature; or delete the section entirely. --> The API unit and integration testing has undergone several uncoordinated changes and additions. I don't think we have solid, shared definitions and goals for each our test types, integration and unit. We also don't have a good set of shared utilities and factories (yet) that would make either of them easy to write and maintain. ## Description <!-- Describe the feature and how it solves the problem. --> I'd like to request someone to write an RFC that takes a broad look at the current tests that exist for the API and outlines some approaches we could take. In particular, I'd like the following questions answered at minimum: 1. What is the role of external network entities in our integration and unit tests? Should we rely on them? What layers of isolation do we expect in unit and integration tests (distinctly). How do we manage and mitigate failure or unexpected changes in either? 2. How do we manage sample test data? Is there a more maintainable way to do this that still keeps the spirit of the integration tests as they exist today? 3. What are the trade-offs between integration tests that actually make localhost network requests to a live, running API, versus using something like the Django Test Client, which mimics this process while still allowing mocking and other conveniences? 4. When do we unit test? When do we integration test? What's the difference between these test types? What do we get from each that we don't get from the other? How do you decide what kind of test to write for your change? 5. How strictly should we abide by acceptance testing? If a change or fix does not require a change to any tests and does not include additional tests to cover the gap, is that okay? Are there helpful, automated, non-intrusive ways to keep ourselves accountable to this, like coverage tools? 6. Are there broad isolation nets that we can cast to ensure tests stay within particular boundaries? For example, is a tool like HTTPretty able to be utilised? Do we need to use [VCR.py](https://vcrpy.readthedocs.io) to isolate from upstream or external providers? 7. If we do isolate the tests from external network dependencies, do we want to also be able to run the tests on a periodic basis (once a day, for example) without that isolation in order to catch unexpected changes in those dependencies? ## Additional context <!-- Add any other context about the feature here; or delete the section entirely. --> Here are some issues where discussions around this have happened. There's a lot more than this though, I just can't find them all right now. If folks can add to this it would be helpful to expand this list for whomever writes this RFC. https://github.com/WordPress/openverse-api/issues/889 https://github.com/WordPress/openverse-api/issues/866 https://github.com/WordPress/openverse-api/issues/883 ## Implementation <!-- Replace the [ ] with [x] to check the box. --> - [ ] 🙋 I would be interested in implementing this feature.
priority
rfc request api unit and integration testing problem the api unit and integration testing has undergone several uncoordinated changes and additions i don t think we have solid shared definitions and goals for each our test types integration and unit we also don t have a good set of shared utilities and factories yet that would make either of them easy to write and maintain description i d like to request someone to write an rfc that takes a broad look at the current tests that exist for the api and outlines some approaches we could take in particular i d like the following questions answered at minimum what is the role of external network entities in our integration and unit tests should we rely on them what layers of isolation do we expect in unit and integration tests distinctly how do we manage and mitigate failure or unexpected changes in either how do we manage sample test data is there a more maintainable way to do this that still keeps the spirit of the integration tests as they exist today what are the trade offs between integration tests that actually make localhost network requests to a live running api versus using something like the django test client which mimics this process while still allowing mocking and other conveniences when do we unit test when do we integration test what s the difference between these test types what do we get from each that we don t get from the other how do you decide what kind of test to write for your change how strictly should we abide by acceptance testing if a change or fix does not require a change to any tests and does not include additional tests to cover the gap is that okay are there helpful automated non intrusive ways to keep ourselves accountable to this like coverage tools are there broad isolation nets that we can cast to ensure tests stay within particular boundaries for example is a tool like httpretty able to be utilised do we need to use to isolate from upstream or external providers if we do isolate the tests from external network dependencies do we want to also be able to run the tests on a periodic basis once a day for example without that isolation in order to catch unexpected changes in those dependencies additional context here are some issues where discussions around this have happened there s a lot more than this though i just can t find them all right now if folks can add to this it would be helpful to expand this list for whomever writes this rfc implementation 🙋 i would be interested in implementing this feature
1
178,747
6,618,228,886
IssuesEvent
2017-09-21 07:13:20
FreezeWarp/freeze-messenger
https://api.github.com/repos/FreezeWarp/freeze-messenger
closed
Room Censor Lists On/Off
auto-migrated Milestone-FIMB4 Priority-High Type-Enhancement
``` -- ``` Original issue reported on code.google.com by `JosephTP...@gmail.com` on 3 Aug 2011 at 1:32
1.0
Room Censor Lists On/Off - ``` -- ``` Original issue reported on code.google.com by `JosephTP...@gmail.com` on 3 Aug 2011 at 1:32
priority
room censor lists on off original issue reported on code google com by josephtp gmail com on aug at
1
483,984
13,932,481,852
IssuesEvent
2020-10-22 07:19:21
AY2021S1-CS2103T-T15-4/tp
https://api.github.com/repos/AY2021S1-CS2103T-T15-4/tp
closed
As a user who is looking for internships, I can find internships based on my skills set
priority.High type.Story
So that I can quickly find internships that match my skills.
1.0
As a user who is looking for internships, I can find internships based on my skills set - So that I can quickly find internships that match my skills.
priority
as a user who is looking for internships i can find internships based on my skills set so that i can quickly find internships that match my skills
1
273,018
8,519,665,054
IssuesEvent
2018-11-01 15:15:49
CS2103-AY1819S1-F10-1/main
https://api.github.com/repos/CS2103-AY1819S1-F10-1/main
closed
As a Manager, I can create projects
priority.High status.Ongoing type.Epic type.Story
So that the manager can create a project and assign it to the employees
1.0
As a Manager, I can create projects - So that the manager can create a project and assign it to the employees
priority
as a manager i can create projects so that the manager can create a project and assign it to the employees
1
769,043
26,991,335,501
IssuesEvent
2023-02-09 20:11:06
PrefectHQ/prefect
https://api.github.com/repos/PrefectHQ/prefect
closed
Can't delete flow runs
bug status:accepted priority:high team:orchestration
### First check - [X] I added a descriptive title to this issue. - [X] I used the GitHub search to find a similar issue and didn't find it. - [X] I searched the Prefect documentation for this issue. - [X] I checked that this issue is related to Prefect and not one of its dependencies. ### Bug summary When we try to delete the flow from _flow runs_ with status Completed for example, we get an error: _Failed to delete Flow Run_ And in log: ``` sqlalchemy.exc.IntegrityError: (sqlalchemy.dialects.postgresql.asyncpg.IntegrityError) <class 'asyncpg.exceptions.ForeignKeyViolationError'>: update or delete on table "task_run" violates foreign key constraint "fk_artifact__task_run_id__task_run" on table "artifact DETAIL: Key (id)=(4e03e94b-55bf-40a7-ba13-f776e30efa7a) is still referenced from table "artifact". [SQL: DELETE FROM flow_run WHERE flow_run.id = %s] [parameters: (UUID('80f665b5-1731-4a47-92db-a4c8e221fe0c'),)] (Background on this error at: https://sqlalche.me/e/14/gkpj) ``` ### Reproduction ```python3 Run flow, after finish try to delete. ``` ### Error ```python3 Traceback (most recent call last): File "/opt/prefect/venv/lib/python3.11/site-packages/starlette/middleware/exceptions.py", line 64, in __call__ await self.app(scope, receive, sender) File "/opt/prefect/venv/lib/python3.11/site-packages/fastapi/middleware/asyncexitstack.py", line 21, in __call__ raise e File "/opt/prefect/venv/lib/python3.11/site-packages/fastapi/middleware/asyncexitstack.py", line 18, in __call__ await self.app(scope, receive, send) File "/opt/prefect/venv/lib/python3.11/site-packages/starlette/routing.py", line 680, in __call__ await route.handle(scope, receive, send) File "/opt/prefect/venv/lib/python3.11/site-packages/starlette/routing.py", line 275, in handle await self.app(scope, receive, send) File "/opt/prefect/venv/lib/python3.11/site-packages/starlette/routing.py", line 65, in app response = await func(request) ^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/prefect/orion/utilities/server.py", line 101, in handle_response_scoped_depends response = await default_handler(request) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/fastapi/routing.py", line 231, in app raw_response = await run_endpoint_function( ^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/fastapi/routing.py", line 160, in run_endpoint_function return await dependant.call(**values) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/usr/local/lib/python3.11/contextlib.py", line 222, in __aexit__ await self.gen.athrow(typ, value, traceback) File "/opt/prefect/venv/lib/python3.11/site-packages/prefect/orion/database/interface.py", line 102, in session_context yield session File "/opt/prefect/venv/lib/python3.11/site-packages/prefect/orion/api/flow_runs.py", line 294, in delete_flow_run result = await models.flow_runs.delete_flow_run( ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/prefect/orion/database/dependencies.py", line 117, in async_wrapper return await fn(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/prefect/orion/models/flow_runs.py", line 412, in delete_flow_run result = await session.execute( ^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/ext/asyncio/session.py", line 214, in execute result = await greenlet_spawn( ^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/util/_concurrency_py3k.py", line 126, in greenlet_spawn result = context.throw(*sys.exc_info()) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/orm/session.py", line 1714, in execute result = conn._execute_20(statement, params or {}, execution_options) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/base.py", line 1705, in _execute_20 return meth(self, args_10style, kwargs_10style, execution_options) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/sql/elements.py", line 333, in _execute_on_connection return connection._execute_clauseelement( ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/base.py", line 1572, in _execute_clauseelement ret = self._execute_context( ^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/base.py", line 1943, in _execute_context self._handle_dbapi_exception( File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/base.py", line 2124, in _handle_dbapi_exception util.raise_( File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/util/compat.py", line 208, in raise_ raise exception File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/base.py", line 1900, in _execute_context self.dialect.do_execute( File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/default.py", line 736, in do_execute cursor.execute(statement, parameters) File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/dialects/postgresql/asyncpg.py", line 479, in execute self._adapt_connection.await_( File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/util/_concurrency_py3k.py", line 68, in await_only return current.driver.switch(awaitable) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/util/_concurrency_py3k.py", line 121, in greenlet_spawn value = await result ^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/dialects/postgresql/asyncpg.py", line 454, in _prepare_and_execute self._handle_exception(error) File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/dialects/postgresql/asyncpg.py", line 389, in _handle_exception self._adapt_connection._handle_exception(error) File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/dialects/postgresql/asyncpg.py", line 682, in _handle_exception raise translated_error from error sqlalchemy.exc.IntegrityError: (sqlalchemy.dialects.postgresql.asyncpg.IntegrityError) <class 'asyncpg.exceptions.ForeignKeyViolationError'>: update or delete on table "task_run" violates foreign key constraint "fk_artifact__task_run_id__task_run" on table "artifact" DETAIL: Key (id)=(4e03e94b-55bf-40a7-ba13-f776e30efa7a) is still referenced from table "artifact". [SQL: DELETE FROM flow_run WHERE flow_run.id = %s] [parameters: (UUID('80f665b5-1731-4a47-92db-a4c8e221fe0c'),)] (Background on this error at: https://sqlalche.me/e/14/gkpj) ``` ### Versions ```Text Version: 2.7.12 API version: 0.8.4 Python version: 3.11.0 Git commit: 524c25cd Built: Mon, Feb 6, 2023 4:31 PM OS/Arch: linux/x86_64 Profile: default Server type: ephemeral Server: Database: postgresql ``` ### Additional context _No response_
1.0
Can't delete flow runs - ### First check - [X] I added a descriptive title to this issue. - [X] I used the GitHub search to find a similar issue and didn't find it. - [X] I searched the Prefect documentation for this issue. - [X] I checked that this issue is related to Prefect and not one of its dependencies. ### Bug summary When we try to delete the flow from _flow runs_ with status Completed for example, we get an error: _Failed to delete Flow Run_ And in log: ``` sqlalchemy.exc.IntegrityError: (sqlalchemy.dialects.postgresql.asyncpg.IntegrityError) <class 'asyncpg.exceptions.ForeignKeyViolationError'>: update or delete on table "task_run" violates foreign key constraint "fk_artifact__task_run_id__task_run" on table "artifact DETAIL: Key (id)=(4e03e94b-55bf-40a7-ba13-f776e30efa7a) is still referenced from table "artifact". [SQL: DELETE FROM flow_run WHERE flow_run.id = %s] [parameters: (UUID('80f665b5-1731-4a47-92db-a4c8e221fe0c'),)] (Background on this error at: https://sqlalche.me/e/14/gkpj) ``` ### Reproduction ```python3 Run flow, after finish try to delete. ``` ### Error ```python3 Traceback (most recent call last): File "/opt/prefect/venv/lib/python3.11/site-packages/starlette/middleware/exceptions.py", line 64, in __call__ await self.app(scope, receive, sender) File "/opt/prefect/venv/lib/python3.11/site-packages/fastapi/middleware/asyncexitstack.py", line 21, in __call__ raise e File "/opt/prefect/venv/lib/python3.11/site-packages/fastapi/middleware/asyncexitstack.py", line 18, in __call__ await self.app(scope, receive, send) File "/opt/prefect/venv/lib/python3.11/site-packages/starlette/routing.py", line 680, in __call__ await route.handle(scope, receive, send) File "/opt/prefect/venv/lib/python3.11/site-packages/starlette/routing.py", line 275, in handle await self.app(scope, receive, send) File "/opt/prefect/venv/lib/python3.11/site-packages/starlette/routing.py", line 65, in app response = await func(request) ^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/prefect/orion/utilities/server.py", line 101, in handle_response_scoped_depends response = await default_handler(request) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/fastapi/routing.py", line 231, in app raw_response = await run_endpoint_function( ^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/fastapi/routing.py", line 160, in run_endpoint_function return await dependant.call(**values) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/usr/local/lib/python3.11/contextlib.py", line 222, in __aexit__ await self.gen.athrow(typ, value, traceback) File "/opt/prefect/venv/lib/python3.11/site-packages/prefect/orion/database/interface.py", line 102, in session_context yield session File "/opt/prefect/venv/lib/python3.11/site-packages/prefect/orion/api/flow_runs.py", line 294, in delete_flow_run result = await models.flow_runs.delete_flow_run( ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/prefect/orion/database/dependencies.py", line 117, in async_wrapper return await fn(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/prefect/orion/models/flow_runs.py", line 412, in delete_flow_run result = await session.execute( ^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/ext/asyncio/session.py", line 214, in execute result = await greenlet_spawn( ^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/util/_concurrency_py3k.py", line 126, in greenlet_spawn result = context.throw(*sys.exc_info()) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/orm/session.py", line 1714, in execute result = conn._execute_20(statement, params or {}, execution_options) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/base.py", line 1705, in _execute_20 return meth(self, args_10style, kwargs_10style, execution_options) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/sql/elements.py", line 333, in _execute_on_connection return connection._execute_clauseelement( ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/base.py", line 1572, in _execute_clauseelement ret = self._execute_context( ^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/base.py", line 1943, in _execute_context self._handle_dbapi_exception( File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/base.py", line 2124, in _handle_dbapi_exception util.raise_( File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/util/compat.py", line 208, in raise_ raise exception File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/base.py", line 1900, in _execute_context self.dialect.do_execute( File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/engine/default.py", line 736, in do_execute cursor.execute(statement, parameters) File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/dialects/postgresql/asyncpg.py", line 479, in execute self._adapt_connection.await_( File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/util/_concurrency_py3k.py", line 68, in await_only return current.driver.switch(awaitable) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/util/_concurrency_py3k.py", line 121, in greenlet_spawn value = await result ^^^^^^^^^^^^ File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/dialects/postgresql/asyncpg.py", line 454, in _prepare_and_execute self._handle_exception(error) File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/dialects/postgresql/asyncpg.py", line 389, in _handle_exception self._adapt_connection._handle_exception(error) File "/opt/prefect/venv/lib/python3.11/site-packages/sqlalchemy/dialects/postgresql/asyncpg.py", line 682, in _handle_exception raise translated_error from error sqlalchemy.exc.IntegrityError: (sqlalchemy.dialects.postgresql.asyncpg.IntegrityError) <class 'asyncpg.exceptions.ForeignKeyViolationError'>: update or delete on table "task_run" violates foreign key constraint "fk_artifact__task_run_id__task_run" on table "artifact" DETAIL: Key (id)=(4e03e94b-55bf-40a7-ba13-f776e30efa7a) is still referenced from table "artifact". [SQL: DELETE FROM flow_run WHERE flow_run.id = %s] [parameters: (UUID('80f665b5-1731-4a47-92db-a4c8e221fe0c'),)] (Background on this error at: https://sqlalche.me/e/14/gkpj) ``` ### Versions ```Text Version: 2.7.12 API version: 0.8.4 Python version: 3.11.0 Git commit: 524c25cd Built: Mon, Feb 6, 2023 4:31 PM OS/Arch: linux/x86_64 Profile: default Server type: ephemeral Server: Database: postgresql ``` ### Additional context _No response_
priority
can t delete flow runs first check i added a descriptive title to this issue i used the github search to find a similar issue and didn t find it i searched the prefect documentation for this issue i checked that this issue is related to prefect and not one of its dependencies bug summary when we try to delete the flow from flow runs with status completed for example we get an error failed to delete flow run and in log sqlalchemy exc integrityerror sqlalchemy dialects postgresql asyncpg integrityerror update or delete on table task run violates foreign key constraint fk artifact task run id task run on table artifact detail key id is still referenced from table artifact background on this error at reproduction run flow after finish try to delete error traceback most recent call last file opt prefect venv lib site packages starlette middleware exceptions py line in call await self app scope receive sender file opt prefect venv lib site packages fastapi middleware asyncexitstack py line in call raise e file opt prefect venv lib site packages fastapi middleware asyncexitstack py line in call await self app scope receive send file opt prefect venv lib site packages starlette routing py line in call await route handle scope receive send file opt prefect venv lib site packages starlette routing py line in handle await self app scope receive send file opt prefect venv lib site packages starlette routing py line in app response await func request file opt prefect venv lib site packages prefect orion utilities server py line in handle response scoped depends response await default handler request file opt prefect venv lib site packages fastapi routing py line in app raw response await run endpoint function file opt prefect venv lib site packages fastapi routing py line in run endpoint function return await dependant call values file usr local lib contextlib py line in aexit await self gen athrow typ value traceback file opt prefect venv lib site packages prefect orion database interface py line in session context yield session file opt prefect venv lib site packages prefect orion api flow runs py line in delete flow run result await models flow runs delete flow run file opt prefect venv lib site packages prefect orion database dependencies py line in async wrapper return await fn args kwargs file opt prefect venv lib site packages prefect orion models flow runs py line in delete flow run result await session execute file opt prefect venv lib site packages sqlalchemy ext asyncio session py line in execute result await greenlet spawn file opt prefect venv lib site packages sqlalchemy util concurrency py line in greenlet spawn result context throw sys exc info file opt prefect venv lib site packages sqlalchemy orm session py line in execute result conn execute statement params or execution options file opt prefect venv lib site packages sqlalchemy engine base py line in execute return meth self args kwargs execution options file opt prefect venv lib site packages sqlalchemy sql elements py line in execute on connection return connection execute clauseelement file opt prefect venv lib site packages sqlalchemy engine base py line in execute clauseelement ret self execute context file opt prefect venv lib site packages sqlalchemy engine base py line in execute context self handle dbapi exception file opt prefect venv lib site packages sqlalchemy engine base py line in handle dbapi exception util raise file opt prefect venv lib site packages sqlalchemy util compat py line in raise raise exception file opt prefect venv lib site packages sqlalchemy engine base py line in execute context self dialect do execute file opt prefect venv lib site packages sqlalchemy engine default py line in do execute cursor execute statement parameters file opt prefect venv lib site packages sqlalchemy dialects postgresql asyncpg py line in execute self adapt connection await file opt prefect venv lib site packages sqlalchemy util concurrency py line in await only return current driver switch awaitable file opt prefect venv lib site packages sqlalchemy util concurrency py line in greenlet spawn value await result file opt prefect venv lib site packages sqlalchemy dialects postgresql asyncpg py line in prepare and execute self handle exception error file opt prefect venv lib site packages sqlalchemy dialects postgresql asyncpg py line in handle exception self adapt connection handle exception error file opt prefect venv lib site packages sqlalchemy dialects postgresql asyncpg py line in handle exception raise translated error from error sqlalchemy exc integrityerror sqlalchemy dialects postgresql asyncpg integrityerror update or delete on table task run violates foreign key constraint fk artifact task run id task run on table artifact detail key id is still referenced from table artifact background on this error at versions text version api version python version git commit built mon feb pm os arch linux profile default server type ephemeral server database postgresql additional context no response
1
52,978
3,032,264,705
IssuesEvent
2015-08-05 07:36:26
mantidproject/mantid
https://api.github.com/repos/mantidproject/mantid
opened
Try to parallelize Fit - investigate
Component: Fitting Priority: High
I was fitting a BSpline of order 40 which took ~1m30s, and noticed that it used just one core. Users would appreciate a lot a speed up which in principle could be easy to get. Investigate if Fit behaves like this always, and see where it would be a good place to use open mp directives, if possible. Not sure if GSL etc. code involved in this are reentrant/safe.
1.0
Try to parallelize Fit - investigate - I was fitting a BSpline of order 40 which took ~1m30s, and noticed that it used just one core. Users would appreciate a lot a speed up which in principle could be easy to get. Investigate if Fit behaves like this always, and see where it would be a good place to use open mp directives, if possible. Not sure if GSL etc. code involved in this are reentrant/safe.
priority
try to parallelize fit investigate i was fitting a bspline of order which took and noticed that it used just one core users would appreciate a lot a speed up which in principle could be easy to get investigate if fit behaves like this always and see where it would be a good place to use open mp directives if possible not sure if gsl etc code involved in this are reentrant safe
1
318,269
9,684,266,529
IssuesEvent
2019-05-23 13:25:40
CosmiQ/solaris
https://api.github.com/repos/CosmiQ/solaris
opened
Create Dockerfile for solaris environment setup
Difficulty: Easy Priority: High Type: Enhancement
# Prerequisites _Please answer the following questions for yourself before submitting an issue._ - [ ] I am running the latest version - [ ] I checked the documentation and found no answer - [ ] I checked to make sure that this issue has not already been filed - [ ] I'm reporting the issue to the correct repository (for multi-repository projects) # Instructions _Please complete the following sections of the issue template, removing irrelevant components._ --- # Bug Report _Remove this section if your issue is not a bug. Make sure to add the __Type: Bug__ label if it is._ ## Failure Information _Please help provide information about the failure._ ## Bug Report: Expected Behavior _(Expected behavior that isn't occurring)_ ## Bug Report: Current Behavior _(Description of the current, buggy behavior)_ ## Bug Report: Steps to Reproduce _Please provide detailed steps for reproducing the issue._ 1. Step 1 2. Step 2 3. Etc. ## Bug Report: Context _Please provide any relevant information about your setup. This is important in case the issue is not reproducible except for under certain conditions._ - OS: - Python version: - `solaris` install method (Conda, pip, Docker): - `solaris` version (release vs. dev) - if you're using an older release, please update and ensure your issue isn't resolved: - Additional relevant environment details (e.g. using a virtual environment or not, version of GDAL and GDAL install method, etc.) ## Bug Report: Failure Logs _Please include any relevant log snippets, python shell commands and tracebacks, etc. here._ --- # Feature Request _Remove this section if your issue is not a feature request. Make sure to add the __Type: Enhancement__ label if it is._ ## Feature Description _Please describe the feature you'd like implemented._ ## Feature Request: Changes to API _If your feature request includes changes to the `solaris` API, describe that here. Note that any changes to required arguments or argument order in the API will only be made at a major version release. See [the contributing guidelines]() for additional details._ --- # Final steps ## References to other issues/PRs _If you did not already include references above, list references to relevant PRs, issues, or other pages here._ ## Labels _Make sure to select a __Type__ label for your issue. The repo maintainers will add other labels, milestones, and projects (if applicable)._
1.0
Create Dockerfile for solaris environment setup - # Prerequisites _Please answer the following questions for yourself before submitting an issue._ - [ ] I am running the latest version - [ ] I checked the documentation and found no answer - [ ] I checked to make sure that this issue has not already been filed - [ ] I'm reporting the issue to the correct repository (for multi-repository projects) # Instructions _Please complete the following sections of the issue template, removing irrelevant components._ --- # Bug Report _Remove this section if your issue is not a bug. Make sure to add the __Type: Bug__ label if it is._ ## Failure Information _Please help provide information about the failure._ ## Bug Report: Expected Behavior _(Expected behavior that isn't occurring)_ ## Bug Report: Current Behavior _(Description of the current, buggy behavior)_ ## Bug Report: Steps to Reproduce _Please provide detailed steps for reproducing the issue._ 1. Step 1 2. Step 2 3. Etc. ## Bug Report: Context _Please provide any relevant information about your setup. This is important in case the issue is not reproducible except for under certain conditions._ - OS: - Python version: - `solaris` install method (Conda, pip, Docker): - `solaris` version (release vs. dev) - if you're using an older release, please update and ensure your issue isn't resolved: - Additional relevant environment details (e.g. using a virtual environment or not, version of GDAL and GDAL install method, etc.) ## Bug Report: Failure Logs _Please include any relevant log snippets, python shell commands and tracebacks, etc. here._ --- # Feature Request _Remove this section if your issue is not a feature request. Make sure to add the __Type: Enhancement__ label if it is._ ## Feature Description _Please describe the feature you'd like implemented._ ## Feature Request: Changes to API _If your feature request includes changes to the `solaris` API, describe that here. Note that any changes to required arguments or argument order in the API will only be made at a major version release. See [the contributing guidelines]() for additional details._ --- # Final steps ## References to other issues/PRs _If you did not already include references above, list references to relevant PRs, issues, or other pages here._ ## Labels _Make sure to select a __Type__ label for your issue. The repo maintainers will add other labels, milestones, and projects (if applicable)._
priority
create dockerfile for solaris environment setup prerequisites please answer the following questions for yourself before submitting an issue i am running the latest version i checked the documentation and found no answer i checked to make sure that this issue has not already been filed i m reporting the issue to the correct repository for multi repository projects instructions please complete the following sections of the issue template removing irrelevant components bug report remove this section if your issue is not a bug make sure to add the type bug label if it is failure information please help provide information about the failure bug report expected behavior expected behavior that isn t occurring bug report current behavior description of the current buggy behavior bug report steps to reproduce please provide detailed steps for reproducing the issue step step etc bug report context please provide any relevant information about your setup this is important in case the issue is not reproducible except for under certain conditions os python version solaris install method conda pip docker solaris version release vs dev if you re using an older release please update and ensure your issue isn t resolved additional relevant environment details e g using a virtual environment or not version of gdal and gdal install method etc bug report failure logs please include any relevant log snippets python shell commands and tracebacks etc here feature request remove this section if your issue is not a feature request make sure to add the type enhancement label if it is feature description please describe the feature you d like implemented feature request changes to api if your feature request includes changes to the solaris api describe that here note that any changes to required arguments or argument order in the api will only be made at a major version release see for additional details final steps references to other issues prs if you did not already include references above list references to relevant prs issues or other pages here labels make sure to select a type label for your issue the repo maintainers will add other labels milestones and projects if applicable
1
108,060
4,326,234,066
IssuesEvent
2016-07-26 04:57:24
ryleykimmel/brandywine
https://api.github.com/repos/ryleykimmel/brandywine
opened
Add a built in RSA keygenerator
enhancement/suggestion high priority medium
RSA keys should: - Generate user friendly warnings and errors - Using some [PKI](https://en.wikipedia.org/wiki/Public_key_infrastructure) to manage key-pair certs - Up to 1,024 bits, this is the maximum modulus length the RS client can naively support - (Maybe) add support for storing public keys using the PKI and adding a module to the client to parse it - See [this](https://en.wikipedia.org/wiki/X.509#Certificate_filename_extensions) for common certificate storage types
1.0
Add a built in RSA keygenerator - RSA keys should: - Generate user friendly warnings and errors - Using some [PKI](https://en.wikipedia.org/wiki/Public_key_infrastructure) to manage key-pair certs - Up to 1,024 bits, this is the maximum modulus length the RS client can naively support - (Maybe) add support for storing public keys using the PKI and adding a module to the client to parse it - See [this](https://en.wikipedia.org/wiki/X.509#Certificate_filename_extensions) for common certificate storage types
priority
add a built in rsa keygenerator rsa keys should generate user friendly warnings and errors using some to manage key pair certs up to bits this is the maximum modulus length the rs client can naively support maybe add support for storing public keys using the pki and adding a module to the client to parse it see for common certificate storage types
1
300,787
9,212,444,147
IssuesEvent
2019-03-10 00:41:04
CMPUT301W19T11/Atheneum
https://api.github.com/repos/CMPUT301W19T11/Atheneum
closed
US 01.04.01
high priority
US 01.04.01 As an owner, I want to view a list of all my books, and their descriptions, statuses, and current borrowers so that I can see all my books that I am lending out at once.
1.0
US 01.04.01 - US 01.04.01 As an owner, I want to view a list of all my books, and their descriptions, statuses, and current borrowers so that I can see all my books that I am lending out at once.
priority
us us as an owner i want to view a list of all my books and their descriptions statuses and current borrowers so that i can see all my books that i am lending out at once
1
206,359
7,111,880,779
IssuesEvent
2018-01-17 15:29:01
marklogic-community/data-explorer
https://api.github.com/repos/marklogic-community/data-explorer
opened
FERR-65 - JSON Support for the ADHOC screen
JIRA Migration priority:highest type:story
**Original Reporter:** @josvr **Created:** 15/Nov/17 6:05 AM # Description *None* **Blocks:** #8 # Comments *None*
1.0
FERR-65 - JSON Support for the ADHOC screen - **Original Reporter:** @josvr **Created:** 15/Nov/17 6:05 AM # Description *None* **Blocks:** #8 # Comments *None*
priority
ferr json support for the adhoc screen original reporter josvr created nov am description none blocks comments none
1
458,168
13,170,233,969
IssuesEvent
2020-08-11 14:52:49
woocommerce/woocommerce-gateway-amazon-pay
https://api.github.com/repos/woocommerce/woocommerce-gateway-amazon-pay
closed
Fatal error on updating subscription payment method, subscription switching, etc. due to confusing UI
Priority: High [Type] Bug
<!-- Thanks for contributing to this extension! Pick a clear title ("Order: Unable to refund when gateway X is used") and proceed. --> #### Affected ticket(s) 1970133-zen <!-- The ZenDesk tickets that are affected by this issue --> #### What I expected To change subscription payment method to Amazon Pay. <!-- What you or customer expected when performing the steps --> #### What happened instead On the subscription update page I'm able to select Amazon Pay even when logged out of my Amazon account: ![Screenshot](https://cld.wthms.co/kEdSlK+) Screenshot: https://cld.wthms.co/kEdSlK When I do this and click **Update payment**, I'm seeing a 500 error with no option to progress either way: ``` 2019-04-24T09:32:20+00:00 CRITICAL Uncaught Error: Call to a member function validate_fields() on null in /woostore/wp-content/plugins/woocommerce-subscriptions/includes/class-wc-subscriptions-change-payment-gateway.php:391 Stack trace: #0 /wordpress/core/5.1.1/wp-includes/class-wp-hook.php(286): WC_Subscriptions_Change_Payment_Gateway::change_payment_method_via_pay_shortcode('') #1 /wordpress/core/5.1.1/wp-includes/class-wp-hook.php(310): WP_Hook->apply_filters(NULL, Array) #2 /wordpress/core/5.1.1/wp-includes/plugin.php(465): WP_Hook->do_action(Array) #3 /wordpress/core/5.1.1/wp-settings.php(526): do_action('wp_loaded') #4 /woostore/wp-config.php(88): require_once('/wordpress/core...') #5 /wordpress/core/5.1.1/wp-load.php(42): require_once('/woostore/wp-co...') #6 /wordpress/core/5.1.1/wp-blog-header.php(13): require_once('/wordpress/core...') #7 /wordpress/core/5.1.1/index.php(17): require('/wordpress/core...') #8 {main} thrown in /woostore/wp-content/plugins/woocommerce-subscriptions/includes/class-wc-subscriptions-change-payment-gateway.php on line 391 ``` This is because Amazon Pay checkout flow normally doesn't show the payment method radio button and forces the user to login first. Here the radio button is shown, so the user is able to select Amazon Pay without actually connecting to Amazon. <!-- What actual results you or customer got --> #### Steps to reproduce the issue 1. Enable Amazon Pay for subscriptions, 2. Add a subscription product to cart, 3. Checkout with a different payment method (i.e. Stripe) and complete the order to activate the subscription, 4. Go to My Account > My Subscriptions and open subscription details, 5. Click Change Payment on the subscription page (as described in #339 ) 6. Select the Amazon Pay checkbox without logging in to the Amazon account 7. Click **Change payment** and observe the error Setting high priority - even though that's a corner case it breaks the checkout flow with a fatal and makes terrible UX for the end customers. <!-- Please add detailed steps to reproduce the issue. Make sure it's reproducible locally. Other extensions should be deactivated and standard theme is used when reproducing the issue locally --> <!-- PLEASE NOTE - These comments won't show up when you submit the issue. - Everything is optional, but try to add as many details as possible. - Screenshot worth a thousand words, use screenshots if possible. - If requesting a new feature, explain why you'd like to see it added. - Please apply appropriate labels on the issue --> ------------------- - [ ] Issue assigned to next milestone. - [ ] Issue assigned a priority (will be assessed by maintainers).
1.0
Fatal error on updating subscription payment method, subscription switching, etc. due to confusing UI - <!-- Thanks for contributing to this extension! Pick a clear title ("Order: Unable to refund when gateway X is used") and proceed. --> #### Affected ticket(s) 1970133-zen <!-- The ZenDesk tickets that are affected by this issue --> #### What I expected To change subscription payment method to Amazon Pay. <!-- What you or customer expected when performing the steps --> #### What happened instead On the subscription update page I'm able to select Amazon Pay even when logged out of my Amazon account: ![Screenshot](https://cld.wthms.co/kEdSlK+) Screenshot: https://cld.wthms.co/kEdSlK When I do this and click **Update payment**, I'm seeing a 500 error with no option to progress either way: ``` 2019-04-24T09:32:20+00:00 CRITICAL Uncaught Error: Call to a member function validate_fields() on null in /woostore/wp-content/plugins/woocommerce-subscriptions/includes/class-wc-subscriptions-change-payment-gateway.php:391 Stack trace: #0 /wordpress/core/5.1.1/wp-includes/class-wp-hook.php(286): WC_Subscriptions_Change_Payment_Gateway::change_payment_method_via_pay_shortcode('') #1 /wordpress/core/5.1.1/wp-includes/class-wp-hook.php(310): WP_Hook->apply_filters(NULL, Array) #2 /wordpress/core/5.1.1/wp-includes/plugin.php(465): WP_Hook->do_action(Array) #3 /wordpress/core/5.1.1/wp-settings.php(526): do_action('wp_loaded') #4 /woostore/wp-config.php(88): require_once('/wordpress/core...') #5 /wordpress/core/5.1.1/wp-load.php(42): require_once('/woostore/wp-co...') #6 /wordpress/core/5.1.1/wp-blog-header.php(13): require_once('/wordpress/core...') #7 /wordpress/core/5.1.1/index.php(17): require('/wordpress/core...') #8 {main} thrown in /woostore/wp-content/plugins/woocommerce-subscriptions/includes/class-wc-subscriptions-change-payment-gateway.php on line 391 ``` This is because Amazon Pay checkout flow normally doesn't show the payment method radio button and forces the user to login first. Here the radio button is shown, so the user is able to select Amazon Pay without actually connecting to Amazon. <!-- What actual results you or customer got --> #### Steps to reproduce the issue 1. Enable Amazon Pay for subscriptions, 2. Add a subscription product to cart, 3. Checkout with a different payment method (i.e. Stripe) and complete the order to activate the subscription, 4. Go to My Account > My Subscriptions and open subscription details, 5. Click Change Payment on the subscription page (as described in #339 ) 6. Select the Amazon Pay checkbox without logging in to the Amazon account 7. Click **Change payment** and observe the error Setting high priority - even though that's a corner case it breaks the checkout flow with a fatal and makes terrible UX for the end customers. <!-- Please add detailed steps to reproduce the issue. Make sure it's reproducible locally. Other extensions should be deactivated and standard theme is used when reproducing the issue locally --> <!-- PLEASE NOTE - These comments won't show up when you submit the issue. - Everything is optional, but try to add as many details as possible. - Screenshot worth a thousand words, use screenshots if possible. - If requesting a new feature, explain why you'd like to see it added. - Please apply appropriate labels on the issue --> ------------------- - [ ] Issue assigned to next milestone. - [ ] Issue assigned a priority (will be assessed by maintainers).
priority
fatal error on updating subscription payment method subscription switching etc due to confusing ui affected ticket s zen what i expected to change subscription payment method to amazon pay what happened instead on the subscription update page i m able to select amazon pay even when logged out of my amazon account screenshot when i do this and click update payment i m seeing a error with no option to progress either way critical uncaught error call to a member function validate fields on null in woostore wp content plugins woocommerce subscriptions includes class wc subscriptions change payment gateway php stack trace wordpress core wp includes class wp hook php wc subscriptions change payment gateway change payment method via pay shortcode wordpress core wp includes class wp hook php wp hook apply filters null array wordpress core wp includes plugin php wp hook do action array wordpress core wp settings php do action wp loaded woostore wp config php require once wordpress core wordpress core wp load php require once woostore wp co wordpress core wp blog header php require once wordpress core wordpress core index php require wordpress core main thrown in woostore wp content plugins woocommerce subscriptions includes class wc subscriptions change payment gateway php on line this is because amazon pay checkout flow normally doesn t show the payment method radio button and forces the user to login first here the radio button is shown so the user is able to select amazon pay without actually connecting to amazon steps to reproduce the issue enable amazon pay for subscriptions add a subscription product to cart checkout with a different payment method i e stripe and complete the order to activate the subscription go to my account my subscriptions and open subscription details click change payment on the subscription page as described in select the amazon pay checkbox without logging in to the amazon account click change payment and observe the error setting high priority even though that s a corner case it breaks the checkout flow with a fatal and makes terrible ux for the end customers please note these comments won t show up when you submit the issue everything is optional but try to add as many details as possible screenshot worth a thousand words use screenshots if possible if requesting a new feature explain why you d like to see it added please apply appropriate labels on the issue issue assigned to next milestone issue assigned a priority will be assessed by maintainers
1
552,729
16,254,955,449
IssuesEvent
2021-05-08 02:43:23
CreeperMagnet/the-creepers-code
https://api.github.com/repos/CreeperMagnet/the-creepers-code
opened
Geomancer pillars unrender when looked at from certain angles
priority: high
This is due to them using two item frames, rather than three. Three may cause a slight bit more lag, but should be worth it in the long run.
1.0
Geomancer pillars unrender when looked at from certain angles - This is due to them using two item frames, rather than three. Three may cause a slight bit more lag, but should be worth it in the long run.
priority
geomancer pillars unrender when looked at from certain angles this is due to them using two item frames rather than three three may cause a slight bit more lag but should be worth it in the long run
1
518,267
15,026,426,770
IssuesEvent
2021-02-01 22:39:45
craftercms/craftercms
https://api.github.com/repos/craftercms/craftercms
closed
[studio] Get children API: error not returned in the correct format
bug priority: high wontfix
## Describe the bug Calling the API with excludes in a unexpected format, returns a tomcat error page with stack trace (Content-Type: text/html) instead of the expected API Response (Content-Type: application/json) ## To Reproduce Steps to reproduce the behavior: 1. fetch `/studio/api/2/content/children_by_path.json?siteId=editorial-neue&path=/site/website/index.xml&offset=1&excludes=[]` 2. Observe the response ## Expected behavior Still a 400 but with the correct API response JSON ## Screenshots {{If applicable, add screenshots to help explain your problem.}} ## Logs Correct: ```js fetch('/studio/api/2/content/children_by_path?siteId=editorial-neue&path=/site/website/index.xml&limit=g') .then(r => r.json()) .then(console.log) // => Content-Type: application/json {"response":{"code":1001,"message":"Invalid parameter(s)","remedialAction":"Check API and make sure you're sending the correct parameters","documentationUrl":""}} ``` Incorrect: ```js fetch('/studio/api/2/content/children_by_path?siteId=editorial-neue&path=/site/website/index.xml&excludes=[]') .then(r => r.json()) .then(console.log) /* => Content-Type: text/html <!doctype html><html lang="en"><head><title>HTTP Status 400 – Bad Request</title><style type="text/css">body {font-family:Tahoma,Arial,sans-serif;} h1, h2, h3, b {color:white;background-color:#525D76;} h1 {font-size:22px;} h2 {font-size:16px;} h3 {font-size:14px;} p {font-size:12px;} a {color:black;} .line {height:1px;background-color:#525D76;border:none;}</style></head><body><h1>HTTP Status 400 – Bad Request</h1><hr class="line" /><p><b>Type</b> Exception Report</p><p><b>Message</b> Invalid character found in the request target [&#47;studio&#47;api&#47;2&#47;content&#47;children_by_path?siteId=editorial-neue&amp;path=&#47;site&#47;website&#47;index.xml&amp;excludes=[]]. The valid characters are defined in RFC 7230 and RFC 3986</p><p><b>Description</b> The server cannot or will not process the request due to something that is perceived to be a client error (e.g., malformed request syntax, invalid request message framing, or deceptive request routing).</p><p><b>Exception</b></p><pre>java.lang.IllegalArgumentException: Invalid character found in the request target [&#47;studio&#47;api&#47;2&#47;content&#47;children_by_path?siteId=editorial-neue&amp;path=&#47;site&#47;website&#47;index.xml&amp;excludes=[]]. The valid characters are defined in RFC 7230 and RFC 3986 org.apache.coyote.http11.Http11InputBuffer.parseRequestLine(Http11InputBuffer.java:505) org.apache.coyote.http11.Http11Processor.service(Http11Processor.java:502) org.apache.coyote.AbstractProcessorLight.process(AbstractProcessorLight.java:65) org.apache.coyote.AbstractProtocol$ConnectionHandler.process(AbstractProtocol.java:818) org.apache.tomcat.util.net.NioEndpoint$SocketProcessor.doRun(NioEndpoint.java:1626) org.apache.tomcat.util.net.SocketProcessorBase.run(SocketProcessorBase.java:49) java.base&#47;java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1128) java.base&#47;java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:628) org.apache.tomcat.util.threads.TaskThread$WrappingRunnable.run(TaskThread.java:61) java.base&#47;java.lang.Thread.run(Thread.java:834) </pre><p><b>Note</b> The full stack trace of the root cause is available in the server logs.</p><hr class="line" /><h3>Crafter CMS</h3></body></html>*/ ``` ## Specs ### Version 4.0.0-SNAPSHOT ### OS Mac ### Browser Chrome ## Additional context {{Add any other context about the problem here.}}
1.0
[studio] Get children API: error not returned in the correct format - ## Describe the bug Calling the API with excludes in a unexpected format, returns a tomcat error page with stack trace (Content-Type: text/html) instead of the expected API Response (Content-Type: application/json) ## To Reproduce Steps to reproduce the behavior: 1. fetch `/studio/api/2/content/children_by_path.json?siteId=editorial-neue&path=/site/website/index.xml&offset=1&excludes=[]` 2. Observe the response ## Expected behavior Still a 400 but with the correct API response JSON ## Screenshots {{If applicable, add screenshots to help explain your problem.}} ## Logs Correct: ```js fetch('/studio/api/2/content/children_by_path?siteId=editorial-neue&path=/site/website/index.xml&limit=g') .then(r => r.json()) .then(console.log) // => Content-Type: application/json {"response":{"code":1001,"message":"Invalid parameter(s)","remedialAction":"Check API and make sure you're sending the correct parameters","documentationUrl":""}} ``` Incorrect: ```js fetch('/studio/api/2/content/children_by_path?siteId=editorial-neue&path=/site/website/index.xml&excludes=[]') .then(r => r.json()) .then(console.log) /* => Content-Type: text/html <!doctype html><html lang="en"><head><title>HTTP Status 400 – Bad Request</title><style type="text/css">body {font-family:Tahoma,Arial,sans-serif;} h1, h2, h3, b {color:white;background-color:#525D76;} h1 {font-size:22px;} h2 {font-size:16px;} h3 {font-size:14px;} p {font-size:12px;} a {color:black;} .line {height:1px;background-color:#525D76;border:none;}</style></head><body><h1>HTTP Status 400 – Bad Request</h1><hr class="line" /><p><b>Type</b> Exception Report</p><p><b>Message</b> Invalid character found in the request target [&#47;studio&#47;api&#47;2&#47;content&#47;children_by_path?siteId=editorial-neue&amp;path=&#47;site&#47;website&#47;index.xml&amp;excludes=[]]. The valid characters are defined in RFC 7230 and RFC 3986</p><p><b>Description</b> The server cannot or will not process the request due to something that is perceived to be a client error (e.g., malformed request syntax, invalid request message framing, or deceptive request routing).</p><p><b>Exception</b></p><pre>java.lang.IllegalArgumentException: Invalid character found in the request target [&#47;studio&#47;api&#47;2&#47;content&#47;children_by_path?siteId=editorial-neue&amp;path=&#47;site&#47;website&#47;index.xml&amp;excludes=[]]. The valid characters are defined in RFC 7230 and RFC 3986 org.apache.coyote.http11.Http11InputBuffer.parseRequestLine(Http11InputBuffer.java:505) org.apache.coyote.http11.Http11Processor.service(Http11Processor.java:502) org.apache.coyote.AbstractProcessorLight.process(AbstractProcessorLight.java:65) org.apache.coyote.AbstractProtocol$ConnectionHandler.process(AbstractProtocol.java:818) org.apache.tomcat.util.net.NioEndpoint$SocketProcessor.doRun(NioEndpoint.java:1626) org.apache.tomcat.util.net.SocketProcessorBase.run(SocketProcessorBase.java:49) java.base&#47;java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1128) java.base&#47;java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:628) org.apache.tomcat.util.threads.TaskThread$WrappingRunnable.run(TaskThread.java:61) java.base&#47;java.lang.Thread.run(Thread.java:834) </pre><p><b>Note</b> The full stack trace of the root cause is available in the server logs.</p><hr class="line" /><h3>Crafter CMS</h3></body></html>*/ ``` ## Specs ### Version 4.0.0-SNAPSHOT ### OS Mac ### Browser Chrome ## Additional context {{Add any other context about the problem here.}}
priority
get children api error not returned in the correct format describe the bug calling the api with excludes in a unexpected format returns a tomcat error page with stack trace content type text html instead of the expected api response content type application json to reproduce steps to reproduce the behavior fetch studio api content children by path json siteid editorial neue path site website index xml offset excludes observe the response expected behavior still a but with the correct api response json screenshots if applicable add screenshots to help explain your problem logs correct js fetch studio api content children by path siteid editorial neue path site website index xml limit g then r r json then console log content type application json response code message invalid parameter s remedialaction check api and make sure you re sending the correct parameters documentationurl incorrect js fetch studio api content children by path siteid editorial neue path site website index xml excludes then r r json then console log content type text html http status – bad request body font family tahoma arial sans serif b color white background color font size font size font size p font size a color black line height background color border none http status – bad request type exception report message invalid character found in the request target the valid characters are defined in rfc and rfc description the server cannot or will not process the request due to something that is perceived to be a client error e g malformed request syntax invalid request message framing or deceptive request routing exception java lang illegalargumentexception invalid character found in the request target the valid characters are defined in rfc and rfc org apache coyote parserequestline java org apache coyote service java org apache coyote abstractprocessorlight process abstractprocessorlight java org apache coyote abstractprotocol connectionhandler process abstractprotocol java org apache tomcat util net nioendpoint socketprocessor dorun nioendpoint java org apache tomcat util net socketprocessorbase run socketprocessorbase java java base java util concurrent threadpoolexecutor runworker threadpoolexecutor java java base java util concurrent threadpoolexecutor worker run threadpoolexecutor java org apache tomcat util threads taskthread wrappingrunnable run taskthread java java base java lang thread run thread java note the full stack trace of the root cause is available in the server logs crafter cms specs version snapshot os mac browser chrome additional context add any other context about the problem here
1
649,307
21,263,704,272
IssuesEvent
2022-04-13 07:53:36
matrixorigin/matrixone
https://api.github.com/repos/matrixorigin/matrixone
opened
[Bug]: Data Error of `load data infile`
kind/bug priority/high needs-triage
### Is there an existing issue for the same bug? - [X] I have checked the existing issues. ### Environment ```markdown - Version or commit-id (e.g. v0.1.0 or 8b23a93): 8f1807de2af0059193cfed1d750dbfec8f1aecff - Hardware parameters:32C64G - OS type:Ubuntu - Others: ``` ### Actual Behavior **Changes after data import into MO.** select result of mo: <img width="453" alt="image" src="https://user-images.githubusercontent.com/77312370/163127514-4f9e030c-3c88-4e96-98cb-9a21bf4d2323.png"> raw data: <img width="906" alt="image" src="https://user-images.githubusercontent.com/77312370/163127298-226e03e3-3d4d-4cc5-9e9d-49789c29d1c1.png"> select result of clickhouse: <img width="819" alt="image" src="https://user-images.githubusercontent.com/77312370/163127428-5a031221-ad49-49eb-a9a7-3a93995a5cef.png"> ### Expected Behavior _No response_ ### Steps to Reproduce _No response_ ### Additional information _No response_
1.0
[Bug]: Data Error of `load data infile` - ### Is there an existing issue for the same bug? - [X] I have checked the existing issues. ### Environment ```markdown - Version or commit-id (e.g. v0.1.0 or 8b23a93): 8f1807de2af0059193cfed1d750dbfec8f1aecff - Hardware parameters:32C64G - OS type:Ubuntu - Others: ``` ### Actual Behavior **Changes after data import into MO.** select result of mo: <img width="453" alt="image" src="https://user-images.githubusercontent.com/77312370/163127514-4f9e030c-3c88-4e96-98cb-9a21bf4d2323.png"> raw data: <img width="906" alt="image" src="https://user-images.githubusercontent.com/77312370/163127298-226e03e3-3d4d-4cc5-9e9d-49789c29d1c1.png"> select result of clickhouse: <img width="819" alt="image" src="https://user-images.githubusercontent.com/77312370/163127428-5a031221-ad49-49eb-a9a7-3a93995a5cef.png"> ### Expected Behavior _No response_ ### Steps to Reproduce _No response_ ### Additional information _No response_
priority
data error of load data infile is there an existing issue for the same bug i have checked the existing issues environment markdown version or commit id e g or hardware parameters os type ubuntu others actual behavior changes after data import into mo select result of mo img width alt image src raw data img width alt image src select result of clickhouse img width alt image src expected behavior no response steps to reproduce no response additional information no response
1
413,628
12,076,841,772
IssuesEvent
2020-04-17 08:24:10
wso2/docs-open-banking
https://api.github.com/repos/wso2/docs-open-banking
closed
[Berlin][140] Gaps in Try out PISP doc
Priority/Highest
**Description:** Fix the issues mentioned in [1] in the [Try out PISP doc](https://docs.wso2.com/display/OB140/Payment+Initiation+Service+Provider+Flow+v1.3) [1] https://docs.google.com/document/d/1BwjBrwYPryqkShg_HcGVwV3_C3aPneC1QaoYckPy6_I/edit **Affected Product Version:** OB140 docs
1.0
[Berlin][140] Gaps in Try out PISP doc - **Description:** Fix the issues mentioned in [1] in the [Try out PISP doc](https://docs.wso2.com/display/OB140/Payment+Initiation+Service+Provider+Flow+v1.3) [1] https://docs.google.com/document/d/1BwjBrwYPryqkShg_HcGVwV3_C3aPneC1QaoYckPy6_I/edit **Affected Product Version:** OB140 docs
priority
gaps in try out pisp doc description fix the issues mentioned in in the affected product version docs
1
468,887
13,492,315,938
IssuesEvent
2020-09-11 17:51:25
wso2/product-is
https://api.github.com/repos/wso2/product-is
closed
Unexpected behavior when navigating across portals in the same tab.
Priority/High Severity/Critical bug console consumer-exp
**Describe the issue:** Issue 1 - When switching across portals in the same browser tab without logging out, the path of the previously logged in portal will be picked for the new portal resulting in a **404** page. Issue 2 - Logout from `console` and login to `myaccount` from the same tab. Navigated to the path of the console last visited i.e `https://localhost:9443/myaccount/develop/applications`. **How to reproduce:** Issue 1 1. Login in to `https://localhost:9443/console`. You will be redirected to `https://localhost:9443/console/develop/applications` as expected. 2. Then navigate to `https://localhost:9443/myaccount` in the same tab. 3. Will be redirect to the previously visited path of the console resulting in a 404. (https://localhost:9443/myaccount/develop/applications) Issue 2 1. Log in to `https://localhost:9443/console`. 2. Logout from console portal. 3. Then login to `https://localhost:9443/myaccount` in the same tab. 4. Will be redirect to the console app path resulting in a 404. (https://localhost:9443/myaccount/develop/applications) <img width="1913" alt="Screen Shot 2020-08-26 at 9 34 08 PM" src="https://user-images.githubusercontent.com/25959096/91328814-01af1580-e7e5-11ea-81f3-2966817c9b1a.png"> **Expected behavior:** Users should be redirected to the proper landing pages of the portals. **Possible reasons:** The changes done to the legacy Authentication SDK wso2/identity-apps#949 to fix this issue should be moved to the one with the worker storage. **Environment information** (_Please complete the following information; remove any unnecessary fields_) **:** - Product Version: IS 5.11.0 M32 - OS: Mac - Database: H2 - Userstore: LDAP
1.0
Unexpected behavior when navigating across portals in the same tab. - **Describe the issue:** Issue 1 - When switching across portals in the same browser tab without logging out, the path of the previously logged in portal will be picked for the new portal resulting in a **404** page. Issue 2 - Logout from `console` and login to `myaccount` from the same tab. Navigated to the path of the console last visited i.e `https://localhost:9443/myaccount/develop/applications`. **How to reproduce:** Issue 1 1. Login in to `https://localhost:9443/console`. You will be redirected to `https://localhost:9443/console/develop/applications` as expected. 2. Then navigate to `https://localhost:9443/myaccount` in the same tab. 3. Will be redirect to the previously visited path of the console resulting in a 404. (https://localhost:9443/myaccount/develop/applications) Issue 2 1. Log in to `https://localhost:9443/console`. 2. Logout from console portal. 3. Then login to `https://localhost:9443/myaccount` in the same tab. 4. Will be redirect to the console app path resulting in a 404. (https://localhost:9443/myaccount/develop/applications) <img width="1913" alt="Screen Shot 2020-08-26 at 9 34 08 PM" src="https://user-images.githubusercontent.com/25959096/91328814-01af1580-e7e5-11ea-81f3-2966817c9b1a.png"> **Expected behavior:** Users should be redirected to the proper landing pages of the portals. **Possible reasons:** The changes done to the legacy Authentication SDK wso2/identity-apps#949 to fix this issue should be moved to the one with the worker storage. **Environment information** (_Please complete the following information; remove any unnecessary fields_) **:** - Product Version: IS 5.11.0 M32 - OS: Mac - Database: H2 - Userstore: LDAP
priority
unexpected behavior when navigating across portals in the same tab describe the issue issue when switching across portals in the same browser tab without logging out the path of the previously logged in portal will be picked for the new portal resulting in a page issue logout from console and login to myaccount from the same tab navigated to the path of the console last visited i e how to reproduce issue login in to you will be redirected to as expected then navigate to in the same tab will be redirect to the previously visited path of the console resulting in a issue log in to logout from console portal then login to in the same tab will be redirect to the console app path resulting in a img width alt screen shot at pm src expected behavior users should be redirected to the proper landing pages of the portals possible reasons the changes done to the legacy authentication sdk identity apps to fix this issue should be moved to the one with the worker storage environment information please complete the following information remove any unnecessary fields product version is os mac database userstore ldap
1
799,204
28,301,742,987
IssuesEvent
2023-04-10 06:55:37
bounswe/bounswe2023group4
https://api.github.com/repos/bounswe/bounswe2023group4
closed
Diagrams Revision - Class Diagram
Priority: High Status: To Do
### Problem Definition As a fundamental part of the deliverable to be handed in among other artifacts in the milestone report, class diagrams should be completed, pending an imminent review by the project owner. ### Problem Context Remarks offered by the team members regarding the initial draft were heeded and befittingly incorporated into the diagram. The final inspection by the project owner will be discussed.
1.0
Diagrams Revision - Class Diagram - ### Problem Definition As a fundamental part of the deliverable to be handed in among other artifacts in the milestone report, class diagrams should be completed, pending an imminent review by the project owner. ### Problem Context Remarks offered by the team members regarding the initial draft were heeded and befittingly incorporated into the diagram. The final inspection by the project owner will be discussed.
priority
diagrams revision class diagram problem definition as a fundamental part of the deliverable to be handed in among other artifacts in the milestone report class diagrams should be completed pending an imminent review by the project owner problem context remarks offered by the team members regarding the initial draft were heeded and befittingly incorporated into the diagram the final inspection by the project owner will be discussed
1
655,937
21,714,695,695
IssuesEvent
2022-05-10 16:42:43
RobotLocomotion/drake
https://api.github.com/repos/RobotLocomotion/drake
closed
Remove linux-focal-(unprovisioned-)clang-cmake(...) builds
priority: high component: continuous integration
The review of RobotLocomotion/drake-ci#150 is too difficult to reason about with these builds in play. Since they serve almost no purpose, we should just simplify our life and remove them from Jenkins.
1.0
Remove linux-focal-(unprovisioned-)clang-cmake(...) builds - The review of RobotLocomotion/drake-ci#150 is too difficult to reason about with these builds in play. Since they serve almost no purpose, we should just simplify our life and remove them from Jenkins.
priority
remove linux focal unprovisioned clang cmake builds the review of robotlocomotion drake ci is too difficult to reason about with these builds in play since they serve almost no purpose we should just simplify our life and remove them from jenkins
1
61,671
3,151,507,181
IssuesEvent
2015-09-16 08:32:27
mPowering/django-orb
https://api.github.com/repos/mPowering/django-orb
opened
Update bookmarking icon and move to row with ratings
Effort: < 1 day high priority
Also display text that you need to be logged in/registered to bookmakr
1.0
Update bookmarking icon and move to row with ratings - Also display text that you need to be logged in/registered to bookmakr
priority
update bookmarking icon and move to row with ratings also display text that you need to be logged in registered to bookmakr
1
551,124
16,163,253,396
IssuesEvent
2021-05-01 02:52:47
leanprover/lean4
https://api.github.com/repos/leanprover/lean4
closed
Can't elaborate (n + k : Int)
enhancement high priority
```lean variable (n k : Nat) #check (n + k : Int) -- error: failed to synthesize instance HAdd ℕ ℕ ℤ ```
1.0
Can't elaborate (n + k : Int) - ```lean variable (n k : Nat) #check (n + k : Int) -- error: failed to synthesize instance HAdd ℕ ℕ ℤ ```
priority
can t elaborate n k int lean variable n k nat check n k int error failed to synthesize instance hadd ℕ ℕ ℤ
1
496,468
14,348,060,692
IssuesEvent
2020-11-29 10:40:30
Sequel-Ace/Sequel-Ace
https://api.github.com/repos/Sequel-Ace/Sequel-Ace
closed
main thread error - dragging window
Bug Fixed & Pending Release Highest Priority
- Sequel Ace Version: main latest - macOS Version: 10.15.7 (19H2) - MySQL Version: any **Description** An uncaught exception was raised `NSWindow drag regions should only be invalidated on the Main Thread!` **Steps To Reproduce** 1. Alas, cannot recall. **Expected Behaviour** No crash **Is Issue Present in [Latest Beta](https://github.com/Sequel-Ace/Sequel-Ace/releases)? Yes **Additional Context** ``` 2020-11-01 00:07:43.228631+0800 Sequel Ace[39462:605414] [General] ( 0 CoreFoundation 0x00007fff361e3b57 __exceptionPreprocess + 250 1 libobjc.A.dylib 0x00007fff6f0765bf objc_exception_throw + 48 2 CoreFoundation 0x00007fff3620c34c -[NSException raise] + 9 3 AppKit 0x00007fff334065ec -[NSWindow(NSWindow_Theme) _postWindowNeedsToResetDragMarginsUnlessPostingDisabled] + 310 4 AppKit 0x00007fff333ee052 -[NSWindow _initContent:styleMask:backing:defer:contentView:] + 1416 5 AppKit 0x00007fff335cedb5 -[NSPanel _initContent:styleMask:backing:defer:contentView:] + 50 6 AppKit 0x00007fff333edac3 -[NSWindow initWithContentRect:styleMask:backing:defer:] + 42 7 AppKit 0x00007fff335ced6a -[NSPanel initWithContentRect:styleMask:backing:defer:] + 64 8 AppKit 0x00007fff333ebaa9 -[NSWindowTemplate nibInstantiate] + 393 9 AppKit 0x00007fff333b5e46 -[NSIBObjectData instantiateObject:] + 253 10 AppKit 0x00007fff333b5500 -[NSIBObjectData nibInstantiateWithOwner:options:topLevelObjects:] + 534 11 AppKit 0x00007fff333a96d1 loadNib + 401 12 AppKit 0x00007fff333a8c92 +[NSBundle(NSNibLoading) _loadNibFile:nameTable:options:withZone:ownerBundle:] + 693 13 AppKit 0x00007fff333a88e8 -[NSBundle(NSNibLoading) loadNibNamed:owner:topLevelObjects:] + 201 14 AppKit 0x00007fff33771624 -[NSAlert init] + 101 15 Sequel Ace 0x000000010030aeb3 $sSo7NSAlertCABycfcTO + 19 16 Sequel Ace 0x000000010030ae8f $sSo7NSAlertCABycfC + 31 17 Sequel Ace 0x000000010030b4f1 $sSo7NSAlertC10Sequel_AceE18createWarningAlert5title7message8callbackySS_SSyycSgtFZ + 289 18 Sequel Ace 0x000000010030b913 $sSo7NSAlertC10Sequel_AceE18createWarningAlert5title7message8callbackySS_SSyycSgtFZTo + 291 19 Sequel Ace 0x00000001000f1e5b -[SPTablesList _addTableWithDetails:] + 3291 20 Sequel Ace 0x00000001002f0f34 -[SPNamedThread run:] + 148 21 Foundation 0x00007fff387f97a2 __NSThread__start__ + 1064 22 libsystem_pthread.dylib 0x0000000101140c65 _pthread_start + 148 23 libsystem_pthread.dylib 0x000000010113c4af thread_start + 15 ```
1.0
main thread error - dragging window - - Sequel Ace Version: main latest - macOS Version: 10.15.7 (19H2) - MySQL Version: any **Description** An uncaught exception was raised `NSWindow drag regions should only be invalidated on the Main Thread!` **Steps To Reproduce** 1. Alas, cannot recall. **Expected Behaviour** No crash **Is Issue Present in [Latest Beta](https://github.com/Sequel-Ace/Sequel-Ace/releases)? Yes **Additional Context** ``` 2020-11-01 00:07:43.228631+0800 Sequel Ace[39462:605414] [General] ( 0 CoreFoundation 0x00007fff361e3b57 __exceptionPreprocess + 250 1 libobjc.A.dylib 0x00007fff6f0765bf objc_exception_throw + 48 2 CoreFoundation 0x00007fff3620c34c -[NSException raise] + 9 3 AppKit 0x00007fff334065ec -[NSWindow(NSWindow_Theme) _postWindowNeedsToResetDragMarginsUnlessPostingDisabled] + 310 4 AppKit 0x00007fff333ee052 -[NSWindow _initContent:styleMask:backing:defer:contentView:] + 1416 5 AppKit 0x00007fff335cedb5 -[NSPanel _initContent:styleMask:backing:defer:contentView:] + 50 6 AppKit 0x00007fff333edac3 -[NSWindow initWithContentRect:styleMask:backing:defer:] + 42 7 AppKit 0x00007fff335ced6a -[NSPanel initWithContentRect:styleMask:backing:defer:] + 64 8 AppKit 0x00007fff333ebaa9 -[NSWindowTemplate nibInstantiate] + 393 9 AppKit 0x00007fff333b5e46 -[NSIBObjectData instantiateObject:] + 253 10 AppKit 0x00007fff333b5500 -[NSIBObjectData nibInstantiateWithOwner:options:topLevelObjects:] + 534 11 AppKit 0x00007fff333a96d1 loadNib + 401 12 AppKit 0x00007fff333a8c92 +[NSBundle(NSNibLoading) _loadNibFile:nameTable:options:withZone:ownerBundle:] + 693 13 AppKit 0x00007fff333a88e8 -[NSBundle(NSNibLoading) loadNibNamed:owner:topLevelObjects:] + 201 14 AppKit 0x00007fff33771624 -[NSAlert init] + 101 15 Sequel Ace 0x000000010030aeb3 $sSo7NSAlertCABycfcTO + 19 16 Sequel Ace 0x000000010030ae8f $sSo7NSAlertCABycfC + 31 17 Sequel Ace 0x000000010030b4f1 $sSo7NSAlertC10Sequel_AceE18createWarningAlert5title7message8callbackySS_SSyycSgtFZ + 289 18 Sequel Ace 0x000000010030b913 $sSo7NSAlertC10Sequel_AceE18createWarningAlert5title7message8callbackySS_SSyycSgtFZTo + 291 19 Sequel Ace 0x00000001000f1e5b -[SPTablesList _addTableWithDetails:] + 3291 20 Sequel Ace 0x00000001002f0f34 -[SPNamedThread run:] + 148 21 Foundation 0x00007fff387f97a2 __NSThread__start__ + 1064 22 libsystem_pthread.dylib 0x0000000101140c65 _pthread_start + 148 23 libsystem_pthread.dylib 0x000000010113c4af thread_start + 15 ```
priority
main thread error dragging window sequel ace version main latest macos version mysql version any description an uncaught exception was raised nswindow drag regions should only be invalidated on the main thread steps to reproduce alas cannot recall expected behaviour no crash is issue present in yes additional context sequel ace corefoundation exceptionpreprocess libobjc a dylib objc exception throw corefoundation appkit appkit appkit appkit appkit appkit appkit appkit appkit loadnib appkit appkit appkit sequel ace sequel ace sequel ace ssyycsgtfz sequel ace ssyycsgtfzto sequel ace sequel ace foundation nsthread start libsystem pthread dylib pthread start libsystem pthread dylib thread start
1
317,481
9,665,908,517
IssuesEvent
2019-05-21 09:34:18
pombase/canto
https://api.github.com/repos/pombase/canto
opened
Strain picker defaults to null value
PHI-Canto bug high priority
Possibly due to the changes in #1874, the strain picker on the gene confirmation page is now blank, rather than showing a default value: ![empty-strain-picker](https://user-images.githubusercontent.com/37659591/58084942-b6569200-7bb3-11e9-8f55-dfa5c62aebf9.PNG) Looking at the markup, it seems like the `<select>` element is somehow being assigned a null object as a value: ```html <option value="? object:null ?" selected="selected"></option> ``` No idea why this is happening at the moment; I'll investigate further.
1.0
Strain picker defaults to null value - Possibly due to the changes in #1874, the strain picker on the gene confirmation page is now blank, rather than showing a default value: ![empty-strain-picker](https://user-images.githubusercontent.com/37659591/58084942-b6569200-7bb3-11e9-8f55-dfa5c62aebf9.PNG) Looking at the markup, it seems like the `<select>` element is somehow being assigned a null object as a value: ```html <option value="? object:null ?" selected="selected"></option> ``` No idea why this is happening at the moment; I'll investigate further.
priority
strain picker defaults to null value possibly due to the changes in the strain picker on the gene confirmation page is now blank rather than showing a default value looking at the markup it seems like the element is somehow being assigned a null object as a value html no idea why this is happening at the moment i ll investigate further
1
13,674
2,610,278,693
IssuesEvent
2015-02-26 19:29:08
chrsmith/scribefire-chrome
https://api.github.com/repos/chrsmith/scribefire-chrome
closed
Options/ Preference Panel
auto-migrated Milestone-1.9 Priority-High Type-Enhancement
``` What new feature do you want? I seem to remember something like this in an older version. Perhaps not. But it would preferable at the application level and/or the blog accounts level. In particular, the latest edition (1.6) only posts in DRAFT mode for me. Even if this is a glitch to be fixed, it might be a "feature" some like to be able to turn on or off... as preferred personally. Other such features would good, including being able to actually edit a blog account when login information needs to be changed, and not have to delete and account and recreate it. That's just too old school. ``` ----- Original issue reported on code.google.com by `j...@nobledead.com` on 22 May 2011 at 2:13
1.0
Options/ Preference Panel - ``` What new feature do you want? I seem to remember something like this in an older version. Perhaps not. But it would preferable at the application level and/or the blog accounts level. In particular, the latest edition (1.6) only posts in DRAFT mode for me. Even if this is a glitch to be fixed, it might be a "feature" some like to be able to turn on or off... as preferred personally. Other such features would good, including being able to actually edit a blog account when login information needs to be changed, and not have to delete and account and recreate it. That's just too old school. ``` ----- Original issue reported on code.google.com by `j...@nobledead.com` on 22 May 2011 at 2:13
priority
options preference panel what new feature do you want i seem to remember something like this in an older version perhaps not but it would preferable at the application level and or the blog accounts level in particular the latest edition only posts in draft mode for me even if this is a glitch to be fixed it might be a feature some like to be able to turn on or off as preferred personally other such features would good including being able to actually edit a blog account when login information needs to be changed and not have to delete and account and recreate it that s just too old school original issue reported on code google com by j nobledead com on may at
1
756,714
26,482,724,252
IssuesEvent
2023-01-17 15:45:47
OpenApoc/OpenApoc
https://api.github.com/repos/OpenApoc/OpenApoc
closed
(No Agent object matching ID "AGENT_17") Transfer/Firing of Scientists causes a later crash
Duplicate !BUG! HIGH PRIORITY Verified / Replicated Cityscape Agent ID Error
Hello. Sorry for my english. Using translator. The game crashes with this message: ![2](https://user-images.githubusercontent.com/87769223/137281488-08725442-a86f-4e33-9810-d39e7ab6edda.png) ![3](https://user-images.githubusercontent.com/87769223/137281491-fd64d276-6215-47d7-91a7-0e47a9186a6f.png) ![4](https://user-images.githubusercontent.com/87769223/137281496-5b7d8fbe-9ac8-473b-807c-b6626f00bb74.png) ![1](https://user-images.githubusercontent.com/87769223/137281499-a651e91e-2b0b-413c-93e5-7377cb18d579.png) The game crashes after a while. I cannot understand at what moment. At the end of the work on the timer at about 8:55. I have no idea what event the game crashes. Here is the log and save [log.txt](https://github.com/OpenApoc/OpenApoc/files/7344470/log.txt) [save_Map 1.zip](https://github.com/OpenApoc/OpenApoc/files/7344487/save_Map.1.zip) Thank you very much for supporting this project. I'm waiting for the release. Good luck guys.
1.0
(No Agent object matching ID "AGENT_17") Transfer/Firing of Scientists causes a later crash - Hello. Sorry for my english. Using translator. The game crashes with this message: ![2](https://user-images.githubusercontent.com/87769223/137281488-08725442-a86f-4e33-9810-d39e7ab6edda.png) ![3](https://user-images.githubusercontent.com/87769223/137281491-fd64d276-6215-47d7-91a7-0e47a9186a6f.png) ![4](https://user-images.githubusercontent.com/87769223/137281496-5b7d8fbe-9ac8-473b-807c-b6626f00bb74.png) ![1](https://user-images.githubusercontent.com/87769223/137281499-a651e91e-2b0b-413c-93e5-7377cb18d579.png) The game crashes after a while. I cannot understand at what moment. At the end of the work on the timer at about 8:55. I have no idea what event the game crashes. Here is the log and save [log.txt](https://github.com/OpenApoc/OpenApoc/files/7344470/log.txt) [save_Map 1.zip](https://github.com/OpenApoc/OpenApoc/files/7344487/save_Map.1.zip) Thank you very much for supporting this project. I'm waiting for the release. Good luck guys.
priority
no agent object matching id agent transfer firing of scientists causes a later crash hello sorry for my english using translator the game crashes with this message the game crashes after a while i cannot understand at what moment at the end of the work on the timer at about i have no idea what event the game crashes here is the log and save thank you very much for supporting this project i m waiting for the release good luck guys
1
141,086
5,429,015,886
IssuesEvent
2017-03-03 17:17:37
pytorch/pytorch
https://api.github.com/repos/pytorch/pytorch
closed
torch.randperm does not respect TH_INDEX_BASE
dependency bug high priority
Currently, `torch.randperm(10)` returns ``` In [6]: torch.randperm(10) Out[6]: 2 3 7 4 9 8 5 6 1 0 [torch.LongTensor of size 10] ``` This is clearly wrong and unexpected behavior. Needs to return numbers in range [1, 10]
1.0
torch.randperm does not respect TH_INDEX_BASE - Currently, `torch.randperm(10)` returns ``` In [6]: torch.randperm(10) Out[6]: 2 3 7 4 9 8 5 6 1 0 [torch.LongTensor of size 10] ``` This is clearly wrong and unexpected behavior. Needs to return numbers in range [1, 10]
priority
torch randperm does not respect th index base currently torch randperm returns in torch randperm out this is clearly wrong and unexpected behavior needs to return numbers in range
1
596,507
18,105,052,309
IssuesEvent
2021-09-22 18:15:41
bennyboer/table-engine
https://api.github.com/repos/bennyboer/table-engine
closed
Editing callback for editable cell renderers
enhancement high priority
Currently the text renderer not really has a callback once the value has been edited.
1.0
Editing callback for editable cell renderers - Currently the text renderer not really has a callback once the value has been edited.
priority
editing callback for editable cell renderers currently the text renderer not really has a callback once the value has been edited
1
685,338
23,453,497,672
IssuesEvent
2022-08-16 06:38:44
Jguer/yay
https://api.github.com/repos/Jguer/yay
closed
The requested URL returned error: 419
Type: Bug Status: Confirmed Priority: High
`yay -S ros-noetic-desktop-full` returns the following error. ``` ... ros-noetic-desktop-full の取得時にエラー: Cloning into 'ros-noetic-desktop-full'... fatal: unable to access 'https://aur.archlinux.org/ros-noetic-desktop-full.git/': The requested URL returned error: 429 context: exit status 128 ros-noetic-compressed-depth-image-transport の取得時にエラー: Cloning into 'ros-noetic-compressed-depth-image-transport'... error: RPC failed; HTTP 429 curl 22 The requested URL returned error: 429 fatal: expected flush after ref listing context: exit status 128 ros-noetic-theora-image-transport の取得時にエラー: Cloning into 'ros-noetic-theora-image-transport'... fatal: unable to access 'https://aur.archlinux.org/ros-noetic-theora-image-transport.git/': The requested URL returned error: 429 context: exit status 128 ros-noetic-image-transport-plugins の取得時にエラー: Cloning into 'ros-noetic-image-transport-plugins'... fatal: unable to access 'https://aur.archlinux.org/ros-noetic-image-transport-plugins.git/': The requested URL returned error: 429 context: exit status 128 ros-noetic-image-common の取得時にエラー: Cloning into 'ros-noetic-image-common'... fatal: unable to access 'https://aur.archlinux.org/ros-noetic-image-common.git/': The requested URL returned error: 429 context: exit status 128 ros-noetic-image-publisher の取得時にエラー: Cloning into 'ros-noetic-image-publisher'... error: RPC failed; HTTP 429 curl 22 The requested URL returned error: 429 fatal: expected flush after ref listing context: exit status 128 ros-noetic-position-controllers の取得時にエラー: Cloning into 'ros-noetic-position-controllers'... fatal: unable to access 'https://aur.archlinux.org/ros-noetic-position-controllers.git/': The requested URL returned error: 429 context: exit status 128 ros-noetic-joint-limits-interface の取得時にエラー: Cloning into 'ros-noetic-joint-limits-interface'... error: RPC failed; HTTP 429 curl 22 The requested URL returned error: 429 fatal: expected flush after ref listing context: exit status 128 ... ``` How can I change the execution speed of the git clone command? Thank you.
1.0
The requested URL returned error: 419 - `yay -S ros-noetic-desktop-full` returns the following error. ``` ... ros-noetic-desktop-full の取得時にエラー: Cloning into 'ros-noetic-desktop-full'... fatal: unable to access 'https://aur.archlinux.org/ros-noetic-desktop-full.git/': The requested URL returned error: 429 context: exit status 128 ros-noetic-compressed-depth-image-transport の取得時にエラー: Cloning into 'ros-noetic-compressed-depth-image-transport'... error: RPC failed; HTTP 429 curl 22 The requested URL returned error: 429 fatal: expected flush after ref listing context: exit status 128 ros-noetic-theora-image-transport の取得時にエラー: Cloning into 'ros-noetic-theora-image-transport'... fatal: unable to access 'https://aur.archlinux.org/ros-noetic-theora-image-transport.git/': The requested URL returned error: 429 context: exit status 128 ros-noetic-image-transport-plugins の取得時にエラー: Cloning into 'ros-noetic-image-transport-plugins'... fatal: unable to access 'https://aur.archlinux.org/ros-noetic-image-transport-plugins.git/': The requested URL returned error: 429 context: exit status 128 ros-noetic-image-common の取得時にエラー: Cloning into 'ros-noetic-image-common'... fatal: unable to access 'https://aur.archlinux.org/ros-noetic-image-common.git/': The requested URL returned error: 429 context: exit status 128 ros-noetic-image-publisher の取得時にエラー: Cloning into 'ros-noetic-image-publisher'... error: RPC failed; HTTP 429 curl 22 The requested URL returned error: 429 fatal: expected flush after ref listing context: exit status 128 ros-noetic-position-controllers の取得時にエラー: Cloning into 'ros-noetic-position-controllers'... fatal: unable to access 'https://aur.archlinux.org/ros-noetic-position-controllers.git/': The requested URL returned error: 429 context: exit status 128 ros-noetic-joint-limits-interface の取得時にエラー: Cloning into 'ros-noetic-joint-limits-interface'... error: RPC failed; HTTP 429 curl 22 The requested URL returned error: 429 fatal: expected flush after ref listing context: exit status 128 ... ``` How can I change the execution speed of the git clone command? Thank you.
priority
the requested url returned error yay s ros noetic desktop full returns the following error ros noetic desktop full の取得時にエラー cloning into ros noetic desktop full fatal unable to access the requested url returned error context exit status ros noetic compressed depth image transport の取得時にエラー cloning into ros noetic compressed depth image transport error rpc failed http curl the requested url returned error fatal expected flush after ref listing context exit status ros noetic theora image transport の取得時にエラー cloning into ros noetic theora image transport fatal unable to access the requested url returned error context exit status ros noetic image transport plugins の取得時にエラー cloning into ros noetic image transport plugins fatal unable to access the requested url returned error context exit status ros noetic image common の取得時にエラー cloning into ros noetic image common fatal unable to access the requested url returned error context exit status ros noetic image publisher の取得時にエラー cloning into ros noetic image publisher error rpc failed http curl the requested url returned error fatal expected flush after ref listing context exit status ros noetic position controllers の取得時にエラー cloning into ros noetic position controllers fatal unable to access the requested url returned error context exit status ros noetic joint limits interface の取得時にエラー cloning into ros noetic joint limits interface error rpc failed http curl the requested url returned error fatal expected flush after ref listing context exit status how can i change the execution speed of the git clone command thank you
1
363,275
10,740,686,817
IssuesEvent
2019-10-29 18:40:55
SIGBlockchain/project_red
https://api.github.com/repos/SIGBlockchain/project_red
closed
Send Aurum Fields
Priority: High Type: Enhancement Type: Send Aurum good first issue
Where: **SendAurumRow** Create the TextFields and Labels that will be used when users want to send Aurum to another user. **Send To** and **Amount** Labels with their TextField and the **Send** Button. Put Fields, Labels and Button into the grid. Preferably in the third row right below the row containing the user information TextFields. A Label is **not** needed for the Send Button. Text can be placed in the Button through its constructor. - [x] Send To TextField + Label - [x] Amount TextField + Label - [x] Send Button - [x] All placed on grid - [x] Successfully displayed Additional sources: Look at the grid box example to get an idea of how to use https://blog.idrsolutions.com/2015/07/an-introduction-to-javafx-panes-with-code-examples/ https://www.tutorialspoint.com/javafx/layout_gridpane.htm Refer to visual <img width="873" alt="aurumGui" src="https://user-images.githubusercontent.com/43687517/66720015-cd915880-edbc-11e9-9d50-b86d9a82b897.PNG">
1.0
Send Aurum Fields - Where: **SendAurumRow** Create the TextFields and Labels that will be used when users want to send Aurum to another user. **Send To** and **Amount** Labels with their TextField and the **Send** Button. Put Fields, Labels and Button into the grid. Preferably in the third row right below the row containing the user information TextFields. A Label is **not** needed for the Send Button. Text can be placed in the Button through its constructor. - [x] Send To TextField + Label - [x] Amount TextField + Label - [x] Send Button - [x] All placed on grid - [x] Successfully displayed Additional sources: Look at the grid box example to get an idea of how to use https://blog.idrsolutions.com/2015/07/an-introduction-to-javafx-panes-with-code-examples/ https://www.tutorialspoint.com/javafx/layout_gridpane.htm Refer to visual <img width="873" alt="aurumGui" src="https://user-images.githubusercontent.com/43687517/66720015-cd915880-edbc-11e9-9d50-b86d9a82b897.PNG">
priority
send aurum fields where sendaurumrow create the textfields and labels that will be used when users want to send aurum to another user send to and amount labels with their textfield and the send button put fields labels and button into the grid preferably in the third row right below the row containing the user information textfields a label is not needed for the send button text can be placed in the button through its constructor send to textfield label amount textfield label send button all placed on grid successfully displayed additional sources look at the grid box example to get an idea of how to use refer to visual img width alt aurumgui src
1
343,040
10,324,741,238
IssuesEvent
2019-09-01 11:54:41
AIcrowd/AIcrowd
https://api.github.com/repos/AIcrowd/AIcrowd
closed
Teams
High Priority
_From @seanfcarroll on September 28, 2017 08:40_ An optional team name field will be added to the participant profile, with one team possible for each challenge. A team is created by filling this field in, which then generates a new API key for the team. Any team member can submit using the team API key, but only the leader can recycle it. Teams will appear in a new tab on each participant's profile. The primary team leader can then invite other users to become members of the team via their crowdAI username. A team leader can eject team members. A section will be added the to-be-written FAQ about rules for teams. _Copied from original issue: crowdAI/crowdai#325_
1.0
Teams - _From @seanfcarroll on September 28, 2017 08:40_ An optional team name field will be added to the participant profile, with one team possible for each challenge. A team is created by filling this field in, which then generates a new API key for the team. Any team member can submit using the team API key, but only the leader can recycle it. Teams will appear in a new tab on each participant's profile. The primary team leader can then invite other users to become members of the team via their crowdAI username. A team leader can eject team members. A section will be added the to-be-written FAQ about rules for teams. _Copied from original issue: crowdAI/crowdai#325_
priority
teams from seanfcarroll on september an optional team name field will be added to the participant profile with one team possible for each challenge a team is created by filling this field in which then generates a new api key for the team any team member can submit using the team api key but only the leader can recycle it teams will appear in a new tab on each participant s profile the primary team leader can then invite other users to become members of the team via their crowdai username a team leader can eject team members a section will be added the to be written faq about rules for teams copied from original issue crowdai crowdai
1
297,611
9,179,289,680
IssuesEvent
2019-03-05 02:33:25
ampproject/amphtml
https://api.github.com/repos/ampproject/amphtml
closed
Temporarily add `allow=autoplay` for certain video players, remove from `amp-iframe`
Category: Audio&Video P1: High Priority Type: Bug
Get get around https://bugs.chromium.org/p/chromium/issues/detail?id=925331 regression to fix https://github.com/ampproject/amphtml/issues/21188, until UXv2 is launched in M74 (see https://github.com/ampproject/amphtml/issues/21240) we need to set `allow=autoplay` on players that we know won't be bad actors (e.g. play audio with sound). There is also a viewer part to this tracked separately. For now we should: - disable `allow=autoplay` on `amp-iframe` and `amp-ad` - allow it on YT and IMA. This change must be reverted when M74 hits productions and https://github.com/ampproject/amphtml/issues/2118 is in place.
1.0
Temporarily add `allow=autoplay` for certain video players, remove from `amp-iframe` - Get get around https://bugs.chromium.org/p/chromium/issues/detail?id=925331 regression to fix https://github.com/ampproject/amphtml/issues/21188, until UXv2 is launched in M74 (see https://github.com/ampproject/amphtml/issues/21240) we need to set `allow=autoplay` on players that we know won't be bad actors (e.g. play audio with sound). There is also a viewer part to this tracked separately. For now we should: - disable `allow=autoplay` on `amp-iframe` and `amp-ad` - allow it on YT and IMA. This change must be reverted when M74 hits productions and https://github.com/ampproject/amphtml/issues/2118 is in place.
priority
temporarily add allow autoplay for certain video players remove from amp iframe get get around regression to fix until is launched in see we need to set allow autoplay on players that we know won t be bad actors e g play audio with sound there is also a viewer part to this tracked separately for now we should disable allow autoplay on amp iframe and amp ad allow it on yt and ima this change must be reverted when hits productions and is in place
1
602,980
18,520,444,475
IssuesEvent
2021-10-20 14:33:58
AY2122S1-CS2103T-T11-2/tp
https://api.github.com/repos/AY2122S1-CS2103T-T11-2/tp
opened
Implement slideshow functionality
type.Enhancement priority.High
Implement a slideshow that displays flashcards to users one by one Commands to be included are: - Slideshow (Starts slideshow) - Next (Moves current slide to next flashcard) - Previous (Moves current slide to previous flashcard) - Answer (Allows user to key in an answer for the currently displayed flashcard on the slideshow) - End (Exits the slideshow)
1.0
Implement slideshow functionality - Implement a slideshow that displays flashcards to users one by one Commands to be included are: - Slideshow (Starts slideshow) - Next (Moves current slide to next flashcard) - Previous (Moves current slide to previous flashcard) - Answer (Allows user to key in an answer for the currently displayed flashcard on the slideshow) - End (Exits the slideshow)
priority
implement slideshow functionality implement a slideshow that displays flashcards to users one by one commands to be included are slideshow starts slideshow next moves current slide to next flashcard previous moves current slide to previous flashcard answer allows user to key in an answer for the currently displayed flashcard on the slideshow end exits the slideshow
1
770,986
27,064,126,625
IssuesEvent
2023-02-13 22:23:50
clt313/SuperballVR
https://api.github.com/repos/clt313/SuperballVR
closed
Improve game physics
priority: high
As of alpha, the ball is difficult to hit reliably. We probably need a script to reflect the ball properly.
1.0
Improve game physics - As of alpha, the ball is difficult to hit reliably. We probably need a script to reflect the ball properly.
priority
improve game physics as of alpha the ball is difficult to hit reliably we probably need a script to reflect the ball properly
1
803,821
29,190,672,757
IssuesEvent
2023-05-19 19:39:06
hackforla/expunge-assist
https://api.github.com/repos/hackforla/expunge-assist
closed
Fix hyperlinking Before you begin
bug priority: high role: UX content writing size: 1pt feature: figma content writing
### Overview Dev left a question for us on this issue: https://github.com/hackforla/expunge-assist/pull/912 ### Action Items - [ ] Review error - [ ] Iterate solutions - [ ] Discuss in team - [ ] Message @SamHyler on slack to review - [ ] Finalize - [ ] Handover to Dev ### Resources/Instructions
1.0
Fix hyperlinking Before you begin - ### Overview Dev left a question for us on this issue: https://github.com/hackforla/expunge-assist/pull/912 ### Action Items - [ ] Review error - [ ] Iterate solutions - [ ] Discuss in team - [ ] Message @SamHyler on slack to review - [ ] Finalize - [ ] Handover to Dev ### Resources/Instructions
priority
fix hyperlinking before you begin overview dev left a question for us on this issue action items review error iterate solutions discuss in team message samhyler on slack to review finalize handover to dev resources instructions
1
624,301
19,693,623,316
IssuesEvent
2022-01-12 09:51:04
dhowe/annograms
https://api.github.com/repos/dhowe/annograms
closed
Repeated tokens in display (lazy)
priority: High
not sure what is causing this, but seems to be a new problem (pre-#14) ![image](https://user-images.githubusercontent.com/737638/148568419-126c3818-cfc5-4666-8133-d332412e565c.png)
1.0
Repeated tokens in display (lazy) - not sure what is causing this, but seems to be a new problem (pre-#14) ![image](https://user-images.githubusercontent.com/737638/148568419-126c3818-cfc5-4666-8133-d332412e565c.png)
priority
repeated tokens in display lazy not sure what is causing this but seems to be a new problem pre
1
31,754
2,736,726,869
IssuesEvent
2015-04-19 18:25:11
DDMAL/Rodan
https://api.github.com/repos/DDMAL/Rodan
closed
Running workflow when workflow contains errors
Location: Client Priority: High Type: Bug
I built a work flow to first greyscale and then use the "shading" algorithm for binarization, however I forgot to add any pictures. Then I built a second work flow where I accidentally put the Abutaleb binarization method BEFORE the greyscalling. Theoretically, either of these should have produced an error message. However, when I tried to run the workflow from the "Results" tab, neither would run at all. I fixed the second workflow, and they still didn't run. Then I fixed the first workflow, and they started working. Not sure what is throwing these off...
1.0
Running workflow when workflow contains errors - I built a work flow to first greyscale and then use the "shading" algorithm for binarization, however I forgot to add any pictures. Then I built a second work flow where I accidentally put the Abutaleb binarization method BEFORE the greyscalling. Theoretically, either of these should have produced an error message. However, when I tried to run the workflow from the "Results" tab, neither would run at all. I fixed the second workflow, and they still didn't run. Then I fixed the first workflow, and they started working. Not sure what is throwing these off...
priority
running workflow when workflow contains errors i built a work flow to first greyscale and then use the shading algorithm for binarization however i forgot to add any pictures then i built a second work flow where i accidentally put the abutaleb binarization method before the greyscalling theoretically either of these should have produced an error message however when i tried to run the workflow from the results tab neither would run at all i fixed the second workflow and they still didn t run then i fixed the first workflow and they started working not sure what is throwing these off
1
609,713
18,885,395,073
IssuesEvent
2021-11-15 07:05:44
GluuFederation/gluu-passport
https://api.github.com/repos/GluuFederation/gluu-passport
opened
logging "dateTime" test is misplaced and has no action trigger
bug high-priority
```js it('should log currect datetime', async () => { const passportLogFilePath = path.join(__dirname, '../server/utils/logs/passport.log') console.log(passportLogFilePath) const logData = await fs.readFile(passportLogFilePath, 'binary') const newDate = new Date() // YYYY-MM-DD HH const currentDateTimeTillHour = `${newDate.getFullYear()}-${('0' + (newDate.getMonth() + 1)).slice(-2)}-${newDate.getDate()} ${newDate.getHours()}` assert(logData.includes(currentDateTimeTillHour)) }) ``` This test needs to be rewritten. If that's the approach: 1. it should be an placed in an integration test, not an unit test 2. `assert.include` should be used, to ensure proper assertion messages from `chai` 3. there should be an action trigger [ ] - Backport 4.2.4 [ ] - Master
1.0
logging "dateTime" test is misplaced and has no action trigger - ```js it('should log currect datetime', async () => { const passportLogFilePath = path.join(__dirname, '../server/utils/logs/passport.log') console.log(passportLogFilePath) const logData = await fs.readFile(passportLogFilePath, 'binary') const newDate = new Date() // YYYY-MM-DD HH const currentDateTimeTillHour = `${newDate.getFullYear()}-${('0' + (newDate.getMonth() + 1)).slice(-2)}-${newDate.getDate()} ${newDate.getHours()}` assert(logData.includes(currentDateTimeTillHour)) }) ``` This test needs to be rewritten. If that's the approach: 1. it should be an placed in an integration test, not an unit test 2. `assert.include` should be used, to ensure proper assertion messages from `chai` 3. there should be an action trigger [ ] - Backport 4.2.4 [ ] - Master
priority
logging datetime test is misplaced and has no action trigger js it should log currect datetime async const passportlogfilepath path join dirname server utils logs passport log console log passportlogfilepath const logdata await fs readfile passportlogfilepath binary const newdate new date yyyy mm dd hh const currentdatetimetillhour newdate getfullyear newdate getmonth slice newdate getdate newdate gethours assert logdata includes currentdatetimetillhour this test needs to be rewritten if that s the approach it should be an placed in an integration test not an unit test assert include should be used to ensure proper assertion messages from chai there should be an action trigger backport master
1
738,463
25,561,114,216
IssuesEvent
2022-11-30 10:50:18
Hexlet/hexlet-cv
https://api.github.com/repos/Hexlet/hexlet-cv
closed
Add field
good first issue hacktoberfest-accepted Priority: High
Add field: 1. City/Город; 2. Relocation/Релокация: - Ready in the country of residence/Готов в рамках страны проживания - Not ready/Не готов - Ready to go to another country/Готов в другую страну ![telegram-cloud-photo-size-2-5390888249968411343-y](https://user-images.githubusercontent.com/77053797/198221637-b04ef948-184a-4f40-b483-2480bdf9d210.jpg)
1.0
Add field - Add field: 1. City/Город; 2. Relocation/Релокация: - Ready in the country of residence/Готов в рамках страны проживания - Not ready/Не готов - Ready to go to another country/Готов в другую страну ![telegram-cloud-photo-size-2-5390888249968411343-y](https://user-images.githubusercontent.com/77053797/198221637-b04ef948-184a-4f40-b483-2480bdf9d210.jpg)
priority
add field add field city город relocation релокация ready in the country of residence готов в рамках страны проживания not ready не готов ready to go to another country готов в другую страну
1
555,325
16,451,776,468
IssuesEvent
2021-05-21 07:01:46
openshift/odo
https://api.github.com/repos/openshift/odo
closed
Move from using master branch to main branch
points/3 priority/High
We should move odo project to using `main` branch instead of the `master` branch that it's currently using.
1.0
Move from using master branch to main branch - We should move odo project to using `main` branch instead of the `master` branch that it's currently using.
priority
move from using master branch to main branch we should move odo project to using main branch instead of the master branch that it s currently using
1
700,607
24,066,701,996
IssuesEvent
2022-09-17 15:44:48
CS3219-AY2223S1/cs3219-project-ay2223s1-g33
https://api.github.com/repos/CS3219-AY2223S1/cs3219-project-ay2223s1-g33
closed
[Question Service] Add gRPC API Endpoint
Module/Back-End Status/High-Priority Type/Feature
### Description This feature adds an API to do the following - [ ] Creating a Question - [ ] Getting a Question - [ ] Deleting a Question - [ ] Retrieve a random single question based on the difficulty ## Parent Task - #68
1.0
[Question Service] Add gRPC API Endpoint - ### Description This feature adds an API to do the following - [ ] Creating a Question - [ ] Getting a Question - [ ] Deleting a Question - [ ] Retrieve a random single question based on the difficulty ## Parent Task - #68
priority
add grpc api endpoint description this feature adds an api to do the following creating a question getting a question deleting a question retrieve a random single question based on the difficulty parent task
1
471,374
13,565,702,375
IssuesEvent
2020-09-18 12:09:42
onaio/reveal-frontend
https://api.github.com/repos/onaio/reveal-frontend
closed
RVL-1181 - Plan Monitor Page Indicators are not displaying
Priority: High
- [ ] The indicators on the monitor page are not showing for some plans. See the screenshot below: ![image](https://user-images.githubusercontent.com/5908630/93589030-ec2ca600-f9b4-11ea-81d8-bc0a57bf4350.png)
1.0
RVL-1181 - Plan Monitor Page Indicators are not displaying - - [ ] The indicators on the monitor page are not showing for some plans. See the screenshot below: ![image](https://user-images.githubusercontent.com/5908630/93589030-ec2ca600-f9b4-11ea-81d8-bc0a57bf4350.png)
priority
rvl plan monitor page indicators are not displaying the indicators on the monitor page are not showing for some plans see the screenshot below
1
477,543
13,764,241,367
IssuesEvent
2020-10-07 11:46:59
AY2021S1-CS2103T-T13-1/tp
https://api.github.com/repos/AY2021S1-CS2103T-T13-1/tp
closed
View functionality fix
Implementation bug priority.High
It was noticed that the GUI doesn't display correctly. Quarantined and Infected lists are not displayed when the current list being displayed is the Locations list. We need to figure out why
1.0
View functionality fix - It was noticed that the GUI doesn't display correctly. Quarantined and Infected lists are not displayed when the current list being displayed is the Locations list. We need to figure out why
priority
view functionality fix it was noticed that the gui doesn t display correctly quarantined and infected lists are not displayed when the current list being displayed is the locations list we need to figure out why
1
95,057
3,933,562,835
IssuesEvent
2016-04-25 19:34:11
ghutchis/avogadro
https://api.github.com/repos/ghutchis/avogadro
closed
Can't write multi-molecule file to new filename
auto-migrated high priority Interface v_0.9.0
If you open a current file to edit, you cannot "Save As" to a new filename. The file is always saved to the original filename. Reported by: @ghutchis
1.0
Can't write multi-molecule file to new filename - If you open a current file to edit, you cannot "Save As" to a new filename. The file is always saved to the original filename. Reported by: @ghutchis
priority
can t write multi molecule file to new filename if you open a current file to edit you cannot save as to a new filename the file is always saved to the original filename reported by ghutchis
1
812,512
30,339,133,841
IssuesEvent
2023-07-11 11:35:42
4paradigm/OpenMLDB
https://api.github.com/repos/4paradigm/OpenMLDB
closed
Allow non-empty tables for deploy
enhancement high-priority
**Is your feature request related to a problem? Please describe.** For now, we do not allow `deploy` if there is already some data in the related tables. **Describe the solution you'd like** After automatically adding indexes, we scan all the data and update the newly-added indexes
1.0
Allow non-empty tables for deploy - **Is your feature request related to a problem? Please describe.** For now, we do not allow `deploy` if there is already some data in the related tables. **Describe the solution you'd like** After automatically adding indexes, we scan all the data and update the newly-added indexes
priority
allow non empty tables for deploy is your feature request related to a problem please describe for now we do not allow deploy if there is already some data in the related tables describe the solution you d like after automatically adding indexes we scan all the data and update the newly added indexes
1
340,659
10,276,926,391
IssuesEvent
2019-08-24 22:11:40
wix/wix-style-react
https://api.github.com/repos/wix/wix-style-react
closed
<Dropdown/> - support mobile native control
Dropdown Mobile Web Priority:High type:feature
<!-- Thanks for reporting an issue 😄 to `wix-style-react`! Before you submit, please search open / closed issues before submitting, since someone else might have asked the same thing before. --> # ✨ Feature Request ### 🔦 Scope <!--- Tell us what is the scope of the feature you'd like to request. Is it about an exisitng component? It is a new component? Bahvior change? --> When using WSR in Mobile view - dropdown should not use popover and use native dropdown behaviour - e.g - ![image](https://user-images.githubusercontent.com/24541325/55314663-45c4ac00-5473-11e9-9758-cb4bfe4528bb.png) ### 💁 Explanation <!--- Tell us how the new feature would work. --> <Dropdown> should check running context (mobile) and use control accordingly ### 🐾 Possible solution <!-- optional --> <!--- Suggest ideas how to implement the addition or change --> ... ### 👀 Severity <!--- Try to reflect how sever the issue is in general. Pick the most relevant one. --> - Critical / Major / Low
1.0
<Dropdown/> - support mobile native control - <!-- Thanks for reporting an issue 😄 to `wix-style-react`! Before you submit, please search open / closed issues before submitting, since someone else might have asked the same thing before. --> # ✨ Feature Request ### 🔦 Scope <!--- Tell us what is the scope of the feature you'd like to request. Is it about an exisitng component? It is a new component? Bahvior change? --> When using WSR in Mobile view - dropdown should not use popover and use native dropdown behaviour - e.g - ![image](https://user-images.githubusercontent.com/24541325/55314663-45c4ac00-5473-11e9-9758-cb4bfe4528bb.png) ### 💁 Explanation <!--- Tell us how the new feature would work. --> <Dropdown> should check running context (mobile) and use control accordingly ### 🐾 Possible solution <!-- optional --> <!--- Suggest ideas how to implement the addition or change --> ... ### 👀 Severity <!--- Try to reflect how sever the issue is in general. Pick the most relevant one. --> - Critical / Major / Low
priority
support mobile native control thanks for reporting an issue 😄 to wix style react before you submit please search open closed issues before submitting since someone else might have asked the same thing before ✨ feature request 🔦 scope tell us what is the scope of the feature you d like to request is it about an exisitng component it is a new component bahvior change when using wsr in mobile view dropdown should not use popover and use native dropdown behaviour e g 💁 explanation tell us how the new feature would work should check running context mobile and use control accordingly 🐾 possible solution suggest ideas how to implement the addition or change 👀 severity try to reflect how sever the issue is in general pick the most relevant one critical major low
1
650,642
21,411,719,143
IssuesEvent
2022-04-22 06:53:42
opencrvs/opencrvs-core
https://api.github.com/repos/opencrvs/opencrvs-core
closed
Remove Performance Operational Roles
💅 Waiting For Review Priority: high
**Bug Description:** Role types: Performance Oversight is not active roles in the system and need to be removed **Steps to reproduce:** 1. Login as local/ national system admin 2. Go to team 3. Click new user 4. Observe Role drop down **Actual result:** Shows Performance Oversight **Expected Result:** should not show Performance Oversight **Screenshot:** ![per mang_ oversight.png](https://images.zenhubusercontent.com/61920d086b30792f101fb9a3/dcfba7dd-a34f-403b-83c5-464af9d69505) **Tested on:** https://register.farajaland-qa.opencrvs.org/ **Device:** Desktop
1.0
Remove Performance Operational Roles - **Bug Description:** Role types: Performance Oversight is not active roles in the system and need to be removed **Steps to reproduce:** 1. Login as local/ national system admin 2. Go to team 3. Click new user 4. Observe Role drop down **Actual result:** Shows Performance Oversight **Expected Result:** should not show Performance Oversight **Screenshot:** ![per mang_ oversight.png](https://images.zenhubusercontent.com/61920d086b30792f101fb9a3/dcfba7dd-a34f-403b-83c5-464af9d69505) **Tested on:** https://register.farajaland-qa.opencrvs.org/ **Device:** Desktop
priority
remove performance operational roles bug description role types performance oversight is not active roles in the system and need to be removed steps to reproduce login as local national system admin go to team click new user observe role drop down actual result shows performance oversight expected result should not show performance oversight screenshot tested on device desktop
1
819,452
30,736,344,246
IssuesEvent
2023-07-28 07:58:16
interledger/testnet
https://api.github.com/repos/interledger/testnet
closed
Implement cross-currency transactions
package: wallet/backend priority: high
We need to have in place cross currency transactions in testnet. Ex. USD-EUR Rafiki rates file needs to be updated with many more currencies.
1.0
Implement cross-currency transactions - We need to have in place cross currency transactions in testnet. Ex. USD-EUR Rafiki rates file needs to be updated with many more currencies.
priority
implement cross currency transactions we need to have in place cross currency transactions in testnet ex usd eur rafiki rates file needs to be updated with many more currencies
1
451,039
13,023,382,497
IssuesEvent
2020-07-27 09:54:24
localstack/localstack
https://api.github.com/repos/localstack/localstack
closed
RDS Restoring from Snapshot is failing
PRO priority-high
<!-- Love localstack? Please consider supporting our collective: 👉 https://opencollective.com/localstack/donate --> # Type of request: This is a ... [x ] bug report [ ] feature request # Detailed description We're currently trying to write a small script which will create and restore snapshots. Currently, creating snapshots seems to work, but restoring is not. I'm a paid user, but unfortunately I can't see the source and see if this is implemented or not, I'm not sure where this is documented. ## Expected behavior The RDS is restored ## Actual behavior ``` Unable to parse response (syntax error: line 1, column 54), invalid XML received: b'<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 3.2 Final//EN">\n<title>500 Internal Server Error</title>\n<h1>Internal Server Error</h1>\n<p>The server encountered an internal error and was unable to complete your request. Either the server is overloaded or there is an error in the application.</p>\n' ``` # Steps to reproduce ## Command used to start LocalStack SERVICES=s3,rds localstack start ## Client code (AWS SDK code snippet, or sequence of "awslocal" commands) awslocal rds create-db-instance --db-instance-identifier db2 --db-instance-class c1 --engine postgres awslocal rds create-db-snapshot --db-snapshot-identifier db2-snapshot --db-instance-identifier db2 awslocal rds restore-db-instance-from-db-snapshot --db-instance-identifier db2-restore --db-snapshot-identifier db2-snapshot
1.0
RDS Restoring from Snapshot is failing - <!-- Love localstack? Please consider supporting our collective: 👉 https://opencollective.com/localstack/donate --> # Type of request: This is a ... [x ] bug report [ ] feature request # Detailed description We're currently trying to write a small script which will create and restore snapshots. Currently, creating snapshots seems to work, but restoring is not. I'm a paid user, but unfortunately I can't see the source and see if this is implemented or not, I'm not sure where this is documented. ## Expected behavior The RDS is restored ## Actual behavior ``` Unable to parse response (syntax error: line 1, column 54), invalid XML received: b'<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 3.2 Final//EN">\n<title>500 Internal Server Error</title>\n<h1>Internal Server Error</h1>\n<p>The server encountered an internal error and was unable to complete your request. Either the server is overloaded or there is an error in the application.</p>\n' ``` # Steps to reproduce ## Command used to start LocalStack SERVICES=s3,rds localstack start ## Client code (AWS SDK code snippet, or sequence of "awslocal" commands) awslocal rds create-db-instance --db-instance-identifier db2 --db-instance-class c1 --engine postgres awslocal rds create-db-snapshot --db-snapshot-identifier db2-snapshot --db-instance-identifier db2 awslocal rds restore-db-instance-from-db-snapshot --db-instance-identifier db2-restore --db-snapshot-identifier db2-snapshot
priority
rds restoring from snapshot is failing love localstack please consider supporting our collective 👉 type of request this is a bug report feature request detailed description we re currently trying to write a small script which will create and restore snapshots currently creating snapshots seems to work but restoring is not i m a paid user but unfortunately i can t see the source and see if this is implemented or not i m not sure where this is documented expected behavior the rds is restored actual behavior unable to parse response syntax error line column invalid xml received b n internal server error n internal server error n the server encountered an internal error and was unable to complete your request either the server is overloaded or there is an error in the application n steps to reproduce command used to start localstack services rds localstack start client code aws sdk code snippet or sequence of awslocal commands awslocal rds create db instance db instance identifier db instance class engine postgres awslocal rds create db snapshot db snapshot identifier snapshot db instance identifier awslocal rds restore db instance from db snapshot db instance identifier restore db snapshot identifier snapshot
1
28,586
2,707,965,332
IssuesEvent
2015-04-08 04:11:39
cs2103jan2015-w13-4j/main
https://api.github.com/repos/cs2103jan2015-w13-4j/main
closed
Implement hotkeys for certain actions
priority.high
So that users are able to use the software more smoothly. An example would be users being able to directly use the Enter button to enter commands in the command line interface, or to use 'Ctrl' + 'A' keys to add a new task.
1.0
Implement hotkeys for certain actions - So that users are able to use the software more smoothly. An example would be users being able to directly use the Enter button to enter commands in the command line interface, or to use 'Ctrl' + 'A' keys to add a new task.
priority
implement hotkeys for certain actions so that users are able to use the software more smoothly an example would be users being able to directly use the enter button to enter commands in the command line interface or to use ctrl a keys to add a new task
1
124,622
4,928,443,904
IssuesEvent
2016-11-27 09:59:35
tgstation/tgstation
https://api.github.com/repos/tgstation/tgstation
closed
Highlander Bug:Everyone is the only left standing
Bug Priority: High
![AHH](http://puu.sh/s3ECb/16a9354fb0.png) And then we were treated to 19 last man standing oggs played simultaneously. @Xhuis
1.0
Highlander Bug:Everyone is the only left standing - ![AHH](http://puu.sh/s3ECb/16a9354fb0.png) And then we were treated to 19 last man standing oggs played simultaneously. @Xhuis
priority
highlander bug everyone is the only left standing and then we were treated to last man standing oggs played simultaneously xhuis
1
237,817
7,765,611,971
IssuesEvent
2018-06-02 05:48:15
the-blue-alliance/the-blue-alliance-ios
https://api.github.com/repos/the-blue-alliance/the-blue-alliance-ios
closed
Team @ Event Summary
high priority
Data model might need updating so that we can have the `/team/{team_key}/event/{event_key}/status` endpoint https://github.com/the-blue-alliance/the-blue-alliance-android/blob/master/android/src/main/java/com/thebluealliance/androidclient/fragments/teamAtEvent/TeamAtEventSummaryFragment.java ![virtualbox_android_19_04_2018_19_23_39](https://user-images.githubusercontent.com/516458/39023770-a45e8594-440a-11e8-8acd-c7b1b9193fdf.png)
1.0
Team @ Event Summary - Data model might need updating so that we can have the `/team/{team_key}/event/{event_key}/status` endpoint https://github.com/the-blue-alliance/the-blue-alliance-android/blob/master/android/src/main/java/com/thebluealliance/androidclient/fragments/teamAtEvent/TeamAtEventSummaryFragment.java ![virtualbox_android_19_04_2018_19_23_39](https://user-images.githubusercontent.com/516458/39023770-a45e8594-440a-11e8-8acd-c7b1b9193fdf.png)
priority
team event summary data model might need updating so that we can have the team team key event event key status endpoint
1
798,828
28,299,850,944
IssuesEvent
2023-04-10 04:26:09
beda-software/fhir-emr
https://api.github.com/repos/beda-software/fhir-emr
closed
Convert Questionnaire and QuestionnaireResponse
Priority::High
Add functions to convert Questionnaire and QuestionnaireResponse from Aidbox to FHIR format and back: - from FHIR QuestionnaireResponse to Aidbox FHIRQuestionnaireResponse; - from Aidbox FHIRQuestionnaireResponse to FHIR QuestionnaireResponse; - from Aidbox Questionnaire to FHIR Questionnaire https://github.com/beda-software/fhir-emr/blob/104-profile/shared/src/utils/fce.ts#L502
1.0
Convert Questionnaire and QuestionnaireResponse - Add functions to convert Questionnaire and QuestionnaireResponse from Aidbox to FHIR format and back: - from FHIR QuestionnaireResponse to Aidbox FHIRQuestionnaireResponse; - from Aidbox FHIRQuestionnaireResponse to FHIR QuestionnaireResponse; - from Aidbox Questionnaire to FHIR Questionnaire https://github.com/beda-software/fhir-emr/blob/104-profile/shared/src/utils/fce.ts#L502
priority
convert questionnaire and questionnaireresponse add functions to convert questionnaire and questionnaireresponse from aidbox to fhir format and back from fhir questionnaireresponse to aidbox fhirquestionnaireresponse from aidbox fhirquestionnaireresponse to fhir questionnaireresponse from aidbox questionnaire to fhir questionnaire
1
481,662
13,889,815,325
IssuesEvent
2020-10-19 08:25:58
canonical-web-and-design/ubuntu.com
https://api.github.com/repos/canonical-web-and-design/ubuntu.com
closed
[COPY UPDATE] index.html - "MicroStack - OpenStack in a snap"
Priority: High
Please update index.html - "MicroStack - OpenStack in a snap" from the [copy doc](https://docs.google.com/document/d/1-QO5zAclj469qGvFmNJBjQ_qqI_T_uliwj6mAo8ZbCs/edit?usp=drivesdk)
1.0
[COPY UPDATE] index.html - "MicroStack - OpenStack in a snap" - Please update index.html - "MicroStack - OpenStack in a snap" from the [copy doc](https://docs.google.com/document/d/1-QO5zAclj469qGvFmNJBjQ_qqI_T_uliwj6mAo8ZbCs/edit?usp=drivesdk)
priority
index html microstack openstack in a snap please update index html microstack openstack in a snap from the
1
553,659
16,376,282,507
IssuesEvent
2021-05-16 06:39:41
keycloak/kc-sig-fapi
https://api.github.com/repos/keycloak/kc-sig-fapi
closed
Client Policy : UI on Admin Console​
Client Policy High Priority keycloak
This issue is about [KEYCLOAK-14209 Client Policy : UI on Admin Console](https://issues.redhat.com/browse/KEYCLOAK-14209) in [KEYCLOAK-13933 Client Policies](https://issues.redhat.com/browse/KEYCLOAK-13933). The goal of this project are the followings. - Implement UI for Client Policies on Admin Console defined in [Client Policy design document](https://github.com/keycloak/keycloak-community/blob/master/design/client-policies.md#configuration) Currently, new Admin Console is under development. Therefore, there are 2 options for realizing Client Policy on Admin Console. - support only new Admin Console - support both current and new Admin Console We've not yet determine which option to be taken because when new Admin Console is officially supported is vague.
1.0
Client Policy : UI on Admin Console​ - This issue is about [KEYCLOAK-14209 Client Policy : UI on Admin Console](https://issues.redhat.com/browse/KEYCLOAK-14209) in [KEYCLOAK-13933 Client Policies](https://issues.redhat.com/browse/KEYCLOAK-13933). The goal of this project are the followings. - Implement UI for Client Policies on Admin Console defined in [Client Policy design document](https://github.com/keycloak/keycloak-community/blob/master/design/client-policies.md#configuration) Currently, new Admin Console is under development. Therefore, there are 2 options for realizing Client Policy on Admin Console. - support only new Admin Console - support both current and new Admin Console We've not yet determine which option to be taken because when new Admin Console is officially supported is vague.
priority
client policy ui on admin console​ this issue is about in the goal of this project are the followings implement ui for client policies on admin console defined in currently new admin console is under development therefore there are options for realizing client policy on admin console support only new admin console support both current and new admin console we ve not yet determine which option to be taken because when new admin console is officially supported is vague
1
87,387
3,750,640,559
IssuesEvent
2016-03-11 08:16:52
gama-platform/gama
https://api.github.com/repos/gama-platform/gama
closed
Anisotropic Diffusion (Cycle length)
> Bug Display OpenGL OS All Priority High Version Git
Run the model. When the model is running, a column appears at the center . It disappears when the model is paused.
1.0
Anisotropic Diffusion (Cycle length) - Run the model. When the model is running, a column appears at the center . It disappears when the model is paused.
priority
anisotropic diffusion cycle length run the model when the model is running a column appears at the center it disappears when the model is paused
1
486,573
14,011,333,330
IssuesEvent
2020-10-29 07:09:05
ooni/ooni.org
https://api.github.com/repos/ooni/ooni.org
closed
Create epics from activities of the DRL grant
funder/drl20 priority/high project management
This is about integrating the following points into our roadmap and migrating issues from the OTF grant into the DRL one. These are the 3 objectives and the activities part of them: **Objective 1: Expand the breadth and granularity of coverage of global censorship events** * [x] 1.1 Expand censorship measurement methodologies through the creation of new OONI Probe tests: https://github.com/ooni/ooni.org/issues/639 * [x] 1.2 Improve OONI Probe mobile and desktop apps: https://github.com/ooni/ooni.org/issues/342 * [x] 1.3 Add support to OONI Probe Android app for daily collection of measurements from stable vantage points: https://github.com/ooni/ooni.org/issues/640 * [x] 1.4 Improve OONI backend infrastructure: https://github.com/ooni/ooni.org/issues/641 **Objective 2: Promote rapid response to emergent global censorship events** * [x] 2.1 Create a real-time incident response dashboard: https://github.com/ooni/ooni.org/issues/642 * [x] 2.2 Improve Probe Orchestration system to dynamically schedule and orchestrate OONI Probe tests: https://github.com/ooni/ooni.org/issues/643 * [x] 2.3 Create a browser-based web censorship measurement tool: https://github.com/ooni/ooni.org/issues/644 * [x] 2.4 Improve upon OONI Explorer: https://github.com/ooni/ooni.org/issues/645 * [x] 2.5 Create a smart URL list system: https://github.com/ooni/ooni.org/issues/646 **Objective 3: Empower community participation in censorship measurement research** * [x] 3.1 Create platform to enable community contributions to test lists: https://github.com/ooni/ooni.org/issues/647 * [x] 3.2 Create resources to support community engagement activities: https://github.com/ooni/ooni.org/issues/648 * [x] 3.3 Facilitate censorship measurement workshops: https://github.com/ooni/ooni.org/issues/649
1.0
Create epics from activities of the DRL grant - This is about integrating the following points into our roadmap and migrating issues from the OTF grant into the DRL one. These are the 3 objectives and the activities part of them: **Objective 1: Expand the breadth and granularity of coverage of global censorship events** * [x] 1.1 Expand censorship measurement methodologies through the creation of new OONI Probe tests: https://github.com/ooni/ooni.org/issues/639 * [x] 1.2 Improve OONI Probe mobile and desktop apps: https://github.com/ooni/ooni.org/issues/342 * [x] 1.3 Add support to OONI Probe Android app for daily collection of measurements from stable vantage points: https://github.com/ooni/ooni.org/issues/640 * [x] 1.4 Improve OONI backend infrastructure: https://github.com/ooni/ooni.org/issues/641 **Objective 2: Promote rapid response to emergent global censorship events** * [x] 2.1 Create a real-time incident response dashboard: https://github.com/ooni/ooni.org/issues/642 * [x] 2.2 Improve Probe Orchestration system to dynamically schedule and orchestrate OONI Probe tests: https://github.com/ooni/ooni.org/issues/643 * [x] 2.3 Create a browser-based web censorship measurement tool: https://github.com/ooni/ooni.org/issues/644 * [x] 2.4 Improve upon OONI Explorer: https://github.com/ooni/ooni.org/issues/645 * [x] 2.5 Create a smart URL list system: https://github.com/ooni/ooni.org/issues/646 **Objective 3: Empower community participation in censorship measurement research** * [x] 3.1 Create platform to enable community contributions to test lists: https://github.com/ooni/ooni.org/issues/647 * [x] 3.2 Create resources to support community engagement activities: https://github.com/ooni/ooni.org/issues/648 * [x] 3.3 Facilitate censorship measurement workshops: https://github.com/ooni/ooni.org/issues/649
priority
create epics from activities of the drl grant this is about integrating the following points into our roadmap and migrating issues from the otf grant into the drl one these are the objectives and the activities part of them objective expand the breadth and granularity of coverage of global censorship events expand censorship measurement methodologies through the creation of new ooni probe tests improve ooni probe mobile and desktop apps add support to ooni probe android app for daily collection of measurements from stable vantage points improve ooni backend infrastructure objective promote rapid response to emergent global censorship events create a real time incident response dashboard improve probe orchestration system to dynamically schedule and orchestrate ooni probe tests create a browser based web censorship measurement tool improve upon ooni explorer create a smart url list system objective empower community participation in censorship measurement research create platform to enable community contributions to test lists create resources to support community engagement activities facilitate censorship measurement workshops
1
513,166
14,916,923,639
IssuesEvent
2021-01-22 18:59:54
canonical-web-and-design/ubuntu.com
https://api.github.com/repos/canonical-web-and-design/ubuntu.com
closed
GA impressions not working with async takeovers
Priority: High
The [script that sends the takeover event](https://github.com/canonical-web-and-design/ubuntu.com/blob/master/static/js/src/navigation.js#L142) needs to be moved to the client side rendering of the takeover.
1.0
GA impressions not working with async takeovers - The [script that sends the takeover event](https://github.com/canonical-web-and-design/ubuntu.com/blob/master/static/js/src/navigation.js#L142) needs to be moved to the client side rendering of the takeover.
priority
ga impressions not working with async takeovers the needs to be moved to the client side rendering of the takeover
1
608,481
18,840,350,914
IssuesEvent
2021-11-11 08:49:39
jamsge/codenao-frontend
https://api.github.com/repos/jamsge/codenao-frontend
opened
Output text messages + functions
enhancement high priority
- [ ] Create an easy-to-use javascript function for outputting messages in the output container. - [ ] When submitting code + getting response back from server, there should be output messages for user action + end result (for now this can just be a single error case and single success case) - [ ] optional: pass additional arguments to create message function that allow for custom message colors for additional clarity
1.0
Output text messages + functions - - [ ] Create an easy-to-use javascript function for outputting messages in the output container. - [ ] When submitting code + getting response back from server, there should be output messages for user action + end result (for now this can just be a single error case and single success case) - [ ] optional: pass additional arguments to create message function that allow for custom message colors for additional clarity
priority
output text messages functions create an easy to use javascript function for outputting messages in the output container when submitting code getting response back from server there should be output messages for user action end result for now this can just be a single error case and single success case optional pass additional arguments to create message function that allow for custom message colors for additional clarity
1
591,573
17,851,625,584
IssuesEvent
2021-09-04 06:58:33
RedstoneMedia/HAG-Timetable-App
https://api.github.com/repos/RedstoneMedia/HAG-Timetable-App
closed
Last two classes don't get displayed when opening the app
bug High Priority
**Describe the bug and what you did in the app when the bug happened** When opening the app, no 10-11 hour are displayed, even though the class is set to be a full height school grade (Q1) This issue goes away after opening the settings and clicking on done. **Expected behaviour** The subjects in the 10-11 hours get displayed when opening the app initially. **Smartphone:** - Device: HUAWEI P30 - Android version: EMUI 11.0.0
1.0
Last two classes don't get displayed when opening the app - **Describe the bug and what you did in the app when the bug happened** When opening the app, no 10-11 hour are displayed, even though the class is set to be a full height school grade (Q1) This issue goes away after opening the settings and clicking on done. **Expected behaviour** The subjects in the 10-11 hours get displayed when opening the app initially. **Smartphone:** - Device: HUAWEI P30 - Android version: EMUI 11.0.0
priority
last two classes don t get displayed when opening the app describe the bug and what you did in the app when the bug happened when opening the app no hour are displayed even though the class is set to be a full height school grade this issue goes away after opening the settings and clicking on done expected behaviour the subjects in the hours get displayed when opening the app initially smartphone device huawei android version emui
1
354,788
10,572,419,301
IssuesEvent
2019-10-07 09:32:16
react-native-community/react-native-slider
https://api.github.com/repos/react-native-community/react-native-slider
closed
Slider thumb button jumping all over the screen on iOS 13
bug report high-priority ‼️
## Environment "expo": "^31.0.0", "react": "16.5.0", "react-native": "https://github.com/expo/react-native/archive/sdk-31.0.0.tar.gz", "react-navigation": "^2.14.2" ## Description I just updated my iPhone 8+ to iOS 13 and have noticed some strange new behavior with the slider. When pressed and moved it jumps erratically all over the screen from left to right, darting back and forth. I'm not sure if this has to do with the new iOS or if this was present before, however it seemed to be working fine and as expected before the iOS update. Below is a minimum working component where I have my slider. NOTE: on simulator it appears to work fine, it's only on my device where I see this happening. I can't a good screen shot of it but I took a video of my screen and can supply that. ## Reproducible Demo ``` import React from 'react'; import { Dimensions, Slider, StyleSheet, Text, View } from 'react-native'; export default class DurationSetter extends React.Component { constructor() { super(); this.state = { width: Dimensions.get('window').width, height: Dimensions.get('window').height, duration: 6, startstoppause: "stopped", }; Dimensions.addEventListener("change", (e) => { this.setState(e.window); }); } _onSliderChange(value) { this.setState( { duration: value }, ) } render() { let rate = ( 60 / (this.state.duration * 2)).toFixed(1) // <== rounds number to .1 decimal let styles = StyleSheet.create({ container: { width: this.state.width * .75, marginTop: this.state.height * .01, backgroundColor: 'pink', }, durationText: { fontSize: 20, marginTop: 10, marginBottom: 10, }, rateText: { fontSize: 14, marginBottom: 5, }, }); if(this.state.startstoppause === "started" ) { return null } else { return ( <View style={styles.container}> <Text style={styles.durationText}>Set Rate of Breath:</Text> <Text style={styles.rateText}> {rate} breaths/min</Text> <Slider step={2} // <== Step value of the slider minimumValue={3} // <== Far LEFT value maximumValue={9} // <== Far RIGHT value onValueChange={this._onSliderChange.bind(this)} // <== Callback continuously called while the user is dragging the slider value={this.state.duration} // <== Current value of slider minimumTrackTintColor={'#3a6e95'} /> </View> ) } } } ```
1.0
Slider thumb button jumping all over the screen on iOS 13 - ## Environment "expo": "^31.0.0", "react": "16.5.0", "react-native": "https://github.com/expo/react-native/archive/sdk-31.0.0.tar.gz", "react-navigation": "^2.14.2" ## Description I just updated my iPhone 8+ to iOS 13 and have noticed some strange new behavior with the slider. When pressed and moved it jumps erratically all over the screen from left to right, darting back and forth. I'm not sure if this has to do with the new iOS or if this was present before, however it seemed to be working fine and as expected before the iOS update. Below is a minimum working component where I have my slider. NOTE: on simulator it appears to work fine, it's only on my device where I see this happening. I can't a good screen shot of it but I took a video of my screen and can supply that. ## Reproducible Demo ``` import React from 'react'; import { Dimensions, Slider, StyleSheet, Text, View } from 'react-native'; export default class DurationSetter extends React.Component { constructor() { super(); this.state = { width: Dimensions.get('window').width, height: Dimensions.get('window').height, duration: 6, startstoppause: "stopped", }; Dimensions.addEventListener("change", (e) => { this.setState(e.window); }); } _onSliderChange(value) { this.setState( { duration: value }, ) } render() { let rate = ( 60 / (this.state.duration * 2)).toFixed(1) // <== rounds number to .1 decimal let styles = StyleSheet.create({ container: { width: this.state.width * .75, marginTop: this.state.height * .01, backgroundColor: 'pink', }, durationText: { fontSize: 20, marginTop: 10, marginBottom: 10, }, rateText: { fontSize: 14, marginBottom: 5, }, }); if(this.state.startstoppause === "started" ) { return null } else { return ( <View style={styles.container}> <Text style={styles.durationText}>Set Rate of Breath:</Text> <Text style={styles.rateText}> {rate} breaths/min</Text> <Slider step={2} // <== Step value of the slider minimumValue={3} // <== Far LEFT value maximumValue={9} // <== Far RIGHT value onValueChange={this._onSliderChange.bind(this)} // <== Callback continuously called while the user is dragging the slider value={this.state.duration} // <== Current value of slider minimumTrackTintColor={'#3a6e95'} /> </View> ) } } } ```
priority
slider thumb button jumping all over the screen on ios environment expo react react native react navigation description i just updated my iphone to ios and have noticed some strange new behavior with the slider when pressed and moved it jumps erratically all over the screen from left to right darting back and forth i m not sure if this has to do with the new ios or if this was present before however it seemed to be working fine and as expected before the ios update below is a minimum working component where i have my slider note on simulator it appears to work fine it s only on my device where i see this happening i can t a good screen shot of it but i took a video of my screen and can supply that reproducible demo import react from react import dimensions slider stylesheet text view from react native export default class durationsetter extends react component constructor super this state width dimensions get window width height dimensions get window height duration startstoppause stopped dimensions addeventlistener change e this setstate e window onsliderchange value this setstate duration value render let rate this state duration tofixed rounds number to decimal let styles stylesheet create container width this state width margintop this state height backgroundcolor pink durationtext fontsize margintop marginbottom ratetext fontsize marginbottom if this state startstoppause started return null else return set rate of breath rate breaths min slider step step value of the slider minimumvalue far left value maximumvalue far right value onvaluechange this onsliderchange bind this callback continuously called while the user is dragging the slider value this state duration current value of slider minimumtracktintcolor
1
85,872
3,699,727,190
IssuesEvent
2016-02-29 02:35:29
CompEvol/beast2
https://api.github.com/repos/CompEvol/beast2
closed
Improve the starting state for *BEAST analyses with a large number of loci (i.e. >= 8 loci)
enhancement HIGH priority
Joseph has devised a new heuristic for creating a starting state for a *BEAST analysis when there are a large numbers of loci. We should incorporate this into the *BEAST state initialisation in BEAST2 to avoid very long burn-in times with large analyses. ### Comments from GC issue Project Member #1 jheled Code submitted, tested lightly. Needs more testing, and integration with templates and BEAUTI.
1.0
Improve the starting state for *BEAST analyses with a large number of loci (i.e. >= 8 loci) - Joseph has devised a new heuristic for creating a starting state for a *BEAST analysis when there are a large numbers of loci. We should incorporate this into the *BEAST state initialisation in BEAST2 to avoid very long burn-in times with large analyses. ### Comments from GC issue Project Member #1 jheled Code submitted, tested lightly. Needs more testing, and integration with templates and BEAUTI.
priority
improve the starting state for beast analyses with a large number of loci i e loci joseph has devised a new heuristic for creating a starting state for a beast analysis when there are a large numbers of loci we should incorporate this into the beast state initialisation in to avoid very long burn in times with large analyses comments from gc issue project member jheled code submitted tested lightly needs more testing and integration with templates and beauti
1
237,765
7,763,998,358
IssuesEvent
2018-06-01 18:36:56
PoisotLab/EcologicalNetwork.jl
https://api.github.com/repos/PoisotLab/EcologicalNetwork.jl
closed
BRIM not working for probabilistic networks
bug easy peasy lemon squeezy high priority
`brim` is not working for probabilistic networks because it calls `null2` which is only defined for `Binary...`
1.0
BRIM not working for probabilistic networks - `brim` is not working for probabilistic networks because it calls `null2` which is only defined for `Binary...`
priority
brim not working for probabilistic networks brim is not working for probabilistic networks because it calls which is only defined for binary
1
379,727
11,234,531,851
IssuesEvent
2020-01-09 05:33:20
AugurProject/augur
https://api.github.com/repos/AugurProject/augur
closed
Design QA: Trading Page - Outcomes
Priority: High
Design: https://www.figma.com/file/fLWVwmanAwetVZbujQquEi/Market-Page?node-id=209%3A915 - [x] Outcomes header: update text style - [x] Labels: update styles #### Outcome Rows #### - [x] Active outcome row should be highlighted with the hover state colour. See design - [x] Outcome name now has a different text styling. Please update - [x] Update number stylings - [x] Dark grey divider lines shouldn't go full width. see design - [x] Add tooltip next to invalid. Copy: "A market may resolve as Invalid if its details or outcome are ambiguous, subjective or unknown. Because Invalid is a resolvable outcome, traders may buy/sell shares in it."
1.0
Design QA: Trading Page - Outcomes - Design: https://www.figma.com/file/fLWVwmanAwetVZbujQquEi/Market-Page?node-id=209%3A915 - [x] Outcomes header: update text style - [x] Labels: update styles #### Outcome Rows #### - [x] Active outcome row should be highlighted with the hover state colour. See design - [x] Outcome name now has a different text styling. Please update - [x] Update number stylings - [x] Dark grey divider lines shouldn't go full width. see design - [x] Add tooltip next to invalid. Copy: "A market may resolve as Invalid if its details or outcome are ambiguous, subjective or unknown. Because Invalid is a resolvable outcome, traders may buy/sell shares in it."
priority
design qa trading page outcomes design outcomes header update text style labels update styles outcome rows active outcome row should be highlighted with the hover state colour see design outcome name now has a different text styling please update update number stylings dark grey divider lines shouldn t go full width see design add tooltip next to invalid copy a market may resolve as invalid if its details or outcome are ambiguous subjective or unknown because invalid is a resolvable outcome traders may buy sell shares in it
1
292,357
8,956,787,594
IssuesEvent
2019-01-26 20:31:22
UBC-Thunderbots/Software
https://api.github.com/repos/UBC-Thunderbots/Software
closed
Add the ability to detect "Layer" topics and display them in the visualizer
priority: high type: enhancement
**Describe the solution you'd like** When the AI will be sending shape data to the visualizer, it will be done on per topic basis. Essentially, one type of visual information (for example: a ball) will be sent per topic. The visualizer should be able to detect compatible topics and display as individual layers in the UI.
1.0
Add the ability to detect "Layer" topics and display them in the visualizer - **Describe the solution you'd like** When the AI will be sending shape data to the visualizer, it will be done on per topic basis. Essentially, one type of visual information (for example: a ball) will be sent per topic. The visualizer should be able to detect compatible topics and display as individual layers in the UI.
priority
add the ability to detect layer topics and display them in the visualizer describe the solution you d like when the ai will be sending shape data to the visualizer it will be done on per topic basis essentially one type of visual information for example a ball will be sent per topic the visualizer should be able to detect compatible topics and display as individual layers in the ui
1
495,378
14,280,808,678
IssuesEvent
2020-11-23 06:50:36
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
info.gtk.kemdikbud.go.id - site is not usable
browser-fixme ml-needsdiagnosis-false ml-probability-high priority-important
<!-- @browser: Dragon 65.0.2 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:65.0) Gecko/20100101 Firefox/65.0 IceDragon/65.0.2 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/62218 --> **URL**: https://info.gtk.kemdikbud.go.id/dashboard **Browser / Version**: Dragon 65.0.2 **Operating System**: Windows 10 **Tested Another Browser**: No **Problem type**: Site is not usable **Description**: Page not loading correctly **Steps to Reproduce**: <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2020/11/4fdf0b41-6492-4466-8ab3-0621ac1b1f63.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20190318120942</li><li>channel: default</li><li>hasTouchScreen: false</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2020/11/77594f61-9273-466f-adf6-58d5b4626ddc) _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
info.gtk.kemdikbud.go.id - site is not usable - <!-- @browser: Dragon 65.0.2 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:65.0) Gecko/20100101 Firefox/65.0 IceDragon/65.0.2 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/62218 --> **URL**: https://info.gtk.kemdikbud.go.id/dashboard **Browser / Version**: Dragon 65.0.2 **Operating System**: Windows 10 **Tested Another Browser**: No **Problem type**: Site is not usable **Description**: Page not loading correctly **Steps to Reproduce**: <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2020/11/4fdf0b41-6492-4466-8ab3-0621ac1b1f63.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20190318120942</li><li>channel: default</li><li>hasTouchScreen: false</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2020/11/77594f61-9273-466f-adf6-58d5b4626ddc) _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
info gtk kemdikbud go id site is not usable url browser version dragon operating system windows tested another browser no problem type site is not usable description page not loading correctly steps to reproduce view the screenshot img alt screenshot src browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel default hastouchscreen false mixed active content blocked false mixed passive content blocked false tracking content blocked false from with ❤️
1
744,519
25,946,636,456
IssuesEvent
2022-12-17 02:52:04
restarone/violet_rails
https://api.github.com/repos/restarone/violet_rails
closed
unify form and renderer
enhancement high priority
currently the form renderer and snippet renderer are different. We need to rename the tabs marked below as: 1. View Interface => Interface 2. View Connections => Connections 3. View Form => Rendering 4. API Actions => Actions In the case of API Actions, the button should now be a tab (and still lead to the API Actions page) <img width="1728" alt="Screen Shot 2022-09-22 at 8 24 33 PM" src="https://user-images.githubusercontent.com/35935196/191873248-8d4a59ab-f1e3-4adf-a141-908457aaf771.png"> Remove form snippet column from the API Namespaces table (illustrated below) <img width="1728" alt="Screen Shot 2022-09-22 at 8 33 42 PM" src="https://user-images.githubusercontent.com/35935196/191873526-33023d7f-57f4-419f-8901-28be6dbc1c72.png"> Place the documentation for it under Rendering (include both the rendering snippets and the form)
1.0
unify form and renderer - currently the form renderer and snippet renderer are different. We need to rename the tabs marked below as: 1. View Interface => Interface 2. View Connections => Connections 3. View Form => Rendering 4. API Actions => Actions In the case of API Actions, the button should now be a tab (and still lead to the API Actions page) <img width="1728" alt="Screen Shot 2022-09-22 at 8 24 33 PM" src="https://user-images.githubusercontent.com/35935196/191873248-8d4a59ab-f1e3-4adf-a141-908457aaf771.png"> Remove form snippet column from the API Namespaces table (illustrated below) <img width="1728" alt="Screen Shot 2022-09-22 at 8 33 42 PM" src="https://user-images.githubusercontent.com/35935196/191873526-33023d7f-57f4-419f-8901-28be6dbc1c72.png"> Place the documentation for it under Rendering (include both the rendering snippets and the form)
priority
unify form and renderer currently the form renderer and snippet renderer are different we need to rename the tabs marked below as view interface interface view connections connections view form rendering api actions actions in the case of api actions the button should now be a tab and still lead to the api actions page img width alt screen shot at pm src remove form snippet column from the api namespaces table illustrated below img width alt screen shot at pm src place the documentation for it under rendering include both the rendering snippets and the form
1
183,157
6,677,735,922
IssuesEvent
2017-10-05 11:46:05
esaude/esaude-emr-poc
https://api.github.com/repos/esaude/esaude-emr-poc
closed
[POC] Povide a return to the starting point after completing a task
CDC Review enhancement High Priority
**[Actual Results]:** After completing a task (save/cancel/done) the system is not returning to the starting point **[Expected results]:** User can begin a process, work through its series of screens using ‘Next’, and then on the last page click a ‘Done’ button to quickly return to the page where they began the process. **[Steps to reproduce]:** Throughout the syhstem
1.0
[POC] Povide a return to the starting point after completing a task - **[Actual Results]:** After completing a task (save/cancel/done) the system is not returning to the starting point **[Expected results]:** User can begin a process, work through its series of screens using ‘Next’, and then on the last page click a ‘Done’ button to quickly return to the page where they began the process. **[Steps to reproduce]:** Throughout the syhstem
priority
povide a return to the starting point after completing a task after completing a task save cancel done the system is not returning to the starting point user can begin a process work through its series of screens using ‘next’ and then on the last page click a ‘done’ button to quickly return to the page where they began the process throughout the syhstem
1
232,170
7,655,667,543
IssuesEvent
2018-05-10 13:59:42
craftercms/craftercms
https://api.github.com/repos/craftercms/craftercms
closed
[studio-ui] "Remote branch to pull" displayed is incorrect when pushing or pulling
bug priority: high
### Expected behavior 'Remote branch to pull' displayed should display branches returned by backend when pushing or pulling from the `Remote Repositories` in `Site Config` ### Actual behavior 'Remote branch to pull' displayed is incorrect when pushing or pulling from the `Remote Repositories` in `Site Config` ### Steps to reproduce the problem * Login to Studio, click on the `Create Site` button * Fill in the `Site Id` field * Fill in the `Remote Git Repository Name` field * Fill in the `Remote Git Repository Url` field * Leave the `Remote Branch` field empty * Fill in the Authentication type field and the corresponding fields required. * In the `Options` field, select `Create site based on remote git repository` * Click on the `Create` button (Site will now be created) * From the `Sidebar`, click on `Site Config` then click on `Remote Repositories` * Click on the `pull` icon, notice the branch listed * Click on the `push` icon, notice the branch listed <img width="1352" alt="screen shot 2018-05-09 at 2 17 23 pm" src="https://user-images.githubusercontent.com/25483966/39832004-1045e282-5394-11e8-9171-5bdcc8e75c4a.png"> ### Log/stack trace (use https://gist.github.com) Here's a short clip: https://www.useloom.com/share/b107082510a3409b8a54ab0f9f4d50ca ### Specs #### Version Studio Version Number: 3.0.11-SNAPSHOT-199be0 Build Number: 199be0e22e6e326c18a3f5ce7daa80c939dfc2a0 Build Date/Time: 05-09-2018 10:01:09 -0400 #### OS OS X #### Browser Chrome browser
1.0
[studio-ui] "Remote branch to pull" displayed is incorrect when pushing or pulling - ### Expected behavior 'Remote branch to pull' displayed should display branches returned by backend when pushing or pulling from the `Remote Repositories` in `Site Config` ### Actual behavior 'Remote branch to pull' displayed is incorrect when pushing or pulling from the `Remote Repositories` in `Site Config` ### Steps to reproduce the problem * Login to Studio, click on the `Create Site` button * Fill in the `Site Id` field * Fill in the `Remote Git Repository Name` field * Fill in the `Remote Git Repository Url` field * Leave the `Remote Branch` field empty * Fill in the Authentication type field and the corresponding fields required. * In the `Options` field, select `Create site based on remote git repository` * Click on the `Create` button (Site will now be created) * From the `Sidebar`, click on `Site Config` then click on `Remote Repositories` * Click on the `pull` icon, notice the branch listed * Click on the `push` icon, notice the branch listed <img width="1352" alt="screen shot 2018-05-09 at 2 17 23 pm" src="https://user-images.githubusercontent.com/25483966/39832004-1045e282-5394-11e8-9171-5bdcc8e75c4a.png"> ### Log/stack trace (use https://gist.github.com) Here's a short clip: https://www.useloom.com/share/b107082510a3409b8a54ab0f9f4d50ca ### Specs #### Version Studio Version Number: 3.0.11-SNAPSHOT-199be0 Build Number: 199be0e22e6e326c18a3f5ce7daa80c939dfc2a0 Build Date/Time: 05-09-2018 10:01:09 -0400 #### OS OS X #### Browser Chrome browser
priority
remote branch to pull displayed is incorrect when pushing or pulling expected behavior remote branch to pull displayed should display branches returned by backend when pushing or pulling from the remote repositories in site config actual behavior remote branch to pull displayed is incorrect when pushing or pulling from the remote repositories in site config steps to reproduce the problem login to studio click on the create site button fill in the site id field fill in the remote git repository name field fill in the remote git repository url field leave the remote branch field empty fill in the authentication type field and the corresponding fields required in the options field select create site based on remote git repository click on the create button site will now be created from the sidebar click on site config then click on remote repositories click on the pull icon notice the branch listed click on the push icon notice the branch listed img width alt screen shot at pm src log stack trace use here s a short clip specs version studio version number snapshot build number build date time os os x browser chrome browser
1
411,520
12,025,584,641
IssuesEvent
2020-04-12 10:00:58
geomstats/geomstats
https://api.github.com/repos/geomstats/geomstats
closed
tangent PCA bug
bug high priority
Hello, I'm trying to apply tangent PCA on SPD matrices, something along the lines of: https://github.com/geomstats/geomstats/blob/master/examples/tangent_pca_so3.py The following code doesn't work: ```python manifold = SPDMatricesSpace(10) X = manifold.random_uniform(n_samples=140) # X = manifold.vector_from_symmetric_matrix(X) # this doesn't work either mean = manifold.metric.mean(X[None, :]) tpca = TangentPCA(metric=manifold.metric) tpca = tpca.fit(X) tangent_projected_data = tpca.transform(X) ``` Passing the SPD matrices as vectors, I get the following error : <details> ```bash File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/learning/pca.py", line 128, in fit self._fit(X, base_point, point_type) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/learning/pca.py", line 164, in _fit tangent_vecs = self.metric.log(X, base_point=base_point) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/spd_matrices_space.py", line 233, in log sqrt_base_point = gs.linalg.sqrtm(base_point) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/backend/numpy_linalg.py", line 19, in sqrtm scipy.linalg.sqrtm, signature='(n,m)->(n,m)')(x) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/scipy/linalg/_matfuncs_sqrtm.py", line 170, in sqrtm T, Z = schur(A) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/scipy/linalg/decomp_schur.py", line 126, in schur raise ValueError('expected square matrix') ValueError: expected square matrix ``` </details> When passing a matrix, I get a different error in `riemannian_metric`: <details> ```bash File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/riemannian_metric.py", line 389, in <lambda> lambda i, m, v, sq: while_loop_body(i, m, v, sq), File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/riemannian_metric.py", line 340, in while_loop_body tangent_mean += gs.einsum('nk,nj->j', weights, logs) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/backend/numpy.py", line 256, in einsum return np.einsum(*args, **kwargs) File "<__array_function__ internals>", line 6, in einsum File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/numpy/core/einsumfunc.py", line 1356, in einsum return c_einsum(*operands, **kwargs) ValueError: operand has more dimensions than subscripts given in einstein sum, but no '...' ellipsis provided to broadcast the extra dimensions. ``` </details> From what I can tell, the TangentPCA.fit() only [supports vectors](https://github.com/geomstats/geomstats/blob/master/geomstats/learning/pca.py#L158-L162). However, the SPDMatricesSpace.log() requires a [square matrix](https://github.com/geomstats/geomstats/blob/master/geomstats/geometry/spd_matrices_space.py#L225). Is there any way around this ?
1.0
tangent PCA bug - Hello, I'm trying to apply tangent PCA on SPD matrices, something along the lines of: https://github.com/geomstats/geomstats/blob/master/examples/tangent_pca_so3.py The following code doesn't work: ```python manifold = SPDMatricesSpace(10) X = manifold.random_uniform(n_samples=140) # X = manifold.vector_from_symmetric_matrix(X) # this doesn't work either mean = manifold.metric.mean(X[None, :]) tpca = TangentPCA(metric=manifold.metric) tpca = tpca.fit(X) tangent_projected_data = tpca.transform(X) ``` Passing the SPD matrices as vectors, I get the following error : <details> ```bash File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/learning/pca.py", line 128, in fit self._fit(X, base_point, point_type) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/learning/pca.py", line 164, in _fit tangent_vecs = self.metric.log(X, base_point=base_point) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/spd_matrices_space.py", line 233, in log sqrt_base_point = gs.linalg.sqrtm(base_point) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/backend/numpy_linalg.py", line 19, in sqrtm scipy.linalg.sqrtm, signature='(n,m)->(n,m)')(x) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/scipy/linalg/_matfuncs_sqrtm.py", line 170, in sqrtm T, Z = schur(A) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/scipy/linalg/decomp_schur.py", line 126, in schur raise ValueError('expected square matrix') ValueError: expected square matrix ``` </details> When passing a matrix, I get a different error in `riemannian_metric`: <details> ```bash File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/riemannian_metric.py", line 389, in <lambda> lambda i, m, v, sq: while_loop_body(i, m, v, sq), File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/riemannian_metric.py", line 340, in while_loop_body tangent_mean += gs.einsum('nk,nj->j', weights, logs) File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/geomstats/backend/numpy.py", line 256, in einsum return np.einsum(*args, **kwargs) File "<__array_function__ internals>", line 6, in einsum File "/Users/nicolas/anaconda3/lib/python3.7/site-packages/numpy/core/einsumfunc.py", line 1356, in einsum return c_einsum(*operands, **kwargs) ValueError: operand has more dimensions than subscripts given in einstein sum, but no '...' ellipsis provided to broadcast the extra dimensions. ``` </details> From what I can tell, the TangentPCA.fit() only [supports vectors](https://github.com/geomstats/geomstats/blob/master/geomstats/learning/pca.py#L158-L162). However, the SPDMatricesSpace.log() requires a [square matrix](https://github.com/geomstats/geomstats/blob/master/geomstats/geometry/spd_matrices_space.py#L225). Is there any way around this ?
priority
tangent pca bug hello i m trying to apply tangent pca on spd matrices something along the lines of the following code doesn t work python manifold spdmatricesspace x manifold random uniform n samples x manifold vector from symmetric matrix x this doesn t work either mean manifold metric mean x tpca tangentpca metric manifold metric tpca tpca fit x tangent projected data tpca transform x passing the spd matrices as vectors i get the following error bash file users nicolas lib site packages geomstats learning pca py line in fit self fit x base point point type file users nicolas lib site packages geomstats learning pca py line in fit tangent vecs self metric log x base point base point file users nicolas lib site packages geomstats spd matrices space py line in log sqrt base point gs linalg sqrtm base point file users nicolas lib site packages geomstats backend numpy linalg py line in sqrtm scipy linalg sqrtm signature n m n m x file users nicolas lib site packages scipy linalg matfuncs sqrtm py line in sqrtm t z schur a file users nicolas lib site packages scipy linalg decomp schur py line in schur raise valueerror expected square matrix valueerror expected square matrix when passing a matrix i get a different error in riemannian metric bash file users nicolas lib site packages geomstats riemannian metric py line in lambda i m v sq while loop body i m v sq file users nicolas lib site packages geomstats riemannian metric py line in while loop body tangent mean gs einsum nk nj j weights logs file users nicolas lib site packages geomstats backend numpy py line in einsum return np einsum args kwargs file line in einsum file users nicolas lib site packages numpy core einsumfunc py line in einsum return c einsum operands kwargs valueerror operand has more dimensions than subscripts given in einstein sum but no ellipsis provided to broadcast the extra dimensions from what i can tell the tangentpca fit only however the spdmatricesspace log requires a is there any way around this
1
310,339
9,488,856,541
IssuesEvent
2019-04-22 20:43:46
craftercms/craftercms
https://api.github.com/repos/craftercms/craftercms
opened
[studio] The upgrade manager is deleting all blueprints
bug priority: high
## Describe the bug During startup, the upgrade manager deletes all blueprints from the global repo ## To Reproduce Steps to reproduce the behavior: 1. Deploy a new environment with `./gradlew build deploy start` 2. Check that `data/repos/global/blueprints` only has the manifest file ## Expected behavior The rename operations should not delete existing folders if the file/folder to be renamed does not exist ## Specs ### Version 3.1.0-SNAPSHOT-5d6ea3
1.0
[studio] The upgrade manager is deleting all blueprints - ## Describe the bug During startup, the upgrade manager deletes all blueprints from the global repo ## To Reproduce Steps to reproduce the behavior: 1. Deploy a new environment with `./gradlew build deploy start` 2. Check that `data/repos/global/blueprints` only has the manifest file ## Expected behavior The rename operations should not delete existing folders if the file/folder to be renamed does not exist ## Specs ### Version 3.1.0-SNAPSHOT-5d6ea3
priority
the upgrade manager is deleting all blueprints describe the bug during startup the upgrade manager deletes all blueprints from the global repo to reproduce steps to reproduce the behavior deploy a new environment with gradlew build deploy start check that data repos global blueprints only has the manifest file expected behavior the rename operations should not delete existing folders if the file folder to be renamed does not exist specs version snapshot
1
169,271
6,397,946,103
IssuesEvent
2017-08-04 19:17:26
smartchicago/chicago-early-learning
https://api.github.com/repos/smartchicago/chicago-early-learning
opened
Outreach: Add Chicago Early Learning Advocate Guide to Resources tab
High Priority
Add the Chicago Early Learning Advocate Guide to the Outreach Resources tab. I would make this the top item on the download list. [Chicago Early Learning_Advocate Guide.pdf](https://github.com/smartchicago/chicago-early-learning/files/1201402/Chicago.Early.Learning_Advocate.Guide.pdf)
1.0
Outreach: Add Chicago Early Learning Advocate Guide to Resources tab - Add the Chicago Early Learning Advocate Guide to the Outreach Resources tab. I would make this the top item on the download list. [Chicago Early Learning_Advocate Guide.pdf](https://github.com/smartchicago/chicago-early-learning/files/1201402/Chicago.Early.Learning_Advocate.Guide.pdf)
priority
outreach add chicago early learning advocate guide to resources tab add the chicago early learning advocate guide to the outreach resources tab i would make this the top item on the download list
1
158,220
6,023,902,998
IssuesEvent
2017-06-08 02:20:03
OperationCode/operationcode_frontend
https://api.github.com/repos/OperationCode/operationcode_frontend
closed
Website on all major iOS mobile browsers have many issues
Priority: High Status: Available Type: Bug
# Bug Report ## What is the current behavior? Opening frontend.operationcode.org with Safari iOS, Chrome iOS, or Firefox iOS reveals many visible issues. ## What is the expected behavior? Opening frontend.operationcode.org with Safari should look and feel identical (or at least more similar) to how it looks and feels on Chrome via inspector tools mobile device emulator. ## What steps did you take to get this behavior? I opened frontend.operationcode.org with the latest versions of all major iOS web browsers (Safari, Chrome, and Firefox) and _tried_ navigating as a normal user. ## Additional Info ### Operating System iOS 10.3.2 ### Browser Safari iOS (v: latest) Chrome iOS (v: latest) Firefox iOS (v: latest) ### Notes With 22% of our traffic being mobile (source: @rickr ), I think this deserves a high-priority label. The following components, their stylesheets, the scenes where the components are utilized, and the scenes' stylesheets should be examined: - ClipPathImage - ImageCard - Section - LinkButton - Form/* - Header - Footer ### Screenshots ![img_2946](https://user-images.githubusercontent.com/9523719/26904302-304599b2-4b96-11e7-9915-a67398a53f59.PNG) ![img_2947](https://user-images.githubusercontent.com/9523719/26904305-3049981e-4b96-11e7-8093-181a4cfaa84b.PNG) ![img_2948](https://user-images.githubusercontent.com/9523719/26904301-3044e490-4b96-11e7-88af-a9711cc5b200.PNG) ![img_2949](https://user-images.githubusercontent.com/9523719/26904303-3045c766-4b96-11e7-9e1f-2b946a116ec3.PNG) ![img_2950](https://user-images.githubusercontent.com/9523719/26904306-304b10ae-4b96-11e7-8821-45f1818d0331.PNG) ![img_2951](https://user-images.githubusercontent.com/9523719/26904304-30497884-4b96-11e7-968b-19341efd60ce.PNG)
1.0
Website on all major iOS mobile browsers have many issues - # Bug Report ## What is the current behavior? Opening frontend.operationcode.org with Safari iOS, Chrome iOS, or Firefox iOS reveals many visible issues. ## What is the expected behavior? Opening frontend.operationcode.org with Safari should look and feel identical (or at least more similar) to how it looks and feels on Chrome via inspector tools mobile device emulator. ## What steps did you take to get this behavior? I opened frontend.operationcode.org with the latest versions of all major iOS web browsers (Safari, Chrome, and Firefox) and _tried_ navigating as a normal user. ## Additional Info ### Operating System iOS 10.3.2 ### Browser Safari iOS (v: latest) Chrome iOS (v: latest) Firefox iOS (v: latest) ### Notes With 22% of our traffic being mobile (source: @rickr ), I think this deserves a high-priority label. The following components, their stylesheets, the scenes where the components are utilized, and the scenes' stylesheets should be examined: - ClipPathImage - ImageCard - Section - LinkButton - Form/* - Header - Footer ### Screenshots ![img_2946](https://user-images.githubusercontent.com/9523719/26904302-304599b2-4b96-11e7-9915-a67398a53f59.PNG) ![img_2947](https://user-images.githubusercontent.com/9523719/26904305-3049981e-4b96-11e7-8093-181a4cfaa84b.PNG) ![img_2948](https://user-images.githubusercontent.com/9523719/26904301-3044e490-4b96-11e7-88af-a9711cc5b200.PNG) ![img_2949](https://user-images.githubusercontent.com/9523719/26904303-3045c766-4b96-11e7-9e1f-2b946a116ec3.PNG) ![img_2950](https://user-images.githubusercontent.com/9523719/26904306-304b10ae-4b96-11e7-8821-45f1818d0331.PNG) ![img_2951](https://user-images.githubusercontent.com/9523719/26904304-30497884-4b96-11e7-968b-19341efd60ce.PNG)
priority
website on all major ios mobile browsers have many issues bug report what is the current behavior opening frontend operationcode org with safari ios chrome ios or firefox ios reveals many visible issues what is the expected behavior opening frontend operationcode org with safari should look and feel identical or at least more similar to how it looks and feels on chrome via inspector tools mobile device emulator what steps did you take to get this behavior i opened frontend operationcode org with the latest versions of all major ios web browsers safari chrome and firefox and tried navigating as a normal user additional info operating system ios browser safari ios v latest chrome ios v latest firefox ios v latest notes with of our traffic being mobile source rickr i think this deserves a high priority label the following components their stylesheets the scenes where the components are utilized and the scenes stylesheets should be examined clippathimage imagecard section linkbutton form header footer screenshots
1
59,132
3,103,436,802
IssuesEvent
2015-08-31 09:51:40
OCHA-DAP/cod-migration
https://api.github.com/repos/OCHA-DAP/cod-migration
closed
Change handling of datasets with no source
priority-high
If intent != "do not migrate" and source = null: make dataset private, regardless of intent. We will try to pull source info from other fields during manual QA.
1.0
Change handling of datasets with no source - If intent != "do not migrate" and source = null: make dataset private, regardless of intent. We will try to pull source info from other fields during manual QA.
priority
change handling of datasets with no source if intent do not migrate and source null make dataset private regardless of intent we will try to pull source info from other fields during manual qa
1
367,618
10,856,017,990
IssuesEvent
2019-11-13 19:39:43
kennyrkun/quantumjump
https://api.github.com/repos/kennyrkun/quantumjump
closed
Next level will not be loaded after a level that contains water.
bug: confirmed high priority
An error is thrown when the script tries to destroy the water asset. If you're playing a level that has water, Island, for instance, and the game tries to change levels, it will throw an error and the script will not finish executing. Technically, the problem is just that the player is never teleported to the next level, but that's too difficult to explain. We need to fix the same error anyway, so meh.
1.0
Next level will not be loaded after a level that contains water. - An error is thrown when the script tries to destroy the water asset. If you're playing a level that has water, Island, for instance, and the game tries to change levels, it will throw an error and the script will not finish executing. Technically, the problem is just that the player is never teleported to the next level, but that's too difficult to explain. We need to fix the same error anyway, so meh.
priority
next level will not be loaded after a level that contains water an error is thrown when the script tries to destroy the water asset if you re playing a level that has water island for instance and the game tries to change levels it will throw an error and the script will not finish executing technically the problem is just that the player is never teleported to the next level but that s too difficult to explain we need to fix the same error anyway so meh
1
348,893
10,454,171,242
IssuesEvent
2019-09-19 18:15:08
ibi-group/trimet-mod-otp
https://api.github.com/repos/ibi-group/trimet-mod-otp
closed
Improper rendering of "0 min" legs
bug high priority
When there is a very short (0 min) leg, and a user clicks on the element to zoom into it on the map, the screen goes blank. We found this on both [our internal](https://modbeta.trimet.org/map-veh/#/?ui_activeSearch=2t9jwgtod&ui_activeItinerary=0&fromPlace=Adams%20Community%20Garden%2C%20Portland%2C%20OR%2C%20USA%3A%3A45.52583301594713%2C-122.72716353255711&toPlace=6710%20SE%20Franklin%20St%2C%20Portland%2C%20OR%2C%20USA%2097206%3A%3A45.49870698436449%2C-122.59437381004886&date=2019-09-13&time=11%3A43&arriveBy=false&mode=BUS%2CTRAM%2CRAIL%2CGONDOLA%2CMICROMOBILITY_RENT&showIntermediateStops=true&optimize=QUICK&maxWalkDistance=4828&maxEScooterDistance=4828&ignoreRealtimeUpdates=true&companies=BIRD%2CBOLT%2CLIME%2CRAZOR%2CSHARED%2CSPIN) and the [IBI](https://trimet-mod-dev.ibi-transit.com/#/?ui_activeSearch=2t9jwgtod&ui_activeItinerary=0&fromPlace=Adams%20Community%20Garden%2C%20Portland%2C%20OR%2C%20USA%3A%3A45.52583301594713%2C-122.72716353255711&toPlace=6710%20SE%20Franklin%20St%2C%20Portland%2C%20OR%2C%20USA%2097206%3A%3A45.49870698436449%2C-122.59437381004886&date=2019-09-13&time=11%3A43&arriveBy=false&mode=BUS%2CTRAM%2CRAIL%2CGONDOLA%2CMICROMOBILITY_RENT&showIntermediateStops=true&optimize=QUICK&maxWalkDistance=4828&maxEScooterDistance=4828&ignoreRealtimeUpdates=true&companies=BIRD%2CBOLT%2CLIME%2CRAZOR%2CSHARED%2CSPIN) instances. Links below. Click on "Ride to path" or "Ride to Wildwood Trail" (depending on link) in the first Bolt E-scooter instance - this is what leads to a blank screen. ![CropperCapture 407](https://user-images.githubusercontent.com/4853348/64888709-7c0c7700-d620-11e9-8289-d7f2caed8c75.png) You'll need to refresh to get back to the trip plan.
1.0
Improper rendering of "0 min" legs - When there is a very short (0 min) leg, and a user clicks on the element to zoom into it on the map, the screen goes blank. We found this on both [our internal](https://modbeta.trimet.org/map-veh/#/?ui_activeSearch=2t9jwgtod&ui_activeItinerary=0&fromPlace=Adams%20Community%20Garden%2C%20Portland%2C%20OR%2C%20USA%3A%3A45.52583301594713%2C-122.72716353255711&toPlace=6710%20SE%20Franklin%20St%2C%20Portland%2C%20OR%2C%20USA%2097206%3A%3A45.49870698436449%2C-122.59437381004886&date=2019-09-13&time=11%3A43&arriveBy=false&mode=BUS%2CTRAM%2CRAIL%2CGONDOLA%2CMICROMOBILITY_RENT&showIntermediateStops=true&optimize=QUICK&maxWalkDistance=4828&maxEScooterDistance=4828&ignoreRealtimeUpdates=true&companies=BIRD%2CBOLT%2CLIME%2CRAZOR%2CSHARED%2CSPIN) and the [IBI](https://trimet-mod-dev.ibi-transit.com/#/?ui_activeSearch=2t9jwgtod&ui_activeItinerary=0&fromPlace=Adams%20Community%20Garden%2C%20Portland%2C%20OR%2C%20USA%3A%3A45.52583301594713%2C-122.72716353255711&toPlace=6710%20SE%20Franklin%20St%2C%20Portland%2C%20OR%2C%20USA%2097206%3A%3A45.49870698436449%2C-122.59437381004886&date=2019-09-13&time=11%3A43&arriveBy=false&mode=BUS%2CTRAM%2CRAIL%2CGONDOLA%2CMICROMOBILITY_RENT&showIntermediateStops=true&optimize=QUICK&maxWalkDistance=4828&maxEScooterDistance=4828&ignoreRealtimeUpdates=true&companies=BIRD%2CBOLT%2CLIME%2CRAZOR%2CSHARED%2CSPIN) instances. Links below. Click on "Ride to path" or "Ride to Wildwood Trail" (depending on link) in the first Bolt E-scooter instance - this is what leads to a blank screen. ![CropperCapture 407](https://user-images.githubusercontent.com/4853348/64888709-7c0c7700-d620-11e9-8289-d7f2caed8c75.png) You'll need to refresh to get back to the trip plan.
priority
improper rendering of min legs when there is a very short min leg and a user clicks on the element to zoom into it on the map the screen goes blank we found this on both and the instances links below click on ride to path or ride to wildwood trail depending on link in the first bolt e scooter instance this is what leads to a blank screen you ll need to refresh to get back to the trip plan
1
61,173
3,141,488,520
IssuesEvent
2015-09-12 16:54:35
MinetestForFun/server-minetestforfun-magichet
https://api.github.com/repos/MinetestForFun/server-minetestforfun-magichet
opened
killing a pig crash the server
Modding ➤ BugFix Priority: High Server crash Upstream
Initialy reported from @ObaniGemini Actually, killing a pig makes crash the server (I tried two times and it made crash)
1.0
killing a pig crash the server - Initialy reported from @ObaniGemini Actually, killing a pig makes crash the server (I tried two times and it made crash)
priority
killing a pig crash the server initialy reported from obanigemini actually killing a pig makes crash the server i tried two times and it made crash
1
44,972
2,919,240,607
IssuesEvent
2015-06-24 13:18:26
CenterForOpenScience/osf.io
https://api.github.com/repos/CenterForOpenScience/osf.io
closed
Cannot shift + select items below current view
5 - pending review bug: production priority - high
Reported on the 0.37 Trello board **This problem appears in Firefox and Chrome** # Steps 1. Go to a project on which you have admin access that also has multiple add-ons enabled and many files 2. On the project overview page, scroll to the files grid 3. Within an add-on (preferably one with many files), click to select the first file listed in the grid 4. Scroll in the grid so that the highlighted file row is out of view 5. Hold shift and select a file below the highlighted file (but still within the same add-on) to select all files # Expected I expect holding shift and scrolling to click will highlight all files in between the two selected files. # Actual Nothing appears to happen. Clicking a file below the initial file (as long as the initial file is out of view) does not select the file, nor does it select all files between the two selected files.
1.0
Cannot shift + select items below current view - Reported on the 0.37 Trello board **This problem appears in Firefox and Chrome** # Steps 1. Go to a project on which you have admin access that also has multiple add-ons enabled and many files 2. On the project overview page, scroll to the files grid 3. Within an add-on (preferably one with many files), click to select the first file listed in the grid 4. Scroll in the grid so that the highlighted file row is out of view 5. Hold shift and select a file below the highlighted file (but still within the same add-on) to select all files # Expected I expect holding shift and scrolling to click will highlight all files in between the two selected files. # Actual Nothing appears to happen. Clicking a file below the initial file (as long as the initial file is out of view) does not select the file, nor does it select all files between the two selected files.
priority
cannot shift select items below current view reported on the trello board this problem appears in firefox and chrome steps go to a project on which you have admin access that also has multiple add ons enabled and many files on the project overview page scroll to the files grid within an add on preferably one with many files click to select the first file listed in the grid scroll in the grid so that the highlighted file row is out of view hold shift and select a file below the highlighted file but still within the same add on to select all files expected i expect holding shift and scrolling to click will highlight all files in between the two selected files actual nothing appears to happen clicking a file below the initial file as long as the initial file is out of view does not select the file nor does it select all files between the two selected files
1
482,047
13,896,145,300
IssuesEvent
2020-10-19 16:46:34
yalelibrary/YUL-DC
https://api.github.com/repos/yalelibrary/YUL-DC
closed
Remove the 'Did you mean' suggestions (Bugherd) HIGH VALUE
high priority software engineering
See: https://www.bugherd.com/t/SvItlStWGyTNhhqTuBrCKQ We'd like to remove this feature, it doesn't often provide useful suggestions
1.0
Remove the 'Did you mean' suggestions (Bugherd) HIGH VALUE - See: https://www.bugherd.com/t/SvItlStWGyTNhhqTuBrCKQ We'd like to remove this feature, it doesn't often provide useful suggestions
priority
remove the did you mean suggestions bugherd high value see we d like to remove this feature it doesn t often provide useful suggestions
1
39,671
2,858,258,102
IssuesEvent
2015-06-03 00:42:48
SCIInstitute/SCIRun
https://api.github.com/repos/SCIInstitute/SCIRun
closed
modules that need the stop feature.
Algorithms DoneOnBranch Framework Priority-High
This is a list of modules that can often take a long time to execute and would be nice to have a stop feature. I don't if it is possible to implement in all of them. - [x] GetFieldBoundary - [x] GetDomainBoundary - [ ] SolveLinearSystem - [x] ShowFieldGlyphs - [x] MapFieldDataOntoNodes/Elements - [x] MapFieldDataFromSourceToDestination - [x] CalculateSignedDistanceToField - [ ] InterfaceWithTegen - [ ] InterfaceWithCleaver In theory, every module can take a long time to complete and require stopping if the data is big enough, but these are the ones that take more resources and time.
1.0
modules that need the stop feature. - This is a list of modules that can often take a long time to execute and would be nice to have a stop feature. I don't if it is possible to implement in all of them. - [x] GetFieldBoundary - [x] GetDomainBoundary - [ ] SolveLinearSystem - [x] ShowFieldGlyphs - [x] MapFieldDataOntoNodes/Elements - [x] MapFieldDataFromSourceToDestination - [x] CalculateSignedDistanceToField - [ ] InterfaceWithTegen - [ ] InterfaceWithCleaver In theory, every module can take a long time to complete and require stopping if the data is big enough, but these are the ones that take more resources and time.
priority
modules that need the stop feature this is a list of modules that can often take a long time to execute and would be nice to have a stop feature i don t if it is possible to implement in all of them getfieldboundary getdomainboundary solvelinearsystem showfieldglyphs mapfielddataontonodes elements mapfielddatafromsourcetodestination calculatesigneddistancetofield interfacewithtegen interfacewithcleaver in theory every module can take a long time to complete and require stopping if the data is big enough but these are the ones that take more resources and time
1
673,089
22,947,561,525
IssuesEvent
2022-07-19 02:38:07
Elice-SW-2-Team14/Animal-Hospital
https://api.github.com/repos/Elice-SW-2-Team14/Animal-Hospital
closed
[BE] 리뷰 API 조회,수정,삭제 라우팅 설정
⚙️ Backend 🔨 Feature ❗️high-priority
## 🔨 기능 설명 병원/회원/관리자 구분에 따른 라우팅 설정 ## 📑 완료 조건 완료 조건 1. 병원페이지의 리뷰가 잘 불러와지는가 완료 조건 2. 개인회원의 자기가 작성한 리뷰가 잘 불러와지는가 완료조건 3. 관리자는 전체 리뷰를 조회할 수 있는가 ## 💭 관련 백로그 [[BE]내가 쓴 리뷰][API][리뷰 API] ## 💭 예상 작업 시간 (작업 시간)2h
1.0
[BE] 리뷰 API 조회,수정,삭제 라우팅 설정 - ## 🔨 기능 설명 병원/회원/관리자 구분에 따른 라우팅 설정 ## 📑 완료 조건 완료 조건 1. 병원페이지의 리뷰가 잘 불러와지는가 완료 조건 2. 개인회원의 자기가 작성한 리뷰가 잘 불러와지는가 완료조건 3. 관리자는 전체 리뷰를 조회할 수 있는가 ## 💭 관련 백로그 [[BE]내가 쓴 리뷰][API][리뷰 API] ## 💭 예상 작업 시간 (작업 시간)2h
priority
리뷰 api 조회 수정 삭제 라우팅 설정 🔨 기능 설명 병원 회원 관리자 구분에 따른 라우팅 설정 📑 완료 조건 완료 조건 병원페이지의 리뷰가 잘 불러와지는가 완료 조건 개인회원의 자기가 작성한 리뷰가 잘 불러와지는가 완료조건 관리자는 전체 리뷰를 조회할 수 있는가 💭 관련 백로그 내가 쓴 리뷰 💭 예상 작업 시간 작업 시간
1
291,066
8,919,504,933
IssuesEvent
2019-01-21 00:49:48
apache/incubator-skywalking
https://api.github.com/repos/apache/incubator-skywalking
closed
The locking mechanism for inventory registration is not valid when the brain is split.
bug collector high priority
Please answer these questions before submitting your issue. - Why do you submit this issue? - [ ] Question or discussion - [X] Bug - [ ] Requirement - [ ] Feature or performance improvement ___ ### Bug - Which version of SkyWalking, OS and JRE? All the versions of 6.0.0 - What happen? If possible, provide a way for reproducing the error. e.g. demo application, component version. A small amount of endpoint inventories had the same sequence value after OAP server received excess segments.
1.0
The locking mechanism for inventory registration is not valid when the brain is split. - Please answer these questions before submitting your issue. - Why do you submit this issue? - [ ] Question or discussion - [X] Bug - [ ] Requirement - [ ] Feature or performance improvement ___ ### Bug - Which version of SkyWalking, OS and JRE? All the versions of 6.0.0 - What happen? If possible, provide a way for reproducing the error. e.g. demo application, component version. A small amount of endpoint inventories had the same sequence value after OAP server received excess segments.
priority
the locking mechanism for inventory registration is not valid when the brain is split please answer these questions before submitting your issue why do you submit this issue question or discussion bug requirement feature or performance improvement bug which version of skywalking os and jre all the versions of what happen if possible provide a way for reproducing the error e g demo application component version a small amount of endpoint inventories had the same sequence value after oap server received excess segments
1
388,759
11,492,260,737
IssuesEvent
2020-02-11 20:37:48
godaddy-wordpress/coblocks
https://api.github.com/repos/godaddy-wordpress/coblocks
closed
Hero block toolbar unusable
[Priority] High [Status] In Progress [Type] Bug
**Describe the bug** The toolbar of the hero blocks cannot be used when Gutenberg 7.2.0 is active. **To Reproduce** 1. Activate Gutenberg 7.2.0 2. Insert a hero block 3. Try inserting a link or changing the text format from the block toolbar 4. Focus changes to a different block. **Screenshots** ![Jan-13-2020 16-55-16](https://user-images.githubusercontent.com/1233880/72270808-0512d980-3626-11ea-8bd4-801642fc39fc.gif) **Expected behavior** Action selected on the block toolbar should be performed. **Isolating the problem:** - [x] This bug happens with no other plugins activated - [x] This bug happens with a default WordPress theme active - [ ] This bug happens **without** the Gutenberg plugin active - [x] I can reproduce this bug consistently using the steps above **WordPress Version** 5.3.2 **Gutenberg Version** What version of the Gutenberg plugin are you using? (If any)
1.0
Hero block toolbar unusable - **Describe the bug** The toolbar of the hero blocks cannot be used when Gutenberg 7.2.0 is active. **To Reproduce** 1. Activate Gutenberg 7.2.0 2. Insert a hero block 3. Try inserting a link or changing the text format from the block toolbar 4. Focus changes to a different block. **Screenshots** ![Jan-13-2020 16-55-16](https://user-images.githubusercontent.com/1233880/72270808-0512d980-3626-11ea-8bd4-801642fc39fc.gif) **Expected behavior** Action selected on the block toolbar should be performed. **Isolating the problem:** - [x] This bug happens with no other plugins activated - [x] This bug happens with a default WordPress theme active - [ ] This bug happens **without** the Gutenberg plugin active - [x] I can reproduce this bug consistently using the steps above **WordPress Version** 5.3.2 **Gutenberg Version** What version of the Gutenberg plugin are you using? (If any)
priority
hero block toolbar unusable describe the bug the toolbar of the hero blocks cannot be used when gutenberg is active to reproduce activate gutenberg insert a hero block try inserting a link or changing the text format from the block toolbar focus changes to a different block screenshots expected behavior action selected on the block toolbar should be performed isolating the problem this bug happens with no other plugins activated this bug happens with a default wordpress theme active this bug happens without the gutenberg plugin active i can reproduce this bug consistently using the steps above wordpress version gutenberg version what version of the gutenberg plugin are you using if any
1
498,728
14,429,502,333
IssuesEvent
2020-12-06 14:30:16
vtothsvk/AP-Home
https://api.github.com/repos/vtothsvk/AP-Home
closed
Button pin died
HW bug priority - high
**Describe the bug** Button pin died. We don't know if it was caused by the board or the pin was already dead during the board testing. **To Reproduce** 1. Check if the pin is working before testing the board 2. flash buttonTest 3. Let the node boot 4. Measure Button pin output 5. Enable driving the Button pin HIGH during boot by uncommenting ` //#define _BUTTON_TEST` 6. Let the node boot 7. Measure Button pin output **Expected behavior** If the HW is not at fault, during the 1st measurement the pin will be LOW and during the second it will be HIGH.
1.0
Button pin died - **Describe the bug** Button pin died. We don't know if it was caused by the board or the pin was already dead during the board testing. **To Reproduce** 1. Check if the pin is working before testing the board 2. flash buttonTest 3. Let the node boot 4. Measure Button pin output 5. Enable driving the Button pin HIGH during boot by uncommenting ` //#define _BUTTON_TEST` 6. Let the node boot 7. Measure Button pin output **Expected behavior** If the HW is not at fault, during the 1st measurement the pin will be LOW and during the second it will be HIGH.
priority
button pin died describe the bug button pin died we don t know if it was caused by the board or the pin was already dead during the board testing to reproduce check if the pin is working before testing the board flash buttontest let the node boot measure button pin output enable driving the button pin high during boot by uncommenting define button test let the node boot measure button pin output expected behavior if the hw is not at fault during the measurement the pin will be low and during the second it will be high
1
125,294
4,955,348,582
IssuesEvent
2016-12-01 20:09:30
pmem/issues
https://api.github.com/repos/pmem/issues
closed
FEAT: pmem pool on top of a raw pmem/dax device
Exposure: High Priority: 2 high Type: Feature
Provide support for creating persistent memory pools on a pmem device directly for people who don't want to use the file system for some reason. - Recent Linux kernels should allow to use devices like /dev/pmem0 (or /dev/dax) directly with mmap() to get DAX. - The users would have to deal with the lack of permissions and filenames. (Consider supporting this case only if you put the path in a poolset file so you still get the file system permission checks on the poolset file itself.) - Probably, we only need to detect the device case in for things like the *_create() and *_open() calls and everything else should work fine.
1.0
FEAT: pmem pool on top of a raw pmem/dax device - Provide support for creating persistent memory pools on a pmem device directly for people who don't want to use the file system for some reason. - Recent Linux kernels should allow to use devices like /dev/pmem0 (or /dev/dax) directly with mmap() to get DAX. - The users would have to deal with the lack of permissions and filenames. (Consider supporting this case only if you put the path in a poolset file so you still get the file system permission checks on the poolset file itself.) - Probably, we only need to detect the device case in for things like the *_create() and *_open() calls and everything else should work fine.
priority
feat pmem pool on top of a raw pmem dax device provide support for creating persistent memory pools on a pmem device directly for people who don t want to use the file system for some reason recent linux kernels should allow to use devices like dev or dev dax directly with mmap to get dax the users would have to deal with the lack of permissions and filenames consider supporting this case only if you put the path in a poolset file so you still get the file system permission checks on the poolset file itself probably we only need to detect the device case in for things like the create and open calls and everything else should work fine
1
202,076
7,043,842,464
IssuesEvent
2017-12-31 13:48:45
AlexFalappa/nb-springboot
https://api.github.com/repos/AlexFalappa/nb-springboot
opened
FileAlreadyLockedException when creating custom maven actions
bug priority: high
Happened when creating a custom maven action (`Run Maven` -> `Goals...`): ``` org.openide.filesystems.FileAlreadyLockedException: /home/sasha/Sviluppo/gitrepos/nb-cfgprops/nbactions.xml at org.netbeans.modules.masterfs.filebasedfs.fileobjects.LockForFile.registerLock(LockForFile.java:115) at org.netbeans.modules.masterfs.filebasedfs.fileobjects.LockForFile.tryLock(LockForFile.java:104) at org.netbeans.modules.masterfs.filebasedfs.fileobjects.FileObj.lock(FileObj.java:409) at org.openide.filesystems.FileObject.getOutputStream(FileObject.java:812) at org.openide.filesystems.FileObject$1R.run(FileObject.java:1068) at org.openide.filesystems.EventControl.runAtomicAction(EventControl.java:127) at org.openide.filesystems.FileSystem.runAtomicAction(FileSystem.java:519) at org.openide.filesystems.FileObject.createAndOpen(FileObject.java:1077) [catch] at com.github.alexfalappa.nbspringboot.projects.service.spi.SpringBootServiceImpl.adjustNbActions(SpringBootServiceImpl.java:351) at com.github.alexfalappa.nbspringboot.projects.service.spi.SpringBootServiceImpl.refresh(SpringBootServiceImpl.java:128) at com.github.alexfalappa.nbspringboot.projects.service.spi.SpringBootServiceImpl$1.propertyChange(SpringBootServiceImpl.java:280) at java.beans.PropertyChangeSupport.fire(PropertyChangeSupport.java:335) at java.beans.PropertyChangeSupport.firePropertyChange(PropertyChangeSupport.java:327) at java.beans.PropertyChangeSupport.firePropertyChange(PropertyChangeSupport.java:263) at org.netbeans.modules.maven.api.NbMavenProject.doFireReload(NbMavenProject.java:573) at org.netbeans.modules.maven.api.NbMavenProject.access$200(NbMavenProject.java:95) at org.netbeans.modules.maven.api.NbMavenProject$AccessorImpl.doFireReload(NbMavenProject.java:141) at org.netbeans.modules.maven.NbMavenProjectImpl$1.run(NbMavenProjectImpl.java:151) at org.openide.util.RequestProcessor$Task.run(RequestProcessor.java:1443) at org.netbeans.modules.openide.util.GlobalLookup.execute(GlobalLookup.java:68) at org.openide.util.lookup.Lookups.executeWith(Lookups.java:303) at org.openide.util.RequestProcessor$Processor.run(RequestProcessor.java:2058) ``` The problem seems to be in the new code for dealing with adaptations of restart environment properties to spring boot version.
1.0
FileAlreadyLockedException when creating custom maven actions - Happened when creating a custom maven action (`Run Maven` -> `Goals...`): ``` org.openide.filesystems.FileAlreadyLockedException: /home/sasha/Sviluppo/gitrepos/nb-cfgprops/nbactions.xml at org.netbeans.modules.masterfs.filebasedfs.fileobjects.LockForFile.registerLock(LockForFile.java:115) at org.netbeans.modules.masterfs.filebasedfs.fileobjects.LockForFile.tryLock(LockForFile.java:104) at org.netbeans.modules.masterfs.filebasedfs.fileobjects.FileObj.lock(FileObj.java:409) at org.openide.filesystems.FileObject.getOutputStream(FileObject.java:812) at org.openide.filesystems.FileObject$1R.run(FileObject.java:1068) at org.openide.filesystems.EventControl.runAtomicAction(EventControl.java:127) at org.openide.filesystems.FileSystem.runAtomicAction(FileSystem.java:519) at org.openide.filesystems.FileObject.createAndOpen(FileObject.java:1077) [catch] at com.github.alexfalappa.nbspringboot.projects.service.spi.SpringBootServiceImpl.adjustNbActions(SpringBootServiceImpl.java:351) at com.github.alexfalappa.nbspringboot.projects.service.spi.SpringBootServiceImpl.refresh(SpringBootServiceImpl.java:128) at com.github.alexfalappa.nbspringboot.projects.service.spi.SpringBootServiceImpl$1.propertyChange(SpringBootServiceImpl.java:280) at java.beans.PropertyChangeSupport.fire(PropertyChangeSupport.java:335) at java.beans.PropertyChangeSupport.firePropertyChange(PropertyChangeSupport.java:327) at java.beans.PropertyChangeSupport.firePropertyChange(PropertyChangeSupport.java:263) at org.netbeans.modules.maven.api.NbMavenProject.doFireReload(NbMavenProject.java:573) at org.netbeans.modules.maven.api.NbMavenProject.access$200(NbMavenProject.java:95) at org.netbeans.modules.maven.api.NbMavenProject$AccessorImpl.doFireReload(NbMavenProject.java:141) at org.netbeans.modules.maven.NbMavenProjectImpl$1.run(NbMavenProjectImpl.java:151) at org.openide.util.RequestProcessor$Task.run(RequestProcessor.java:1443) at org.netbeans.modules.openide.util.GlobalLookup.execute(GlobalLookup.java:68) at org.openide.util.lookup.Lookups.executeWith(Lookups.java:303) at org.openide.util.RequestProcessor$Processor.run(RequestProcessor.java:2058) ``` The problem seems to be in the new code for dealing with adaptations of restart environment properties to spring boot version.
priority
filealreadylockedexception when creating custom maven actions happened when creating a custom maven action run maven goals org openide filesystems filealreadylockedexception home sasha sviluppo gitrepos nb cfgprops nbactions xml at org netbeans modules masterfs filebasedfs fileobjects lockforfile registerlock lockforfile java at org netbeans modules masterfs filebasedfs fileobjects lockforfile trylock lockforfile java at org netbeans modules masterfs filebasedfs fileobjects fileobj lock fileobj java at org openide filesystems fileobject getoutputstream fileobject java at org openide filesystems fileobject run fileobject java at org openide filesystems eventcontrol runatomicaction eventcontrol java at org openide filesystems filesystem runatomicaction filesystem java at org openide filesystems fileobject createandopen fileobject java at com github alexfalappa nbspringboot projects service spi springbootserviceimpl adjustnbactions springbootserviceimpl java at com github alexfalappa nbspringboot projects service spi springbootserviceimpl refresh springbootserviceimpl java at com github alexfalappa nbspringboot projects service spi springbootserviceimpl propertychange springbootserviceimpl java at java beans propertychangesupport fire propertychangesupport java at java beans propertychangesupport firepropertychange propertychangesupport java at java beans propertychangesupport firepropertychange propertychangesupport java at org netbeans modules maven api nbmavenproject dofirereload nbmavenproject java at org netbeans modules maven api nbmavenproject access nbmavenproject java at org netbeans modules maven api nbmavenproject accessorimpl dofirereload nbmavenproject java at org netbeans modules maven nbmavenprojectimpl run nbmavenprojectimpl java at org openide util requestprocessor task run requestprocessor java at org netbeans modules openide util globallookup execute globallookup java at org openide util lookup lookups executewith lookups java at org openide util requestprocessor processor run requestprocessor java the problem seems to be in the new code for dealing with adaptations of restart environment properties to spring boot version
1
182,341
6,669,069,899
IssuesEvent
2017-10-03 18:00:53
GoogleCloudPlatform/google-cloud-eclipse
https://api.github.com/repos/GoogleCloudPlatform/google-cloud-eclipse
closed
Staging fails to publish external and other project dependencies
bug high priority
- Cloud Tools for Eclipse version: 1.3.1.201709121426 - Google Cloud SDK version: 172.0.1 - OS:OSX 10.12.6 - Java version:1.7.0_60 **What did you do?** As i am trying to upgrade from the old google appengine plugin to google cloud tools, i try to deploy a webproject that has a dependency on another (plain java) project in eclipse using the "deploy to appengine standard" button **What did you expect to see?** deployment **What did you see instead?** /var/folders/yg/lqfxnjzx2hx54z1609vl5fb80000gn/T/1506502634400-0/org/apache/jsp/WEB_002dINF/jsp/contact_002dselection/page_002dtop_jsp.java:15: error: package nl.anp.aps.entities does not exist import nl.anp.aps.entities.User; ^ 6 errors Unable to stage app: Failed to compile the generated JSP java files. Note: - the missing imports are from the dependend java project - deployment with the previous "google plugin for eclipse 4.4/4.5/4.6" worked fine. - mvn appengine:deploy also works ok - i have no spaces in my gcloud sdk path
1.0
Staging fails to publish external and other project dependencies - - Cloud Tools for Eclipse version: 1.3.1.201709121426 - Google Cloud SDK version: 172.0.1 - OS:OSX 10.12.6 - Java version:1.7.0_60 **What did you do?** As i am trying to upgrade from the old google appengine plugin to google cloud tools, i try to deploy a webproject that has a dependency on another (plain java) project in eclipse using the "deploy to appengine standard" button **What did you expect to see?** deployment **What did you see instead?** /var/folders/yg/lqfxnjzx2hx54z1609vl5fb80000gn/T/1506502634400-0/org/apache/jsp/WEB_002dINF/jsp/contact_002dselection/page_002dtop_jsp.java:15: error: package nl.anp.aps.entities does not exist import nl.anp.aps.entities.User; ^ 6 errors Unable to stage app: Failed to compile the generated JSP java files. Note: - the missing imports are from the dependend java project - deployment with the previous "google plugin for eclipse 4.4/4.5/4.6" worked fine. - mvn appengine:deploy also works ok - i have no spaces in my gcloud sdk path
priority
staging fails to publish external and other project dependencies cloud tools for eclipse version google cloud sdk version os osx java version what did you do as i am trying to upgrade from the old google appengine plugin to google cloud tools i try to deploy a webproject that has a dependency on another plain java project in eclipse using the deploy to appengine standard button what did you expect to see deployment what did you see instead var folders yg t org apache jsp web jsp contact page jsp java error package nl anp aps entities does not exist import nl anp aps entities user errors unable to stage app failed to compile the generated jsp java files note the missing imports are from the dependend java project deployment with the previous google plugin for eclipse worked fine mvn appengine deploy also works ok i have no spaces in my gcloud sdk path
1
128,555
5,070,774,776
IssuesEvent
2016-12-26 08:26:37
fossasia/gci16.fossasia.org
https://api.github.com/repos/fossasia/gci16.fossasia.org
closed
Ads on the website??
Priority: HIGH
I think no one here likes ads. But recently our website showed me the worst kind of ad: ![screenshot_20161219-073041](https://cloud.githubusercontent.com/assets/19410489/21303377/552fe8e4-c5be-11e6-9f83-bcce3087f41a.png) It happend on my tablet and phone in past two days. Sadly I can't make sure if it from the website or ISP taking use of not secure connection because it never happened on my laptop where I have the debugger. However I've seen Adblock do its stuff on my laptop when visiting our page. If the ad is served from page I think we should remove it otherwise we should switch to HTTPS to prevent mobile carriers and ISPs from changing content of our website.
1.0
Ads on the website?? - I think no one here likes ads. But recently our website showed me the worst kind of ad: ![screenshot_20161219-073041](https://cloud.githubusercontent.com/assets/19410489/21303377/552fe8e4-c5be-11e6-9f83-bcce3087f41a.png) It happend on my tablet and phone in past two days. Sadly I can't make sure if it from the website or ISP taking use of not secure connection because it never happened on my laptop where I have the debugger. However I've seen Adblock do its stuff on my laptop when visiting our page. If the ad is served from page I think we should remove it otherwise we should switch to HTTPS to prevent mobile carriers and ISPs from changing content of our website.
priority
ads on the website i think no one here likes ads but recently our website showed me the worst kind of ad it happend on my tablet and phone in past two days sadly i can t make sure if it from the website or isp taking use of not secure connection because it never happened on my laptop where i have the debugger however i ve seen adblock do its stuff on my laptop when visiting our page if the ad is served from page i think we should remove it otherwise we should switch to https to prevent mobile carriers and isps from changing content of our website
1
437,954
12,605,141,827
IssuesEvent
2020-06-11 16:00:54
googlefonts/noto-fonts
https://api.github.com/repos/googlefonts/noto-fonts
closed
Phase II Bengali TTF fonts need U+02BC 'MODIFIER LETTER APOSTROPHE'
Indic-support Priority-High Script-Bengali in-evaluation
Phase II Bengali TTF fonts need U+02BC 'MODIFIER LETTER APOSTROPHE' (it's already in SOW15). Alternatively: we need to ship Phase III Bengali
1.0
Phase II Bengali TTF fonts need U+02BC 'MODIFIER LETTER APOSTROPHE' - Phase II Bengali TTF fonts need U+02BC 'MODIFIER LETTER APOSTROPHE' (it's already in SOW15). Alternatively: we need to ship Phase III Bengali
priority
phase ii bengali ttf fonts need u modifier letter apostrophe phase ii bengali ttf fonts need u modifier letter apostrophe it s already in alternatively we need to ship phase iii bengali
1
192,902
6,877,520,529
IssuesEvent
2017-11-20 08:23:36
OpenNebula/one
https://api.github.com/repos/OpenNebula/one
opened
support vhost-scsi-pci in centos7
Category: Drivers - VM Priority: High Status: Pending Tracker: Request
--- Author Name: **海涛 肖** (海涛 肖) Original Redmine Issue: 3027, https://dev.opennebula.org/issues/3027 Original Date: 2014-07-10 --- CentOS7 has supported LIO , vhost-scsi-pci can improve obvious disk performance. This is the qemu parameter using vhost-scsi-pci: -device vhost-scsi-pci,id=vhost-scsi0,wwpn=naa.50014051e81a1675
1.0
support vhost-scsi-pci in centos7 - --- Author Name: **海涛 肖** (海涛 肖) Original Redmine Issue: 3027, https://dev.opennebula.org/issues/3027 Original Date: 2014-07-10 --- CentOS7 has supported LIO , vhost-scsi-pci can improve obvious disk performance. This is the qemu parameter using vhost-scsi-pci: -device vhost-scsi-pci,id=vhost-scsi0,wwpn=naa.50014051e81a1675
priority
support vhost scsi pci in author name 海涛 肖 海涛 肖 original redmine issue original date has supported lio vhost scsi pci can improve obvious disk performance this is the qemu parameter using vhost scsi pci device vhost scsi pci id vhost wwpn naa
1
300,585
9,211,505,989
IssuesEvent
2019-03-09 15:58:24
qgisissuebot/QGIS
https://api.github.com/repos/qgisissuebot/QGIS
closed
Raster Calculator wrong results
Bug Priority: high
--- Author Name: **monokultur -** (monokultur -) Original Redmine Issue: 21405, https://issues.qgis.org/issues/21405 Original Date: 2019-02-27T11:55:24.758Z Original Assignee: Alessandro Pasotti Affected QGIS version: 3.6.0 --- In Qgis 3.6.0 the Raster Calculator delivers wrong results. Example: two geotiffs Sentinel-2 expression: 0.5*((2*"B08@1"+1)-sqrt((2*"B08@1"+1)^2-8*("B08@1"-"B04@1"))) *3.6.0*: 0.5*((2*0.4544+1)-sqrt((2*0.4544+1)^2-8*(0.4544-"0.0514")))= *nan* *3.4.5*: 0.5*((2*0.4544+1)-sqrt((2*0.4544+1)^2-8*(0.4544-"0.0514")))= *0.630549* *Excel*: 0.5*((2*0.4544+1)-sqrt((2*0.4544+1)^2-8*(0.4544-"0.0514")))= *0.630549* *3.6.0*: 0.5*((2*0.2768+1)-sqrt((2*0.2768+1)^2-8*(0.2768-"0.0448")))= *0.883769* *3.4.5*: 0.5*((2*0.2768+1)-sqrt((2*0.2768+1)^2-8*(0.2768-"0.0448")))= *0.4034125* *Excel*: 0.5*((2*0.2768+1)-sqrt((2*0.2768+1)^2-8*(0.2768-"0.0448")))= *0.4034125*
1.0
Raster Calculator wrong results - --- Author Name: **monokultur -** (monokultur -) Original Redmine Issue: 21405, https://issues.qgis.org/issues/21405 Original Date: 2019-02-27T11:55:24.758Z Original Assignee: Alessandro Pasotti Affected QGIS version: 3.6.0 --- In Qgis 3.6.0 the Raster Calculator delivers wrong results. Example: two geotiffs Sentinel-2 expression: 0.5*((2*"B08@1"+1)-sqrt((2*"B08@1"+1)^2-8*("B08@1"-"B04@1"))) *3.6.0*: 0.5*((2*0.4544+1)-sqrt((2*0.4544+1)^2-8*(0.4544-"0.0514")))= *nan* *3.4.5*: 0.5*((2*0.4544+1)-sqrt((2*0.4544+1)^2-8*(0.4544-"0.0514")))= *0.630549* *Excel*: 0.5*((2*0.4544+1)-sqrt((2*0.4544+1)^2-8*(0.4544-"0.0514")))= *0.630549* *3.6.0*: 0.5*((2*0.2768+1)-sqrt((2*0.2768+1)^2-8*(0.2768-"0.0448")))= *0.883769* *3.4.5*: 0.5*((2*0.2768+1)-sqrt((2*0.2768+1)^2-8*(0.2768-"0.0448")))= *0.4034125* *Excel*: 0.5*((2*0.2768+1)-sqrt((2*0.2768+1)^2-8*(0.2768-"0.0448")))= *0.4034125*
priority
raster calculator wrong results author name monokultur monokultur original redmine issue original date original assignee alessandro pasotti affected qgis version in qgis the raster calculator delivers wrong results example two geotiffs sentinel expression sqrt sqrt nan sqrt excel sqrt sqrt sqrt excel sqrt
1
390,053
11,521,110,062
IssuesEvent
2020-02-14 16:01:47
python/mypy
https://api.github.com/repos/python/mypy
closed
multiple init=False dataclasses with an __init__ that has a different signature crashes mypy
bug crash priority-0-high
In the presence of `init=False` dataclass subclassing chains and particular `__init__` overrides, the semantic analyzer gets stuck in a loop and crashes - apparently because it can't make forward progress. I don't really understand what's going on here even after spending some time in pdb, but I've got it down to what I think is a pretty minimal (and silly) test case. Please provide more information to help us understand the issue: * Are you reporting a bug, or opening a feature request? A bug * Please insert below the code you are checking with mypy, or a mock-up repro if the source is private. We would appreciate if you try to simplify your case to a minimal repro. ```python from dataclasses import dataclass, InitVar @dataclass class A: a: InitVar[bool] def __post_init__(self, a: bool): pass @dataclass class B(A): b: InitVar[bool] def __post_init__(self, a: bool, b: bool): super().__post_init__(a=a) @dataclass(init=False) class C(B): def __init__(self, a: bool, b: bool) -> None: super().__init__(a=a, b=b) @dataclass(init=False) class D(C): def __init__(self, a: bool) -> None: super().__init__(a, False) ``` * What is the actual behavior/output? Mypy crashes with a big deferral trace indicating that it got stuck on line 22 (`D.__init__`) * What is the behavior/output you expect? No crashes! * What are the versions of mypy and Python you are using? Do you see the same issue after installing mypy from Git master? Python 3.6.5/3.8.0 Mypy from git master (9101707b) * What are the mypy flags you are using? (For example --strict-optional) None * If mypy crashed with a traceback, please paste the full traceback below. No traceback, but here is a deferral trace: ``` Deferral trace: maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash.py: error: INTERNAL ERROR: maximum semantic analysis iteration count reached Found 1 error in 1 file (checked 1 source file) ```
1.0
multiple init=False dataclasses with an __init__ that has a different signature crashes mypy - In the presence of `init=False` dataclass subclassing chains and particular `__init__` overrides, the semantic analyzer gets stuck in a loop and crashes - apparently because it can't make forward progress. I don't really understand what's going on here even after spending some time in pdb, but I've got it down to what I think is a pretty minimal (and silly) test case. Please provide more information to help us understand the issue: * Are you reporting a bug, or opening a feature request? A bug * Please insert below the code you are checking with mypy, or a mock-up repro if the source is private. We would appreciate if you try to simplify your case to a minimal repro. ```python from dataclasses import dataclass, InitVar @dataclass class A: a: InitVar[bool] def __post_init__(self, a: bool): pass @dataclass class B(A): b: InitVar[bool] def __post_init__(self, a: bool, b: bool): super().__post_init__(a=a) @dataclass(init=False) class C(B): def __init__(self, a: bool, b: bool) -> None: super().__init__(a=a, b=b) @dataclass(init=False) class D(C): def __init__(self, a: bool) -> None: super().__init__(a, False) ``` * What is the actual behavior/output? Mypy crashes with a big deferral trace indicating that it got stuck on line 22 (`D.__init__`) * What is the behavior/output you expect? No crashes! * What are the versions of mypy and Python you are using? Do you see the same issue after installing mypy from Git master? Python 3.6.5/3.8.0 Mypy from git master (9101707b) * What are the mypy flags you are using? (For example --strict-optional) None * If mypy crashed with a traceback, please paste the full traceback below. No traceback, but here is a deferral trace: ``` Deferral trace: maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash:22 maybe_crash.py: error: INTERNAL ERROR: maximum semantic analysis iteration count reached Found 1 error in 1 file (checked 1 source file) ```
priority
multiple init false dataclasses with an init that has a different signature crashes mypy in the presence of init false dataclass subclassing chains and particular init overrides the semantic analyzer gets stuck in a loop and crashes apparently because it can t make forward progress i don t really understand what s going on here even after spending some time in pdb but i ve got it down to what i think is a pretty minimal and silly test case please provide more information to help us understand the issue are you reporting a bug or opening a feature request a bug please insert below the code you are checking with mypy or a mock up repro if the source is private we would appreciate if you try to simplify your case to a minimal repro python from dataclasses import dataclass initvar dataclass class a a initvar def post init self a bool pass dataclass class b a b initvar def post init self a bool b bool super post init a a dataclass init false class c b def init self a bool b bool none super init a a b b dataclass init false class d c def init self a bool none super init a false what is the actual behavior output mypy crashes with a big deferral trace indicating that it got stuck on line d init what is the behavior output you expect no crashes what are the versions of mypy and python you are using do you see the same issue after installing mypy from git master python mypy from git master what are the mypy flags you are using for example strict optional none if mypy crashed with a traceback please paste the full traceback below no traceback but here is a deferral trace deferral trace maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash maybe crash py error internal error maximum semantic analysis iteration count reached found error in file checked source file
1
748,673
26,132,464,604
IssuesEvent
2022-12-29 07:37:02
zulip/zulip-terminal
https://api.github.com/repos/zulip/zulip-terminal
closed
Fix incorrect check for bad event queue
bug high priority
Currently, zulip-terminal is checking for the string "Bad event queue id:" to check whether an error is due to a bad event queue ID. This is not the correct algorithm; as documented on https://zulip.com/api/register-queue, it should be checking the `code` on the response object, not the `msg` field. In https://github.com/zulip/zulip/pull/23711, we will be changing that string, though the logic would have also failed for users with a non-English language configured (as then the error message would come back in that language). ``` @asynch def poll_for_events(self) -> None: reregister_timeout = 10 queue_id = self.queue_id last_event_id = self.last_event_id while True: if queue_id is None: while True: if not self._register_desired_events(): queue_id = self.queue_id last_event_id = self.last_event_id break time.sleep(reregister_timeout) response = self.client.get_events( queue_id=queue_id, last_event_id=last_event_id ) if "error" in response["result"]: if response["msg"].startswith("Bad event queue id:"): # Our event queue went away, probably because # we were asleep or the server restarted # abnormally. We may have missed some # events while the network was down or # something, but there's not really anything # we can do about it other than resuming # getting new ones. # # Reset queue_id to register a new event queue. queue_id = None time.sleep(1) continue ```
1.0
Fix incorrect check for bad event queue - Currently, zulip-terminal is checking for the string "Bad event queue id:" to check whether an error is due to a bad event queue ID. This is not the correct algorithm; as documented on https://zulip.com/api/register-queue, it should be checking the `code` on the response object, not the `msg` field. In https://github.com/zulip/zulip/pull/23711, we will be changing that string, though the logic would have also failed for users with a non-English language configured (as then the error message would come back in that language). ``` @asynch def poll_for_events(self) -> None: reregister_timeout = 10 queue_id = self.queue_id last_event_id = self.last_event_id while True: if queue_id is None: while True: if not self._register_desired_events(): queue_id = self.queue_id last_event_id = self.last_event_id break time.sleep(reregister_timeout) response = self.client.get_events( queue_id=queue_id, last_event_id=last_event_id ) if "error" in response["result"]: if response["msg"].startswith("Bad event queue id:"): # Our event queue went away, probably because # we were asleep or the server restarted # abnormally. We may have missed some # events while the network was down or # something, but there's not really anything # we can do about it other than resuming # getting new ones. # # Reset queue_id to register a new event queue. queue_id = None time.sleep(1) continue ```
priority
fix incorrect check for bad event queue currently zulip terminal is checking for the string bad event queue id to check whether an error is due to a bad event queue id this is not the correct algorithm as documented on it should be checking the code on the response object not the msg field in we will be changing that string though the logic would have also failed for users with a non english language configured as then the error message would come back in that language asynch def poll for events self none reregister timeout queue id self queue id last event id self last event id while true if queue id is none while true if not self register desired events queue id self queue id last event id self last event id break time sleep reregister timeout response self client get events queue id queue id last event id last event id if error in response if response startswith bad event queue id our event queue went away probably because we were asleep or the server restarted abnormally we may have missed some events while the network was down or something but there s not really anything we can do about it other than resuming getting new ones reset queue id to register a new event queue queue id none time sleep continue
1
43,841
2,893,269,305
IssuesEvent
2015-06-15 17:05:11
cedric-demongivert/babel
https://api.github.com/repos/cedric-demongivert/babel
opened
Corriger problème d'affichage des duplicata dans la pile d'appel
bug requested with high priority
Les duplicatas ne s'affichaient pas (fonction appelée plusieurs fois avec le même argument par ex)
1.0
Corriger problème d'affichage des duplicata dans la pile d'appel - Les duplicatas ne s'affichaient pas (fonction appelée plusieurs fois avec le même argument par ex)
priority
corriger problème d affichage des duplicata dans la pile d appel les duplicatas ne s affichaient pas fonction appelée plusieurs fois avec le même argument par ex
1
17,075
2,615,130,292
IssuesEvent
2015-03-01 06:00:08
chrsmith/google-api-java-client
https://api.github.com/repos/chrsmith/google-api-java-client
closed
GoogleJsonResponseException: add getETagHeader()
auto-migrated Component-HTTP Priority-High Type-Enhancement
``` External references, such as a standards document, or specification? http://javadoc.google-api-java-client.googlecode.com/hg/1.12.0-beta/com/google/a pi/client/googleapis/json/GoogleJsonResponseException.html Java environments (e.g. Java 6, Android 2.3, App Engine, or All)? All Please describe the feature requested. Right now to get the ETag header you need to do this: catch (GoogleJsonResponseException e) { String etag = e.getHeaders().getETag(); } This is reasonably simple, but ETag is a sufficiently common header that we could make even simpler: catch (GoogleJsonResponseException e) { String etag = e.getETagHeader(); } ``` Original issue reported on code.google.com by `yan...@google.com` on 20 Nov 2012 at 7:33
1.0
GoogleJsonResponseException: add getETagHeader() - ``` External references, such as a standards document, or specification? http://javadoc.google-api-java-client.googlecode.com/hg/1.12.0-beta/com/google/a pi/client/googleapis/json/GoogleJsonResponseException.html Java environments (e.g. Java 6, Android 2.3, App Engine, or All)? All Please describe the feature requested. Right now to get the ETag header you need to do this: catch (GoogleJsonResponseException e) { String etag = e.getHeaders().getETag(); } This is reasonably simple, but ETag is a sufficiently common header that we could make even simpler: catch (GoogleJsonResponseException e) { String etag = e.getETagHeader(); } ``` Original issue reported on code.google.com by `yan...@google.com` on 20 Nov 2012 at 7:33
priority
googlejsonresponseexception add getetagheader external references such as a standards document or specification pi client googleapis json googlejsonresponseexception html java environments e g java android app engine or all all please describe the feature requested right now to get the etag header you need to do this catch googlejsonresponseexception e string etag e getheaders getetag this is reasonably simple but etag is a sufficiently common header that we could make even simpler catch googlejsonresponseexception e string etag e getetagheader original issue reported on code google com by yan google com on nov at
1
826,105
31,552,824,900
IssuesEvent
2023-09-02 09:06:05
fedora-infra/bodhi
https://api.github.com/repos/fedora-infra/bodhi
closed
Bodhi should display if an update has been wavied
RFE High priority WebUI
We should make the update page display a note if an update has been waived. It should display the user who added the waiver and their wavier message.
1.0
Bodhi should display if an update has been wavied - We should make the update page display a note if an update has been waived. It should display the user who added the waiver and their wavier message.
priority
bodhi should display if an update has been wavied we should make the update page display a note if an update has been waived it should display the user who added the waiver and their wavier message
1
99,755
4,064,314,749
IssuesEvent
2016-05-26 06:03:17
alexrj/Slic3r
https://api.github.com/repos/alexrj/Slic3r
opened
Run another incremental Stable build off of -stable?
HIGH PRIORITY NEED ADVICE AND IDEAS FROM COMMUNITY Not a bug
I've been getting some chatter in #reprap asking for "another stable build". Thing is the only thing that's happened in -stable that I've noticed is the patch to paper over the gapfill problems. I think the solution from 1.3.0-dev (which is also not "out" yet) is better, but I've seen it have some weirdness combined with autospeed (although I haven't seen that particular bug lately). @alexrj any thoughts on this? Could you point me at something so I can figure out how to produce windows builds off of HEAD for the people who have been waiting for stuff to test? I figure anything to help people get useful testing in will help us get to a point where we can mark it as "working/stable" (at least w/r/t milestones reached).
1.0
Run another incremental Stable build off of -stable? - I've been getting some chatter in #reprap asking for "another stable build". Thing is the only thing that's happened in -stable that I've noticed is the patch to paper over the gapfill problems. I think the solution from 1.3.0-dev (which is also not "out" yet) is better, but I've seen it have some weirdness combined with autospeed (although I haven't seen that particular bug lately). @alexrj any thoughts on this? Could you point me at something so I can figure out how to produce windows builds off of HEAD for the people who have been waiting for stuff to test? I figure anything to help people get useful testing in will help us get to a point where we can mark it as "working/stable" (at least w/r/t milestones reached).
priority
run another incremental stable build off of stable i ve been getting some chatter in reprap asking for another stable build thing is the only thing that s happened in stable that i ve noticed is the patch to paper over the gapfill problems i think the solution from dev which is also not out yet is better but i ve seen it have some weirdness combined with autospeed although i haven t seen that particular bug lately alexrj any thoughts on this could you point me at something so i can figure out how to produce windows builds off of head for the people who have been waiting for stuff to test i figure anything to help people get useful testing in will help us get to a point where we can mark it as working stable at least w r t milestones reached
1
600,532
18,343,640,338
IssuesEvent
2021-10-08 01:14:57
vignetteapp/Akihabara
https://api.github.com/repos/vignetteapp/Akihabara
opened
Patch out file::GetContents to mediapipe::GetResourceContents
bug priority:high hacktoberfest
As discussed on Discord, MP will always use file::GetContents and never use ResourceProvider, which is definitely a no-no for our use case because that meant we cannot assure that MP will always read from our specific directory. This should be patched out immediately to account for our use case.
1.0
Patch out file::GetContents to mediapipe::GetResourceContents - As discussed on Discord, MP will always use file::GetContents and never use ResourceProvider, which is definitely a no-no for our use case because that meant we cannot assure that MP will always read from our specific directory. This should be patched out immediately to account for our use case.
priority
patch out file getcontents to mediapipe getresourcecontents as discussed on discord mp will always use file getcontents and never use resourceprovider which is definitely a no no for our use case because that meant we cannot assure that mp will always read from our specific directory this should be patched out immediately to account for our use case
1
381,892
11,297,422,033
IssuesEvent
2020-01-17 05:57:34
openmsupply/mobile
https://api.github.com/repos/openmsupply/mobile
closed
Removing records in `CustomerInvoicesPage` doesn't work
Bug: development Docs: not needed Effort: small Priority: high
## Describe the bug App crushes when trying to remove one or more items in `CustomerInvoicesPage`. See here: ![modalError](https://user-images.githubusercontent.com/32987464/72102325-91ee3680-338b-11ea-9db2-9d4f0c71f18d.gif) ### To reproduce Steps to reproduce the behavior: 1. Go to `CustomerInvoicesPage` 2. Select one or more records to remove 3. Click on the Delete option provided by the modal 4. See error ### Expected behaviour Items should be removed when the Delete button is pressed. ### Version and device info - App version: All - Tablet model: All - OS version: All
1.0
Removing records in `CustomerInvoicesPage` doesn't work - ## Describe the bug App crushes when trying to remove one or more items in `CustomerInvoicesPage`. See here: ![modalError](https://user-images.githubusercontent.com/32987464/72102325-91ee3680-338b-11ea-9db2-9d4f0c71f18d.gif) ### To reproduce Steps to reproduce the behavior: 1. Go to `CustomerInvoicesPage` 2. Select one or more records to remove 3. Click on the Delete option provided by the modal 4. See error ### Expected behaviour Items should be removed when the Delete button is pressed. ### Version and device info - App version: All - Tablet model: All - OS version: All
priority
removing records in customerinvoicespage doesn t work describe the bug app crushes when trying to remove one or more items in customerinvoicespage see here to reproduce steps to reproduce the behavior go to customerinvoicespage select one or more records to remove click on the delete option provided by the modal see error expected behaviour items should be removed when the delete button is pressed version and device info app version all tablet model all os version all
1
726,489
25,000,751,997
IssuesEvent
2022-11-03 07:38:37
AY2223S1-CS2103-F14-2/tp
https://api.github.com/repos/AY2223S1-CS2103-F14-2/tp
closed
[PE-D][Tester D] Inconsistent duplicate-checking compared to the user guide
type.Bug priority.High
Command: `add n/John Doe p/98765432 e/johnd@example.com a/311, Clementi Ave 2, #02-25 c/3.50/4.00 g/male u/Nanyang Polytechnic gd/05-2024 m/testing ji/173296 jt/Software Engineer Intern t/rejected t/rejected` (note that tags are rejected and rejected) Result: ![image.png](https://raw.githubusercontent.com/cheeheng/ped/main/files/c2255727-f7c3-408a-b239-b901d0ed502f.png) Clearly, there is duplicate checking of tags because only one 'rejected' shows up even though there are 2. Command: `add n/John Doe p/98765432 e/johnd@example.com a/311, Clementi Ave 2, #02-25 c/3.50/4.00 g/male u/Nanyang Polytechnic gd/05-2024 m/testing ji/173296 jt/Software Engineer Intern t/rejected t/Rejected` (note that tags are rejected and Rejected) Result: ![image.png](https://raw.githubusercontent.com/cheeheng/ped/main/files/0b88b9d9-1df6-4f52-8d31-2b6e258d75a4.png) However, the user guide states this: ![image.png](https://raw.githubusercontent.com/cheeheng/ped/main/files/7dcb6250-2e94-4a7f-a443-206a372ac5d2.png) which means that these tags should have been considered as duplicate. <!--session: 1666946847495-2138580e-4477-4abd-b691-8ea1cdf0e721--> <!--Version: Web v3.4.4--> ------------- Labels: `severity.Low` `type.FunctionalityBug` original: cheeheng/ped#10
1.0
[PE-D][Tester D] Inconsistent duplicate-checking compared to the user guide - Command: `add n/John Doe p/98765432 e/johnd@example.com a/311, Clementi Ave 2, #02-25 c/3.50/4.00 g/male u/Nanyang Polytechnic gd/05-2024 m/testing ji/173296 jt/Software Engineer Intern t/rejected t/rejected` (note that tags are rejected and rejected) Result: ![image.png](https://raw.githubusercontent.com/cheeheng/ped/main/files/c2255727-f7c3-408a-b239-b901d0ed502f.png) Clearly, there is duplicate checking of tags because only one 'rejected' shows up even though there are 2. Command: `add n/John Doe p/98765432 e/johnd@example.com a/311, Clementi Ave 2, #02-25 c/3.50/4.00 g/male u/Nanyang Polytechnic gd/05-2024 m/testing ji/173296 jt/Software Engineer Intern t/rejected t/Rejected` (note that tags are rejected and Rejected) Result: ![image.png](https://raw.githubusercontent.com/cheeheng/ped/main/files/0b88b9d9-1df6-4f52-8d31-2b6e258d75a4.png) However, the user guide states this: ![image.png](https://raw.githubusercontent.com/cheeheng/ped/main/files/7dcb6250-2e94-4a7f-a443-206a372ac5d2.png) which means that these tags should have been considered as duplicate. <!--session: 1666946847495-2138580e-4477-4abd-b691-8ea1cdf0e721--> <!--Version: Web v3.4.4--> ------------- Labels: `severity.Low` `type.FunctionalityBug` original: cheeheng/ped#10
priority
inconsistent duplicate checking compared to the user guide command add n john doe p e johnd example com a clementi ave c g male u nanyang polytechnic gd m testing ji jt software engineer intern t rejected t rejected note that tags are rejected and rejected result clearly there is duplicate checking of tags because only one rejected shows up even though there are command add n john doe p e johnd example com a clementi ave c g male u nanyang polytechnic gd m testing ji jt software engineer intern t rejected t rejected note that tags are rejected and rejected result however the user guide states this which means that these tags should have been considered as duplicate labels severity low type functionalitybug original cheeheng ped
1
786,690
27,662,213,273
IssuesEvent
2023-03-12 16:54:20
ut-issl/c2a-core
https://api.github.com/repos/ut-issl/c2a-core
closed
DriverSuper のバッファをリングバッファにして,メモリ効率と速度を上げる
enhancement priority::high
## 概要 DriverSuper のバッファをリングバッファにして,メモリ効率と速度を上げる ## 詳細 - 現在の繰越バッファと rx buffer をまとめてリングバッファにしてしまう - frame 確定時にリングバッファ上の frame が連続でない場合は memmove して user 側が配列として取得できるようにケアはする - IF_RX の都合もあるので,リングバッファにする必要はないかもしれないが,バッファを構造化したい. ## close条件 できたら
1.0
DriverSuper のバッファをリングバッファにして,メモリ効率と速度を上げる - ## 概要 DriverSuper のバッファをリングバッファにして,メモリ効率と速度を上げる ## 詳細 - 現在の繰越バッファと rx buffer をまとめてリングバッファにしてしまう - frame 確定時にリングバッファ上の frame が連続でない場合は memmove して user 側が配列として取得できるようにケアはする - IF_RX の都合もあるので,リングバッファにする必要はないかもしれないが,バッファを構造化したい. ## close条件 できたら
priority
driversuper のバッファをリングバッファにして,メモリ効率と速度を上げる 概要 driversuper のバッファをリングバッファにして,メモリ効率と速度を上げる 詳細 現在の繰越バッファと rx buffer をまとめてリングバッファにしてしまう frame 確定時にリングバッファ上の frame が連続でない場合は memmove して user 側が配列として取得できるようにケアはする if rx の都合もあるので,リングバッファにする必要はないかもしれないが,バッファを構造化したい. close条件 できたら
1