Unnamed: 0
int64
0
832k
id
float64
2.49B
32.1B
type
stringclasses
1 value
created_at
stringlengths
19
19
repo
stringlengths
5
112
repo_url
stringlengths
34
141
action
stringclasses
3 values
title
stringlengths
1
957
labels
stringlengths
4
795
body
stringlengths
1
259k
index
stringclasses
12 values
text_combine
stringlengths
96
259k
label
stringclasses
2 values
text
stringlengths
96
252k
binary_label
int64
0
1
510,037
14,767,924,015
IssuesEvent
2021-01-10 09:31:06
bounswe/bounswe2020group1
https://api.github.com/repos/bounswe/bounswe2020group1
closed
Implement comment adding feature
android priority:medium status:completed type:implementation
Customers can add a new comment to the product when the order status is delivered.
1.0
Implement comment adding feature - Customers can add a new comment to the product when the order status is delivered.
priority
implement comment adding feature customers can add a new comment to the product when the order status is delivered
1
333,432
10,121,981,830
IssuesEvent
2019-07-31 16:50:00
salesagility/SuiteCRM
https://api.github.com/repos/salesagility/SuiteCRM
closed
Escaped strings issue, breaks "My favorites" filters and perhaps other things
Fix Proposed Medium Priority Resolved: Next Release bug
### Issue I ran into an Issue in the Filters on the List View of Cases module. The "My favorites" filter checkbox wasn't working well in 7.11.2. I found the queries to the database are being sent to the database with double apostrophes like this `favorites.assigned_user_id = ''1''`, and it wouldn't return any results. The file where that is originally defined is this: https://github.com/salesagility/SuiteCRM/blob/master/modules/Cases/metadata/SearchFields.php#L155 And the actual replacement takes place here: https://github.com/salesagility/SuiteCRM/blob/master/include/SearchForm/SearchForm2.php#L1278-L1280 Using this helper function which had recent changes regarding escaping strings: https://github.com/salesagility/SuiteCRM/blame/master/include/utils.php#L3955 ### Possible immediate fix for just this case... The simple, direct fix is to remove the apostrophes in [SearchFields.php](https://github.com/salesagility/SuiteCRM/blob/master/modules/Cases/metadata/SearchFields.php#L155), make it just `and favorites.assigned_user_id = {1}",` ### But this happens in a ton of other places! ```php modules/Notes/metadata/SearchFields.php:54: and favorites.assigned_user_id = '{1}'", modules/AOS_Products/metadata/SearchFields.php:91: and favorites.assigned_user_id = '{1}'", modules/Accounts/metadata/SearchFields.php:231: and favorites.assigned_user_id = '{1}'", modules/Calls/metadata/SearchFields.php:180: and favorites.assigned_user_id = '{1}'", modules/AOS_Invoices/metadata/SearchFields.php:63: and favorites.assigned_user_id = '{1}'", modules/Project/metadata/SearchFields.php:54: and favorites.assigned_user_id = '{1}'", modules/Leads/metadata/SearchFields.php:95: and favorites.assigned_user_id = '{1}'", modules/Tasks/metadata/SearchFields.php:65: and favorites.assigned_user_id = '{1}'", modules/AOS_Contracts/metadata/SearchFields.php:41: and favorites.assigned_user_id = '{1}'", modules/Spots/metadata/SearchFields.php:56: and favorites.assigned_user_id = '{1}'", modules/Documents/metadata/SearchFields.php:86: and favorites.assigned_user_id = '{1}'", modules/Contacts/metadata/SearchFields.php:95: and favorites.assigned_user_id = '{1}'", modules/Opportunities/metadata/SearchFields.php:69: and favorites.assigned_user_id = '{1}'", modules/Meetings/metadata/SearchFields.php:66: and favorites.assigned_user_id = '{1}'", modules/AOS_PDF_Templates/metadata/SearchFields.php:42: and favorites.assigned_user_id = '{1}'", modules/AOS_Quotes/metadata/SearchFields.php:54: and favorites.assigned_user_id = '{1}'", ``` So I guess it might be better to fix this in the core function, make sure it handles apostrophes well without duplicating them. It could also be interesting to **ensure with an automated test** that no pair of `''` goes into a query, unless it's an empty string. So `field=''` is ok, but `field=''some_id''` is not. ### Steps to Reproduce There are many cases of this problem, but one of them is 1. In Cases module, mark a case as a Favorite. Assign it to yourself. 2. In the List view, hit the `Filter` button 3. Check `My Favorites` and hit `Search` 4. You get an empty list, instead of seeing the Case you created in step 1. ### Context This would be low priority if we were sure it isn't breaking the app in more places... so maybe it's medium. #### Your Environment * SuiteCRM Version used: 7.11.2 * Environment name and version: MySQL, PHP 7
1.0
Escaped strings issue, breaks "My favorites" filters and perhaps other things - ### Issue I ran into an Issue in the Filters on the List View of Cases module. The "My favorites" filter checkbox wasn't working well in 7.11.2. I found the queries to the database are being sent to the database with double apostrophes like this `favorites.assigned_user_id = ''1''`, and it wouldn't return any results. The file where that is originally defined is this: https://github.com/salesagility/SuiteCRM/blob/master/modules/Cases/metadata/SearchFields.php#L155 And the actual replacement takes place here: https://github.com/salesagility/SuiteCRM/blob/master/include/SearchForm/SearchForm2.php#L1278-L1280 Using this helper function which had recent changes regarding escaping strings: https://github.com/salesagility/SuiteCRM/blame/master/include/utils.php#L3955 ### Possible immediate fix for just this case... The simple, direct fix is to remove the apostrophes in [SearchFields.php](https://github.com/salesagility/SuiteCRM/blob/master/modules/Cases/metadata/SearchFields.php#L155), make it just `and favorites.assigned_user_id = {1}",` ### But this happens in a ton of other places! ```php modules/Notes/metadata/SearchFields.php:54: and favorites.assigned_user_id = '{1}'", modules/AOS_Products/metadata/SearchFields.php:91: and favorites.assigned_user_id = '{1}'", modules/Accounts/metadata/SearchFields.php:231: and favorites.assigned_user_id = '{1}'", modules/Calls/metadata/SearchFields.php:180: and favorites.assigned_user_id = '{1}'", modules/AOS_Invoices/metadata/SearchFields.php:63: and favorites.assigned_user_id = '{1}'", modules/Project/metadata/SearchFields.php:54: and favorites.assigned_user_id = '{1}'", modules/Leads/metadata/SearchFields.php:95: and favorites.assigned_user_id = '{1}'", modules/Tasks/metadata/SearchFields.php:65: and favorites.assigned_user_id = '{1}'", modules/AOS_Contracts/metadata/SearchFields.php:41: and favorites.assigned_user_id = '{1}'", modules/Spots/metadata/SearchFields.php:56: and favorites.assigned_user_id = '{1}'", modules/Documents/metadata/SearchFields.php:86: and favorites.assigned_user_id = '{1}'", modules/Contacts/metadata/SearchFields.php:95: and favorites.assigned_user_id = '{1}'", modules/Opportunities/metadata/SearchFields.php:69: and favorites.assigned_user_id = '{1}'", modules/Meetings/metadata/SearchFields.php:66: and favorites.assigned_user_id = '{1}'", modules/AOS_PDF_Templates/metadata/SearchFields.php:42: and favorites.assigned_user_id = '{1}'", modules/AOS_Quotes/metadata/SearchFields.php:54: and favorites.assigned_user_id = '{1}'", ``` So I guess it might be better to fix this in the core function, make sure it handles apostrophes well without duplicating them. It could also be interesting to **ensure with an automated test** that no pair of `''` goes into a query, unless it's an empty string. So `field=''` is ok, but `field=''some_id''` is not. ### Steps to Reproduce There are many cases of this problem, but one of them is 1. In Cases module, mark a case as a Favorite. Assign it to yourself. 2. In the List view, hit the `Filter` button 3. Check `My Favorites` and hit `Search` 4. You get an empty list, instead of seeing the Case you created in step 1. ### Context This would be low priority if we were sure it isn't breaking the app in more places... so maybe it's medium. #### Your Environment * SuiteCRM Version used: 7.11.2 * Environment name and version: MySQL, PHP 7
priority
escaped strings issue breaks my favorites filters and perhaps other things issue i ran into an issue in the filters on the list view of cases module the my favorites filter checkbox wasn t working well in i found the queries to the database are being sent to the database with double apostrophes like this favorites assigned user id and it wouldn t return any results the file where that is originally defined is this and the actual replacement takes place here using this helper function which had recent changes regarding escaping strings possible immediate fix for just this case the simple direct fix is to remove the apostrophes in make it just and favorites assigned user id but this happens in a ton of other places php modules notes metadata searchfields php and favorites assigned user id modules aos products metadata searchfields php and favorites assigned user id modules accounts metadata searchfields php and favorites assigned user id modules calls metadata searchfields php and favorites assigned user id modules aos invoices metadata searchfields php and favorites assigned user id modules project metadata searchfields php and favorites assigned user id modules leads metadata searchfields php and favorites assigned user id modules tasks metadata searchfields php and favorites assigned user id modules aos contracts metadata searchfields php and favorites assigned user id modules spots metadata searchfields php and favorites assigned user id modules documents metadata searchfields php and favorites assigned user id modules contacts metadata searchfields php and favorites assigned user id modules opportunities metadata searchfields php and favorites assigned user id modules meetings metadata searchfields php and favorites assigned user id modules aos pdf templates metadata searchfields php and favorites assigned user id modules aos quotes metadata searchfields php and favorites assigned user id so i guess it might be better to fix this in the core function make sure it handles apostrophes well without duplicating them it could also be interesting to ensure with an automated test that no pair of goes into a query unless it s an empty string so field is ok but field some id is not steps to reproduce there are many cases of this problem but one of them is in cases module mark a case as a favorite assign it to yourself in the list view hit the filter button check my favorites and hit search you get an empty list instead of seeing the case you created in step context this would be low priority if we were sure it isn t breaking the app in more places so maybe it s medium your environment suitecrm version used environment name and version mysql php
1
108,001
4,323,405,173
IssuesEvent
2016-07-25 16:53:14
readium/readium-js-viewer
https://api.github.com/repos/readium/readium-js-viewer
opened
No alt text on log images in about dialog
browser:ChromeExtension browser:CloudReader difficulty:Noob func:A11y priority:Medium type:Bug
There is no alt text on the partner images in the about dialog box. The screen reader (tested in VO) will read the name of the image, partner_logos, which makes some sense but the actual partners should be listed - HTML5, idpf, pub #### This issue is a Bug #### Expected Behavior The screen reader should announce the 3 partners when the image is encountered: HTML5, idpf, pub #### Observed behavior The screen reader announces the image name. #### Steps to reproduce 1. Load a screen reader. I tested with VoiceOver (VO) in Safari 2. load readium cloud reader 3. tab to and open the About dialog. Make sure focus is in the about dialog (tab or follow VO instructions) 4. navigate through the items in the about dialog until you reach the image. Note that the screen reader just speaks the image name, partnter_logos.png. In VO you navigate to each item by pressing the VO keys (control+option) and the left or right arrow keys. ### Product *Readium Chrome Extension 2.23.0 *Browser and version: Chrome Version 51.0.2704.106 (64-bit) * OS and version: OS X 10.11.5 * Readium cloud reader app 2.24.0-alpha Mon, 25 Jul 2016 16:36:21 GMT readium-js-viewer@926bd729dcb718c5d2c686e5fa6ad57d8844ecca readium-js@7b1469d1df38c7724416339c0fb5260488ac3cc7 readium-shared-js@b6aa58ea135c5004e92d29ebb96e5ab34bffc04b readium-cfi-js@a9b07a78fa73215c624cdeb2047ab6dc49f81a7d * Browser and version: Safari Version 9.1.1 (11601.6.17) * OS and version: OS X 10.11.5
1.0
No alt text on log images in about dialog - There is no alt text on the partner images in the about dialog box. The screen reader (tested in VO) will read the name of the image, partner_logos, which makes some sense but the actual partners should be listed - HTML5, idpf, pub #### This issue is a Bug #### Expected Behavior The screen reader should announce the 3 partners when the image is encountered: HTML5, idpf, pub #### Observed behavior The screen reader announces the image name. #### Steps to reproduce 1. Load a screen reader. I tested with VoiceOver (VO) in Safari 2. load readium cloud reader 3. tab to and open the About dialog. Make sure focus is in the about dialog (tab or follow VO instructions) 4. navigate through the items in the about dialog until you reach the image. Note that the screen reader just speaks the image name, partnter_logos.png. In VO you navigate to each item by pressing the VO keys (control+option) and the left or right arrow keys. ### Product *Readium Chrome Extension 2.23.0 *Browser and version: Chrome Version 51.0.2704.106 (64-bit) * OS and version: OS X 10.11.5 * Readium cloud reader app 2.24.0-alpha Mon, 25 Jul 2016 16:36:21 GMT readium-js-viewer@926bd729dcb718c5d2c686e5fa6ad57d8844ecca readium-js@7b1469d1df38c7724416339c0fb5260488ac3cc7 readium-shared-js@b6aa58ea135c5004e92d29ebb96e5ab34bffc04b readium-cfi-js@a9b07a78fa73215c624cdeb2047ab6dc49f81a7d * Browser and version: Safari Version 9.1.1 (11601.6.17) * OS and version: OS X 10.11.5
priority
no alt text on log images in about dialog there is no alt text on the partner images in the about dialog box the screen reader tested in vo will read the name of the image partner logos which makes some sense but the actual partners should be listed idpf pub this issue is a bug expected behavior the screen reader should announce the partners when the image is encountered idpf pub observed behavior the screen reader announces the image name steps to reproduce load a screen reader i tested with voiceover vo in safari load readium cloud reader tab to and open the about dialog make sure focus is in the about dialog tab or follow vo instructions navigate through the items in the about dialog until you reach the image note that the screen reader just speaks the image name partnter logos png in vo you navigate to each item by pressing the vo keys control option and the left or right arrow keys product readium chrome extension browser and version chrome version bit os and version os x readium cloud reader app alpha mon jul gmt readium js viewer readium js readium shared js readium cfi js browser and version safari version os and version os x
1
154,102
5,909,142,173
IssuesEvent
2017-05-19 22:42:00
bcgov/api-specs
https://api.github.com/repos/bcgov/api-specs
closed
Add a serviceAreas/{Id} that returns properties of a given service area
api enhancement medium priority ROUTE PLANNER
Id is the occupant id of the occupant that represents the service centre at the centre of the given service area. Properties returned include
1.0
Add a serviceAreas/{Id} that returns properties of a given service area - Id is the occupant id of the occupant that represents the service centre at the centre of the given service area. Properties returned include
priority
add a serviceareas id that returns properties of a given service area id is the occupant id of the occupant that represents the service centre at the centre of the given service area properties returned include
1
258,895
8,180,603,152
IssuesEvent
2018-08-28 20:00:31
ZeusWPI/zeus.ugent.be
https://api.github.com/repos/ZeusWPI/zeus.ugent.be
closed
Incorrect map is shown when not in Belgium (or near enough to Ghent?)
bug medium priority
I think it's just the `locationlink` on the events that are wrong? I just noticed the trend in a lot of events, so I thought I'd point it out.
1.0
Incorrect map is shown when not in Belgium (or near enough to Ghent?) - I think it's just the `locationlink` on the events that are wrong? I just noticed the trend in a lot of events, so I thought I'd point it out.
priority
incorrect map is shown when not in belgium or near enough to ghent i think it s just the locationlink on the events that are wrong i just noticed the trend in a lot of events so i thought i d point it out
1
499,695
14,476,259,648
IssuesEvent
2020-12-10 03:39:19
Thorium-Sim/thorium
https://api.github.com/repos/Thorium-Sim/thorium
opened
Deselecting Options in Hacking Presets
priority/medium type/bug
### Requested By: Brylee ### Priority: Medium ### Version: 3.0.3 If I deselect the an option in my hacking preset it stays with that setting choice for all of the other presets. ### Steps to Reproduce 1- create 2 hacking presets. Deselect an option of your choice. 2- select the other preset 3- view bug
1.0
Deselecting Options in Hacking Presets - ### Requested By: Brylee ### Priority: Medium ### Version: 3.0.3 If I deselect the an option in my hacking preset it stays with that setting choice for all of the other presets. ### Steps to Reproduce 1- create 2 hacking presets. Deselect an option of your choice. 2- select the other preset 3- view bug
priority
deselecting options in hacking presets requested by brylee priority medium version if i deselect the an option in my hacking preset it stays with that setting choice for all of the other presets steps to reproduce create hacking presets deselect an option of your choice select the other preset view bug
1
593,360
17,971,323,128
IssuesEvent
2021-09-14 02:37:21
hackforla/lucky-parking
https://api.github.com/repos/hackforla/lucky-parking
closed
Add header and instruction/description on landing page
type: enhancement role: dev role: product manager priority: high size: medium
### Overview Add header and instruction/description on landing page. ### Action Items - [x] Add header + description on top - [ ] Bring search bar down on top of the map - [x] A section or a popup with a short instruction/description that disappears on click. - [x] Need content for this section ### Resources/Instructions [Figma wireframe](https://www.figma.com/file/R3N7mvDtlFbFgQm4OXcMih/Lucky-Parking?node-id=135%3A7)
1.0
Add header and instruction/description on landing page - ### Overview Add header and instruction/description on landing page. ### Action Items - [x] Add header + description on top - [ ] Bring search bar down on top of the map - [x] A section or a popup with a short instruction/description that disappears on click. - [x] Need content for this section ### Resources/Instructions [Figma wireframe](https://www.figma.com/file/R3N7mvDtlFbFgQm4OXcMih/Lucky-Parking?node-id=135%3A7)
priority
add header and instruction description on landing page overview add header and instruction description on landing page action items add header description on top bring search bar down on top of the map a section or a popup with a short instruction description that disappears on click need content for this section resources instructions
1
717,534
24,679,224,849
IssuesEvent
2022-10-18 19:43:14
phylum-dev/cli
https://api.github.com/repos/phylum-dev/cli
closed
Add support for parsing Cargo.lock files
enhancement medium priority
# Overview Update lockfile parsing to support Rust `Cargo.lock` files. The `Cargo.lock` files lists the direct and indirect dependencies. # Acceptance Criteria - [ ] Update lockfile parsers to extract `Cargo` package names and versions - [ ] Update command line hints and documentation
1.0
Add support for parsing Cargo.lock files - # Overview Update lockfile parsing to support Rust `Cargo.lock` files. The `Cargo.lock` files lists the direct and indirect dependencies. # Acceptance Criteria - [ ] Update lockfile parsers to extract `Cargo` package names and versions - [ ] Update command line hints and documentation
priority
add support for parsing cargo lock files overview update lockfile parsing to support rust cargo lock files the cargo lock files lists the direct and indirect dependencies acceptance criteria update lockfile parsers to extract cargo package names and versions update command line hints and documentation
1
359,564
10,678,051,800
IssuesEvent
2019-10-21 16:30:52
CCAFS/MARLO
https://api.github.com/repos/CCAFS/MARLO
closed
[DP] (MARLO) Disable budget by CoAs section specificity
Priority - Medium Type - Enhancement
Create a specifity to enable or disabled section Budget by CoA for any Global Unit - [x] Create CRP parameter - [ ] Adjust Validators for project submit process - [ ] Validate Sumaries Report
1.0
[DP] (MARLO) Disable budget by CoAs section specificity - Create a specifity to enable or disabled section Budget by CoA for any Global Unit - [x] Create CRP parameter - [ ] Adjust Validators for project submit process - [ ] Validate Sumaries Report
priority
marlo disable budget by coas section specificity create a specifity to enable or disabled section budget by coa for any global unit create crp parameter adjust validators for project submit process validate sumaries report
1
459,077
13,185,844,392
IssuesEvent
2020-08-12 22:22:26
craftercms/craftercms
https://api.github.com/repos/craftercms/craftercms
closed
[studio] Upgrading a 3.1.6 Studio cluster leaves the remote repos in a weird state
bug priority: medium
## Describe the bug Upgrading a 3.1.6 Studio cluster to the latest 3.1.9 build leaves the Remote Repositories of a site in a weird state ## To Reproduce Steps to reproduce the behavior: 1. Setup a 2 node Studio 3.1.6 cluster. 2. Create an editorial site 3. Stop node 2 4. Stop node 1 5. Upgrade the Crafter CMS install of both nodes to the latest build of 3.1.9 6. Start node 1 7. Start node 2 If you login to node 1 and go to Site Config > Remote Repositories of the editorial site, there are 2 repositories for node 2, one of them removable (see first screenshot) If you login to node 2 and go to Site Config > Remote Repositories of the editorial site, there's 1 removable repository for node 1 (see second screenshot) ## Expected behavior After upgrade, each node should have a non-removable remote for the other node. ## Screenshots Node 1 remotes: ![node 1 remotes](https://user-images.githubusercontent.com/1598884/89346491-1f221100-d677-11ea-9b2b-a40b05c04987.png) Node 2 remotes: ![node 2 remotes](https://user-images.githubusercontent.com/1598884/89346492-1fbaa780-d677-11ea-84c5-d9d18b71fdac.png)
1.0
[studio] Upgrading a 3.1.6 Studio cluster leaves the remote repos in a weird state - ## Describe the bug Upgrading a 3.1.6 Studio cluster to the latest 3.1.9 build leaves the Remote Repositories of a site in a weird state ## To Reproduce Steps to reproduce the behavior: 1. Setup a 2 node Studio 3.1.6 cluster. 2. Create an editorial site 3. Stop node 2 4. Stop node 1 5. Upgrade the Crafter CMS install of both nodes to the latest build of 3.1.9 6. Start node 1 7. Start node 2 If you login to node 1 and go to Site Config > Remote Repositories of the editorial site, there are 2 repositories for node 2, one of them removable (see first screenshot) If you login to node 2 and go to Site Config > Remote Repositories of the editorial site, there's 1 removable repository for node 1 (see second screenshot) ## Expected behavior After upgrade, each node should have a non-removable remote for the other node. ## Screenshots Node 1 remotes: ![node 1 remotes](https://user-images.githubusercontent.com/1598884/89346491-1f221100-d677-11ea-9b2b-a40b05c04987.png) Node 2 remotes: ![node 2 remotes](https://user-images.githubusercontent.com/1598884/89346492-1fbaa780-d677-11ea-84c5-d9d18b71fdac.png)
priority
upgrading a studio cluster leaves the remote repos in a weird state describe the bug upgrading a studio cluster to the latest build leaves the remote repositories of a site in a weird state to reproduce steps to reproduce the behavior setup a node studio cluster create an editorial site stop node stop node upgrade the crafter cms install of both nodes to the latest build of start node start node if you login to node and go to site config remote repositories of the editorial site there are repositories for node one of them removable see first screenshot if you login to node and go to site config remote repositories of the editorial site there s removable repository for node see second screenshot expected behavior after upgrade each node should have a non removable remote for the other node screenshots node remotes node remotes
1
294,484
9,024,586,380
IssuesEvent
2019-02-07 10:57:11
robotology-playground/wearables
https://api.github.com/repos/robotology-playground/wearables
closed
Develop XsensMVNControl Wrapper / Remote
complexity:medium component:xsenssuit issue:resolution:fixed priority:low type:enhancement
This class allows controlling the `XsensMVNDriver` from non-local (even non-Windows) machines. It should: - Implement an interface for the controls (calibrating, start / stop acquisition) through RPC calls
1.0
Develop XsensMVNControl Wrapper / Remote - This class allows controlling the `XsensMVNDriver` from non-local (even non-Windows) machines. It should: - Implement an interface for the controls (calibrating, start / stop acquisition) through RPC calls
priority
develop xsensmvncontrol wrapper remote this class allows controlling the xsensmvndriver from non local even non windows machines it should implement an interface for the controls calibrating start stop acquisition through rpc calls
1
621,817
19,596,899,875
IssuesEvent
2022-01-05 19:01:07
bounswe/2021SpringGroup6
https://api.github.com/repos/bounswe/2021SpringGroup6
closed
Android Design - Profile of the User
Type: Task Status: Complete Platform: Mobile Priority: Medium
User profile page (both logged in user and searched user, these are almost same) should be designed. This mockup may be helpful: [UserSearchMockup](https://github.com/bounswe/2021SpringGroup6/wiki/User-Block-Mobile-Mockup-1)
1.0
Android Design - Profile of the User - User profile page (both logged in user and searched user, these are almost same) should be designed. This mockup may be helpful: [UserSearchMockup](https://github.com/bounswe/2021SpringGroup6/wiki/User-Block-Mobile-Mockup-1)
priority
android design profile of the user user profile page both logged in user and searched user these are almost same should be designed this mockup may be helpful
1
169,123
6,395,370,791
IssuesEvent
2017-08-04 13:05:43
qdbe/quickdbexplorer
https://api.github.com/repos/qdbe/quickdbexplorer
closed
ファイルへの書出し時、上書きを行う場合に警告を表示する
auto-migrated Component-UI Milestone-Release2.5 OpSys-Windows Priority-Medium Type-Enhancement Usability
``` ファイルへの書出し時、上書きを行う場合に警告を表示す�� � ただし、連続作業がやりやすいように考慮が必要 ``` Original issue reported on code.google.com by `godz.q...@gmail.com` on 9 Apr 2013 at 12:39
1.0
ファイルへの書出し時、上書きを行う場合に警告を表示する - ``` ファイルへの書出し時、上書きを行う場合に警告を表示す�� � ただし、連続作業がやりやすいように考慮が必要 ``` Original issue reported on code.google.com by `godz.q...@gmail.com` on 9 Apr 2013 at 12:39
priority
ファイルへの書出し時、上書きを行う場合に警告を表示する ファイルへの書出し時、上書きを行う場合に警告を表示す�� � ただし、連続作業がやりやすいように考慮が必要 original issue reported on code google com by godz q gmail com on apr at
1
767,832
26,941,659,975
IssuesEvent
2023-02-08 03:04:38
Hona/UpBlazor
https://api.github.com/repos/Hona/UpBlazor
closed
Transactions training extensions
Impacts: UI/UX Status: Ready For: Frontend Priority: Medium Type: Feature Epic: Machine Learning
Based on #26 - [ ] Edit row - [ ] Duplicate row - [ ] Randomize part of transaction name (e.g. 'Uber **03623636**' -> 'Uber **XXXXXXX**')
1.0
Transactions training extensions - Based on #26 - [ ] Edit row - [ ] Duplicate row - [ ] Randomize part of transaction name (e.g. 'Uber **03623636**' -> 'Uber **XXXXXXX**')
priority
transactions training extensions based on edit row duplicate row randomize part of transaction name e g uber uber xxxxxxx
1
663,263
22,171,621,716
IssuesEvent
2022-06-06 01:48:49
civictechindex/CTI-website-frontend
https://api.github.com/repos/civictechindex/CTI-website-frontend
closed
Org Icons on site, but not on local
role: front end p-feature: Organizations API Integration: CTI database Priority: Medium size: 1pt
### Overview The organization icons should appear on the local as they do in the website. Currently, they are showing the github stock photo. ### Action Items - [ ] Make a fix so icons appear locally ### Resources/Instructions
1.0
Org Icons on site, but not on local - ### Overview The organization icons should appear on the local as they do in the website. Currently, they are showing the github stock photo. ### Action Items - [ ] Make a fix so icons appear locally ### Resources/Instructions
priority
org icons on site but not on local overview the organization icons should appear on the local as they do in the website currently they are showing the github stock photo action items make a fix so icons appear locally resources instructions
1
36,912
2,813,567,502
IssuesEvent
2015-05-18 15:20:07
CruxFramework/crux
https://api.github.com/repos/CruxFramework/crux
closed
Improved in masked textbox component
enhancement imported invalid Priority-Medium
_From [alexan...@triggolabs.com](https://code.google.com/u/114384922929308053156/) on April 23, 2014 10:27:41_ Purpose of enhancement Adapt the masked textbox component for the rules below: 1) Characters "a" indicate that any alphabetic character is allowed. 2) Characters "9" indicate that any numeric character is allowed. 3) Characters "*" indicate that any alphanumeric character is allowed. 4) Characters in quotation marks are considered constant Besides, this component must reject input which doesn't complete the mask. It should be possible bypass this by using a "?" character at the position where the programmer would like to consider an input optional. For instance, a mask of "(999) 999-9999? x99999" would require only the first 10 digits of a phone number with extension being optional. _Original issue: http://code.google.com/p/crux-framework/issues/detail?id=352_
1.0
Improved in masked textbox component - _From [alexan...@triggolabs.com](https://code.google.com/u/114384922929308053156/) on April 23, 2014 10:27:41_ Purpose of enhancement Adapt the masked textbox component for the rules below: 1) Characters "a" indicate that any alphabetic character is allowed. 2) Characters "9" indicate that any numeric character is allowed. 3) Characters "*" indicate that any alphanumeric character is allowed. 4) Characters in quotation marks are considered constant Besides, this component must reject input which doesn't complete the mask. It should be possible bypass this by using a "?" character at the position where the programmer would like to consider an input optional. For instance, a mask of "(999) 999-9999? x99999" would require only the first 10 digits of a phone number with extension being optional. _Original issue: http://code.google.com/p/crux-framework/issues/detail?id=352_
priority
improved in masked textbox component from on april purpose of enhancement adapt the masked textbox component for the rules below characters a indicate that any alphabetic character is allowed characters indicate that any numeric character is allowed characters indicate that any alphanumeric character is allowed characters in quotation marks are considered constant besides this component must reject input which doesn t complete the mask it should be possible bypass this by using a character at the position where the programmer would like to consider an input optional for instance a mask of would require only the first digits of a phone number with extension being optional original issue
1
89,567
3,796,855,109
IssuesEvent
2016-03-23 03:21:59
ashoulson/RailgunNet
https://api.github.com/repos/ashoulson/RailgunNet
reopened
Entity freeze notifications
medium priority small task todo
If we have been getting packets but have't heard anything about an entity, notify that entity to freeze or hide.
1.0
Entity freeze notifications - If we have been getting packets but have't heard anything about an entity, notify that entity to freeze or hide.
priority
entity freeze notifications if we have been getting packets but have t heard anything about an entity notify that entity to freeze or hide
1
485,216
13,962,788,379
IssuesEvent
2020-10-25 11:15:13
AY2021S1-CS2103T-W16-3/tp
https://api.github.com/repos/AY2021S1-CS2103T-W16-3/tp
closed
View savings trends
priority.medium :2nd_place_medal: type.story :books:
As a user, I want to view my past spending and saving trends so that I can better plan my future expenses.
1.0
View savings trends - As a user, I want to view my past spending and saving trends so that I can better plan my future expenses.
priority
view savings trends as a user i want to view my past spending and saving trends so that i can better plan my future expenses
1
182,113
6,667,238,752
IssuesEvent
2017-10-03 11:44:53
stats4sd/Stats4SD-Resources-Site
https://api.github.com/repos/stats4sd/Stats4SD-Resources-Site
closed
hide deleted and test from search page
Priority-Medium ready Size-Small Type-bug
Some filters are in place to prevent deleted resources being shown on list pages, should also include for search
1.0
hide deleted and test from search page - Some filters are in place to prevent deleted resources being shown on list pages, should also include for search
priority
hide deleted and test from search page some filters are in place to prevent deleted resources being shown on list pages should also include for search
1
794,942
28,055,665,946
IssuesEvent
2023-03-29 09:12:22
anegostudios/VintageStory-Issues
https://api.github.com/repos/anegostudios/VintageStory-Issues
closed
Crash after sleeping
status: in-progress priority: medium
**Game Version:** 1.17 rc4 **Platform:** Windows / **Modded:** No / **SP/MP:** Singleplayer ### Description Crash after sleeping in bed near bee hive... unsure if the two are related. ### How to reproduce see above ### Expected behavior ### Screenshots ### Logs ``` Running on 64 bit Windows with 32 GB RAM Game Version: v1.17.0-rc.4 (Unstable) Loaded Mods: game@1.17.0-rc.4, creative@1.17.0-rc.4, survival@1.17.0-rc.4 8/9/2022 10:35:27 AM: Critical error occurred System.NullReferenceException: Object reference not set to an instance of an object. at Vintagestory.GameContent.BlockEntityFruitTreePart.GenFoliageMesh(Boolean withSticks, MeshData& foliageMesh, MeshData& sticksMesh) in C:\Users\Tyron\Documents\vintagestory\game\VSSurvivalMod\Systems\FruitTree\BEFruitTreePart.cs:line 209 at Vintagestory.GameContent.BlockEntityFruitTreeBranch.GenMeshes() in C:\Users\Tyron\Documents\vintagestory\game\VSSurvivalMod\Systems\FruitTree\BEFruitTreeBranch.cs:line 241 at Vintagestory.GameContent.BlockEntityFruitTreeBranch.GenMesh() in C:\Users\Tyron\Documents\vintagestory\game\VSSurvivalMod\Systems\FruitTree\BEFruitTreeBranch.cs:line 228 at Vintagestory.GameContent.BlockEntityFruitTreeBranch.FromTreeAttributes(ITreeAttribute tree, IWorldAccessor worldForResolving) in C:\Users\Tyron\Documents\vintagestory\game\VSSurvivalMod\Systems\FruitTree\BEFruitTreeBranch.cs:line 372 at Vintagestory.Client.NoObf.ClientChunk.AddOrUpdateBlockEntityFromPacket(Packet_BlockEntity p, ClientMain game) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\Model\ClientChunk.cs:line 409 at Vintagestory.Client.NoObf.GeneralPacketHandler.HandleBlockEntities(Packet_Server packet) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\Systems\GeneralPacketHandler.cs:line 808 at Vintagestory.Client.NoObf.ClientMain.ExecuteMainThreadTasks(Single deltaTime) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\ClientMain.cs:line 1138 at Vintagestory.Client.GuiScreenRunningGame.RenderToPrimary(Single dt) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\MainMenu\Screens\GuiScreenRunningGame.cs:line 123 at Vintagestory.Client.ScreenManager.Render(Single dt) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\ScreenManager.cs:line 664 at Vintagestory.Client.ScreenManager.OnNewFrame(Single dt) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\ScreenManager.cs:line 608 at Vintagestory.Client.NoObf.ClientPlatformWindows.window_RenderFrame(Object sender, FrameEventArgs e) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\ClientPlatform\GameWindow.cs:line 125 at System.EventHandler`1.Invoke(Object sender, TEventArgs e) at OpenTK.GameWindow.RaiseRenderFrame(Double elapsed, Double& timestamp) in C:\Users\Nexrem\Desktop\transfer\opentk\src\OpenTK\GameWindow.cs:line 476 at OpenTK.GameWindow.DispatchRenderFrame() in C:\Users\Nexrem\Desktop\transfer\opentk\src\OpenTK\GameWindow.cs:line 452 at OpenTK.GameWindow.Run(Double updates_per_second, Double frames_per_second) in C:\Users\Nexrem\Desktop\transfer\opentk\src\OpenTK\GameWindow.cs:line 375 at Vintagestory.Client.ClientProgram.Start(ClientProgramArgs args, String[] rawArgs) at Vintagestory.ClientNative.CrashReporter.Start(ThreadStart start) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\ClientPlatform\ClientNative\CrashReporter.cs:line 87 ------------------------------- Event Log entries containing Vintagestory.exe, the latest 3 ================================== { TimeGenerated = 8/9/2022 10:28:47 AM, Site = , Source = Windows Error Reporting, Message = Fault bucket 1269912095728824642, type 4 Event Name: APPCRASH Response: Not available Cab Id: 0 Problem signature: P1: Vintagestory.exe P2: 1.17.0.0 P3: 62ef7eff P4: KERNELBASE.dll P5: 10.0.19041.1826 P6: 299341e8 P7: c0020001 P8: 0000000000034fd9 P9: P10: Attached files: \\?\C:\ProgramData\Microsoft\Windows\WER\Temp\WER7D85.tmp.WERInternalMetadata.xml These files may be available here: \\?\C:\ProgramData\Microsoft\Windows\WER\ReportArchive\AppCrash_Vintagestory.exe_c3413cf49ae7fd54f941f2f16f196a643a5337ad_89e9a2e0_5a6ecc99-f51e-4f66-88b1-f37814cf893f Analysis symbol: Rechecking for solution: 0 Report Id: 9be508fc-6fec-44d7-a211-5ab4f6820e70 Report Status: 268566528 Hashed bucket: feb1413d797df67e819fa252a1e37142 Cab Guid: 0 } -------------- { TimeGenerated = 8/9/2022 10:28:46 AM, Site = , Source = Windows Error Reporting, Message = Fault bucket , type 0 Event Name: APPCRASH Response: Not available Cab Id: 0 Problem signature: P1: Vintagestory.exe P2: 1.17.0.0 P3: 62ef7eff P4: KERNELBASE.dll P5: 10.0.19041.1826 P6: 299341e8 P7: c0020001 P8: 0000000000034fd9 P9: P10: Attached files: These files may be available here: \\?\C:\ProgramData\Microsoft\Windows\WER\ReportQueue\AppCrash_Vintagestory.exe_c3413cf49ae7fd54f941f2f16f196a643a5337ad_89e9a2e0_5a6ecc99-f51e-4f66-88b1-f37814cf893f Analysis symbol: Rechecking for solution: 0 Report Id: 9be508fc-6fec-44d7-a211-5ab4f6820e70 Report Status: 131076 Hashed bucket: Cab Guid: 0 } -------------- { TimeGenerated = 8/9/2022 10:28:41 AM, Site = , Source = Application Error, Message = Faulting application name: Vintagestory.exe, version: 1.17.0.0, time stamp: 0x62ef7eff Faulting module name: KERNELBASE.dll, version: 10.0.19041.1826, time stamp: 0x299341e8 Exception code: 0xc0020001 Fault offset: 0x0000000000034fd9 Faulting process id: 0x3ac Faulting application start time: 0x01d8abfba30f643f Faulting application path: E:\Program Files (x86)\Vintagestory\Vintagestory.exe Faulting module path: C:\WINDOWS\System32\KERNELBASE.dll Report Id: 9be508fc-6fec-44d7-a211-5ab4f6820e70 Faulting package full name: Faulting package-relative application ID: }
1.0
Crash after sleeping - **Game Version:** 1.17 rc4 **Platform:** Windows / **Modded:** No / **SP/MP:** Singleplayer ### Description Crash after sleeping in bed near bee hive... unsure if the two are related. ### How to reproduce see above ### Expected behavior ### Screenshots ### Logs ``` Running on 64 bit Windows with 32 GB RAM Game Version: v1.17.0-rc.4 (Unstable) Loaded Mods: game@1.17.0-rc.4, creative@1.17.0-rc.4, survival@1.17.0-rc.4 8/9/2022 10:35:27 AM: Critical error occurred System.NullReferenceException: Object reference not set to an instance of an object. at Vintagestory.GameContent.BlockEntityFruitTreePart.GenFoliageMesh(Boolean withSticks, MeshData& foliageMesh, MeshData& sticksMesh) in C:\Users\Tyron\Documents\vintagestory\game\VSSurvivalMod\Systems\FruitTree\BEFruitTreePart.cs:line 209 at Vintagestory.GameContent.BlockEntityFruitTreeBranch.GenMeshes() in C:\Users\Tyron\Documents\vintagestory\game\VSSurvivalMod\Systems\FruitTree\BEFruitTreeBranch.cs:line 241 at Vintagestory.GameContent.BlockEntityFruitTreeBranch.GenMesh() in C:\Users\Tyron\Documents\vintagestory\game\VSSurvivalMod\Systems\FruitTree\BEFruitTreeBranch.cs:line 228 at Vintagestory.GameContent.BlockEntityFruitTreeBranch.FromTreeAttributes(ITreeAttribute tree, IWorldAccessor worldForResolving) in C:\Users\Tyron\Documents\vintagestory\game\VSSurvivalMod\Systems\FruitTree\BEFruitTreeBranch.cs:line 372 at Vintagestory.Client.NoObf.ClientChunk.AddOrUpdateBlockEntityFromPacket(Packet_BlockEntity p, ClientMain game) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\Model\ClientChunk.cs:line 409 at Vintagestory.Client.NoObf.GeneralPacketHandler.HandleBlockEntities(Packet_Server packet) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\Systems\GeneralPacketHandler.cs:line 808 at Vintagestory.Client.NoObf.ClientMain.ExecuteMainThreadTasks(Single deltaTime) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\ClientMain.cs:line 1138 at Vintagestory.Client.GuiScreenRunningGame.RenderToPrimary(Single dt) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\MainMenu\Screens\GuiScreenRunningGame.cs:line 123 at Vintagestory.Client.ScreenManager.Render(Single dt) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\ScreenManager.cs:line 664 at Vintagestory.Client.ScreenManager.OnNewFrame(Single dt) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\ScreenManager.cs:line 608 at Vintagestory.Client.NoObf.ClientPlatformWindows.window_RenderFrame(Object sender, FrameEventArgs e) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\ClientPlatform\GameWindow.cs:line 125 at System.EventHandler`1.Invoke(Object sender, TEventArgs e) at OpenTK.GameWindow.RaiseRenderFrame(Double elapsed, Double& timestamp) in C:\Users\Nexrem\Desktop\transfer\opentk\src\OpenTK\GameWindow.cs:line 476 at OpenTK.GameWindow.DispatchRenderFrame() in C:\Users\Nexrem\Desktop\transfer\opentk\src\OpenTK\GameWindow.cs:line 452 at OpenTK.GameWindow.Run(Double updates_per_second, Double frames_per_second) in C:\Users\Nexrem\Desktop\transfer\opentk\src\OpenTK\GameWindow.cs:line 375 at Vintagestory.Client.ClientProgram.Start(ClientProgramArgs args, String[] rawArgs) at Vintagestory.ClientNative.CrashReporter.Start(ThreadStart start) in C:\Users\Tyron\Documents\vintagestory\game\VintagestoryLib\Client\ClientPlatform\ClientNative\CrashReporter.cs:line 87 ------------------------------- Event Log entries containing Vintagestory.exe, the latest 3 ================================== { TimeGenerated = 8/9/2022 10:28:47 AM, Site = , Source = Windows Error Reporting, Message = Fault bucket 1269912095728824642, type 4 Event Name: APPCRASH Response: Not available Cab Id: 0 Problem signature: P1: Vintagestory.exe P2: 1.17.0.0 P3: 62ef7eff P4: KERNELBASE.dll P5: 10.0.19041.1826 P6: 299341e8 P7: c0020001 P8: 0000000000034fd9 P9: P10: Attached files: \\?\C:\ProgramData\Microsoft\Windows\WER\Temp\WER7D85.tmp.WERInternalMetadata.xml These files may be available here: \\?\C:\ProgramData\Microsoft\Windows\WER\ReportArchive\AppCrash_Vintagestory.exe_c3413cf49ae7fd54f941f2f16f196a643a5337ad_89e9a2e0_5a6ecc99-f51e-4f66-88b1-f37814cf893f Analysis symbol: Rechecking for solution: 0 Report Id: 9be508fc-6fec-44d7-a211-5ab4f6820e70 Report Status: 268566528 Hashed bucket: feb1413d797df67e819fa252a1e37142 Cab Guid: 0 } -------------- { TimeGenerated = 8/9/2022 10:28:46 AM, Site = , Source = Windows Error Reporting, Message = Fault bucket , type 0 Event Name: APPCRASH Response: Not available Cab Id: 0 Problem signature: P1: Vintagestory.exe P2: 1.17.0.0 P3: 62ef7eff P4: KERNELBASE.dll P5: 10.0.19041.1826 P6: 299341e8 P7: c0020001 P8: 0000000000034fd9 P9: P10: Attached files: These files may be available here: \\?\C:\ProgramData\Microsoft\Windows\WER\ReportQueue\AppCrash_Vintagestory.exe_c3413cf49ae7fd54f941f2f16f196a643a5337ad_89e9a2e0_5a6ecc99-f51e-4f66-88b1-f37814cf893f Analysis symbol: Rechecking for solution: 0 Report Id: 9be508fc-6fec-44d7-a211-5ab4f6820e70 Report Status: 131076 Hashed bucket: Cab Guid: 0 } -------------- { TimeGenerated = 8/9/2022 10:28:41 AM, Site = , Source = Application Error, Message = Faulting application name: Vintagestory.exe, version: 1.17.0.0, time stamp: 0x62ef7eff Faulting module name: KERNELBASE.dll, version: 10.0.19041.1826, time stamp: 0x299341e8 Exception code: 0xc0020001 Fault offset: 0x0000000000034fd9 Faulting process id: 0x3ac Faulting application start time: 0x01d8abfba30f643f Faulting application path: E:\Program Files (x86)\Vintagestory\Vintagestory.exe Faulting module path: C:\WINDOWS\System32\KERNELBASE.dll Report Id: 9be508fc-6fec-44d7-a211-5ab4f6820e70 Faulting package full name: Faulting package-relative application ID: }
priority
crash after sleeping game version platform windows modded no sp mp singleplayer description crash after sleeping in bed near bee hive unsure if the two are related how to reproduce see above expected behavior screenshots logs running on bit windows with gb ram game version rc unstable loaded mods game rc creative rc survival rc am critical error occurred system nullreferenceexception object reference not set to an instance of an object at vintagestory gamecontent blockentityfruittreepart genfoliagemesh boolean withsticks meshdata foliagemesh meshdata sticksmesh in c users tyron documents vintagestory game vssurvivalmod systems fruittree befruittreepart cs line at vintagestory gamecontent blockentityfruittreebranch genmeshes in c users tyron documents vintagestory game vssurvivalmod systems fruittree befruittreebranch cs line at vintagestory gamecontent blockentityfruittreebranch genmesh in c users tyron documents vintagestory game vssurvivalmod systems fruittree befruittreebranch cs line at vintagestory gamecontent blockentityfruittreebranch fromtreeattributes itreeattribute tree iworldaccessor worldforresolving in c users tyron documents vintagestory game vssurvivalmod systems fruittree befruittreebranch cs line at vintagestory client noobf clientchunk addorupdateblockentityfrompacket packet blockentity p clientmain game in c users tyron documents vintagestory game vintagestorylib client model clientchunk cs line at vintagestory client noobf generalpackethandler handleblockentities packet server packet in c users tyron documents vintagestory game vintagestorylib client systems generalpackethandler cs line at vintagestory client noobf clientmain executemainthreadtasks single deltatime in c users tyron documents vintagestory game vintagestorylib client clientmain cs line at vintagestory client guiscreenrunninggame rendertoprimary single dt in c users tyron documents vintagestory game vintagestorylib client mainmenu screens guiscreenrunninggame cs line at vintagestory client screenmanager render single dt in c users tyron documents vintagestory game vintagestorylib client screenmanager cs line at vintagestory client screenmanager onnewframe single dt in c users tyron documents vintagestory game vintagestorylib client screenmanager cs line at vintagestory client noobf clientplatformwindows window renderframe object sender frameeventargs e in c users tyron documents vintagestory game vintagestorylib client clientplatform gamewindow cs line at system eventhandler invoke object sender teventargs e at opentk gamewindow raiserenderframe double elapsed double timestamp in c users nexrem desktop transfer opentk src opentk gamewindow cs line at opentk gamewindow dispatchrenderframe in c users nexrem desktop transfer opentk src opentk gamewindow cs line at opentk gamewindow run double updates per second double frames per second in c users nexrem desktop transfer opentk src opentk gamewindow cs line at vintagestory client clientprogram start clientprogramargs args string rawargs at vintagestory clientnative crashreporter start threadstart start in c users tyron documents vintagestory game vintagestorylib client clientplatform clientnative crashreporter cs line event log entries containing vintagestory exe the latest timegenerated am site source windows error reporting message fault bucket type event name appcrash response not available cab id problem signature vintagestory exe kernelbase dll attached files c programdata microsoft windows wer temp tmp werinternalmetadata xml these files may be available here c programdata microsoft windows wer reportarchive appcrash vintagestory exe analysis symbol rechecking for solution report id report status hashed bucket cab guid timegenerated am site source windows error reporting message fault bucket type event name appcrash response not available cab id problem signature vintagestory exe kernelbase dll attached files these files may be available here c programdata microsoft windows wer reportqueue appcrash vintagestory exe analysis symbol rechecking for solution report id report status hashed bucket cab guid timegenerated am site source application error message faulting application name vintagestory exe version time stamp faulting module name kernelbase dll version time stamp exception code fault offset faulting process id faulting application start time faulting application path e program files vintagestory vintagestory exe faulting module path c windows kernelbase dll report id faulting package full name faulting package relative application id
1
558,079
16,525,755,286
IssuesEvent
2021-05-26 19:52:27
xelA/bucket
https://api.github.com/repos/xelA/bucket
closed
xelA Import for Bots (Previous Suggestion) (Import from Trello)
in_progress medium_priority suggestion
now that xela has an export, we could maybe have an import as well? the few bots i know have some kind of portable migration are - vortex (json) - aperture (infractions only i think, csv) vortex config example: https://zeromomentum.s-ul.eu/B1jZ6450 aperture config example: https://zeromomentum.s-ul.eu/0b8QIp9v (apertures config is .yml as well, so you could be able to parse that somehow, see https://paste.gg/p/anonymous/5db95bf44d2a48eca49181ebaec10fc2)
1.0
xelA Import for Bots (Previous Suggestion) (Import from Trello) - now that xela has an export, we could maybe have an import as well? the few bots i know have some kind of portable migration are - vortex (json) - aperture (infractions only i think, csv) vortex config example: https://zeromomentum.s-ul.eu/B1jZ6450 aperture config example: https://zeromomentum.s-ul.eu/0b8QIp9v (apertures config is .yml as well, so you could be able to parse that somehow, see https://paste.gg/p/anonymous/5db95bf44d2a48eca49181ebaec10fc2)
priority
xela import for bots previous suggestion import from trello now that xela has an export we could maybe have an import as well the few bots i know have some kind of portable migration are vortex json aperture infractions only i think csv vortex config example aperture config example apertures config is yml as well so you could be able to parse that somehow see
1
352,345
10,540,674,308
IssuesEvent
2019-10-02 08:58:09
ComPWA/ComPWA
https://api.github.com/repos/ComPWA/ComPWA
closed
Single source for the default particles
Priority: Medium Status: Completed Type: Enhancement
Use and xml file to define the default particles. This can be read in and used by the python and c++ code. Currently the two versions being maintained is not good
1.0
Single source for the default particles - Use and xml file to define the default particles. This can be read in and used by the python and c++ code. Currently the two versions being maintained is not good
priority
single source for the default particles use and xml file to define the default particles this can be read in and used by the python and c code currently the two versions being maintained is not good
1
57,961
3,086,917,852
IssuesEvent
2015-08-25 08:10:34
pavel-pimenov/flylinkdc-r5xx
https://api.github.com/repos/pavel-pimenov/flylinkdc-r5xx
closed
Не работает обновление IP через DHT
bug imported Priority-Medium
_From [masteral...@googlemail.com](https://code.google.com/u/112581706116154880469/) on September 06, 2013 13:52:55_ В r501 работало, в r502 очищает поле с IP в настройках и хабы ругаются, что клиент посылает неверный IP (причём, это локальный IP (типа 192.168...), а не глобальный). Стандартное обновление IP работает практически без нареканий. _Original issue: http://code.google.com/p/flylinkdc/issues/detail?id=1264_
1.0
Не работает обновление IP через DHT - _From [masteral...@googlemail.com](https://code.google.com/u/112581706116154880469/) on September 06, 2013 13:52:55_ В r501 работало, в r502 очищает поле с IP в настройках и хабы ругаются, что клиент посылает неверный IP (причём, это локальный IP (типа 192.168...), а не глобальный). Стандартное обновление IP работает практически без нареканий. _Original issue: http://code.google.com/p/flylinkdc/issues/detail?id=1264_
priority
не работает обновление ip через dht from on september в работало в очищает поле с ip в настройках и хабы ругаются что клиент посылает неверный ip причём это локальный ip типа а не глобальный стандартное обновление ip работает практически без нареканий original issue
1
462,605
13,249,992,538
IssuesEvent
2020-08-19 21:54:21
imolorhe/altair
https://api.github.com/repos/imolorhe/altair
reopened
Add tracing visualization
Feature request In Progress Priority: Medium discussion help wanted wontfix
## Expected Behavior * Once a query was run that returns tracing data, parse it and display a timeline-style drilldown of the queries tracing data ## Current Behavior * New feature, not yet in the app :) ## Context * Tracing data is extremely powerful to properly debug your API and find out where potential bottlenecks are lying, especially with deeply nested structures. Integrating this into the tool itself would allow developers to be more action-aware about this and give more context about potential problems that might seem irrelevant at first but can cause serious issues in production.
1.0
Add tracing visualization - ## Expected Behavior * Once a query was run that returns tracing data, parse it and display a timeline-style drilldown of the queries tracing data ## Current Behavior * New feature, not yet in the app :) ## Context * Tracing data is extremely powerful to properly debug your API and find out where potential bottlenecks are lying, especially with deeply nested structures. Integrating this into the tool itself would allow developers to be more action-aware about this and give more context about potential problems that might seem irrelevant at first but can cause serious issues in production.
priority
add tracing visualization expected behavior once a query was run that returns tracing data parse it and display a timeline style drilldown of the queries tracing data current behavior new feature not yet in the app context tracing data is extremely powerful to properly debug your api and find out where potential bottlenecks are lying especially with deeply nested structures integrating this into the tool itself would allow developers to be more action aware about this and give more context about potential problems that might seem irrelevant at first but can cause serious issues in production
1
614,750
19,189,368,719
IssuesEvent
2021-12-05 18:48:32
bounswe/2021SpringGroup7
https://api.github.com/repos/bounswe/2021SpringGroup7
opened
CM-12 Create Location Page
Type: Enhancement Status: To Do Priority: Medium Mobile
Is your proposal related to a problem? -------------------------------------- <!-- Provide a clear and concise description of what the problem is. For example, "I'm always frustrated when..." --> need for a page that shows stories in a specific location Describe the solution you'd like -------------------------------- <!-- Provide a clear and concise description of what you want to happen. --> page created already in home stack so we should complete this page with components
1.0
CM-12 Create Location Page - Is your proposal related to a problem? -------------------------------------- <!-- Provide a clear and concise description of what the problem is. For example, "I'm always frustrated when..." --> need for a page that shows stories in a specific location Describe the solution you'd like -------------------------------- <!-- Provide a clear and concise description of what you want to happen. --> page created already in home stack so we should complete this page with components
priority
cm create location page is your proposal related to a problem provide a clear and concise description of what the problem is for example i m always frustrated when need for a page that shows stories in a specific location describe the solution you d like provide a clear and concise description of what you want to happen page created already in home stack so we should complete this page with components
1
66,150
3,250,213,539
IssuesEvent
2015-10-18 20:17:05
stuicey/ApolloStation
https://api.github.com/repos/stuicey/ApolloStation
closed
Bluespace beacons don't charge
bug could not reproduce priority: medium
If you activate one using a spacepod, they simply never charge.
1.0
Bluespace beacons don't charge - If you activate one using a spacepod, they simply never charge.
priority
bluespace beacons don t charge if you activate one using a spacepod they simply never charge
1
144,384
5,539,573,794
IssuesEvent
2017-03-22 07:09:23
CntoDev/django-roster
https://api.github.com/repos/CntoDev/django-roster
closed
Private arma 3 server player list monitoring
medium priority
Good news and bad news! Good news: I have managed to implement a service that integrates with the roster site and successfully extracts information from our arma 3 server. It then logs this information exactly as you would by using our previous scraping mechanic! All of this works when the system has full internet access. Bad news: With a free VPS like OpenShift, which we are using for the roster site, they heavily restrict the ports that are available to you. These end up being only the basics (80, 8080, 443, etc) and nothing fancy (like arma 3 server port 2302 or the server tracker port 2303). There are several potential solutions: - Host the roster site somewhere we can open port 2303. - Use a proxy server somewhere to forward the port from 2303 to 80. Let me know what you would like to try!
1.0
Private arma 3 server player list monitoring - Good news and bad news! Good news: I have managed to implement a service that integrates with the roster site and successfully extracts information from our arma 3 server. It then logs this information exactly as you would by using our previous scraping mechanic! All of this works when the system has full internet access. Bad news: With a free VPS like OpenShift, which we are using for the roster site, they heavily restrict the ports that are available to you. These end up being only the basics (80, 8080, 443, etc) and nothing fancy (like arma 3 server port 2302 or the server tracker port 2303). There are several potential solutions: - Host the roster site somewhere we can open port 2303. - Use a proxy server somewhere to forward the port from 2303 to 80. Let me know what you would like to try!
priority
private arma server player list monitoring good news and bad news good news i have managed to implement a service that integrates with the roster site and successfully extracts information from our arma server it then logs this information exactly as you would by using our previous scraping mechanic all of this works when the system has full internet access bad news with a free vps like openshift which we are using for the roster site they heavily restrict the ports that are available to you these end up being only the basics etc and nothing fancy like arma server port or the server tracker port there are several potential solutions host the roster site somewhere we can open port use a proxy server somewhere to forward the port from to let me know what you would like to try
1
778,486
27,318,458,354
IssuesEvent
2023-02-24 17:34:25
AY2223S2-CS2103T-W11-2/tp
https://api.github.com/repos/AY2223S2-CS2103T-W11-2/tp
opened
Pin an important internship listing
type.Story priority.Medium
as an Intermediate user so that I can Always see the listing when I launch the application
1.0
Pin an important internship listing - as an Intermediate user so that I can Always see the listing when I launch the application
priority
pin an important internship listing as an intermediate user so that i can always see the listing when i launch the application
1
608,488
18,840,412,045
IssuesEvent
2021-11-11 08:53:57
submariner-io/submariner
https://api.github.com/repos/submariner-io/submariner
closed
E2E test for globalnet w/ external network fails due to lack of handling multiple egressIPs
bug priority:medium
**What happened**: `[external-dataplane] Connectivity` `should be able to connect from an external app to a pod in a cluster` E2E test fails **What you expected to happen**: `[external-dataplane] Connectivity` `should be able to connect from an external app to a pod in a cluster` E2E test succeeds **How to reproduce it (as minimally and precisely as possible)**: Run below command: ``` make e2e using=external-net,globalnet ``` **Anything else we need to know?**: It happens due to lack of the logic similar to https://github.com/submariner-io/submariner/blob/b4625514061c1d85c10432a78ca0ad46e679367a/test/e2e/framework/dataplane.go#L174-L179 **Environment**: - Diagnose information (use `subctl diagnose all`): - Gather information (use `subctl gather`): - Cloud provider or hardware configuration: - Install tools: - Others:
1.0
E2E test for globalnet w/ external network fails due to lack of handling multiple egressIPs - **What happened**: `[external-dataplane] Connectivity` `should be able to connect from an external app to a pod in a cluster` E2E test fails **What you expected to happen**: `[external-dataplane] Connectivity` `should be able to connect from an external app to a pod in a cluster` E2E test succeeds **How to reproduce it (as minimally and precisely as possible)**: Run below command: ``` make e2e using=external-net,globalnet ``` **Anything else we need to know?**: It happens due to lack of the logic similar to https://github.com/submariner-io/submariner/blob/b4625514061c1d85c10432a78ca0ad46e679367a/test/e2e/framework/dataplane.go#L174-L179 **Environment**: - Diagnose information (use `subctl diagnose all`): - Gather information (use `subctl gather`): - Cloud provider or hardware configuration: - Install tools: - Others:
priority
test for globalnet w external network fails due to lack of handling multiple egressips what happened connectivity should be able to connect from an external app to a pod in a cluster test fails what you expected to happen connectivity should be able to connect from an external app to a pod in a cluster test succeeds how to reproduce it as minimally and precisely as possible run below command make using external net globalnet anything else we need to know it happens due to lack of the logic similar to environment diagnose information use subctl diagnose all gather information use subctl gather cloud provider or hardware configuration install tools others
1
728,411
25,077,650,824
IssuesEvent
2022-11-07 16:38:27
Yoooi0/MultiFunPlayer
https://api.github.com/repos/Yoooi0/MultiFunPlayer
closed
Support changing media from MultiFunPlayer
enhancement priority-medium
Hi I saw the plugin API you recently added and will definitely look into using it for a unnamed side project (not OFS related). I haven't done much yet but I saw that using the `MediaPathChangeMessage` wouldn't load the video in mpv. So I went and looked why that is. It turned out to be trivial to add. OpenFunscripter@1873320883b8c7d44358253c94e6185dfd7c54a8 I can create a pull request if you want. Assuming there isn't anything catastrophically wrong with this. Not sure if this is also possible with the other players.
1.0
Support changing media from MultiFunPlayer - Hi I saw the plugin API you recently added and will definitely look into using it for a unnamed side project (not OFS related). I haven't done much yet but I saw that using the `MediaPathChangeMessage` wouldn't load the video in mpv. So I went and looked why that is. It turned out to be trivial to add. OpenFunscripter@1873320883b8c7d44358253c94e6185dfd7c54a8 I can create a pull request if you want. Assuming there isn't anything catastrophically wrong with this. Not sure if this is also possible with the other players.
priority
support changing media from multifunplayer hi i saw the plugin api you recently added and will definitely look into using it for a unnamed side project not ofs related i haven t done much yet but i saw that using the mediapathchangemessage wouldn t load the video in mpv so i went and looked why that is it turned out to be trivial to add openfunscripter i can create a pull request if you want assuming there isn t anything catastrophically wrong with this not sure if this is also possible with the other players
1
819,781
30,750,807,961
IssuesEvent
2023-07-28 19:02:59
DouglasNeuroInformatics/DouglasDataCapturePlatform
https://api.github.com/repos/DouglasNeuroInformatics/DouglasDataCapturePlatform
reopened
[Feature]: Audit logging
Feature Priority: High Difficulty: Medium
Audit logging is a feature where the system itself will log, certain actions into the DB in a "aduitlogCollection", we need a library that will allow us to insert logs, which we can place where we need to on the backend. For example: - User does data export - user creation - instrument creation - data import (if implemented) - logins?
1.0
[Feature]: Audit logging - Audit logging is a feature where the system itself will log, certain actions into the DB in a "aduitlogCollection", we need a library that will allow us to insert logs, which we can place where we need to on the backend. For example: - User does data export - user creation - instrument creation - data import (if implemented) - logins?
priority
audit logging audit logging is a feature where the system itself will log certain actions into the db in a aduitlogcollection we need a library that will allow us to insert logs which we can place where we need to on the backend for example user does data export user creation instrument creation data import if implemented logins
1
349,460
10,469,771,154
IssuesEvent
2019-09-22 23:26:48
HW-PlayersPatch/Development
https://api.github.com/repos/HW-PlayersPatch/Development
closed
Lance Weapon Mistake
Priority2: Medium Status3: Actionable Type5: Balance
#Lance Lance default penetration should be 1.0 per hw2c and hwr2.1 Looks like it was changed to 0.5 sometime during 2.3 b1-7, no idea why as almost every ship has a 1.0 default penetration. This currently only affects subsystems as a subsystem pen value is not set. 2.3 b10 vs hw2c: ![image](https://user-images.githubusercontent.com/18016573/65353387-002fa300-dbbb-11e9-9f75-26797a7f0ee2.png) Also Lance are supposed to be good vs subs per hw2c manual. To fix, i'll set default back to 1.0 and leave subsystem pen blank.
1.0
Lance Weapon Mistake - #Lance Lance default penetration should be 1.0 per hw2c and hwr2.1 Looks like it was changed to 0.5 sometime during 2.3 b1-7, no idea why as almost every ship has a 1.0 default penetration. This currently only affects subsystems as a subsystem pen value is not set. 2.3 b10 vs hw2c: ![image](https://user-images.githubusercontent.com/18016573/65353387-002fa300-dbbb-11e9-9f75-26797a7f0ee2.png) Also Lance are supposed to be good vs subs per hw2c manual. To fix, i'll set default back to 1.0 and leave subsystem pen blank.
priority
lance weapon mistake lance lance default penetration should be per and looks like it was changed to sometime during no idea why as almost every ship has a default penetration this currently only affects subsystems as a subsystem pen value is not set vs also lance are supposed to be good vs subs per manual to fix i ll set default back to and leave subsystem pen blank
1
41,624
2,869,067,787
IssuesEvent
2015-06-05 23:04:19
dart-lang/polymer-dart
https://api.github.com/repos/dart-lang/polymer-dart
opened
Polymer CSS class binding doesn't work when update is async
bug PolymerMilestone-Next Priority-Medium
<a href="https://github.com/zoechi"><img src="https://avatars.githubusercontent.com/u/405837?v=3" align="left" width="96" height="96"hspace="10"></img></a> **Issue by [zoechi](https://github.com/zoechi)** _Originally opened as dart-lang/sdk#17859_ ---- **What steps will reproduce the problem?** **1.** I have this code library spark_widgets.button; import 'dart:async' as async; import 'package:polymer/polymer.dart'; import '../common/spark_widget.dart'; @CustomTag('spark-button') class SparkButton extends SparkWidget { &nbsp;&nbsp;@&#173;published &nbsp;&nbsp;bool primary = false; &nbsp;&nbsp;@&#173;published &nbsp;&nbsp;bool active = true; &nbsp;&nbsp;@&#173;published &nbsp;&nbsp;bool large = false; &nbsp;&nbsp;@&#173;published &nbsp;&nbsp;bool small = false; &nbsp;&nbsp;@&#173;published &nbsp;&nbsp;bool noPadding = false; &nbsp;&nbsp;String get actionId =&gt; attributes['action-id']; &nbsp;&nbsp;@&#173;observable &nbsp;&nbsp;var btnClasses = toObservable({ &nbsp;&nbsp;&nbsp;&nbsp;CSS_BUTTON: true &nbsp;&nbsp;}); &nbsp;&nbsp;@&#173;override &nbsp;&nbsp;void enteredView() { &nbsp;&nbsp;&nbsp;&nbsp;super.enteredView();many &nbsp;&nbsp;&nbsp;&nbsp;updateBtnClassesJob(); &nbsp;&nbsp;} &nbsp;&nbsp;void updateBtnClasses() { &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[CSS_PRIMARY] = primary; &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[CSS_DEFAULT] = !primary; &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[SparkWidget.CSS_ENABLED] = active; &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[SparkWidget.CSS_DISABLED] = !active; &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[CSS_LARGE] = large; &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[CSS_SMALL] = small; &nbsp;&nbsp;&nbsp;&nbsp;print('update'); &nbsp;&nbsp;} &nbsp;&nbsp;/\*\* &nbsp;&nbsp;&nbsp;\* only modify collection once for several succinct events &nbsp;&nbsp;&nbsp;\*/ &nbsp;&nbsp;var btnClassesJob = false; &nbsp;&nbsp;updateBtnClassesJob() { &nbsp;&nbsp;&nbsp;&nbsp;// this works &nbsp;&nbsp;&nbsp;&nbsp;//updateBtnClasses(); &nbsp;&nbsp;&nbsp;&nbsp;// delayed update doesn't work, no matter if I use scheduleMicrotask, new Future, or new Timer &nbsp;&nbsp;&nbsp;&nbsp;if (btnClassesJob == false) { &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;btnClassesJob = true; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;async.scheduleMicrotask(() { &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;updateBtnClasses(); &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;btnClassesJob = false; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;}); &nbsp;&nbsp;&nbsp;&nbsp;} &nbsp;&nbsp;} &nbsp;&nbsp;void activeChanged(old) { &nbsp;&nbsp;&nbsp;&nbsp;updateBtnClassesJob(); &nbsp;&nbsp;} &nbsp;&nbsp;void primaryChanged(old) { &nbsp;&nbsp;&nbsp;&nbsp;updateBtnClassesJob(); &nbsp;&nbsp;} &nbsp;&nbsp;void largeChanged(old) { &nbsp;&nbsp;&nbsp;&nbsp;updateBtnClassesJob(); &nbsp;&nbsp;&nbsp;&nbsp;// TODO should this disable small? &nbsp;&nbsp;} &nbsp;&nbsp;void smallChanged(old) { &nbsp;&nbsp;&nbsp;&nbsp;updateBtnClassesJob(); &nbsp;&nbsp;&nbsp;&nbsp;// TODO should this disable large? &nbsp;&nbsp;} &nbsp;&nbsp;static const CSS_BUTTON = &quot;btn&quot;; &nbsp;&nbsp;static const CSS_DEFAULT = &quot;btn-default&quot;; &nbsp;&nbsp;static const CSS_PRIMARY = &quot;btn-primary&quot;; &nbsp;&nbsp;static const CSS_LARGE = &quot;btn-lg&quot;; &nbsp;&nbsp;static const CSS_SMALL = &quot;btn-sm&quot;; &nbsp;&nbsp;SparkButton.created(): super.created(); } &lt;link rel=&quot;import&quot; href=&quot;../../../packages/spark_widgets/common/spark_widget.html&quot;/&gt; &lt;polymer-element name=&quot;spark-button&quot; extends=&quot;spark-widget&quot; class=&quot;{{btnClasses}}&quot; &nbsp;&nbsp;&nbsp;&nbsp;attributes=&quot;primary active large small noPadding&quot;&gt; &nbsp;&nbsp;&lt;template&gt; &nbsp;&nbsp;&nbsp;&nbsp;&lt;link rel=&quot;stylesheet&quot; href=&quot;spark_button.css&quot;&gt; &nbsp;&nbsp;&nbsp;&nbsp;&lt;template if=&quot;{{noPadding}}&quot;&gt; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&lt;style&gt; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;#button { &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;padding: 0; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;} &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&lt;/style&gt; &nbsp;&nbsp;&nbsp;&nbsp;&lt;/template&gt; &nbsp;&nbsp;&nbsp;&nbsp;&lt;button id=&quot;button&quot; type=&quot;button&quot; focused class=&quot;{{btnClasses}}&quot;&gt; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&lt;content&gt;&lt;/content&gt; &nbsp;&nbsp;&nbsp;&nbsp;&lt;/button&gt; &nbsp;&nbsp;&lt;/template&gt; &nbsp;&nbsp;&lt;script type=&quot;application/dart&quot; src=&quot;spark_button.dart&quot;&gt;&lt;/script&gt; &lt;/polymer-element&gt; **2.** see code comments when the `btnClasses` map is updated synchronously the web page reflects the class changes when I use one of the async methods the buttons stay unstyled. **3.** **What is the expected output? What do you see instead?** Should also work async. I want to combine several succinct updates to one **What version of the product are you using? On what operating system?** Dart VM version: 1.3.0-dev.7.1 (Wed Mar 26 07:47:55 2014) on &quot;linux_x64&quot; Polymer 0.10.0-pre.4 **Please provide any additional information below.**
1.0
Polymer CSS class binding doesn't work when update is async - <a href="https://github.com/zoechi"><img src="https://avatars.githubusercontent.com/u/405837?v=3" align="left" width="96" height="96"hspace="10"></img></a> **Issue by [zoechi](https://github.com/zoechi)** _Originally opened as dart-lang/sdk#17859_ ---- **What steps will reproduce the problem?** **1.** I have this code library spark_widgets.button; import 'dart:async' as async; import 'package:polymer/polymer.dart'; import '../common/spark_widget.dart'; @CustomTag('spark-button') class SparkButton extends SparkWidget { &nbsp;&nbsp;@&#173;published &nbsp;&nbsp;bool primary = false; &nbsp;&nbsp;@&#173;published &nbsp;&nbsp;bool active = true; &nbsp;&nbsp;@&#173;published &nbsp;&nbsp;bool large = false; &nbsp;&nbsp;@&#173;published &nbsp;&nbsp;bool small = false; &nbsp;&nbsp;@&#173;published &nbsp;&nbsp;bool noPadding = false; &nbsp;&nbsp;String get actionId =&gt; attributes['action-id']; &nbsp;&nbsp;@&#173;observable &nbsp;&nbsp;var btnClasses = toObservable({ &nbsp;&nbsp;&nbsp;&nbsp;CSS_BUTTON: true &nbsp;&nbsp;}); &nbsp;&nbsp;@&#173;override &nbsp;&nbsp;void enteredView() { &nbsp;&nbsp;&nbsp;&nbsp;super.enteredView();many &nbsp;&nbsp;&nbsp;&nbsp;updateBtnClassesJob(); &nbsp;&nbsp;} &nbsp;&nbsp;void updateBtnClasses() { &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[CSS_PRIMARY] = primary; &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[CSS_DEFAULT] = !primary; &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[SparkWidget.CSS_ENABLED] = active; &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[SparkWidget.CSS_DISABLED] = !active; &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[CSS_LARGE] = large; &nbsp;&nbsp;&nbsp;&nbsp;btnClasses[CSS_SMALL] = small; &nbsp;&nbsp;&nbsp;&nbsp;print('update'); &nbsp;&nbsp;} &nbsp;&nbsp;/\*\* &nbsp;&nbsp;&nbsp;\* only modify collection once for several succinct events &nbsp;&nbsp;&nbsp;\*/ &nbsp;&nbsp;var btnClassesJob = false; &nbsp;&nbsp;updateBtnClassesJob() { &nbsp;&nbsp;&nbsp;&nbsp;// this works &nbsp;&nbsp;&nbsp;&nbsp;//updateBtnClasses(); &nbsp;&nbsp;&nbsp;&nbsp;// delayed update doesn't work, no matter if I use scheduleMicrotask, new Future, or new Timer &nbsp;&nbsp;&nbsp;&nbsp;if (btnClassesJob == false) { &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;btnClassesJob = true; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;async.scheduleMicrotask(() { &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;updateBtnClasses(); &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;btnClassesJob = false; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;}); &nbsp;&nbsp;&nbsp;&nbsp;} &nbsp;&nbsp;} &nbsp;&nbsp;void activeChanged(old) { &nbsp;&nbsp;&nbsp;&nbsp;updateBtnClassesJob(); &nbsp;&nbsp;} &nbsp;&nbsp;void primaryChanged(old) { &nbsp;&nbsp;&nbsp;&nbsp;updateBtnClassesJob(); &nbsp;&nbsp;} &nbsp;&nbsp;void largeChanged(old) { &nbsp;&nbsp;&nbsp;&nbsp;updateBtnClassesJob(); &nbsp;&nbsp;&nbsp;&nbsp;// TODO should this disable small? &nbsp;&nbsp;} &nbsp;&nbsp;void smallChanged(old) { &nbsp;&nbsp;&nbsp;&nbsp;updateBtnClassesJob(); &nbsp;&nbsp;&nbsp;&nbsp;// TODO should this disable large? &nbsp;&nbsp;} &nbsp;&nbsp;static const CSS_BUTTON = &quot;btn&quot;; &nbsp;&nbsp;static const CSS_DEFAULT = &quot;btn-default&quot;; &nbsp;&nbsp;static const CSS_PRIMARY = &quot;btn-primary&quot;; &nbsp;&nbsp;static const CSS_LARGE = &quot;btn-lg&quot;; &nbsp;&nbsp;static const CSS_SMALL = &quot;btn-sm&quot;; &nbsp;&nbsp;SparkButton.created(): super.created(); } &lt;link rel=&quot;import&quot; href=&quot;../../../packages/spark_widgets/common/spark_widget.html&quot;/&gt; &lt;polymer-element name=&quot;spark-button&quot; extends=&quot;spark-widget&quot; class=&quot;{{btnClasses}}&quot; &nbsp;&nbsp;&nbsp;&nbsp;attributes=&quot;primary active large small noPadding&quot;&gt; &nbsp;&nbsp;&lt;template&gt; &nbsp;&nbsp;&nbsp;&nbsp;&lt;link rel=&quot;stylesheet&quot; href=&quot;spark_button.css&quot;&gt; &nbsp;&nbsp;&nbsp;&nbsp;&lt;template if=&quot;{{noPadding}}&quot;&gt; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&lt;style&gt; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;#button { &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;padding: 0; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;} &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&lt;/style&gt; &nbsp;&nbsp;&nbsp;&nbsp;&lt;/template&gt; &nbsp;&nbsp;&nbsp;&nbsp;&lt;button id=&quot;button&quot; type=&quot;button&quot; focused class=&quot;{{btnClasses}}&quot;&gt; &nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;&lt;content&gt;&lt;/content&gt; &nbsp;&nbsp;&nbsp;&nbsp;&lt;/button&gt; &nbsp;&nbsp;&lt;/template&gt; &nbsp;&nbsp;&lt;script type=&quot;application/dart&quot; src=&quot;spark_button.dart&quot;&gt;&lt;/script&gt; &lt;/polymer-element&gt; **2.** see code comments when the `btnClasses` map is updated synchronously the web page reflects the class changes when I use one of the async methods the buttons stay unstyled. **3.** **What is the expected output? What do you see instead?** Should also work async. I want to combine several succinct updates to one **What version of the product are you using? On what operating system?** Dart VM version: 1.3.0-dev.7.1 (Wed Mar 26 07:47:55 2014) on &quot;linux_x64&quot; Polymer 0.10.0-pre.4 **Please provide any additional information below.**
priority
polymer css class binding doesn t work when update is async issue by originally opened as dart lang sdk what steps will reproduce the problem i have this code library spark widgets button import dart async as async import package polymer polymer dart import common spark widget dart customtag spark button class sparkbutton extends sparkwidget nbsp nbsp published nbsp nbsp bool primary false nbsp nbsp published nbsp nbsp bool active true nbsp nbsp published nbsp nbsp bool large false nbsp nbsp published nbsp nbsp bool small false nbsp nbsp published nbsp nbsp bool nopadding false nbsp nbsp string get actionid gt attributes nbsp nbsp observable nbsp nbsp var btnclasses toobservable nbsp nbsp nbsp nbsp css button true nbsp nbsp nbsp nbsp override nbsp nbsp void enteredview nbsp nbsp nbsp nbsp super enteredview many nbsp nbsp nbsp nbsp updatebtnclassesjob nbsp nbsp nbsp nbsp void updatebtnclasses nbsp nbsp nbsp nbsp btnclasses primary nbsp nbsp nbsp nbsp btnclasses primary nbsp nbsp nbsp nbsp btnclasses active nbsp nbsp nbsp nbsp btnclasses active nbsp nbsp nbsp nbsp btnclasses large nbsp nbsp nbsp nbsp btnclasses small nbsp nbsp nbsp nbsp print update nbsp nbsp nbsp nbsp nbsp nbsp nbsp only modify collection once for several succinct events nbsp nbsp nbsp nbsp nbsp var btnclassesjob false nbsp nbsp updatebtnclassesjob nbsp nbsp nbsp nbsp this works nbsp nbsp nbsp nbsp updatebtnclasses nbsp nbsp nbsp nbsp delayed update doesn t work no matter if i use schedulemicrotask new future or new timer nbsp nbsp nbsp nbsp if btnclassesjob false nbsp nbsp nbsp nbsp nbsp nbsp btnclassesjob true nbsp nbsp nbsp nbsp nbsp nbsp async schedulemicrotask nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp updatebtnclasses nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp btnclassesjob false nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp void activechanged old nbsp nbsp nbsp nbsp updatebtnclassesjob nbsp nbsp nbsp nbsp void primarychanged old nbsp nbsp nbsp nbsp updatebtnclassesjob nbsp nbsp nbsp nbsp void largechanged old nbsp nbsp nbsp nbsp updatebtnclassesjob nbsp nbsp nbsp nbsp todo should this disable small nbsp nbsp nbsp nbsp void smallchanged old nbsp nbsp nbsp nbsp updatebtnclassesjob nbsp nbsp nbsp nbsp todo should this disable large nbsp nbsp nbsp nbsp static const css button quot btn quot nbsp nbsp static const css default quot btn default quot nbsp nbsp static const css primary quot btn primary quot nbsp nbsp static const css large quot btn lg quot nbsp nbsp static const css small quot btn sm quot nbsp nbsp sparkbutton created super created lt link rel quot import quot href quot packages spark widgets common spark widget html quot gt lt polymer element name quot spark button quot extends quot spark widget quot class quot btnclasses quot nbsp nbsp nbsp nbsp attributes quot primary active large small nopadding quot gt nbsp nbsp lt template gt nbsp nbsp nbsp nbsp lt link rel quot stylesheet quot href quot spark button css quot gt nbsp nbsp nbsp nbsp lt template if quot nopadding quot gt nbsp nbsp nbsp nbsp nbsp nbsp lt style gt nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp button nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp padding nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp lt style gt nbsp nbsp nbsp nbsp lt template gt nbsp nbsp nbsp nbsp lt button id quot button quot type quot button quot focused class quot btnclasses quot gt nbsp nbsp nbsp nbsp nbsp nbsp lt content gt lt content gt nbsp nbsp nbsp nbsp lt button gt nbsp nbsp lt template gt nbsp nbsp lt script type quot application dart quot src quot spark button dart quot gt lt script gt lt polymer element gt see code comments when the btnclasses map is updated synchronously the web page reflects the class changes when i use one of the async methods the buttons stay unstyled what is the expected output what do you see instead should also work async i want to combine several succinct updates to one what version of the product are you using on what operating system dart vm version dev wed mar on quot linux quot polymer pre please provide any additional information below
1
119,406
4,769,596,215
IssuesEvent
2016-10-26 13:05:51
USGCRP/gcis
https://api.github.com/repos/USGCRP/gcis
opened
Robust About Page
an enhancement context Front End Epic help wanted priority medium type question
Let's brainstorm on what we need our [About page](https://data.globalchange.gov/about) to do. Current ideas: - [ ] Have a contact form for issues / feedback (Ticket: #464) - [ ] Highlight the link back to the GitHub with info on how we want code contributions - [ ] Create guidance for content contributions / updates. - [ ] Refresh the definitions of our terms (GCIS, Identifiers) and the generic terms we use in our own context (Provenance, Global Change) Thoughts? @bakamine @rasherman @amruelama @Zullmira
1.0
Robust About Page - Let's brainstorm on what we need our [About page](https://data.globalchange.gov/about) to do. Current ideas: - [ ] Have a contact form for issues / feedback (Ticket: #464) - [ ] Highlight the link back to the GitHub with info on how we want code contributions - [ ] Create guidance for content contributions / updates. - [ ] Refresh the definitions of our terms (GCIS, Identifiers) and the generic terms we use in our own context (Provenance, Global Change) Thoughts? @bakamine @rasherman @amruelama @Zullmira
priority
robust about page let s brainstorm on what we need our to do current ideas have a contact form for issues feedback ticket highlight the link back to the github with info on how we want code contributions create guidance for content contributions updates refresh the definitions of our terms gcis identifiers and the generic terms we use in our own context provenance global change thoughts bakamine rasherman amruelama zullmira
1
43,614
2,889,880,242
IssuesEvent
2015-06-13 21:06:14
damonkohler/android-scripting
https://api.github.com/repos/damonkohler/android-scripting
closed
Support readline
auto-migrated Priority-Medium Type-Enhancement
``` Currently it is very difficult to use command line arguments because you must type out a very long string and then include the arguments after it. If you could scroll through already typed commands it would help greatly as well. ``` Original issue reported on code.google.com by `CheeseN...@gmail.com` on 24 Oct 2009 at 8:24
1.0
Support readline - ``` Currently it is very difficult to use command line arguments because you must type out a very long string and then include the arguments after it. If you could scroll through already typed commands it would help greatly as well. ``` Original issue reported on code.google.com by `CheeseN...@gmail.com` on 24 Oct 2009 at 8:24
priority
support readline currently it is very difficult to use command line arguments because you must type out a very long string and then include the arguments after it if you could scroll through already typed commands it would help greatly as well original issue reported on code google com by cheesen gmail com on oct at
1
500,288
14,495,340,402
IssuesEvent
2020-12-11 11:02:14
AGROFIMS/hagrofims
https://api.github.com/repos/AGROFIMS/hagrofims
closed
Add number of soil layers for soil measurement
enhancement measurement medium priority
The interface needs to ask how many layers for soil measurement
1.0
Add number of soil layers for soil measurement - The interface needs to ask how many layers for soil measurement
priority
add number of soil layers for soil measurement the interface needs to ask how many layers for soil measurement
1
821,527
30,826,060,633
IssuesEvent
2023-08-01 20:10:08
phylum-dev/cli
https://api.github.com/repos/phylum-dev/cli
opened
Lockfile detection choosing wrong lockfile
bug medium priority
When I run `phylum analyze` on `Cargo.toml` in the root of CLI, the lockfile detection code chooses to analyze `vulnreach_types/Cargo.lock` instead... ```sh-session > phylum analyze /Users/kyle/code/cli/Cargo.toml ⚠️ "/Users/kyle/code/cli/Cargo.toml" is not a lockfile, using "/Users/kyle/code/cli/vulnreach_types/Cargo.lock" instead ✅ Successfully parsed lockfile "/Users/kyle/code/cli/vulnreach_types/Cargo.lock" as type: cargo ⚠️ No packages found in lockfile ``` ### Expected behavior Lockfile detection should instead detect and use the `Cargo.lock` that is in the same directory as the `Cargo.toml` that I provided.
1.0
Lockfile detection choosing wrong lockfile - When I run `phylum analyze` on `Cargo.toml` in the root of CLI, the lockfile detection code chooses to analyze `vulnreach_types/Cargo.lock` instead... ```sh-session > phylum analyze /Users/kyle/code/cli/Cargo.toml ⚠️ "/Users/kyle/code/cli/Cargo.toml" is not a lockfile, using "/Users/kyle/code/cli/vulnreach_types/Cargo.lock" instead ✅ Successfully parsed lockfile "/Users/kyle/code/cli/vulnreach_types/Cargo.lock" as type: cargo ⚠️ No packages found in lockfile ``` ### Expected behavior Lockfile detection should instead detect and use the `Cargo.lock` that is in the same directory as the `Cargo.toml` that I provided.
priority
lockfile detection choosing wrong lockfile when i run phylum analyze on cargo toml in the root of cli the lockfile detection code chooses to analyze vulnreach types cargo lock instead sh session phylum analyze users kyle code cli cargo toml ⚠️ users kyle code cli cargo toml is not a lockfile using users kyle code cli vulnreach types cargo lock instead ✅ successfully parsed lockfile users kyle code cli vulnreach types cargo lock as type cargo ⚠️ no packages found in lockfile expected behavior lockfile detection should instead detect and use the cargo lock that is in the same directory as the cargo toml that i provided
1
798,579
28,290,404,344
IssuesEvent
2023-04-09 05:44:27
ckiplab/ckip-transformers
https://api.github.com/repos/ckiplab/ckip-transformers
closed
Set device = -1 but still using GPU
Priority: Medium Status: 2-Progressing Type: Bug
Hi @emfomy , thank you for your attention 🙏 ### `ckip_transformers` version 0.2.7 ### What happened Set `device` = -1, but the model still uses GPU. script: ``` from ckip_transformers.nlp import CkipNerChunker ner_driver = CkipNerChunker(level=3, device=-1) res = ner_driver(text_list) ``` Before running the script: ![image](https://user-images.githubusercontent.com/9716977/215410339-02c8d007-b557-4882-9662-7bd6447a0d04.png) After running the script: ![image](https://user-images.githubusercontent.com/9716977/215410195-371a66fc-b5a7-49ac-910f-438a8c577250.png) ### What do you think should happen instead It should not consume GPU resources. ### How to reproduce Run the script in GPU enable env: ``` from ckip_transformers.nlp import CkipNerChunker ner_driver = CkipNerChunker(level=3, device=-1) res = ner_driver(text_list) ``` ### Operating System Ubuntu 20.04.2 LTS ### Development Environment - Python 3.8.12 - PyTorch 1.9.0+cu111 - Transformers 4.7.0 - Tensorflow 2.11.0 ### Anything else I've checked the source code, `self.device` is set as "cpu", and both model and data tensor has `to(self.device)`, so it's weird to have this problem. And if the environment has no GPU, the model script is still runnable.
1.0
Set device = -1 but still using GPU - Hi @emfomy , thank you for your attention 🙏 ### `ckip_transformers` version 0.2.7 ### What happened Set `device` = -1, but the model still uses GPU. script: ``` from ckip_transformers.nlp import CkipNerChunker ner_driver = CkipNerChunker(level=3, device=-1) res = ner_driver(text_list) ``` Before running the script: ![image](https://user-images.githubusercontent.com/9716977/215410339-02c8d007-b557-4882-9662-7bd6447a0d04.png) After running the script: ![image](https://user-images.githubusercontent.com/9716977/215410195-371a66fc-b5a7-49ac-910f-438a8c577250.png) ### What do you think should happen instead It should not consume GPU resources. ### How to reproduce Run the script in GPU enable env: ``` from ckip_transformers.nlp import CkipNerChunker ner_driver = CkipNerChunker(level=3, device=-1) res = ner_driver(text_list) ``` ### Operating System Ubuntu 20.04.2 LTS ### Development Environment - Python 3.8.12 - PyTorch 1.9.0+cu111 - Transformers 4.7.0 - Tensorflow 2.11.0 ### Anything else I've checked the source code, `self.device` is set as "cpu", and both model and data tensor has `to(self.device)`, so it's weird to have this problem. And if the environment has no GPU, the model script is still runnable.
priority
set device but still using gpu hi emfomy thank you for your attention 🙏 ckip transformers version what happened set device but the model still uses gpu script from ckip transformers nlp import ckipnerchunker ner driver ckipnerchunker level device res ner driver text list before running the script after running the script what do you think should happen instead it should not consume gpu resources how to reproduce run the script in gpu enable env from ckip transformers nlp import ckipnerchunker ner driver ckipnerchunker level device res ner driver text list operating system ubuntu lts development environment python pytorch transformers tensorflow anything else i ve checked the source code self device is set as cpu and both model and data tensor has to self device so it s weird to have this problem and if the environment has no gpu the model script is still runnable
1
807,852
30,021,177,347
IssuesEvent
2023-06-26 23:39:33
yugabyte/yugabyte-db
https://api.github.com/repos/yugabyte/yugabyte-db
closed
[DocDB] Generate compressed version of DataType
kind/enhancement area/docdb priority/medium
Jira Link: [DB-6896](https://yugabyte.atlassian.net/browse/DB-6896) ### Description DataType enum is widely used across our code base. Mostly in combination with switch. But originally DataType comes from protobuf and we cannot change its values. Since DataType contains a lot of holes, generated code for switch is not very effective. We could generate in memory companion for DataType that will have only continuous range of values. ### Warning: Please confirm that this issue does not contain any sensitive information - [X] I confirm this issue does not contain any sensitive information. [DB-6896]: https://yugabyte.atlassian.net/browse/DB-6896?atlOrigin=eyJpIjoiNWRkNTljNzYxNjVmNDY3MDlhMDU5Y2ZhYzA5YTRkZjUiLCJwIjoiZ2l0aHViLWNvbS1KU1cifQ
1.0
[DocDB] Generate compressed version of DataType - Jira Link: [DB-6896](https://yugabyte.atlassian.net/browse/DB-6896) ### Description DataType enum is widely used across our code base. Mostly in combination with switch. But originally DataType comes from protobuf and we cannot change its values. Since DataType contains a lot of holes, generated code for switch is not very effective. We could generate in memory companion for DataType that will have only continuous range of values. ### Warning: Please confirm that this issue does not contain any sensitive information - [X] I confirm this issue does not contain any sensitive information. [DB-6896]: https://yugabyte.atlassian.net/browse/DB-6896?atlOrigin=eyJpIjoiNWRkNTljNzYxNjVmNDY3MDlhMDU5Y2ZhYzA5YTRkZjUiLCJwIjoiZ2l0aHViLWNvbS1KU1cifQ
priority
generate compressed version of datatype jira link description datatype enum is widely used across our code base mostly in combination with switch but originally datatype comes from protobuf and we cannot change its values since datatype contains a lot of holes generated code for switch is not very effective we could generate in memory companion for datatype that will have only continuous range of values warning please confirm that this issue does not contain any sensitive information i confirm this issue does not contain any sensitive information
1
565,743
16,768,727,451
IssuesEvent
2021-06-14 12:22:35
zephyrproject-rtos/zephyr
https://api.github.com/repos/zephyrproject-rtos/zephyr
closed
ehl_crb: Multiple tests are failing and board is not booting up.
bug platform: X86 priority: medium
**Describe the bug** On EHL_CRB, Board is not booting up/stuck after flashing the build. What have you tried to diagnose or workaround this issue? Tried git bisect and commit: 9cb8dcbf841484ccb925b6032775e9db0bc2150c is identified where the board is getting stuck/booting up. **To Reproduce** Steps to reproduce the behavior: 1. twister -W -p ehl_crb --device-testing --device-serial /dev/ttyUSB0 -T tests --west-flash=/home/ztest/EHL_X86_PXE.sh -j 1 2. Board is not booting up/stuck. **Expected behavior** A clear and concise description of what you expected to happen. **Impact** Pass rate dropped to ~38%. **Logs and console output** ``` DEBUG - DEVICE: NBP filename is zephyr.efi DEBUG - DEVICE: NBP filesize is 6539951 Bytes DEBUG - DEVICE: Downloading NBP file... DEBUG - DEVICE: DEBUG - DEVICE: NBP file downloaded successfully. DEBUG - DEVICE: *** Zephyr EFI Loader *** DEBUG - DEVICE: Zeroing 23871488 bytes of memory at 0x12d000 DEBUG - DEVICE: Copying 32768 data bytes to 0x1000 from image offset DEBUG - DEVICE: Copying 184320 data bytes to 0x100000 from image offset 32768 DEBUG - DEVICE: Copying 6316576 data bytes to 0x17f1000 from image offset 217088 DEBUG - DEVICE: Jumping to Entry Point: 0x112b (48 31 c0 48 31 d2 48) DEBUG - DEVICE: *** Booting Zephyr OS build zephyr-v2.6.0-119-g5719e545af4d ``` **Environment (please complete the following information):** - OS: Fedora - Toolchain: Zephyr SDK 12.4 - Commit: 9143f4fd8c35
1.0
ehl_crb: Multiple tests are failing and board is not booting up. - **Describe the bug** On EHL_CRB, Board is not booting up/stuck after flashing the build. What have you tried to diagnose or workaround this issue? Tried git bisect and commit: 9cb8dcbf841484ccb925b6032775e9db0bc2150c is identified where the board is getting stuck/booting up. **To Reproduce** Steps to reproduce the behavior: 1. twister -W -p ehl_crb --device-testing --device-serial /dev/ttyUSB0 -T tests --west-flash=/home/ztest/EHL_X86_PXE.sh -j 1 2. Board is not booting up/stuck. **Expected behavior** A clear and concise description of what you expected to happen. **Impact** Pass rate dropped to ~38%. **Logs and console output** ``` DEBUG - DEVICE: NBP filename is zephyr.efi DEBUG - DEVICE: NBP filesize is 6539951 Bytes DEBUG - DEVICE: Downloading NBP file... DEBUG - DEVICE: DEBUG - DEVICE: NBP file downloaded successfully. DEBUG - DEVICE: *** Zephyr EFI Loader *** DEBUG - DEVICE: Zeroing 23871488 bytes of memory at 0x12d000 DEBUG - DEVICE: Copying 32768 data bytes to 0x1000 from image offset DEBUG - DEVICE: Copying 184320 data bytes to 0x100000 from image offset 32768 DEBUG - DEVICE: Copying 6316576 data bytes to 0x17f1000 from image offset 217088 DEBUG - DEVICE: Jumping to Entry Point: 0x112b (48 31 c0 48 31 d2 48) DEBUG - DEVICE: *** Booting Zephyr OS build zephyr-v2.6.0-119-g5719e545af4d ``` **Environment (please complete the following information):** - OS: Fedora - Toolchain: Zephyr SDK 12.4 - Commit: 9143f4fd8c35
priority
ehl crb multiple tests are failing and board is not booting up describe the bug on ehl crb board is not booting up stuck after flashing the build what have you tried to diagnose or workaround this issue tried git bisect and commit is identified where the board is getting stuck booting up to reproduce steps to reproduce the behavior twister w p ehl crb device testing device serial dev t tests west flash home ztest ehl pxe sh j board is not booting up stuck expected behavior a clear and concise description of what you expected to happen impact pass rate dropped to logs and console output debug device nbp filename is zephyr efi debug device nbp filesize is bytes debug device downloading nbp file debug device debug device nbp file downloaded successfully debug device zephyr efi loader debug device zeroing bytes of memory at debug device copying data bytes to from image offset debug device copying data bytes to from image offset debug device copying data bytes to from image offset debug device jumping to entry point debug device booting zephyr os build zephyr environment please complete the following information os fedora toolchain zephyr sdk commit
1
424,964
12,325,970,392
IssuesEvent
2020-05-13 15:47:59
department-of-veterans-affairs/caseflow
https://api.github.com/repos/department-of-veterans-affairs/caseflow
opened
Screenreader does not read success messages
Priority: Medium Product: caseflow-queue Team: Echo 🐬 Type: Bug
## Description Screenreader does not read any success messages when completing dispatch, drafting a decision, or reviewing a decision unless they are navigated to. These alerts should always be read as soon as they pop up as they do with error alerts. ## Acceptance criteria - [ ] Success alerts are read first ## Background/context/resources ## Technical notes
1.0
Screenreader does not read success messages - ## Description Screenreader does not read any success messages when completing dispatch, drafting a decision, or reviewing a decision unless they are navigated to. These alerts should always be read as soon as they pop up as they do with error alerts. ## Acceptance criteria - [ ] Success alerts are read first ## Background/context/resources ## Technical notes
priority
screenreader does not read success messages description screenreader does not read any success messages when completing dispatch drafting a decision or reviewing a decision unless they are navigated to these alerts should always be read as soon as they pop up as they do with error alerts acceptance criteria success alerts are read first background context resources technical notes
1
411,456
12,020,760,498
IssuesEvent
2020-04-11 08:00:44
way-of-elendil/3.3.5
https://api.github.com/repos/way-of-elendil/3.3.5
opened
NPC: Allié ressuscité
bug priority-medium type-class
**Description** Entry: 26125. 1. La goule ne reçoit pas le bonus d'endurance supplémentaires liés au 43549 - [Glyphe de la goule] et aux talents spellid : 48965, 49571 et 49572 (est-ce que tu peux check aussi sa vie de base :o)?) "2- http://area.way-of-elendil.fr/flyspray/index.php?do=details&task_id=5916 La goule ne reçoit pas de PA par point d'agilité. Actuellement, la goule ne gagne que du critique par l'agilité. L'attendu est que la goule reçoive 1 PA par 1 AGI. Source : https://www.mmo-champion.com/threads/642804-Ghoul-math-help-a-brutha-out?p=6180794&viewfull=1#post6180794 - " His AP grew by 310, which is the 155 increase to str and agi ", " basically... he gets 1ap from agi " (Post #17). On peut comparer ces dires avec le serveur AT de Molten (Note : il semble qu'il y ait un léger bug de leur côté sur la valeur de base de l'agilité, je n'ai pas pu retrouver de source justifiant cette stat de base à 865) : http://www.hostingpics.net/viewer.php?id=189287ATGouleUnbuff.png http://www.hostingpics.net/viewer.php?id=635512ATGouleHoW.png On peut voir sur ces captures que : - la goule a 865 d'agilité (contre apparement 856 sur offi) - la goule reçoit bien de 1 PA par 1 AGI : la goule dispose dans le second screen du buff Cor de l'Hiver (155 agi/force) - elle a bien gagné 310 de PA et non 155 (1 PA par 1 FOR)"
1.0
NPC: Allié ressuscité - **Description** Entry: 26125. 1. La goule ne reçoit pas le bonus d'endurance supplémentaires liés au 43549 - [Glyphe de la goule] et aux talents spellid : 48965, 49571 et 49572 (est-ce que tu peux check aussi sa vie de base :o)?) "2- http://area.way-of-elendil.fr/flyspray/index.php?do=details&task_id=5916 La goule ne reçoit pas de PA par point d'agilité. Actuellement, la goule ne gagne que du critique par l'agilité. L'attendu est que la goule reçoive 1 PA par 1 AGI. Source : https://www.mmo-champion.com/threads/642804-Ghoul-math-help-a-brutha-out?p=6180794&viewfull=1#post6180794 - " His AP grew by 310, which is the 155 increase to str and agi ", " basically... he gets 1ap from agi " (Post #17). On peut comparer ces dires avec le serveur AT de Molten (Note : il semble qu'il y ait un léger bug de leur côté sur la valeur de base de l'agilité, je n'ai pas pu retrouver de source justifiant cette stat de base à 865) : http://www.hostingpics.net/viewer.php?id=189287ATGouleUnbuff.png http://www.hostingpics.net/viewer.php?id=635512ATGouleHoW.png On peut voir sur ces captures que : - la goule a 865 d'agilité (contre apparement 856 sur offi) - la goule reçoit bien de 1 PA par 1 AGI : la goule dispose dans le second screen du buff Cor de l'Hiver (155 agi/force) - elle a bien gagné 310 de PA et non 155 (1 PA par 1 FOR)"
priority
npc allié ressuscité description entry la goule ne reçoit pas le bonus d endurance supplémentaires liés au et aux talents spellid et est ce que tu peux check aussi sa vie de base o la goule ne reçoit pas de pa par point d agilité actuellement la goule ne gagne que du critique par l agilité l attendu est que la goule reçoive pa par agi source his ap grew by which is the increase to str and agi basically he gets from agi post on peut comparer ces dires avec le serveur at de molten note il semble qu il y ait un léger bug de leur côté sur la valeur de base de l agilité je n ai pas pu retrouver de source justifiant cette stat de base à on peut voir sur ces captures que la goule a d agilité contre apparement sur offi la goule reçoit bien de pa par agi la goule dispose dans le second screen du buff cor de l hiver agi force elle a bien gagné de pa et non pa par for
1
768,517
26,967,354,502
IssuesEvent
2023-02-08 23:59:26
obfuscatedgenerated/mewsic
https://api.github.com/repos/obfuscatedgenerated/mewsic
opened
[💡] - Keybinding in settings
feature priority: medium effort: high
**Is your feature request related to a problem? Please describe.** Users may want to change the keys they use for the piano and drums as well as create hotkeys **Describe the solution you'd like** Keybindings in options, set the defaults to a "physical" layout i.e. positional rather than going off QWERTY value
1.0
[💡] - Keybinding in settings - **Is your feature request related to a problem? Please describe.** Users may want to change the keys they use for the piano and drums as well as create hotkeys **Describe the solution you'd like** Keybindings in options, set the defaults to a "physical" layout i.e. positional rather than going off QWERTY value
priority
keybinding in settings is your feature request related to a problem please describe users may want to change the keys they use for the piano and drums as well as create hotkeys describe the solution you d like keybindings in options set the defaults to a physical layout i e positional rather than going off qwerty value
1
506,474
14,665,955,563
IssuesEvent
2020-12-29 15:19:00
bounswe/bounswe2020group4
https://api.github.com/repos/bounswe/bounswe2020group4
closed
(WEB) Cart page backend connection
Effort: Medium Frontend Priority: Medium
Connect to backend for the following functionalities: - [x] Add to cart (Burak) - [x] Remove from cart (Eylül) - [x] Get cart info (Eylül) Deadline: 26.12.2020@21.00
1.0
(WEB) Cart page backend connection - Connect to backend for the following functionalities: - [x] Add to cart (Burak) - [x] Remove from cart (Eylül) - [x] Get cart info (Eylül) Deadline: 26.12.2020@21.00
priority
web cart page backend connection connect to backend for the following functionalities add to cart burak remove from cart eylül get cart info eylül deadline
1
155,411
5,954,975,966
IssuesEvent
2017-05-27 23:35:10
dteviot/WebToEpub
https://api.github.com/repos/dteviot/WebToEpub
closed
Bugs to fix with ImageCollector class
Priority: Medium Status: In Progress Type: Bug
- [x] Base class needs to implement selectImageUrlFromImagePage() if nothing else, as a warning message that the attempt to fetch an image returned an HTML page. - [x] findImageFileUrl() need to add the URL returned by selectImageUrlFromImagePage() (when there is one) to the list of known image URLs. - [x] Images with a width of less than, say, 200 pixels should be inserted as &lt;img&gt; elements, not &lt;svg&gt; &lt;image&gt; elements. (Actually, this is more complicated, If the &lt;img&gt; is inside a &lt;p&gt; tag, the new &lt;img&gt; tag should also be inside the &lt;p&gt; tag. And the &lt;p&gt; tag should NOT be inside a &lt;div&gt;) - [x] Remove width from all parent elements of an Image. - [x] For Wordpress images, Check if image URL contains a query value of "w=", if so, remove the query from the URL for full size images.
1.0
Bugs to fix with ImageCollector class - - [x] Base class needs to implement selectImageUrlFromImagePage() if nothing else, as a warning message that the attempt to fetch an image returned an HTML page. - [x] findImageFileUrl() need to add the URL returned by selectImageUrlFromImagePage() (when there is one) to the list of known image URLs. - [x] Images with a width of less than, say, 200 pixels should be inserted as &lt;img&gt; elements, not &lt;svg&gt; &lt;image&gt; elements. (Actually, this is more complicated, If the &lt;img&gt; is inside a &lt;p&gt; tag, the new &lt;img&gt; tag should also be inside the &lt;p&gt; tag. And the &lt;p&gt; tag should NOT be inside a &lt;div&gt;) - [x] Remove width from all parent elements of an Image. - [x] For Wordpress images, Check if image URL contains a query value of "w=", if so, remove the query from the URL for full size images.
priority
bugs to fix with imagecollector class base class needs to implement selectimageurlfromimagepage if nothing else as a warning message that the attempt to fetch an image returned an html page findimagefileurl need to add the url returned by selectimageurlfromimagepage when there is one to the list of known image urls images with a width of less than say pixels should be inserted as lt img gt elements not lt svg gt lt image gt elements actually this is more complicated if the lt img gt is inside a lt p gt tag the new lt img gt tag should also be inside the lt p gt tag and the lt p gt tag should not be inside a lt div gt remove width from all parent elements of an image for wordpress images check if image url contains a query value of w if so remove the query from the url for full size images
1
682,941
23,363,681,826
IssuesEvent
2022-08-10 13:46:47
NIAEFEUP/tts-be
https://api.github.com/repos/NIAEFEUP/tts-be
closed
Repeated theoretical classes
high priority medium effort
When retrieving the schedule of a course unit, the API returns many repeated theoretical classes. You have two options: - Create a SQL script to remove these data from the database; - Alter the API, so that it doesn't return repeated theoretical classes in runtime. Don't forget to make a script to test this.
1.0
Repeated theoretical classes - When retrieving the schedule of a course unit, the API returns many repeated theoretical classes. You have two options: - Create a SQL script to remove these data from the database; - Alter the API, so that it doesn't return repeated theoretical classes in runtime. Don't forget to make a script to test this.
priority
repeated theoretical classes when retrieving the schedule of a course unit the api returns many repeated theoretical classes you have two options create a sql script to remove these data from the database alter the api so that it doesn t return repeated theoretical classes in runtime don t forget to make a script to test this
1
740,512
25,755,135,310
IssuesEvent
2022-12-08 15:52:56
telerik/kendo-ui-core
https://api.github.com/repos/telerik/kendo-ui-core
opened
Incorrect change event behaviour in Gantt
Bug SEV: Medium C: Gantt jQuery Priority 5
### Bug report The change event incorrectly triggers at initialization of the Gantt - **Regression with 2022.1.301** Also, the event does not trigger when selecting a task from the timeline - **Regression with 2022.3.913** ### Reproduction of the problem 1. Open this example - https://dojo.telerik.com/@martin.tabakov@progress.com/OVigiKEX/3 2. Check the Kendo Console - the change event triggers right after initialization 3. Select a task from the Gantt timeline - the change event doesn't trigger ### Current behavior Change event triggers after initialization and does not trigger after selection in timeline ### Expected/desired behavior Change event shouldn't trigger after initialization and should after selection in timeline ### Environment * **Kendo UI version:** 202x.r.ddd * **jQuery version:** x.y * **Browser:** [all | Chrome XX | Firefox XX | IE XX | Safari XX | Mobile Chrome XX | Android X.X Web Browser | iOS XX Safari | iOS XX UIWebView | iOS XX WKWebView ]
1.0
Incorrect change event behaviour in Gantt - ### Bug report The change event incorrectly triggers at initialization of the Gantt - **Regression with 2022.1.301** Also, the event does not trigger when selecting a task from the timeline - **Regression with 2022.3.913** ### Reproduction of the problem 1. Open this example - https://dojo.telerik.com/@martin.tabakov@progress.com/OVigiKEX/3 2. Check the Kendo Console - the change event triggers right after initialization 3. Select a task from the Gantt timeline - the change event doesn't trigger ### Current behavior Change event triggers after initialization and does not trigger after selection in timeline ### Expected/desired behavior Change event shouldn't trigger after initialization and should after selection in timeline ### Environment * **Kendo UI version:** 202x.r.ddd * **jQuery version:** x.y * **Browser:** [all | Chrome XX | Firefox XX | IE XX | Safari XX | Mobile Chrome XX | Android X.X Web Browser | iOS XX Safari | iOS XX UIWebView | iOS XX WKWebView ]
priority
incorrect change event behaviour in gantt bug report the change event incorrectly triggers at initialization of the gantt regression with also the event does not trigger when selecting a task from the timeline regression with reproduction of the problem open this example check the kendo console the change event triggers right after initialization select a task from the gantt timeline the change event doesn t trigger current behavior change event triggers after initialization and does not trigger after selection in timeline expected desired behavior change event shouldn t trigger after initialization and should after selection in timeline environment kendo ui version r ddd jquery version x y browser
1
563,258
16,678,683,448
IssuesEvent
2021-06-07 19:46:33
svthalia/concrexit
https://api.github.com/repos/svthalia/concrexit
opened
Magenta text on light grey background in partner event
bug easy and fun events priority: medium style
### Describe the bug There's ugly magenta text on light grey background in dark mode on partner events: <img width="551" alt="image" src="https://user-images.githubusercontent.com/41264528/121078217-f27be000-c7d8-11eb-84c1-ab70e1616a6e.png"> ### How to reproduce Look in the calendar at a partner event in dark mode. ### Expected behaviour The text should probably be black, or the background really white or black.
1.0
Magenta text on light grey background in partner event - ### Describe the bug There's ugly magenta text on light grey background in dark mode on partner events: <img width="551" alt="image" src="https://user-images.githubusercontent.com/41264528/121078217-f27be000-c7d8-11eb-84c1-ab70e1616a6e.png"> ### How to reproduce Look in the calendar at a partner event in dark mode. ### Expected behaviour The text should probably be black, or the background really white or black.
priority
magenta text on light grey background in partner event describe the bug there s ugly magenta text on light grey background in dark mode on partner events img width alt image src how to reproduce look in the calendar at a partner event in dark mode expected behaviour the text should probably be black or the background really white or black
1
561,418
16,616,904,258
IssuesEvent
2021-06-02 17:55:08
BTAA-Geospatial-Data-Project/geomg
https://api.github.com/repos/BTAA-Geospatial-Data-Project/geomg
opened
Consider collapsing Relations section
priority:medium type:enhancement
The Relations section takes up a large portion of the view, but most records will only have one or two. Could this be redesigned in the same way as the References section?
1.0
Consider collapsing Relations section - The Relations section takes up a large portion of the view, but most records will only have one or two. Could this be redesigned in the same way as the References section?
priority
consider collapsing relations section the relations section takes up a large portion of the view but most records will only have one or two could this be redesigned in the same way as the references section
1
386,928
11,453,170,683
IssuesEvent
2020-02-06 14:57:49
materna-se/declab
https://api.github.com/repos/materna-se/declab
closed
Alphabetical sorting of all dropdown menus
Priority: Medium Status: Pending Type: Enhancement
All dropdown menus, for example the templates, should be sorted alphabetically by default.
1.0
Alphabetical sorting of all dropdown menus - All dropdown menus, for example the templates, should be sorted alphabetically by default.
priority
alphabetical sorting of all dropdown menus all dropdown menus for example the templates should be sorted alphabetically by default
1
297,725
9,180,845,790
IssuesEvent
2019-03-05 08:46:52
canonical-websites/docs.ubuntu.com
https://api.github.com/repos/canonical-websites/docs.ubuntu.com
closed
Implement search into header of docs.ubuntu.com
Priority: Medium
## Summary Header should have search from ubuntu.com
1.0
Implement search into header of docs.ubuntu.com - ## Summary Header should have search from ubuntu.com
priority
implement search into header of docs ubuntu com summary header should have search from ubuntu com
1
182,267
6,668,513,669
IssuesEvent
2017-10-03 16:02:05
vmware/vic
https://api.github.com/repos/vmware/vic
closed
Implement an API handler for getting the docker host certificate for a VCH
area/apis component/vic-machine kind/feature priority/medium team/lifecycle
Implement an API handler for getting the docker host certificate for a VCH
1.0
Implement an API handler for getting the docker host certificate for a VCH - Implement an API handler for getting the docker host certificate for a VCH
priority
implement an api handler for getting the docker host certificate for a vch implement an api handler for getting the docker host certificate for a vch
1
73,016
3,398,887,866
IssuesEvent
2015-12-02 07:50:41
facelessuser/ColorHelper
https://api.github.com/repos/facelessuser/ColorHelper
closed
Option to compress hex output when possible
Feature Priority - Medium
If given a color `FFBBAA` or `FFBBAACC`, compress to `FBA` and `FBAC` respectively for hex and hexa.
1.0
Option to compress hex output when possible - If given a color `FFBBAA` or `FFBBAACC`, compress to `FBA` and `FBAC` respectively for hex and hexa.
priority
option to compress hex output when possible if given a color ffbbaa or ffbbaacc compress to fba and fbac respectively for hex and hexa
1
72,599
3,388,399,021
IssuesEvent
2015-11-29 08:19:44
crutchcorn/stagger
https://api.github.com/repos/crutchcorn/stagger
closed
Implement tag.comment property
enhancement Priority Medium
``` It should simply retrieve/set the comment frame with lang="eng", desc="" (iTunes). If no such frame found, the getter should also look for a comment with a blank lang, or whatever most UIs look for (needs more research). ``` Original issue reported on code.google.com by `Karoly.Lorentey` on 29 Jun 2009 at 11:55
1.0
Implement tag.comment property - ``` It should simply retrieve/set the comment frame with lang="eng", desc="" (iTunes). If no such frame found, the getter should also look for a comment with a blank lang, or whatever most UIs look for (needs more research). ``` Original issue reported on code.google.com by `Karoly.Lorentey` on 29 Jun 2009 at 11:55
priority
implement tag comment property it should simply retrieve set the comment frame with lang eng desc itunes if no such frame found the getter should also look for a comment with a blank lang or whatever most uis look for needs more research original issue reported on code google com by karoly lorentey on jun at
1
283,126
8,714,385,279
IssuesEvent
2018-12-07 07:41:05
aowen87/TicketTester
https://api.github.com/repos/aowen87/TicketTester
closed
Problem reading integer scalars from Silo files.
asc bug likelihood medium priority reviewed severity medium
Integer scalar values are being corrupted - showing numbers like '1e+9', instead of '3'. Not sure if the issue is in the Silo plugin or if it is in the transform manager. Example data is on OCF @ /g/g24/cyrush/visit/issue00272 To see the issue create a PC plot of "foo" -----------------------REDMINE MIGRATION----------------------- This ticket was migrated from Redmine. As such, not all information was able to be captured in the transition. Below is a complete record of the original redmine ticket. Ticket number: 272 Status: Resolved Project: VisIt Tracker: Bug Priority: Urgent Subject: Problem reading integer scalars from Silo files. Assigned to: Mark Miller Category: Target version: 2.0.2 Author: Cyrus Harrison Start: 07/08/2010 Due date: % Done: 0 Estimated time: 8.0 Created: 07/08/2010 01:58 pm Updated: 07/21/2010 07:30 pm Likelihood: 3 - Occasional Severity: 3 - Major Irritation Found in version: 2.0.1 Impact: Expected Use: OS: All Support Group: DOE/ASC Description: Integer scalar values are being corrupted - showing numbers like '1e+9', instead of '3'. Not sure if the issue is in the Silo plugin or if it is in the transform manager. Example data is on OCF @ /g/g24/cyrush/visit/issue00272 To see the issue create a PC plot of "foo" Comments: The issue is that Force Single option is defaulted to true in the Silo plugin.Even when running with -noconfig it is on. Should we change this behavior?In what cases do we expect users to want 'Force Single'? I think we should keep force single behavior and fix problem by updating to newer version of Silo library without the bug. Actually, I think the problem is that Silo lib is indeed converting to single precision but then not telling VisIt that it has done so in the datatype member of the objects it is returning. Ok, as I thought, the Silo library is converting as expected but then not changing the 'datatype' member of the returned structs to indicate float. I've added tests to both VisIt and Silo to test force single behavior. I discovered a bug that has long existed in the HDF5 driver where it would apply force single only to double precision data. I belive this was the result of a mis-interpretation of the meaning of this Silo option.I am installing silo-4.8-pre3 on alastor to link it up to VisIt testing and when silo-4.8 is released and VisIt is built with it, this problem should be resolved. Instead of fixing by updating Silo, we decided to fix by setting default for force single in silo plugin to off. I fixed Silo library. So, versions of Silo 4.8 and newer will honor force single setting.I added logic to Silo plugin to summarily override force single setting if version of Silo it is linked with is too old.But, I opted to keep force single read option as well as keep its default to ON. When existing code is compiled with newer Silo, it will disable above logic and work as desired. And, there is a memory usage benefit from runnning Silo plugin with force single on. The benefit is that when users look at double precision data, it is immediately converted to float in Silo on read and never winds up getting instantiated (and cached) in VisIt's transform manager.r11988r11990
1.0
Problem reading integer scalars from Silo files. - Integer scalar values are being corrupted - showing numbers like '1e+9', instead of '3'. Not sure if the issue is in the Silo plugin or if it is in the transform manager. Example data is on OCF @ /g/g24/cyrush/visit/issue00272 To see the issue create a PC plot of "foo" -----------------------REDMINE MIGRATION----------------------- This ticket was migrated from Redmine. As such, not all information was able to be captured in the transition. Below is a complete record of the original redmine ticket. Ticket number: 272 Status: Resolved Project: VisIt Tracker: Bug Priority: Urgent Subject: Problem reading integer scalars from Silo files. Assigned to: Mark Miller Category: Target version: 2.0.2 Author: Cyrus Harrison Start: 07/08/2010 Due date: % Done: 0 Estimated time: 8.0 Created: 07/08/2010 01:58 pm Updated: 07/21/2010 07:30 pm Likelihood: 3 - Occasional Severity: 3 - Major Irritation Found in version: 2.0.1 Impact: Expected Use: OS: All Support Group: DOE/ASC Description: Integer scalar values are being corrupted - showing numbers like '1e+9', instead of '3'. Not sure if the issue is in the Silo plugin or if it is in the transform manager. Example data is on OCF @ /g/g24/cyrush/visit/issue00272 To see the issue create a PC plot of "foo" Comments: The issue is that Force Single option is defaulted to true in the Silo plugin.Even when running with -noconfig it is on. Should we change this behavior?In what cases do we expect users to want 'Force Single'? I think we should keep force single behavior and fix problem by updating to newer version of Silo library without the bug. Actually, I think the problem is that Silo lib is indeed converting to single precision but then not telling VisIt that it has done so in the datatype member of the objects it is returning. Ok, as I thought, the Silo library is converting as expected but then not changing the 'datatype' member of the returned structs to indicate float. I've added tests to both VisIt and Silo to test force single behavior. I discovered a bug that has long existed in the HDF5 driver where it would apply force single only to double precision data. I belive this was the result of a mis-interpretation of the meaning of this Silo option.I am installing silo-4.8-pre3 on alastor to link it up to VisIt testing and when silo-4.8 is released and VisIt is built with it, this problem should be resolved. Instead of fixing by updating Silo, we decided to fix by setting default for force single in silo plugin to off. I fixed Silo library. So, versions of Silo 4.8 and newer will honor force single setting.I added logic to Silo plugin to summarily override force single setting if version of Silo it is linked with is too old.But, I opted to keep force single read option as well as keep its default to ON. When existing code is compiled with newer Silo, it will disable above logic and work as desired. And, there is a memory usage benefit from runnning Silo plugin with force single on. The benefit is that when users look at double precision data, it is immediately converted to float in Silo on read and never winds up getting instantiated (and cached) in VisIt's transform manager.r11988r11990
priority
problem reading integer scalars from silo files integer scalar values are being corrupted showing numbers like instead of not sure if the issue is in the silo plugin or if it is in the transform manager example data is on ocf g cyrush visit to see the issue create a pc plot of foo redmine migration this ticket was migrated from redmine as such not all information was able to be captured in the transition below is a complete record of the original redmine ticket ticket number status resolved project visit tracker bug priority urgent subject problem reading integer scalars from silo files assigned to mark miller category target version author cyrus harrison start due date done estimated time created pm updated pm likelihood occasional severity major irritation found in version impact expected use os all support group doe asc description integer scalar values are being corrupted showing numbers like instead of not sure if the issue is in the silo plugin or if it is in the transform manager example data is on ocf g cyrush visit to see the issue create a pc plot of foo comments the issue is that force single option is defaulted to true in the silo plugin even when running with noconfig it is on should we change this behavior in what cases do we expect users to want force single i think we should keep force single behavior and fix problem by updating to newer version of silo library without the bug actually i think the problem is that silo lib is indeed converting to single precision but then not telling visit that it has done so in the datatype member of the objects it is returning ok as i thought the silo library is converting as expected but then not changing the datatype member of the returned structs to indicate float i ve added tests to both visit and silo to test force single behavior i discovered a bug that has long existed in the driver where it would apply force single only to double precision data i belive this was the result of a mis interpretation of the meaning of this silo option i am installing silo on alastor to link it up to visit testing and when silo is released and visit is built with it this problem should be resolved instead of fixing by updating silo we decided to fix by setting default for force single in silo plugin to off i fixed silo library so versions of silo and newer will honor force single setting i added logic to silo plugin to summarily override force single setting if version of silo it is linked with is too old but i opted to keep force single read option as well as keep its default to on when existing code is compiled with newer silo it will disable above logic and work as desired and there is a memory usage benefit from runnning silo plugin with force single on the benefit is that when users look at double precision data it is immediately converted to float in silo on read and never winds up getting instantiated and cached in visit s transform manager
1
32,137
2,744,138,465
IssuesEvent
2015-04-22 04:08:26
reingart/prueba
https://api.github.com/repos/reingart/prueba
closed
Trazabilidad Prof Fitosanitarios - No puedo hacer SaveTransaccion desde linea de Comandos
auto-migrated Priority-Medium Type-Other
``` ¿Que pasos reproducirán el problema? 1.en la linea de comandos puse: trazafito_cli --cargar transacciondto.txt "senasaws" "Clave2013" 2.Y me devuelve Error: no se indicaron todos los parametros requeridos 3.Pero el transacciondto.txt es el que me baje de la pagina, asi que tiene todos los parametros ¿Cual es la salida esperada? ¿Que es lo que ve en cambio? La salida esperada seria la que corresponde el codigo de transaccion, etc. Pero sale el mensaje de error de q le faltan parametors ¿Que versión del producto están usando? ¿En que sistema operativo? El producto: PyAfipWs version 2.33a-32bit+trazafito_1.11a-homo El sistema operativo: Windows 7 Por favor provea cualquier información adicional a continuación. ``` Original issue reported on code.google.com by `mvigil82...@gmail.com` on 5 Sep 2014 at 6:30
1.0
Trazabilidad Prof Fitosanitarios - No puedo hacer SaveTransaccion desde linea de Comandos - ``` ¿Que pasos reproducirán el problema? 1.en la linea de comandos puse: trazafito_cli --cargar transacciondto.txt "senasaws" "Clave2013" 2.Y me devuelve Error: no se indicaron todos los parametros requeridos 3.Pero el transacciondto.txt es el que me baje de la pagina, asi que tiene todos los parametros ¿Cual es la salida esperada? ¿Que es lo que ve en cambio? La salida esperada seria la que corresponde el codigo de transaccion, etc. Pero sale el mensaje de error de q le faltan parametors ¿Que versión del producto están usando? ¿En que sistema operativo? El producto: PyAfipWs version 2.33a-32bit+trazafito_1.11a-homo El sistema operativo: Windows 7 Por favor provea cualquier información adicional a continuación. ``` Original issue reported on code.google.com by `mvigil82...@gmail.com` on 5 Sep 2014 at 6:30
priority
trazabilidad prof fitosanitarios no puedo hacer savetransaccion desde linea de comandos ¿que pasos reproducirán el problema en la linea de comandos puse trazafito cli cargar transacciondto txt senasaws y me devuelve error no se indicaron todos los parametros requeridos pero el transacciondto txt es el que me baje de la pagina asi que tiene todos los parametros ¿cual es la salida esperada ¿que es lo que ve en cambio la salida esperada seria la que corresponde el codigo de transaccion etc pero sale el mensaje de error de q le faltan parametors ¿que versión del producto están usando ¿en que sistema operativo el producto pyafipws version trazafito homo el sistema operativo windows por favor provea cualquier información adicional a continuación original issue reported on code google com by gmail com on sep at
1
683,072
23,367,631,212
IssuesEvent
2022-08-10 16:43:53
ASSETS-Conference/assets2022
https://api.github.com/repos/ASSETS-Conference/assets2022
closed
Adding table of content for long pages
medium priority
Potentially using https://tscanlin.github.io/tocbot/ for the long pages. Look into it and check if it is accessible.
1.0
Adding table of content for long pages - Potentially using https://tscanlin.github.io/tocbot/ for the long pages. Look into it and check if it is accessible.
priority
adding table of content for long pages potentially using for the long pages look into it and check if it is accessible
1
254,517
8,074,519,208
IssuesEvent
2018-08-06 23:47:34
zhengqunkoo/taxibros
https://api.github.com/repos/zhengqunkoo/taxibros
closed
Searching arrival then pickup loc does not show route.
Priority: Medium bug
- [x] Have arrival and pickup location cells in table. - [x] Store arrival and pickup coordinates into correct cells in table. - [x] Retrieve arrival and pickup coordinates from table, then call calcRoute.
1.0
Searching arrival then pickup loc does not show route. - - [x] Have arrival and pickup location cells in table. - [x] Store arrival and pickup coordinates into correct cells in table. - [x] Retrieve arrival and pickup coordinates from table, then call calcRoute.
priority
searching arrival then pickup loc does not show route have arrival and pickup location cells in table store arrival and pickup coordinates into correct cells in table retrieve arrival and pickup coordinates from table then call calcroute
1
614,754
19,189,428,335
IssuesEvent
2021-12-05 19:00:26
Kaanar/Akenasia
https://api.github.com/repos/Kaanar/Akenasia
closed
Afficher les Items récupérés
priority: medium type: feature
Le joueur peut consulter son sac dans lequel figure la liste des items qu'il a récupéré.
1.0
Afficher les Items récupérés - Le joueur peut consulter son sac dans lequel figure la liste des items qu'il a récupéré.
priority
afficher les items récupérés le joueur peut consulter son sac dans lequel figure la liste des items qu il a récupéré
1
255,397
8,123,056,307
IssuesEvent
2018-08-16 13:36:58
minio/minio
https://api.github.com/repos/minio/minio
closed
Browser shows incorrect space "Used", and no info for "Free"
community priority: medium
<!--- Provide a general summary of the issue in the Title above --> ## Expected Behavior <!--- If you're describing a bug, tell us what should happen --> <!--- If you're suggesting a change/improvement, tell us how it should work --> Expect "Used" and "Free" to be present in the Minio Browser, as in the screenshot at https://docs.minio.io/docs/minio-quickstart-guide.html ## Current Behavior <!--- If describing a bug, tell us what happens instead of the expected behavior --> <!--- If suggesting a change/improvement, explain the difference from current behavior --> Browser shows only "Used: 808 bytes" (no "Free") and this count is obviously wrong. ![screen shot 2018-08-12 at 17 10 57](https://user-images.githubusercontent.com/1358238/44003591-fb629f20-9e54-11e8-8042-edc25a876f5b.png) ## Possible Solution <!--- Not obligatory, but suggest a fix/reason for the bug, --> <!--- or ideas how to implement the addition or change --> ## Steps to Reproduce (for bugs) <!--- Provide a link to a live example, or an unambiguous set of steps to --> <!--- reproduce this bug. Include code to reproduce, if relevant --> 1. Started minio from command line pointing at a folder on an external USB disk. Did no configuration except created a bucket in the browser. 2. Started backup with Duplicati pointed at the minio server. 3. 4. ## Context <!--- How has this issue affected you? What are you trying to accomplish? --> <!--- Providing context helps us come up with a solution that is most useful in the real world --> ## Your Environment <!--- Include as many relevant details about the environment you experienced the bug in --> * Version used (`minio version`): -bash$ minio_test/minio version Version: 2018-08-02T23:11:36Z Release-Tag: RELEASE.2018-08-02T23-11-36Z Commit-ID: a091b1a3eefbaea07499bef9a5462280ec9d2a7a * Environment name and version (e.g. nginx 1.9.1): * Server type and version: * Operating System and version (`uname -a`): macOS X 10.11.6 * Link to your project:
1.0
Browser shows incorrect space "Used", and no info for "Free" - <!--- Provide a general summary of the issue in the Title above --> ## Expected Behavior <!--- If you're describing a bug, tell us what should happen --> <!--- If you're suggesting a change/improvement, tell us how it should work --> Expect "Used" and "Free" to be present in the Minio Browser, as in the screenshot at https://docs.minio.io/docs/minio-quickstart-guide.html ## Current Behavior <!--- If describing a bug, tell us what happens instead of the expected behavior --> <!--- If suggesting a change/improvement, explain the difference from current behavior --> Browser shows only "Used: 808 bytes" (no "Free") and this count is obviously wrong. ![screen shot 2018-08-12 at 17 10 57](https://user-images.githubusercontent.com/1358238/44003591-fb629f20-9e54-11e8-8042-edc25a876f5b.png) ## Possible Solution <!--- Not obligatory, but suggest a fix/reason for the bug, --> <!--- or ideas how to implement the addition or change --> ## Steps to Reproduce (for bugs) <!--- Provide a link to a live example, or an unambiguous set of steps to --> <!--- reproduce this bug. Include code to reproduce, if relevant --> 1. Started minio from command line pointing at a folder on an external USB disk. Did no configuration except created a bucket in the browser. 2. Started backup with Duplicati pointed at the minio server. 3. 4. ## Context <!--- How has this issue affected you? What are you trying to accomplish? --> <!--- Providing context helps us come up with a solution that is most useful in the real world --> ## Your Environment <!--- Include as many relevant details about the environment you experienced the bug in --> * Version used (`minio version`): -bash$ minio_test/minio version Version: 2018-08-02T23:11:36Z Release-Tag: RELEASE.2018-08-02T23-11-36Z Commit-ID: a091b1a3eefbaea07499bef9a5462280ec9d2a7a * Environment name and version (e.g. nginx 1.9.1): * Server type and version: * Operating System and version (`uname -a`): macOS X 10.11.6 * Link to your project:
priority
browser shows incorrect space used and no info for free expected behavior expect used and free to be present in the minio browser as in the screenshot at current behavior browser shows only used bytes no free and this count is obviously wrong possible solution steps to reproduce for bugs started minio from command line pointing at a folder on an external usb disk did no configuration except created a bucket in the browser started backup with duplicati pointed at the minio server context your environment version used minio version bash minio test minio version version release tag release commit id environment name and version e g nginx server type and version operating system and version uname a macos x link to your project
1
140,074
5,396,523,180
IssuesEvent
2017-02-27 12:00:02
igabriel85/IeAT-DICE-Repository
https://api.github.com/repos/igabriel85/IeAT-DICE-Repository
closed
No explicit error when not enough memory
feature Medium Priority
If not enough memory is set es core service just dies before startup. Need to better check if requested memory is available.
1.0
No explicit error when not enough memory - If not enough memory is set es core service just dies before startup. Need to better check if requested memory is available.
priority
no explicit error when not enough memory if not enough memory is set es core service just dies before startup need to better check if requested memory is available
1
242,771
7,846,685,240
IssuesEvent
2018-06-19 16:08:09
SUSE/doc-cap
https://api.github.com/repos/SUSE/doc-cap
closed
Document how to run CAP on non-CaaSP Kubernetes systems
medium priority needs review new content
@cornelius reported in [bsc 1072943](https://bugzilla.suse.com/show_bug.cgi?id=1072943): CAP runs not only on CaaSP but on any Kubernetes which is matching a few requirements on available features. We should at least document that this is possible.
1.0
Document how to run CAP on non-CaaSP Kubernetes systems - @cornelius reported in [bsc 1072943](https://bugzilla.suse.com/show_bug.cgi?id=1072943): CAP runs not only on CaaSP but on any Kubernetes which is matching a few requirements on available features. We should at least document that this is possible.
priority
document how to run cap on non caasp kubernetes systems cornelius reported in cap runs not only on caasp but on any kubernetes which is matching a few requirements on available features we should at least document that this is possible
1
617,760
19,404,106,593
IssuesEvent
2021-12-19 17:53:37
blancadesal/mwsql
https://api.github.com/repos/blancadesal/mwsql
closed
Use `requests` instead of `wget` to download files
good first issue medium priority
In utils.py, the wiki dump downloader is currently using `wget` to download files from the web. This module hasn't been updated since 2015 and doesn't play well with `mypy`. `requests` is a more robust and up-to-date option. It also seems that files could be "streamed" with it, i.e. processed on the fly while downloading. This could be great for processing the larger files, or if you need to just peek at a file.
1.0
Use `requests` instead of `wget` to download files - In utils.py, the wiki dump downloader is currently using `wget` to download files from the web. This module hasn't been updated since 2015 and doesn't play well with `mypy`. `requests` is a more robust and up-to-date option. It also seems that files could be "streamed" with it, i.e. processed on the fly while downloading. This could be great for processing the larger files, or if you need to just peek at a file.
priority
use requests instead of wget to download files in utils py the wiki dump downloader is currently using wget to download files from the web this module hasn t been updated since and doesn t play well with mypy requests is a more robust and up to date option it also seems that files could be streamed with it i e processed on the fly while downloading this could be great for processing the larger files or if you need to just peek at a file
1
797,341
28,144,334,951
IssuesEvent
2023-04-02 10:03:30
AY2223S2-CS2113-T11-3/tp
https://api.github.com/repos/AY2223S2-CS2113-T11-3/tp
closed
[PE-D][Tester D] The user guide never mentions restriction on stat type given by the program
type.Task priority.High severity.Medium
![Screen Shot 2023-03-31 at 5.03.19 PM.png](https://raw.githubusercontent.com/namsengi11/ped/main/files/ca2cc584-5e09-4241-a0fe-fd2cce9c13fe.png) <!--session: 1680253115644-77977c6b-1076-4dd3-a9ac-59089f734fde--> <!--Version: Web v3.4.7--> ------------- Labels: `type.DocumentationBug` `severity.Medium` original: namsengi11/ped#6
1.0
[PE-D][Tester D] The user guide never mentions restriction on stat type given by the program - ![Screen Shot 2023-03-31 at 5.03.19 PM.png](https://raw.githubusercontent.com/namsengi11/ped/main/files/ca2cc584-5e09-4241-a0fe-fd2cce9c13fe.png) <!--session: 1680253115644-77977c6b-1076-4dd3-a9ac-59089f734fde--> <!--Version: Web v3.4.7--> ------------- Labels: `type.DocumentationBug` `severity.Medium` original: namsengi11/ped#6
priority
the user guide never mentions restriction on stat type given by the program labels type documentationbug severity medium original ped
1
250,324
7,975,333,384
IssuesEvent
2018-07-17 09:02:53
cb-geo/mpm
https://api.github.com/repos/cb-geo/mpm
opened
Improved initial approximation of Newton Raphson guess
Priority: Medium Status: Pending Type: Enhancement
* Use Affine transformation to improve the initial guess of Newton Raphson iteration https://github.com/dealii/dealii/blob/6d75a550b12999a4167b372b51f4affaa80133bb/source/grid/tria_accessor.cc#L1625-L1748
1.0
Improved initial approximation of Newton Raphson guess - * Use Affine transformation to improve the initial guess of Newton Raphson iteration https://github.com/dealii/dealii/blob/6d75a550b12999a4167b372b51f4affaa80133bb/source/grid/tria_accessor.cc#L1625-L1748
priority
improved initial approximation of newton raphson guess use affine transformation to improve the initial guess of newton raphson iteration
1
244,022
7,869,735,797
IssuesEvent
2018-06-24 17:22:31
Baystation12/Baystation12
https://api.github.com/repos/Baystation12/Baystation12
closed
Hardsuit medical HUD didn't work
has known steps to reproduce priority: medium
<!-- PUT YOUR ANSWERS ON THE BLANK LINES BELOW THE HEADERS (The lines with four #'s) Don't edit them or delete them it's part of the formatting --> #### Brief description of the issue Medical HUD module in ERT-M hardsuit didn't display anything for me, despite no equipped eye-wear underneath the deployed helmet. #### What you expected to happen Hardsuit medicHUD to work when toggled on, if there's no eye-wear equipped underneath. #### What actually happened It didn't work. Didn't show health bars for myself or other humanoid mobs near me. #### Steps to reproduce 1. Install hardsuit medical hud module into ERT-M hardsuit 2. Verify no eye-wear is equipped. 3. Deploy and activate the hardsuit (or at least flip the helmet down) 4. Toggle the HUD module on, get confused. #### Additional info: - **Server Revision**: c62c554fb441d2a1282fcdf081aa73812cbb29ff - **Game ID**: Unknown, game crashed >.> Possibly related to #12751
1.0
Hardsuit medical HUD didn't work - <!-- PUT YOUR ANSWERS ON THE BLANK LINES BELOW THE HEADERS (The lines with four #'s) Don't edit them or delete them it's part of the formatting --> #### Brief description of the issue Medical HUD module in ERT-M hardsuit didn't display anything for me, despite no equipped eye-wear underneath the deployed helmet. #### What you expected to happen Hardsuit medicHUD to work when toggled on, if there's no eye-wear equipped underneath. #### What actually happened It didn't work. Didn't show health bars for myself or other humanoid mobs near me. #### Steps to reproduce 1. Install hardsuit medical hud module into ERT-M hardsuit 2. Verify no eye-wear is equipped. 3. Deploy and activate the hardsuit (or at least flip the helmet down) 4. Toggle the HUD module on, get confused. #### Additional info: - **Server Revision**: c62c554fb441d2a1282fcdf081aa73812cbb29ff - **Game ID**: Unknown, game crashed >.> Possibly related to #12751
priority
hardsuit medical hud didn t work put your answers on the blank lines below the headers the lines with four s don t edit them or delete them it s part of the formatting brief description of the issue medical hud module in ert m hardsuit didn t display anything for me despite no equipped eye wear underneath the deployed helmet what you expected to happen hardsuit medichud to work when toggled on if there s no eye wear equipped underneath what actually happened it didn t work didn t show health bars for myself or other humanoid mobs near me steps to reproduce install hardsuit medical hud module into ert m hardsuit verify no eye wear is equipped deploy and activate the hardsuit or at least flip the helmet down toggle the hud module on get confused additional info server revision game id unknown game crashed possibly related to
1
618,581
19,475,240,145
IssuesEvent
2021-12-24 10:51:23
dhowe/AdNauseam
https://api.github.com/repos/dhowe/AdNauseam
closed
Clicking options from extension page brings up blank settings
PRIORITY: Medium Bug Opera
Discovered in Opera. Please also test on FF and Chrome. ![image](https://user-images.githubusercontent.com/737638/116770280-18dd8b80-aa75-11eb-808b-e5b3fb79c9e5.png) <img width="957" alt="image" src="https://user-images.githubusercontent.com/737638/116770283-1e3ad600-aa75-11eb-8c3b-b6e213f90fa6.png">
1.0
Clicking options from extension page brings up blank settings - Discovered in Opera. Please also test on FF and Chrome. ![image](https://user-images.githubusercontent.com/737638/116770280-18dd8b80-aa75-11eb-808b-e5b3fb79c9e5.png) <img width="957" alt="image" src="https://user-images.githubusercontent.com/737638/116770283-1e3ad600-aa75-11eb-8c3b-b6e213f90fa6.png">
priority
clicking options from extension page brings up blank settings discovered in opera please also test on ff and chrome img width alt image src
1
370,555
10,933,793,940
IssuesEvent
2019-11-24 05:47:55
xournalpp/xournalpp
https://api.github.com/repos/xournalpp/xournalpp
closed
Can't bold text if CAPS LOCK is enabled
bug difficulty:easy priority: medium
**Affects versions :** - OS: Arch Linux - DE: Gnome - Version of Xournal++: commit a3e8901 (latest) **Describe the bug** If I press CAPS LOCK and then try to bold it with CTRL+B before having started writing, it simply doesn't work. I have to press CTRL+B and then CAPS LOCK in order for it to work. Plus if you write something in CAPS and then try to bold it, it doesn't work too. **To Reproduce** Steps to reproduce the behavior: 1. Activate the CAPS LOCK 2. Activate the bold with CTRL+B 3. Start writing Or 1. Activate the CAPS LOCK 2. Start writing 3. Press CTRL+B **Expected behavior** I should be able to activate bold in every condition, whether CAPS LOCK is active or not.
1.0
Can't bold text if CAPS LOCK is enabled - **Affects versions :** - OS: Arch Linux - DE: Gnome - Version of Xournal++: commit a3e8901 (latest) **Describe the bug** If I press CAPS LOCK and then try to bold it with CTRL+B before having started writing, it simply doesn't work. I have to press CTRL+B and then CAPS LOCK in order for it to work. Plus if you write something in CAPS and then try to bold it, it doesn't work too. **To Reproduce** Steps to reproduce the behavior: 1. Activate the CAPS LOCK 2. Activate the bold with CTRL+B 3. Start writing Or 1. Activate the CAPS LOCK 2. Start writing 3. Press CTRL+B **Expected behavior** I should be able to activate bold in every condition, whether CAPS LOCK is active or not.
priority
can t bold text if caps lock is enabled affects versions os arch linux de gnome version of xournal commit latest describe the bug if i press caps lock and then try to bold it with ctrl b before having started writing it simply doesn t work i have to press ctrl b and then caps lock in order for it to work plus if you write something in caps and then try to bold it it doesn t work too to reproduce steps to reproduce the behavior activate the caps lock activate the bold with ctrl b start writing or activate the caps lock start writing press ctrl b expected behavior i should be able to activate bold in every condition whether caps lock is active or not
1
431,553
12,481,257,443
IssuesEvent
2020-05-29 22:06:16
hamelyz/Corona-Connects-WP
https://api.github.com/repos/hamelyz/Corona-Connects-WP
closed
Make submit-needs page submit button look like home page buttons
Medium Priority Submission page help wanted
### In an _a tag_ with class "elementor-button-link" background-color: rgb(5, 125, 255); border-bottom-left-radius: 21px; border-bottom-right-radius: 21px; border-top-left-radius: 21px; border-top-right-radius: 21px; box-shadow: none; box-sizing: border-box; color: rgb(255, 255, 255); display: inline-block; fill: rgb(255, 255, 255); font-family: "Roboto", sans-serif; font-size: 18px; font-weight: 300; hyphens: manual; line-height: 18px; outline-color: rgb(255, 255, 255); outline-style: none; outline-width: 0px; padding-bottom: 25px; padding-left: 25px; padding-right: 25px; padding-top: 25px; text-align: center; text-decoration: rgb(255, 255, 255); text-decoration-color: rgb(255, 255, 255); text-decoration-line: none; text-decoration-style: solid; text-decoration-thickness: auto; transform: matrix(1, 0, 0, 1, 0, -8); transition-delay: 0s; transition-duration: 0.3s; transition-property: all; transition-timing-function: ease; width: 192.867px;
1.0
Make submit-needs page submit button look like home page buttons - ### In an _a tag_ with class "elementor-button-link" background-color: rgb(5, 125, 255); border-bottom-left-radius: 21px; border-bottom-right-radius: 21px; border-top-left-radius: 21px; border-top-right-radius: 21px; box-shadow: none; box-sizing: border-box; color: rgb(255, 255, 255); display: inline-block; fill: rgb(255, 255, 255); font-family: "Roboto", sans-serif; font-size: 18px; font-weight: 300; hyphens: manual; line-height: 18px; outline-color: rgb(255, 255, 255); outline-style: none; outline-width: 0px; padding-bottom: 25px; padding-left: 25px; padding-right: 25px; padding-top: 25px; text-align: center; text-decoration: rgb(255, 255, 255); text-decoration-color: rgb(255, 255, 255); text-decoration-line: none; text-decoration-style: solid; text-decoration-thickness: auto; transform: matrix(1, 0, 0, 1, 0, -8); transition-delay: 0s; transition-duration: 0.3s; transition-property: all; transition-timing-function: ease; width: 192.867px;
priority
make submit needs page submit button look like home page buttons in an a tag with class elementor button link background color rgb border bottom left radius border bottom right radius border top left radius border top right radius box shadow none box sizing border box color rgb display inline block fill rgb font family roboto sans serif font size font weight hyphens manual line height outline color rgb outline style none outline width padding bottom padding left padding right padding top text align center text decoration rgb text decoration color rgb text decoration line none text decoration style solid text decoration thickness auto transform matrix transition delay transition duration transition property all transition timing function ease width
1
436,054
12,544,610,184
IssuesEvent
2020-06-05 17:29:44
rich-iannone/pointblank
https://api.github.com/repos/rich-iannone/pointblank
closed
The `col_schema()` function doesn't lowercase SQL column types, potentially resulting in failed validations of SQL column types
Difficulty: [2] Intermediate Effort: [2] Medium Priority: [3] High Type: ★ Enhancement
The `col_schema()` function allows you to specifying SQL column types (using `.db_col_types = "sql"`) but it's common to write these types as uppercase (e.g., "INT", "TINYINT", etc.). This will always fail validation because we (rightfully) lowercase the SQL types during the `create_agent()` call. To fix, we should lowercase the user-submitted types in `col_schema()` (but only when the `.db_col_types = "sql"` option is present). I don't believe at present that any SQL column types have mixed types (like the `"Date"` class in R).
1.0
The `col_schema()` function doesn't lowercase SQL column types, potentially resulting in failed validations of SQL column types - The `col_schema()` function allows you to specifying SQL column types (using `.db_col_types = "sql"`) but it's common to write these types as uppercase (e.g., "INT", "TINYINT", etc.). This will always fail validation because we (rightfully) lowercase the SQL types during the `create_agent()` call. To fix, we should lowercase the user-submitted types in `col_schema()` (but only when the `.db_col_types = "sql"` option is present). I don't believe at present that any SQL column types have mixed types (like the `"Date"` class in R).
priority
the col schema function doesn t lowercase sql column types potentially resulting in failed validations of sql column types the col schema function allows you to specifying sql column types using db col types sql but it s common to write these types as uppercase e g int tinyint etc this will always fail validation because we rightfully lowercase the sql types during the create agent call to fix we should lowercase the user submitted types in col schema but only when the db col types sql option is present i don t believe at present that any sql column types have mixed types like the date class in r
1
355,654
10,583,243,629
IssuesEvent
2019-10-08 13:21:30
AbsaOSS/enceladus
https://api.github.com/repos/AbsaOSS/enceladus
closed
Split between JVM and Spark additional options in run scripts
bug priority: medium run scripts
## Describe the bug Currently, the `ADDITIONAL_SPARK_CONF` variable in an environment settings file allows setting only JVM options (e.g. `-D...`). ## To Reproduce * Set `ADDITIONAL_SPARK_CONF` to a non-empty value and run `run_standardization.sh` with `--dry-run` option. * See that the value is passed to the JVM section of the command line ## Expected behaviour While setting JVM options is helpful we need to be able to set Spark options as well. The solution to that is to split this variable into 2: * `ADDITIONAL_SPARK_CONF` for setting Spark config options to spark-submit (e.g. `--conf spark.something=something`) * `ADDITIONAL_JVM_CONF` for providing options in form of `-D=...`
1.0
Split between JVM and Spark additional options in run scripts - ## Describe the bug Currently, the `ADDITIONAL_SPARK_CONF` variable in an environment settings file allows setting only JVM options (e.g. `-D...`). ## To Reproduce * Set `ADDITIONAL_SPARK_CONF` to a non-empty value and run `run_standardization.sh` with `--dry-run` option. * See that the value is passed to the JVM section of the command line ## Expected behaviour While setting JVM options is helpful we need to be able to set Spark options as well. The solution to that is to split this variable into 2: * `ADDITIONAL_SPARK_CONF` for setting Spark config options to spark-submit (e.g. `--conf spark.something=something`) * `ADDITIONAL_JVM_CONF` for providing options in form of `-D=...`
priority
split between jvm and spark additional options in run scripts describe the bug currently the additional spark conf variable in an environment settings file allows setting only jvm options e g d to reproduce set additional spark conf to a non empty value and run run standardization sh with dry run option see that the value is passed to the jvm section of the command line expected behaviour while setting jvm options is helpful we need to be able to set spark options as well the solution to that is to split this variable into additional spark conf for setting spark config options to spark submit e g conf spark something something additional jvm conf for providing options in form of d
1
78,222
3,509,524,017
IssuesEvent
2016-01-08 23:14:17
OregonCore/OregonCore
https://api.github.com/repos/OregonCore/OregonCore
closed
Mission: The Murketh and Shaadraz Gateways (BB #993)
Category: Quests migrated Priority: Medium Type: Bug
This issue was migrated from bitbucket. **Original Reporter:** AlphafoxBHN **Original Date:** 07.06.2015 21:21:32 GMT+0000 **Original Priority:** major **Original Type:** bug **Original State:** resolved **Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/993 <hr> The quest Alliance: http://www.wowhead.com/quest=10146/mission-the-murketh-and-shaadraz-gateways and Horde: http://www.wowhead.com/quest=10129/mission-gateways-murketh-and-shaadraz Dont work. If you drop the bomb on the Gates they dont complete the quest.
1.0
Mission: The Murketh and Shaadraz Gateways (BB #993) - This issue was migrated from bitbucket. **Original Reporter:** AlphafoxBHN **Original Date:** 07.06.2015 21:21:32 GMT+0000 **Original Priority:** major **Original Type:** bug **Original State:** resolved **Direct Link:** https://bitbucket.org/oregon/oregoncore/issues/993 <hr> The quest Alliance: http://www.wowhead.com/quest=10146/mission-the-murketh-and-shaadraz-gateways and Horde: http://www.wowhead.com/quest=10129/mission-gateways-murketh-and-shaadraz Dont work. If you drop the bomb on the Gates they dont complete the quest.
priority
mission the murketh and shaadraz gateways bb this issue was migrated from bitbucket original reporter alphafoxbhn original date gmt original priority major original type bug original state resolved direct link the quest alliance and horde dont work if you drop the bomb on the gates they dont complete the quest
1
264,364
8,308,910,245
IssuesEvent
2018-09-24 01:53:52
jsbroks/coco-annotator
https://api.github.com/repos/jsbroks/coco-annotator
closed
Quick Select/Magic Wand tool
priority: medium status: in progress type: feature
Quick Selection tool to quickly “paint” a selection using an adjustable round brush tip. As you drag, the selection expands outward and automatically finds and follows defined edges in the image. - [magic-wand-js](https://github.com/Tamersoul/magic-wand-js)
1.0
Quick Select/Magic Wand tool - Quick Selection tool to quickly “paint” a selection using an adjustable round brush tip. As you drag, the selection expands outward and automatically finds and follows defined edges in the image. - [magic-wand-js](https://github.com/Tamersoul/magic-wand-js)
priority
quick select magic wand tool quick selection tool to quickly “paint” a selection using an adjustable round brush tip as you drag the selection expands outward and automatically finds and follows defined edges in the image
1
510,080
14,784,543,748
IssuesEvent
2021-01-12 00:27:17
vanjarosoftware/Vanjaro.Platform
https://api.github.com/repos/vanjarosoftware/Vanjaro.Platform
closed
Inconsistency of font size in sidebar.
Bug Priority: Medium Release: Minor
I have custom fonts loaded. I have noticed an inconsistency between the font size displayed on option tab and styling tab for several of my text blocks. ![image](https://user-images.githubusercontent.com/6786299/102806990-79501400-4383-11eb-8ca2-7186b3be72da.png) and ![image](https://user-images.githubusercontent.com/6786299/102807019-879e3000-4383-11eb-8bde-ddfabeeb6422.png) Actually the font-size slider on the options tab does not change the font-size of the actual text, just that of the preview below. Very confusing. And in relationship to issue #395 The font size slider and keyboard up/down arrows works in conjunction with each other.
1.0
Inconsistency of font size in sidebar. - I have custom fonts loaded. I have noticed an inconsistency between the font size displayed on option tab and styling tab for several of my text blocks. ![image](https://user-images.githubusercontent.com/6786299/102806990-79501400-4383-11eb-8ca2-7186b3be72da.png) and ![image](https://user-images.githubusercontent.com/6786299/102807019-879e3000-4383-11eb-8bde-ddfabeeb6422.png) Actually the font-size slider on the options tab does not change the font-size of the actual text, just that of the preview below. Very confusing. And in relationship to issue #395 The font size slider and keyboard up/down arrows works in conjunction with each other.
priority
inconsistency of font size in sidebar i have custom fonts loaded i have noticed an inconsistency between the font size displayed on option tab and styling tab for several of my text blocks and actually the font size slider on the options tab does not change the font size of the actual text just that of the preview below very confusing and in relationship to issue the font size slider and keyboard up down arrows works in conjunction with each other
1
668,666
22,593,471,830
IssuesEvent
2022-06-28 22:34:18
UCSD-E4E/PyHa
https://api.github.com/repos/UCSD-E4E/PyHa
closed
Add TweetyNET pipeline to PyHa
Medium Priority
In a similar manner to the way Microfaune is set up, add a folder that has all of the independent TweetyNET functions and relevant pre-trained models, that are then called by IsoAutio.py to use in the generate_automated_labels_tweetynet function.
1.0
Add TweetyNET pipeline to PyHa - In a similar manner to the way Microfaune is set up, add a folder that has all of the independent TweetyNET functions and relevant pre-trained models, that are then called by IsoAutio.py to use in the generate_automated_labels_tweetynet function.
priority
add tweetynet pipeline to pyha in a similar manner to the way microfaune is set up add a folder that has all of the independent tweetynet functions and relevant pre trained models that are then called by isoautio py to use in the generate automated labels tweetynet function
1
620,554
19,564,906,540
IssuesEvent
2022-01-03 22:06:52
bounswe/2021SpringGroup9
https://api.github.com/repos/bounswe/2021SpringGroup9
closed
Implement User Search Bar for Android
status: in progress priority: critical difficulty: medium android postory
### Task: Create a search bar at home page of Android application to search for other users. ### Type of task (new feature, writing tests, refactoring): New task ### Standards and rules to follow: Try to seperate the logic and view in order to ensure testability. ### Expected result: The user can search for other users at the home page. ### Additional notes: **Deadline: 29.12.2021**
1.0
Implement User Search Bar for Android - ### Task: Create a search bar at home page of Android application to search for other users. ### Type of task (new feature, writing tests, refactoring): New task ### Standards and rules to follow: Try to seperate the logic and view in order to ensure testability. ### Expected result: The user can search for other users at the home page. ### Additional notes: **Deadline: 29.12.2021**
priority
implement user search bar for android task create a search bar at home page of android application to search for other users type of task new feature writing tests refactoring new task standards and rules to follow try to seperate the logic and view in order to ensure testability expected result the user can search for other users at the home page additional notes deadline
1
583,058
17,376,164,373
IssuesEvent
2021-07-30 21:41:23
stanvanrooy/instauto
https://api.github.com/repos/stanvanrooy/instauto
closed
Implement method for handling dm's
Priority: Medium Status: Available Type: Enchancement
- [ ] Retrieving message threads, implementing some sort of pagination system for this? How is this handled by Instagram? - [ ] Retrieving thread per user - [x] Send message to user (#112)
1.0
Implement method for handling dm's - - [ ] Retrieving message threads, implementing some sort of pagination system for this? How is this handled by Instagram? - [ ] Retrieving thread per user - [x] Send message to user (#112)
priority
implement method for handling dm s retrieving message threads implementing some sort of pagination system for this how is this handled by instagram retrieving thread per user send message to user
1
25,857
2,684,014,194
IssuesEvent
2015-03-28 15:32:34
ConEmu/old-issues
https://api.github.com/repos/ConEmu/old-issues
closed
Что за таинственный файл в строке 39 Far3Wrapp.cpp?
1 star bug imported Priority-Medium
_From [victo...@mail333.com](https://code.google.com/u/114732384912597087095/) on July 16, 2011 06:47:45_ В строке 39 файла Far3Wrap.cpp записано: \#include "resourceW.h" но данного файла нет ни в исходниках врапера, ни в исходниках Far. В итоге собирается только Loader.dll, а Far3Wrap.dll Компилятор выводит сообщение об ошибке: 1>------ Перестроение всех файлов начато: проект: Far3Wrap, Конфигурация: ReleaseW3 Win32 ------ 1>Построение начато 16.07.2011 17:29:21. 1>_PrepareForClean: 1> Файл "C:\Temp\VC\Far3Wrap\ReleaseW3.Win32\Far3Wrap.lastbuildstate" удаляется. 1>InitializeBuildStatus: 1> Обращение к "C:\Temp\VC\Far3Wrap\ReleaseW3.Win32\Far3Wrap.unsuccessfulbuild". 1>ClCompile: 1> Far3Wrap.cpp 1>Far3Wrap.cpp(39): fatal error C1083: Не удается открыть файл включение: resourceW.h: No such file or directory 1> 1>СБОЙ построения. 1> 1>Затраченное время: 00:00:01.32 ========== Перестроение всех: успешно: 0, с ошибками: 1, пропущено: 0 ========== Где искать этот таинственный файл? Уже сколько раз обновлялись исходники, но он так и не появился. Посему вопросы возникли: 1) Этот инклюд вообще физически нужен? 2) Или это на самом деле другой файл, а имя просто опечатка? 3) Если он нужен, то где именно его можно отыскать? Ну и по мелочи - компилировал с /MVV_3=2111, в версии лоадера вместо ожидаемой 2108 получил 2098. Может я неверно параметр задал? Вот что вышло. Прошу подсказать где я мог ошибиться. **Attachment:** [Loader.dll](http://code.google.com/p/conemu-maximus5/issues/detail?id=413) _Original issue: http://code.google.com/p/conemu-maximus5/issues/detail?id=413_
1.0
Что за таинственный файл в строке 39 Far3Wrapp.cpp? - _From [victo...@mail333.com](https://code.google.com/u/114732384912597087095/) on July 16, 2011 06:47:45_ В строке 39 файла Far3Wrap.cpp записано: \#include "resourceW.h" но данного файла нет ни в исходниках врапера, ни в исходниках Far. В итоге собирается только Loader.dll, а Far3Wrap.dll Компилятор выводит сообщение об ошибке: 1>------ Перестроение всех файлов начато: проект: Far3Wrap, Конфигурация: ReleaseW3 Win32 ------ 1>Построение начато 16.07.2011 17:29:21. 1>_PrepareForClean: 1> Файл "C:\Temp\VC\Far3Wrap\ReleaseW3.Win32\Far3Wrap.lastbuildstate" удаляется. 1>InitializeBuildStatus: 1> Обращение к "C:\Temp\VC\Far3Wrap\ReleaseW3.Win32\Far3Wrap.unsuccessfulbuild". 1>ClCompile: 1> Far3Wrap.cpp 1>Far3Wrap.cpp(39): fatal error C1083: Не удается открыть файл включение: resourceW.h: No such file or directory 1> 1>СБОЙ построения. 1> 1>Затраченное время: 00:00:01.32 ========== Перестроение всех: успешно: 0, с ошибками: 1, пропущено: 0 ========== Где искать этот таинственный файл? Уже сколько раз обновлялись исходники, но он так и не появился. Посему вопросы возникли: 1) Этот инклюд вообще физически нужен? 2) Или это на самом деле другой файл, а имя просто опечатка? 3) Если он нужен, то где именно его можно отыскать? Ну и по мелочи - компилировал с /MVV_3=2111, в версии лоадера вместо ожидаемой 2108 получил 2098. Может я неверно параметр задал? Вот что вышло. Прошу подсказать где я мог ошибиться. **Attachment:** [Loader.dll](http://code.google.com/p/conemu-maximus5/issues/detail?id=413) _Original issue: http://code.google.com/p/conemu-maximus5/issues/detail?id=413_
priority
что за таинственный файл в строке cpp from on july в строке файла cpp записано include resourcew h но данного файла нет ни в исходниках врапера ни в исходниках far в итоге собирается только loader dll а dll компилятор выводит сообщение об ошибке перестроение всех файлов начато проект конфигурация построение начато prepareforclean файл c temp vc lastbuildstate удаляется initializebuildstatus обращение к c temp vc unsuccessfulbuild clcompile cpp cpp fatal error не удается открыть файл включение resourcew h no such file or directory сбой построения затраченное время перестроение всех успешно с ошибками пропущено где искать этот таинственный файл уже сколько раз обновлялись исходники но он так и не появился посему вопросы возникли этот инклюд вообще физически нужен или это на самом деле другой файл а имя просто опечатка если он нужен то где именно его можно отыскать ну и по мелочи компилировал с mvv в версии лоадера вместо ожидаемой получил может я неверно параметр задал вот что вышло прошу подсказать где я мог ошибиться attachment original issue
1
66,582
3,256,037,030
IssuesEvent
2015-10-20 11:54:45
google/google-api-dotnet-client
https://api.github.com/repos/google/google-api-dotnet-client
closed
Return "error" object received from server in the Google API V3 .NET Client Exception object
auto-migrated Component-Http Priority-Medium Type-Enhancement
``` Target platform (e.g. Windows, Mono, Silverlight, WP7, All)? Google API V3 .NET Client Feature Request: Return the "error" object sent from the server in the Exception class object to allow programs using Google API V3 .NET Client to recognize and act on the actual error reason returned from the server rather then just generic errors like "Bad Request". Also makes it easier for the software developer to recognize the root cause of a "bug". { "error": { "errors": [ { "domain": "youtube.video", "reason": "invalidCategoryId", "message": "Bad Request", "locationType": "other", "location": "body.snippet.categoryId" } ], "code": 400, "message": "Bad Request" } } ``` Original issue reported on code.google.com by `MikeMe...@gmail.com` on 15 Jul 2014 at 6:14
1.0
Return "error" object received from server in the Google API V3 .NET Client Exception object - ``` Target platform (e.g. Windows, Mono, Silverlight, WP7, All)? Google API V3 .NET Client Feature Request: Return the "error" object sent from the server in the Exception class object to allow programs using Google API V3 .NET Client to recognize and act on the actual error reason returned from the server rather then just generic errors like "Bad Request". Also makes it easier for the software developer to recognize the root cause of a "bug". { "error": { "errors": [ { "domain": "youtube.video", "reason": "invalidCategoryId", "message": "Bad Request", "locationType": "other", "location": "body.snippet.categoryId" } ], "code": 400, "message": "Bad Request" } } ``` Original issue reported on code.google.com by `MikeMe...@gmail.com` on 15 Jul 2014 at 6:14
priority
return error object received from server in the google api net client exception object target platform e g windows mono silverlight all google api net client feature request return the error object sent from the server in the exception class object to allow programs using google api net client to recognize and act on the actual error reason returned from the server rather then just generic errors like bad request also makes it easier for the software developer to recognize the root cause of a bug error errors domain youtube video reason invalidcategoryid message bad request locationtype other location body snippet categoryid code message bad request original issue reported on code google com by mikeme gmail com on jul at
1
467,137
13,441,871,871
IssuesEvent
2020-09-08 05:28:30
pingcap/dumpling
https://api.github.com/repos/pingcap/dumpling
closed
Unify `--filesize` and `--statement-size` definition with mydumper's
difficulty/2-medium priority/P2 status/help-wanted
## Feature Request **Is your feature request related to a problem? Please describe:** <!-- A clear and concise description of what the problem is. Ex. I'm always frustrated when [...] --> Currently dumpling's `--filesize` and `--statement-size` only counts the column values' size. However, mydumper counts the text file's size, which may confuse users. **Describe the feature you'd like:** <!-- A clear and concise description of what you want to happen. --> Unify `--filesize` and `--statement-size` definition with mydumper's which means sentences like 'INSERT' are also counted in filesize. **Describe alternatives you've considered:** <!-- A clear and concise description of any alternative solutions or features you've considered. --> **Teachability, Documentation, Adoption, Optimization:** <!-- If you can, explain some scenarios how users might use this, situations it would be helpful in. Any API designs, mockups, or diagrams are also helpful. -->
1.0
Unify `--filesize` and `--statement-size` definition with mydumper's - ## Feature Request **Is your feature request related to a problem? Please describe:** <!-- A clear and concise description of what the problem is. Ex. I'm always frustrated when [...] --> Currently dumpling's `--filesize` and `--statement-size` only counts the column values' size. However, mydumper counts the text file's size, which may confuse users. **Describe the feature you'd like:** <!-- A clear and concise description of what you want to happen. --> Unify `--filesize` and `--statement-size` definition with mydumper's which means sentences like 'INSERT' are also counted in filesize. **Describe alternatives you've considered:** <!-- A clear and concise description of any alternative solutions or features you've considered. --> **Teachability, Documentation, Adoption, Optimization:** <!-- If you can, explain some scenarios how users might use this, situations it would be helpful in. Any API designs, mockups, or diagrams are also helpful. -->
priority
unify filesize and statement size definition with mydumper s feature request is your feature request related to a problem please describe currently dumpling s filesize and statement size only counts the column values size however mydumper counts the text file s size which may confuse users describe the feature you d like unify filesize and statement size definition with mydumper s which means sentences like insert are also counted in filesize describe alternatives you ve considered teachability documentation adoption optimization
1
829,788
31,898,416,881
IssuesEvent
2023-09-18 05:26:59
yugabyte/yugabyte-db
https://api.github.com/repos/yugabyte/yugabyte-db
closed
[DocDB] Fix max_nexts_to_avoid_seek gflag
kind/bug area/docdb priority/medium
Jira Link: [DB-6842](https://yugabyte.atlassian.net/browse/DB-6842) ### Description Sometimes, more nexts are attempted than the configured max_nexts_to_avoid seek. It should be exact for predictability. keywords: FLAGS_max_nexts_to_avoid_seek, --max_nexts_to_avoid_seek, gflag, flag, option, IntentAwareIterator, iterator, Seek, SeekForward, next, nexts, seek, seeks ### Warning: Please confirm that this issue does not contain any sensitive information - [X] I confirm this issue does not contain any sensitive information. [DB-6842]: https://yugabyte.atlassian.net/browse/DB-6842?atlOrigin=eyJpIjoiNWRkNTljNzYxNjVmNDY3MDlhMDU5Y2ZhYzA5YTRkZjUiLCJwIjoiZ2l0aHViLWNvbS1KU1cifQ
1.0
[DocDB] Fix max_nexts_to_avoid_seek gflag - Jira Link: [DB-6842](https://yugabyte.atlassian.net/browse/DB-6842) ### Description Sometimes, more nexts are attempted than the configured max_nexts_to_avoid seek. It should be exact for predictability. keywords: FLAGS_max_nexts_to_avoid_seek, --max_nexts_to_avoid_seek, gflag, flag, option, IntentAwareIterator, iterator, Seek, SeekForward, next, nexts, seek, seeks ### Warning: Please confirm that this issue does not contain any sensitive information - [X] I confirm this issue does not contain any sensitive information. [DB-6842]: https://yugabyte.atlassian.net/browse/DB-6842?atlOrigin=eyJpIjoiNWRkNTljNzYxNjVmNDY3MDlhMDU5Y2ZhYzA5YTRkZjUiLCJwIjoiZ2l0aHViLWNvbS1KU1cifQ
priority
fix max nexts to avoid seek gflag jira link description sometimes more nexts are attempted than the configured max nexts to avoid seek it should be exact for predictability keywords flags max nexts to avoid seek max nexts to avoid seek gflag flag option intentawareiterator iterator seek seekforward next nexts seek seeks warning please confirm that this issue does not contain any sensitive information i confirm this issue does not contain any sensitive information
1
332,283
10,090,671,045
IssuesEvent
2019-07-26 12:21:19
qlcchain/go-qlc
https://api.github.com/repos/qlcchain/go-qlc
closed
add pov miner statistics by day
Priority: Medium Status: In Progress Type: Enhancement
### Description of the issue miner reward contract will scan lots of pov blocks, to get better perf, we add miner statistics by day. _Please put an `x` against the checkboxes._ ### Issue-Type - [ ] bug report - [x] feature request - [ ] Documentation improvement
1.0
add pov miner statistics by day - ### Description of the issue miner reward contract will scan lots of pov blocks, to get better perf, we add miner statistics by day. _Please put an `x` against the checkboxes._ ### Issue-Type - [ ] bug report - [x] feature request - [ ] Documentation improvement
priority
add pov miner statistics by day description of the issue miner reward contract will scan lots of pov blocks to get better perf we add miner statistics by day please put an x against the checkboxes issue type bug report feature request documentation improvement
1
58,238
3,088,330,296
IssuesEvent
2015-08-25 16:03:50
pavel-pimenov/flylinkdc-r5xx
https://api.github.com/repos/pavel-pimenov/flylinkdc-r5xx
opened
При разборе тега вvoid NmdcHub::updateFromTag - поддержать нестандартные элементы
bug imported Priority-Medium
_From [Pavel.Pimenov@gmail.com](https://code.google.com/u/Pavel.Pimenov@gmail.com/) on December 20, 2013 08:09:45_ Привет. 1. Клиенты OGODC крупного хаба peers используют C: для указания города. $MyINFO $ALL ekat201 \<OGODC 2.4.89.701,M:A,H:2/0/0,S:7,C:Кемерово> 2. Агрегировать не разобранные тэги и для бетки скидывать отладочную инфу на флай-сервер для анализа (конечно если пользователь включил галку интеграции с сервером). _Original issue: http://code.google.com/p/flylinkdc/issues/detail?id=1423_
1.0
При разборе тега вvoid NmdcHub::updateFromTag - поддержать нестандартные элементы - _From [Pavel.Pimenov@gmail.com](https://code.google.com/u/Pavel.Pimenov@gmail.com/) on December 20, 2013 08:09:45_ Привет. 1. Клиенты OGODC крупного хаба peers используют C: для указания города. $MyINFO $ALL ekat201 \<OGODC 2.4.89.701,M:A,H:2/0/0,S:7,C:Кемерово> 2. Агрегировать не разобранные тэги и для бетки скидывать отладочную инфу на флай-сервер для анализа (конечно если пользователь включил галку интеграции с сервером). _Original issue: http://code.google.com/p/flylinkdc/issues/detail?id=1423_
priority
при разборе тега вvoid nmdchub updatefromtag поддержать нестандартные элементы from on december привет клиенты ogodc крупного хаба peers используют c для указания города myinfo all агрегировать не разобранные тэги и для бетки скидывать отладочную инфу на флай сервер для анализа конечно если пользователь включил галку интеграции с сервером original issue
1
581,431
17,293,630,971
IssuesEvent
2021-07-25 09:21:54
eatmyvenom/hyarcade
https://api.github.com/repos/eatmyvenom/hyarcade
closed
Make website only use hyarcade cdn
Medium priority enhancement t:database t:website
Currently the website only downloads data from the hyarcade resources. But this is really because that is 22MB. This can be sped up alot by using the databases /leaderboard endpoint instead. It can also have support for daily/weekly/monthly if wanted!
1.0
Make website only use hyarcade cdn - Currently the website only downloads data from the hyarcade resources. But this is really because that is 22MB. This can be sped up alot by using the databases /leaderboard endpoint instead. It can also have support for daily/weekly/monthly if wanted!
priority
make website only use hyarcade cdn currently the website only downloads data from the hyarcade resources but this is really because that is this can be sped up alot by using the databases leaderboard endpoint instead it can also have support for daily weekly monthly if wanted
1
522,121
15,158,025,161
IssuesEvent
2021-02-12 00:09:37
magento/magento2
https://api.github.com/repos/magento/magento2
closed
Product attribute options management uses scopes inconsistently
Component: Webapi Issue: Confirmed Issue: Format is valid Issue: Ready for Work Priority: P3 Progress: ready for dev Reported on 2.3.5-p1 Reproduced on 2.4.x Risk: medium Severity: S3 Triage: Dev.Experience stale issue
<!--- Please review our guidelines before adding a new issue: https://github.com/magento/magento2/wiki/Issue-reporting-guidelines Fields marked with (*) are required. Please don't remove the template. --> ### Preconditions <!--- Provide the exact Magento version (example: 2.4.0) and any important information on the environment where bug is reproducible. --> 1. Clean Magento 2.3.5-p1, 2.4-develop is installed ### Steps to reproduce <!--- Important: Provide a set of clear steps to reproduce this bug. We can not provide support without clear instructions on how to reproduce. --> 1. Get list of "color" attribute values using /rest/V1/products/attributes/color/options GET method (in default Magento installation it shows empty list what is expected) eg.: ``` curl --location --request GET 'https://magento23.test/rest/V1/products/attributes/color/options' \ --header 'Authorization: Bearer <add token here>'  ``` 2. add "red" color using /rest/V1/products/attributes/color/options POST method ``` curl --location --request POST 'https://magento23.test/rest/V1/products/attributes/color/options' \ --header 'Authorization: Bearer <add token here>' \ --header 'Content-Type: application/json' \ --data-raw '{"option":{"label":"red","sort_order":0}}' ``` 3. Get list of "color" attribute values again (see "red" on the list what is expected) 4. In the admin backend, set "Default Store View" label for "red" color to "Blue" 5. Get list of "color" attribute values again (see "Blue" on the list) 6. As "red" value looks as not existing on the list, try adding "red" color using api POST again (error occurs) It looks that both API requests use scope inconsistently - "add" action validates against global scope and adds value for global scope. Then "list" action returns values from default scope (website). Note that If I explicitly set scope to global by using "all" parameter, it returns proper values, I consider is as a workaround: ``` curl --location --request GET 'https://magento23.test/rest/all/V1/products/attributes/color/options' \ --header 'Authorization: Bearer <add token here>'  ``` ### Expected result <!--- Tell us what do you expect to happen. --> 1. Both API requests used to manage product attribute value use scope consequently. ### Actual result <!--- Tell us what happened instead. Include error messages and issues. --> 1. Each API request used to manage product attribute value uses different scope --- Please provide [Severity](https://devdocs.magento.com/guides/v2.3/contributor-guide/contributing.html#backlog) assessment for the Issue as Reporter. This information will help during Confirmation and Issue triage processes. - [ ] Severity: **S0** _- Affects critical data or functionality and leaves users without workaround._ - [ ] Severity: **S1** _- Affects critical data or functionality and forces users to employ a workaround._ - [X] Severity: **S2** _- Affects non-critical data or functionality and forces users to employ a workaround._ - [ ] Severity: **S3** _- Affects non-critical data or functionality and does not force users to employ a workaround._ - [ ] Severity: **S4** _- Affects aesthetics, professional look and feel, “quality” or “usability”._
1.0
Product attribute options management uses scopes inconsistently - <!--- Please review our guidelines before adding a new issue: https://github.com/magento/magento2/wiki/Issue-reporting-guidelines Fields marked with (*) are required. Please don't remove the template. --> ### Preconditions <!--- Provide the exact Magento version (example: 2.4.0) and any important information on the environment where bug is reproducible. --> 1. Clean Magento 2.3.5-p1, 2.4-develop is installed ### Steps to reproduce <!--- Important: Provide a set of clear steps to reproduce this bug. We can not provide support without clear instructions on how to reproduce. --> 1. Get list of "color" attribute values using /rest/V1/products/attributes/color/options GET method (in default Magento installation it shows empty list what is expected) eg.: ``` curl --location --request GET 'https://magento23.test/rest/V1/products/attributes/color/options' \ --header 'Authorization: Bearer <add token here>'  ``` 2. add "red" color using /rest/V1/products/attributes/color/options POST method ``` curl --location --request POST 'https://magento23.test/rest/V1/products/attributes/color/options' \ --header 'Authorization: Bearer <add token here>' \ --header 'Content-Type: application/json' \ --data-raw '{"option":{"label":"red","sort_order":0}}' ``` 3. Get list of "color" attribute values again (see "red" on the list what is expected) 4. In the admin backend, set "Default Store View" label for "red" color to "Blue" 5. Get list of "color" attribute values again (see "Blue" on the list) 6. As "red" value looks as not existing on the list, try adding "red" color using api POST again (error occurs) It looks that both API requests use scope inconsistently - "add" action validates against global scope and adds value for global scope. Then "list" action returns values from default scope (website). Note that If I explicitly set scope to global by using "all" parameter, it returns proper values, I consider is as a workaround: ``` curl --location --request GET 'https://magento23.test/rest/all/V1/products/attributes/color/options' \ --header 'Authorization: Bearer <add token here>'  ``` ### Expected result <!--- Tell us what do you expect to happen. --> 1. Both API requests used to manage product attribute value use scope consequently. ### Actual result <!--- Tell us what happened instead. Include error messages and issues. --> 1. Each API request used to manage product attribute value uses different scope --- Please provide [Severity](https://devdocs.magento.com/guides/v2.3/contributor-guide/contributing.html#backlog) assessment for the Issue as Reporter. This information will help during Confirmation and Issue triage processes. - [ ] Severity: **S0** _- Affects critical data or functionality and leaves users without workaround._ - [ ] Severity: **S1** _- Affects critical data or functionality and forces users to employ a workaround._ - [X] Severity: **S2** _- Affects non-critical data or functionality and forces users to employ a workaround._ - [ ] Severity: **S3** _- Affects non-critical data or functionality and does not force users to employ a workaround._ - [ ] Severity: **S4** _- Affects aesthetics, professional look and feel, “quality” or “usability”._
priority
product attribute options management uses scopes inconsistently please review our guidelines before adding a new issue fields marked with are required please don t remove the template preconditions provide the exact magento version example and any important information on the environment where bug is reproducible clean magento develop is installed steps to reproduce important provide a set of clear steps to reproduce this bug we can not provide support without clear instructions on how to reproduce get list of color attribute values using rest products attributes color options get method in default magento installation it shows empty list what is expected eg curl location request get header authorization bearer   add red color using rest products attributes color options post method curl location request post header authorization bearer header content type application json data raw option label red sort order get list of color attribute values again see red on the list what is expected in the admin backend set default store view label for red color to blue get list of color attribute values again see blue on the list as red value looks as not existing on the list try adding red color using api post again error occurs it looks that both api requests use scope inconsistently add action validates against global scope and adds value for global scope then list action returns values from default scope website note that if i explicitly set scope to global by using all parameter it returns proper values i consider is as a workaround curl location request get header authorization bearer   expected result both api requests used to manage product attribute value use scope consequently actual result each api request used to manage product attribute value uses different scope please provide assessment for the issue as reporter this information will help during confirmation and issue triage processes severity affects critical data or functionality and leaves users without workaround severity affects critical data or functionality and forces users to employ a workaround severity affects non critical data or functionality and forces users to employ a workaround severity affects non critical data or functionality and does not force users to employ a workaround severity affects aesthetics professional look and feel “quality” or “usability”
1
375,541
11,104,909,619
IssuesEvent
2019-12-17 08:45:19
projectacrn/acrn-hypervisor
https://api.github.com/repos/projectacrn/acrn-hypervisor
closed
Not support: –s n,virtio-net, (not set,error net, set 1 net, set multi-net, vhost net).
priority: P3-Medium type: bug
Environment git clone https://github.com/projectacrn/acrn-hypervisor.git git checkout acrn-2019w41.3-140000p HW/Board D0 MRB, APLNUC, KBLNUC, UP2, WHL Steps for automation test [acrn-configuration-tool] must support:–s n,virtio-net, (not set,error net, set 1 net, set multi-net, vhost net)
1.0
Not support: –s n,virtio-net, (not set,error net, set 1 net, set multi-net, vhost net). - Environment git clone https://github.com/projectacrn/acrn-hypervisor.git git checkout acrn-2019w41.3-140000p HW/Board D0 MRB, APLNUC, KBLNUC, UP2, WHL Steps for automation test [acrn-configuration-tool] must support:–s n,virtio-net, (not set,error net, set 1 net, set multi-net, vhost net)
priority
not support –s n virtio net not set error net set net set multi net vhost net environment git clone git checkout acrn hw board mrb aplnuc kblnuc whl steps for automation test must support –s n virtio net not set error net set net set multi net vhost net
1
676,060
23,115,067,692
IssuesEvent
2022-07-27 15:56:36
istopwg/ippsample
https://api.github.com/repos/istopwg/ippsample
closed
Updates for Raspberry Pi
enhancement priority-medium
The current Raspberry Pi documentation needs updates: - Build instructions - Configuration when connected to Ultimaker or similar 3D printer Also investigate how to provide a feed of the Pi Camera board video/snapshots.
1.0
Updates for Raspberry Pi - The current Raspberry Pi documentation needs updates: - Build instructions - Configuration when connected to Ultimaker or similar 3D printer Also investigate how to provide a feed of the Pi Camera board video/snapshots.
priority
updates for raspberry pi the current raspberry pi documentation needs updates build instructions configuration when connected to ultimaker or similar printer also investigate how to provide a feed of the pi camera board video snapshots
1
755,325
26,424,996,394
IssuesEvent
2023-01-14 03:26:32
OffprintStudios/Sailfish
https://api.github.com/repos/OffprintStudios/Sailfish
closed
Switching chapters should bring you to the top of the page
bug medium priority
User request When I click "next" or "previous" chapter, it doesn't go to the top of the chapter. It appears to stay... the exact same distance up or down. Meaning on a short chapter I'll be at the bottom, and on a long chapter I'll be in the middle.
1.0
Switching chapters should bring you to the top of the page - User request When I click "next" or "previous" chapter, it doesn't go to the top of the chapter. It appears to stay... the exact same distance up or down. Meaning on a short chapter I'll be at the bottom, and on a long chapter I'll be in the middle.
priority
switching chapters should bring you to the top of the page user request when i click next or previous chapter it doesn t go to the top of the chapter it appears to stay the exact same distance up or down meaning on a short chapter i ll be at the bottom and on a long chapter i ll be in the middle
1
125,531
4,957,664,671
IssuesEvent
2016-12-02 06:03:00
CFedderly/bumerang-client
https://api.github.com/repos/CFedderly/bumerang-client
closed
Cancelling the create request from browse causes UI bug
bug medium priority
On the browse page, assuming you have one request, hit the FAB and to create a request. Then hit cancel, now there should be panels under the current panels you have and the FAB should be gone
1.0
Cancelling the create request from browse causes UI bug - On the browse page, assuming you have one request, hit the FAB and to create a request. Then hit cancel, now there should be panels under the current panels you have and the FAB should be gone
priority
cancelling the create request from browse causes ui bug on the browse page assuming you have one request hit the fab and to create a request then hit cancel now there should be panels under the current panels you have and the fab should be gone
1
281,111
8,691,040,730
IssuesEvent
2018-12-03 23:36:10
openshiftio/openshift.io
https://api.github.com/repos/openshiftio/openshift.io
closed
Deployments API responding 500s on some requests
SEV3-medium area/deployments priority/P3 team/platform type/bug
### Issue Overview Requests to the `https://openshift.io/api/deployments/spaces/{spaceId}/applications/{appName}/deployments/{envName}/statseries` are (at least in some scenarios - it's 100% on my deployments, ex. `https://openshift.io/api/deployments/spaces/7ac6e4be-dcf2-4635-9ca1-1ae3a69e2ff9/applications/demo-2/deployments/stage/statseries?start=1541098721220&end=1541099621220`) responding with 500s, rather than 200 and a meaningful JSON response body. This causes the timeseries charts within the expanded Deployment cards to be blank. ### Steps to reproduce: 1. Create a Space, an Application, etc., and wait until a deployment makes it through the pipeline to at least the Stage environment 2. Visit the Deployments page. If a deployment already existed prior to step 1, then ensure that the deployment has at least 1 pod scaled ![deployments-500](https://user-images.githubusercontent.com/3787464/47874427-29e8ab80-ddea-11e8-907f-72ed578b5a3c.png)
1.0
Deployments API responding 500s on some requests - ### Issue Overview Requests to the `https://openshift.io/api/deployments/spaces/{spaceId}/applications/{appName}/deployments/{envName}/statseries` are (at least in some scenarios - it's 100% on my deployments, ex. `https://openshift.io/api/deployments/spaces/7ac6e4be-dcf2-4635-9ca1-1ae3a69e2ff9/applications/demo-2/deployments/stage/statseries?start=1541098721220&end=1541099621220`) responding with 500s, rather than 200 and a meaningful JSON response body. This causes the timeseries charts within the expanded Deployment cards to be blank. ### Steps to reproduce: 1. Create a Space, an Application, etc., and wait until a deployment makes it through the pipeline to at least the Stage environment 2. Visit the Deployments page. If a deployment already existed prior to step 1, then ensure that the deployment has at least 1 pod scaled ![deployments-500](https://user-images.githubusercontent.com/3787464/47874427-29e8ab80-ddea-11e8-907f-72ed578b5a3c.png)
priority
deployments api responding on some requests issue overview requests to the are at least in some scenarios it s on my deployments ex responding with rather than and a meaningful json response body this causes the timeseries charts within the expanded deployment cards to be blank steps to reproduce create a space an application etc and wait until a deployment makes it through the pipeline to at least the stage environment visit the deployments page if a deployment already existed prior to step then ensure that the deployment has at least pod scaled
1
98,229
4,019,077,676
IssuesEvent
2016-05-16 13:41:32
BugBusterSWE/MaaS
https://api.github.com/repos/BugBusterSWE/MaaS
closed
DSLChecker.ts
backend priority:medium Programmer
Activity #2 Scrivere il modulo DSLChecker.ts. Vedere la documentazione nella ST per i dettagli Link task: [https://bugbusters.teamwork.com/tasks/6538356](https://bugbusters.teamwork.com/tasks/6538356)
1.0
DSLChecker.ts - Activity #2 Scrivere il modulo DSLChecker.ts. Vedere la documentazione nella ST per i dettagli Link task: [https://bugbusters.teamwork.com/tasks/6538356](https://bugbusters.teamwork.com/tasks/6538356)
priority
dslchecker ts activity scrivere il modulo dslchecker ts vedere la documentazione nella st per i dettagli link task
1
189,639
6,800,201,067
IssuesEvent
2017-11-02 13:14:11
ZeusWPI/hydra-android
https://api.github.com/repos/ZeusWPI/hydra-android
closed
Add course name to events
difficulty:challenging priority:medium
There should be an option to add the course name to events where the title is not the course name. We can also include an option to use the full name or use an abbreviation (such as the first letter of every word in the course's name, unless the course name is only one word)
1.0
Add course name to events - There should be an option to add the course name to events where the title is not the course name. We can also include an option to use the full name or use an abbreviation (such as the first letter of every word in the course's name, unless the course name is only one word)
priority
add course name to events there should be an option to add the course name to events where the title is not the course name we can also include an option to use the full name or use an abbreviation such as the first letter of every word in the course s name unless the course name is only one word
1
405,647
11,880,492,913
IssuesEvent
2020-03-27 10:47:18
weso/hercules-ontology
https://api.github.com/repos/weso/hercules-ontology
opened
Automate ontology publishing process
affects: ontology difficulty: medium priority: low status: awaiting-triage type: enhancement
Automate the ontology publication process to convert to RDF and visualize with some tool that we had looked at or with something similar to what they use in SWEET so that the URIs are referenceable.
1.0
Automate ontology publishing process - Automate the ontology publication process to convert to RDF and visualize with some tool that we had looked at or with something similar to what they use in SWEET so that the URIs are referenceable.
priority
automate ontology publishing process automate the ontology publication process to convert to rdf and visualize with some tool that we had looked at or with something similar to what they use in sweet so that the uris are referenceable
1
288,897
8,852,953,670
IssuesEvent
2019-01-08 19:51:12
SOSML/SOSML
https://api.github.com/repos/SOSML/SOSML
closed
Type declaration in structure with signature constraint
p5: medium priority s:elaboration t:bug
The following code fails: `structure Store :> sig type address = int end = struct type address = int end` Output: `Signature mismatch: Wrong implementation of type "address": Cannot merge "int → int" and "int"` Expected output: Successful declaration of signature-constrained structure
1.0
Type declaration in structure with signature constraint - The following code fails: `structure Store :> sig type address = int end = struct type address = int end` Output: `Signature mismatch: Wrong implementation of type "address": Cannot merge "int → int" and "int"` Expected output: Successful declaration of signature-constrained structure
priority
type declaration in structure with signature constraint the following code fails structure store sig type address int end struct type address int end output signature mismatch wrong implementation of type address cannot merge int → int and int expected output successful declaration of signature constrained structure
1
818,898
30,709,995,595
IssuesEvent
2023-07-27 09:06:52
virto-network/virto-node
https://api.github.com/repos/virto-network/virto-node
closed
Seedling and Kreivo are not producing blocks for `kusama-local`
bug priority:medium
When using zombienet and calling the chains `seedling-local` and `kreivo-local`, the chains are not producing blocks.
1.0
Seedling and Kreivo are not producing blocks for `kusama-local` - When using zombienet and calling the chains `seedling-local` and `kreivo-local`, the chains are not producing blocks.
priority
seedling and kreivo are not producing blocks for kusama local when using zombienet and calling the chains seedling local and kreivo local the chains are not producing blocks
1
87,970
3,770,012,613
IssuesEvent
2016-03-16 13:09:37
Alexey-Yakovenko/deadbeef
https://api.github.com/repos/Alexey-Yakovenko/deadbeef
closed
Display metadata field only if present
enhancement Priority-Medium
Original [issue 745](https://code.google.com/p/ddb/issues/detail?id=745) created by Alexey-Yakovenko on 2012-04-19T11:52:10.000Z: submitted by: nobody Date: 2011-08-06 00:44:51 This feature is found in foobar2000. If you wrap metadata fields in brackets (I believe foobar uses '[' and ']'), it is only displayed if that field has a value in the file. Currently deadbeef shows the value of fields without a value as a '?' For example, for the &quot;group by&quot; option, using '{' and '}' as the display-only-if-present brackets: %a - [%y] %b{ | disc %@disc@%} The album Dark Side of the Moon would render as Pink Floyd - [1973] Dark Side of the Moon and the double album The Wall would render as Pink Floyd - [1979] The Wall | disc 1 and Pink Floyd - [1979] The Wall | disc 2
1.0
Display metadata field only if present - Original [issue 745](https://code.google.com/p/ddb/issues/detail?id=745) created by Alexey-Yakovenko on 2012-04-19T11:52:10.000Z: submitted by: nobody Date: 2011-08-06 00:44:51 This feature is found in foobar2000. If you wrap metadata fields in brackets (I believe foobar uses '[' and ']'), it is only displayed if that field has a value in the file. Currently deadbeef shows the value of fields without a value as a '?' For example, for the &quot;group by&quot; option, using '{' and '}' as the display-only-if-present brackets: %a - [%y] %b{ | disc %@disc@%} The album Dark Side of the Moon would render as Pink Floyd - [1973] Dark Side of the Moon and the double album The Wall would render as Pink Floyd - [1979] The Wall | disc 1 and Pink Floyd - [1979] The Wall | disc 2
priority
display metadata field only if present original created by alexey yakovenko on submitted by nobody date this feature is found in if you wrap metadata fields in brackets i believe foobar uses it is only displayed if that field has a value in the file currently deadbeef shows the value of fields without a value as a for example for the quot group by quot option using and as the display only if present brackets a b disc disc the album dark side of the moon would render as pink floyd dark side of the moon and the double album the wall would render as pink floyd the wall disc and pink floyd the wall disc
1
114,221
4,622,034,770
IssuesEvent
2016-09-27 05:23:20
PowerlineApp/powerline-mobile
https://api.github.com/repos/PowerlineApp/powerline-mobile
opened
Push notification text on UserPetition comment is probably wrong
bug P2 - Medium Priority
There is User Petition 257 created by `peter.vojtek`. When Peter10 adds comment to it, this is how the push notification looks like for author: <img width="311" alt="screen shot 2016-09-27 at 07 19 46" src="https://cloud.githubusercontent.com/assets/225506/18861118/1544bfec-8483-11e6-9e43-6c967f1e3616.png"> #226 says that: > Author Notifications (For comments [all items], upvotes [posts only], and signatures [petitions only]): Main Avatar (Commenter/Voter Avatar), Small Avatar (Powerline logo), Title ("FirstName LastName"), Message("commented on your post") OR ("voted on your post") (or 'petition' for petitions). Buttons: View, Mute. Please confirm @jterps08 first that this is not an intention, but a bug.
1.0
Push notification text on UserPetition comment is probably wrong - There is User Petition 257 created by `peter.vojtek`. When Peter10 adds comment to it, this is how the push notification looks like for author: <img width="311" alt="screen shot 2016-09-27 at 07 19 46" src="https://cloud.githubusercontent.com/assets/225506/18861118/1544bfec-8483-11e6-9e43-6c967f1e3616.png"> #226 says that: > Author Notifications (For comments [all items], upvotes [posts only], and signatures [petitions only]): Main Avatar (Commenter/Voter Avatar), Small Avatar (Powerline logo), Title ("FirstName LastName"), Message("commented on your post") OR ("voted on your post") (or 'petition' for petitions). Buttons: View, Mute. Please confirm @jterps08 first that this is not an intention, but a bug.
priority
push notification text on userpetition comment is probably wrong there is user petition created by peter vojtek when adds comment to it this is how the push notification looks like for author img width alt screen shot at src says that author notifications for comments upvotes and signatures main avatar commenter voter avatar small avatar powerline logo title firstname lastname message commented on your post or voted on your post or petition for petitions buttons view mute please confirm first that this is not an intention but a bug
1
319,955
9,762,599,711
IssuesEvent
2019-06-05 11:50:39
salesagility/SuiteCRM
https://api.github.com/repos/salesagility/SuiteCRM
reopened
Saving user resets preferences
Fix Proposed Medium Priority Resolved: Next Release bug
#### Issue Since #6404 `$current_user->save()` calls `saveFormPreferences()` which when not called in the context of a form resets user settings to their "off" state. #### Expected Behavior Calling `$current_user->save()` shouldn't change user preferences. #### Actual Behavior Calling `$current_user->save()` sets things such as `use_real_names` to off, even if the default is different. #### Steps to Reproduce 1. Go to "Admin" -> "User Management" 2. Inline edit any of the user fields in the list 3. The users preferences are reset after that (the most visible one is that in the top right corner the username is shown instead of the fullname)
1.0
Saving user resets preferences - #### Issue Since #6404 `$current_user->save()` calls `saveFormPreferences()` which when not called in the context of a form resets user settings to their "off" state. #### Expected Behavior Calling `$current_user->save()` shouldn't change user preferences. #### Actual Behavior Calling `$current_user->save()` sets things such as `use_real_names` to off, even if the default is different. #### Steps to Reproduce 1. Go to "Admin" -> "User Management" 2. Inline edit any of the user fields in the list 3. The users preferences are reset after that (the most visible one is that in the top right corner the username is shown instead of the fullname)
priority
saving user resets preferences issue since current user save calls saveformpreferences which when not called in the context of a form resets user settings to their off state expected behavior calling current user save shouldn t change user preferences actual behavior calling current user save sets things such as use real names to off even if the default is different steps to reproduce go to admin user management inline edit any of the user fields in the list the users preferences are reset after that the most visible one is that in the top right corner the username is shown instead of the fullname
1
503,771
14,597,594,848
IssuesEvent
2020-12-20 20:50:37
bounswe/bounswe2020group5
https://api.github.com/repos/bounswe/bounswe2020group5
closed
backend/ Retrieval of products according to their ids, categories and subcategories
Priority: Medium Status: Completed backend enhancement
* Endpoint for getting all products should be implemented. * Endpoint for getting products by ids should be implemented. * Endpoint for getting products by their category should be implemented. * Endpoint for getting products by their subcategory should be implemented. Deadline 19.12.2020 @23:59
1.0
backend/ Retrieval of products according to their ids, categories and subcategories - * Endpoint for getting all products should be implemented. * Endpoint for getting products by ids should be implemented. * Endpoint for getting products by their category should be implemented. * Endpoint for getting products by their subcategory should be implemented. Deadline 19.12.2020 @23:59
priority
backend retrieval of products according to their ids categories and subcategories endpoint for getting all products should be implemented endpoint for getting products by ids should be implemented endpoint for getting products by their category should be implemented endpoint for getting products by their subcategory should be implemented deadline
1
669,103
22,612,178,838
IssuesEvent
2022-06-29 18:11:52
UCSD-E4E/PyHa
https://api.github.com/repos/UCSD-E4E/PyHa
closed
Create a script that "prepares" manual annotations for chunk isolation.
good first issue Medium Priority Trivial
Loop through an audio clip with a specified number of seconds in a chunk. If any of the current annotations touch a chunk, label the chunk as a positive ID of whatever the annotation specified. This can convert the high precision human labels into something that might be more accurate for the chunking microfaune algorithm. It is also a way to convert the labeled data into more uniform training data. This could help us better vet birdnet as well, since we could specify a chunk size of three seconds.
1.0
Create a script that "prepares" manual annotations for chunk isolation. - Loop through an audio clip with a specified number of seconds in a chunk. If any of the current annotations touch a chunk, label the chunk as a positive ID of whatever the annotation specified. This can convert the high precision human labels into something that might be more accurate for the chunking microfaune algorithm. It is also a way to convert the labeled data into more uniform training data. This could help us better vet birdnet as well, since we could specify a chunk size of three seconds.
priority
create a script that prepares manual annotations for chunk isolation loop through an audio clip with a specified number of seconds in a chunk if any of the current annotations touch a chunk label the chunk as a positive id of whatever the annotation specified this can convert the high precision human labels into something that might be more accurate for the chunking microfaune algorithm it is also a way to convert the labeled data into more uniform training data this could help us better vet birdnet as well since we could specify a chunk size of three seconds
1