Unnamed: 0
int64
0
832k
id
float64
2.49B
32.1B
type
stringclasses
1 value
created_at
stringlengths
19
19
repo
stringlengths
5
112
repo_url
stringlengths
34
141
action
stringclasses
3 values
title
stringlengths
1
855
labels
stringlengths
4
721
body
stringlengths
1
261k
index
stringclasses
13 values
text_combine
stringlengths
96
261k
label
stringclasses
2 values
text
stringlengths
96
240k
binary_label
int64
0
1
93,902
3,916,599,435
IssuesEvent
2016-04-21 02:50:35
phetsims/circuit-construction-kit-basics
https://api.github.com/repos/phetsims/circuit-construction-kit-basics
closed
Credits
priority:2-high
@arouinfar can you please document the credits and make a note of it here in the issue?
1.0
Credits - @arouinfar can you please document the credits and make a note of it here in the issue?
priority
credits arouinfar can you please document the credits and make a note of it here in the issue
1
68,694
3,292,390,283
IssuesEvent
2015-10-30 14:29:40
onyxfish/agate
https://api.github.com/repos/onyxfish/agate
closed
Pull csvkit's unicode csv handling into agate core
csvkit feature priority-high
This should be part of agate, not part of csvkit. Having to import csvkit and all of it's (non-native) dependencies ruins the promise of agate. And since csvkit is going to depend on agate, it won't matter at all functionally.
1.0
Pull csvkit's unicode csv handling into agate core - This should be part of agate, not part of csvkit. Having to import csvkit and all of it's (non-native) dependencies ruins the promise of agate. And since csvkit is going to depend on agate, it won't matter at all functionally.
priority
pull csvkit s unicode csv handling into agate core this should be part of agate not part of csvkit having to import csvkit and all of it s non native dependencies ruins the promise of agate and since csvkit is going to depend on agate it won t matter at all functionally
1
415,316
12,127,728,618
IssuesEvent
2020-04-22 19:13:51
CytopiaTeam/Cytopia
https://api.github.com/repos/CytopiaTeam/Cytopia
closed
switching between Blueprint view and regular view prevent roads/zones from rendering.
bug good first task high-priority
when placing a road/zone and switching to Blueprint view and getting back to regular view the Roads won't be rendered anymore. tip: this is caused by adding the new ROAD/ZONE layer. ![O7py1oRRFD](https://user-images.githubusercontent.com/12609468/79967215-373e9d80-8497-11ea-9c57-aea3c35fd2ef.gif)
1.0
switching between Blueprint view and regular view prevent roads/zones from rendering. - when placing a road/zone and switching to Blueprint view and getting back to regular view the Roads won't be rendered anymore. tip: this is caused by adding the new ROAD/ZONE layer. ![O7py1oRRFD](https://user-images.githubusercontent.com/12609468/79967215-373e9d80-8497-11ea-9c57-aea3c35fd2ef.gif)
priority
switching between blueprint view and regular view prevent roads zones from rendering when placing a road zone and switching to blueprint view and getting back to regular view the roads won t be rendered anymore tip this is caused by adding the new road zone layer
1
2,124
2,523,877,587
IssuesEvent
2015-01-20 14:18:57
artem-zinnatullin/android-wail-app
https://api.github.com/repos/artem-zinnatullin/android-wail-app
opened
Prepare new release
priority:high
Fixed both bugs, #89 and #90, app needs to be updated in Google Play ASAP. Really sorry for that :(
1.0
Prepare new release - Fixed both bugs, #89 and #90, app needs to be updated in Google Play ASAP. Really sorry for that :(
priority
prepare new release fixed both bugs and app needs to be updated in google play asap really sorry for that
1
54,624
3,070,427,945
IssuesEvent
2015-08-19 04:12:38
v0lkan/board
https://api.github.com/repos/v0lkan/board
closed
demo app is a black black page on ios(8) mobile.
bug priority: high
not sure if it's because of websockets, or because of the network. -- need to check.
1.0
demo app is a black black page on ios(8) mobile. - not sure if it's because of websockets, or because of the network. -- need to check.
priority
demo app is a black black page on ios mobile not sure if it s because of websockets or because of the network need to check
1
616,545
19,305,453,782
IssuesEvent
2021-12-13 11:01:14
bryntum/support
https://api.github.com/repos/bryntum/support
closed
Scheduler with autoHeight places scrollbar below foreground canvas
bug resolved high-priority
Can be seen in docs: <img width="678" alt="Screenshot 2021-12-01 at 11 00 48" src="https://user-images.githubusercontent.com/5415653/144213556-fb1c8b40-82b7-41a4-a8ad-e6df4e1b0a3d.png">
1.0
Scheduler with autoHeight places scrollbar below foreground canvas - Can be seen in docs: <img width="678" alt="Screenshot 2021-12-01 at 11 00 48" src="https://user-images.githubusercontent.com/5415653/144213556-fb1c8b40-82b7-41a4-a8ad-e6df4e1b0a3d.png">
priority
scheduler with autoheight places scrollbar below foreground canvas can be seen in docs img width alt screenshot at src
1
545,124
15,936,739,494
IssuesEvent
2021-04-14 11:33:40
denoland/deno
https://api.github.com/repos/denoland/deno
opened
Native HTTP: Reading a request body can cause a response to fail to send
bug high priority public API
Given the following [code](https://gist.github.com/kitsonk/4aa92a8a78bbb303a1ef576cdeb4e9a3): ```ts const decoder = new TextDecoder(); async function handleRequest({ request, respondWith }: Deno.RequestEvent) { let resolve: (response: Response) => void; const p = new Promise<Response>((res) => { resolve = res; }); const r = respondWith(p); let response: Response; if (request.body) { const body = decoder.decode(await request.arrayBuffer()); console.log("body:", body); response = new Response("body\n"); } else { response = new Response("no body\n"); } resolve!(response); await r; console.log("done"); } for await (const conn of Deno.listen({ port: 8000 })) { console.log("conn"); (async () => { const httpConn = Deno.serveHttp(conn); for await (const requestEvent of httpConn) { console.log("request"); handleRequest(requestEvent); } })(); } ``` And running the server like: ``` > deno run --allow-net --unstable server.ts ``` And then sending a request like (or any request with a body): ``` > curl --request POST \ --url http://127.0.0.1:8000/ \ --header 'Content-Type: application/json' \ --data '{ "a": 1 }' ``` Will cause the server to hang and fail to send the response. While the following would process normally: ``` > curl http://127.0.0.1:8000/ ```
1.0
Native HTTP: Reading a request body can cause a response to fail to send - Given the following [code](https://gist.github.com/kitsonk/4aa92a8a78bbb303a1ef576cdeb4e9a3): ```ts const decoder = new TextDecoder(); async function handleRequest({ request, respondWith }: Deno.RequestEvent) { let resolve: (response: Response) => void; const p = new Promise<Response>((res) => { resolve = res; }); const r = respondWith(p); let response: Response; if (request.body) { const body = decoder.decode(await request.arrayBuffer()); console.log("body:", body); response = new Response("body\n"); } else { response = new Response("no body\n"); } resolve!(response); await r; console.log("done"); } for await (const conn of Deno.listen({ port: 8000 })) { console.log("conn"); (async () => { const httpConn = Deno.serveHttp(conn); for await (const requestEvent of httpConn) { console.log("request"); handleRequest(requestEvent); } })(); } ``` And running the server like: ``` > deno run --allow-net --unstable server.ts ``` And then sending a request like (or any request with a body): ``` > curl --request POST \ --url http://127.0.0.1:8000/ \ --header 'Content-Type: application/json' \ --data '{ "a": 1 }' ``` Will cause the server to hang and fail to send the response. While the following would process normally: ``` > curl http://127.0.0.1:8000/ ```
priority
native http reading a request body can cause a response to fail to send given the following ts const decoder new textdecoder async function handlerequest request respondwith deno requestevent let resolve response response void const p new promise res resolve res const r respondwith p let response response if request body const body decoder decode await request arraybuffer console log body body response new response body n else response new response no body n resolve response await r console log done for await const conn of deno listen port console log conn async const httpconn deno servehttp conn for await const requestevent of httpconn console log request handlerequest requestevent and running the server like deno run allow net unstable server ts and then sending a request like or any request with a body curl request post url header content type application json data a will cause the server to hang and fail to send the response while the following would process normally curl
1
687,206
23,516,896,003
IssuesEvent
2022-08-18 22:38:24
brunorplima/divino-dog-menu-app
https://api.github.com/repos/brunorplima/divino-dog-menu-app
closed
Apply settings to menu item page
High Priority
There are a few settings that were not applied to the item page. They are: ![image](https://user-images.githubusercontent.com/29398441/174760199-71268847-0960-4edc-b8d0-443c4f25c07d.png) Apply these settings on the menu items page. - [x] Using the extra toppings area on item page already in place enforce the first rule (in the image) by removing that add toppings section when `settingsModel.allowUserToAddToppings` is false, otherwise show it. - [x] If the above rule is true, then also enforce the allowed amount of toppings that the user might add by blocking the user from adding another topping when max number is reached. Property for this is `settingsModel.maxAmountOfAddons` - [x] Add a text saying "_Até 2 adicionais permitidos_" between the title and the first topping of the section (where the white line is), where 2 is the `settingsModel.maxAmountOfAddons` For discussion: Right now we are offering only additions that are already the item's toppings/sauce. If that's the case maybe it's unnecessary to have an add sauce section. So I was thinking of commenting that section out until we decide if we'll add more things to it later on. What do you think? If you agree, then you also have this task: - [x] Comment out the add sauce section on item page
1.0
Apply settings to menu item page - There are a few settings that were not applied to the item page. They are: ![image](https://user-images.githubusercontent.com/29398441/174760199-71268847-0960-4edc-b8d0-443c4f25c07d.png) Apply these settings on the menu items page. - [x] Using the extra toppings area on item page already in place enforce the first rule (in the image) by removing that add toppings section when `settingsModel.allowUserToAddToppings` is false, otherwise show it. - [x] If the above rule is true, then also enforce the allowed amount of toppings that the user might add by blocking the user from adding another topping when max number is reached. Property for this is `settingsModel.maxAmountOfAddons` - [x] Add a text saying "_Até 2 adicionais permitidos_" between the title and the first topping of the section (where the white line is), where 2 is the `settingsModel.maxAmountOfAddons` For discussion: Right now we are offering only additions that are already the item's toppings/sauce. If that's the case maybe it's unnecessary to have an add sauce section. So I was thinking of commenting that section out until we decide if we'll add more things to it later on. What do you think? If you agree, then you also have this task: - [x] Comment out the add sauce section on item page
priority
apply settings to menu item page there are a few settings that were not applied to the item page they are apply these settings on the menu items page using the extra toppings area on item page already in place enforce the first rule in the image by removing that add toppings section when settingsmodel allowusertoaddtoppings is false otherwise show it if the above rule is true then also enforce the allowed amount of toppings that the user might add by blocking the user from adding another topping when max number is reached property for this is settingsmodel maxamountofaddons add a text saying até adicionais permitidos between the title and the first topping of the section where the white line is where is the settingsmodel maxamountofaddons for discussion right now we are offering only additions that are already the item s toppings sauce if that s the case maybe it s unnecessary to have an add sauce section so i was thinking of commenting that section out until we decide if we ll add more things to it later on what do you think if you agree then you also have this task comment out the add sauce section on item page
1
442,140
12,740,394,463
IssuesEvent
2020-06-26 02:24:30
ctm/mb2-doc
https://api.github.com/repos/ctm/mb2-doc
reopened
fix autoscrolling
bug easy high priority
Make it so if someone scrolls backward, we don't immediately jump down to the bottom of the screen (unless, perhaps, it is the player's time to act). The combination of no pauses associated with showdowns, cards still as text and the fact that any new text in the log causes the log to scroll, is much worse than the sum of the annoyance of each. I think pauses should be added last, because the amount of time you want to pause will, in part, be due to how the rest of the UI is working. If I add them in now, they'll be hideously incorrect as I improve other parts. Showing the board and other player's cards needs to be done "soon", but is tricky and is still low enough priority that I'm making this particular issue (requested most recently by Llew, but she's not the first) high priority, because it's easy. BTW, although this is easy, it's not drop-dead trivial for me, only because in round numbers I never do front-end work. As such, I'll have to do some web-searching and/or experimentation to figure out how to detect when the player has chosen to get back to the bottom of the screen.
1.0
fix autoscrolling - Make it so if someone scrolls backward, we don't immediately jump down to the bottom of the screen (unless, perhaps, it is the player's time to act). The combination of no pauses associated with showdowns, cards still as text and the fact that any new text in the log causes the log to scroll, is much worse than the sum of the annoyance of each. I think pauses should be added last, because the amount of time you want to pause will, in part, be due to how the rest of the UI is working. If I add them in now, they'll be hideously incorrect as I improve other parts. Showing the board and other player's cards needs to be done "soon", but is tricky and is still low enough priority that I'm making this particular issue (requested most recently by Llew, but she's not the first) high priority, because it's easy. BTW, although this is easy, it's not drop-dead trivial for me, only because in round numbers I never do front-end work. As such, I'll have to do some web-searching and/or experimentation to figure out how to detect when the player has chosen to get back to the bottom of the screen.
priority
fix autoscrolling make it so if someone scrolls backward we don t immediately jump down to the bottom of the screen unless perhaps it is the player s time to act the combination of no pauses associated with showdowns cards still as text and the fact that any new text in the log causes the log to scroll is much worse than the sum of the annoyance of each i think pauses should be added last because the amount of time you want to pause will in part be due to how the rest of the ui is working if i add them in now they ll be hideously incorrect as i improve other parts showing the board and other player s cards needs to be done soon but is tricky and is still low enough priority that i m making this particular issue requested most recently by llew but she s not the first high priority because it s easy btw although this is easy it s not drop dead trivial for me only because in round numbers i never do front end work as such i ll have to do some web searching and or experimentation to figure out how to detect when the player has chosen to get back to the bottom of the screen
1
165,473
6,277,279,803
IssuesEvent
2017-07-18 11:48:26
timtrice/rrricanes
https://api.github.com/repos/timtrice/rrricanes
closed
Data World Access
Features High Priority
As of [v0.1.3](https://github.com/timtrice/rrricanes/releases/tag/v0.1.3) there are two methods of extracting storm data: any of the `get` functions and `load_storm_data`. The `get` functions scrape the NHC archives which [as document](https://github.com/timtrice/rrricanes/issues/72) [extensively](https://github.com/timtrice/rrricanes/issues/71) [can fail](https://github.com/timtrice/rrricanes/issues/66) for a number of reasons. The `get` functions should only be for updating and inserting into datasets. Which really means that users **shouldn't** need them unless absolutely necessary. `load_storm_data` should be the fallback. This requires that the dataset repo, [rrricanesdata](https://github.com/timtrice/rrricanesdata) must be updated immediately with active storm data. I can resolve this with no issues; it's just a matter of writing the script and scheduling it. I am also going to add a third option through data.world. This will require users to have a data.world API key. data.world allows no more than 100 files per dataset with total storage of 500MB ([source](https://help.data.world/support/solutions/articles/14000039826-what-are-the-size-restrictions-for-data-world-)). The current tidied datasets (`adv`, `fcst`, `fcst_wr`, `storms`, and `wr`) are around 10MB in size; nowhere close to the limit. So there should be plenty of room to add `discus`, `posest`, `public` and `updates`. Hopefully, `recon` data which is the next priority can be added as well but if it requires a pay-tier that will not be an issue, personally. I considered adding GIS data but I have not had nearly the issues I've had with scraping data so, at this point of time, it will be left as is. Additionally, using data.world will not require additional functionality added into the package so that will help keep it clean. However, users will be encouraged to install the `dwapi` package via CRAN. Therefore, `load_storm_data` will be modified to import the tidied datasets rather than it's current setup (by year and product). It will continue to pull from `rrricanesdata` which will serve as the backup to data.world. data.world will be an "enhanced querying" tool so that users can create more complex SQL queries to isolate only the data they wish to examine without cluttering their R environment. data.world will be setup to immediately update current datasets on any changes in the GitHub repo. So only GitHub will need to be updated as new storms develop and new datasets are added (`public`, `discus`, `posest`, `updates`). tldr: `rrricanesdata` will store tidied data files (not grouped by year, basin as is currently). `load_storm_data` will return full datasets as requested by user from this repo. Users will be given documentation on accessing data.world with examples of querying data with SQL. No additional functionality is needed within the package. The `get` functions will not be deprecated but considered a "last resort" to obtain data. These changes will be implemented in release 0.2.0.
1.0
Data World Access - As of [v0.1.3](https://github.com/timtrice/rrricanes/releases/tag/v0.1.3) there are two methods of extracting storm data: any of the `get` functions and `load_storm_data`. The `get` functions scrape the NHC archives which [as document](https://github.com/timtrice/rrricanes/issues/72) [extensively](https://github.com/timtrice/rrricanes/issues/71) [can fail](https://github.com/timtrice/rrricanes/issues/66) for a number of reasons. The `get` functions should only be for updating and inserting into datasets. Which really means that users **shouldn't** need them unless absolutely necessary. `load_storm_data` should be the fallback. This requires that the dataset repo, [rrricanesdata](https://github.com/timtrice/rrricanesdata) must be updated immediately with active storm data. I can resolve this with no issues; it's just a matter of writing the script and scheduling it. I am also going to add a third option through data.world. This will require users to have a data.world API key. data.world allows no more than 100 files per dataset with total storage of 500MB ([source](https://help.data.world/support/solutions/articles/14000039826-what-are-the-size-restrictions-for-data-world-)). The current tidied datasets (`adv`, `fcst`, `fcst_wr`, `storms`, and `wr`) are around 10MB in size; nowhere close to the limit. So there should be plenty of room to add `discus`, `posest`, `public` and `updates`. Hopefully, `recon` data which is the next priority can be added as well but if it requires a pay-tier that will not be an issue, personally. I considered adding GIS data but I have not had nearly the issues I've had with scraping data so, at this point of time, it will be left as is. Additionally, using data.world will not require additional functionality added into the package so that will help keep it clean. However, users will be encouraged to install the `dwapi` package via CRAN. Therefore, `load_storm_data` will be modified to import the tidied datasets rather than it's current setup (by year and product). It will continue to pull from `rrricanesdata` which will serve as the backup to data.world. data.world will be an "enhanced querying" tool so that users can create more complex SQL queries to isolate only the data they wish to examine without cluttering their R environment. data.world will be setup to immediately update current datasets on any changes in the GitHub repo. So only GitHub will need to be updated as new storms develop and new datasets are added (`public`, `discus`, `posest`, `updates`). tldr: `rrricanesdata` will store tidied data files (not grouped by year, basin as is currently). `load_storm_data` will return full datasets as requested by user from this repo. Users will be given documentation on accessing data.world with examples of querying data with SQL. No additional functionality is needed within the package. The `get` functions will not be deprecated but considered a "last resort" to obtain data. These changes will be implemented in release 0.2.0.
priority
data world access as of there are two methods of extracting storm data any of the get functions and load storm data the get functions scrape the nhc archives which for a number of reasons the get functions should only be for updating and inserting into datasets which really means that users shouldn t need them unless absolutely necessary load storm data should be the fallback this requires that the dataset repo must be updated immediately with active storm data i can resolve this with no issues it s just a matter of writing the script and scheduling it i am also going to add a third option through data world this will require users to have a data world api key data world allows no more than files per dataset with total storage of the current tidied datasets adv fcst fcst wr storms and wr are around in size nowhere close to the limit so there should be plenty of room to add discus posest public and updates hopefully recon data which is the next priority can be added as well but if it requires a pay tier that will not be an issue personally i considered adding gis data but i have not had nearly the issues i ve had with scraping data so at this point of time it will be left as is additionally using data world will not require additional functionality added into the package so that will help keep it clean however users will be encouraged to install the dwapi package via cran therefore load storm data will be modified to import the tidied datasets rather than it s current setup by year and product it will continue to pull from rrricanesdata which will serve as the backup to data world data world will be an enhanced querying tool so that users can create more complex sql queries to isolate only the data they wish to examine without cluttering their r environment data world will be setup to immediately update current datasets on any changes in the github repo so only github will need to be updated as new storms develop and new datasets are added public discus posest updates tldr rrricanesdata will store tidied data files not grouped by year basin as is currently load storm data will return full datasets as requested by user from this repo users will be given documentation on accessing data world with examples of querying data with sql no additional functionality is needed within the package the get functions will not be deprecated but considered a last resort to obtain data these changes will be implemented in release
1
824,245
31,146,262,108
IssuesEvent
2023-08-16 06:42:46
MSAFriends/ecommerce
https://api.github.com/repos/MSAFriends/ecommerce
closed
[product-service] Product, ProductImage 도메인 관련 API 개발
🔄 API 👀 review 🟢 priority: high
## Description Product, ProductImage 도메인 관련 CRUD API 개발 ## Todo - [x] : 다른 Microservice는 판매자, 카테고리, 고객 정보등을 활용해 상품을 조회할 수 있다. - [x] : Order-MicroService는 주문정보를 통해 상품의 재고를 증가, 감소시킬 수 있다. - [x] : Member-MicrroService는 판매자 정보를 통해 상품을 삭제할 수 있다. - [x] : 판매자는 상품 이미지를 등록, 수정, 제거 할 수 있다. ## ETC ### 고려할 점 - 회원별 상품 정보 접근 권한 설정 - 회원별 상품 정보 갱신 권한 설정
1.0
[product-service] Product, ProductImage 도메인 관련 API 개발 - ## Description Product, ProductImage 도메인 관련 CRUD API 개발 ## Todo - [x] : 다른 Microservice는 판매자, 카테고리, 고객 정보등을 활용해 상품을 조회할 수 있다. - [x] : Order-MicroService는 주문정보를 통해 상품의 재고를 증가, 감소시킬 수 있다. - [x] : Member-MicrroService는 판매자 정보를 통해 상품을 삭제할 수 있다. - [x] : 판매자는 상품 이미지를 등록, 수정, 제거 할 수 있다. ## ETC ### 고려할 점 - 회원별 상품 정보 접근 권한 설정 - 회원별 상품 정보 갱신 권한 설정
priority
product productimage 도메인 관련 api 개발 description product productimage 도메인 관련 crud api 개발 todo 다른 microservice는 판매자 카테고리 고객 정보등을 활용해 상품을 조회할 수 있다 order microservice는 주문정보를 통해 상품의 재고를 증가 감소시킬 수 있다 member micrroservice는 판매자 정보를 통해 상품을 삭제할 수 있다 판매자는 상품 이미지를 등록 수정 제거 할 수 있다 etc 고려할 점 회원별 상품 정보 접근 권한 설정 회원별 상품 정보 갱신 권한 설정
1
421,918
12,263,236,462
IssuesEvent
2020-05-07 00:21:45
mongodb-labs/drivers-atlas-testing
https://api.github.com/repos/mongodb-labs/drivers-atlas-testing
closed
Support for workload executors that take a long time to start up
enhancement high priority
It seems some languages will end up with workload executor implementations that take a significant amount of time to start. We should modify the spec runner to support these kinds of executors. The main work here involves ensuring that the workload starts running _before_ the maintenance plan is applied. Without any safeguards, it is possible for maintenance to start, and even complete without the workload executor running a single operation.
1.0
Support for workload executors that take a long time to start up - It seems some languages will end up with workload executor implementations that take a significant amount of time to start. We should modify the spec runner to support these kinds of executors. The main work here involves ensuring that the workload starts running _before_ the maintenance plan is applied. Without any safeguards, it is possible for maintenance to start, and even complete without the workload executor running a single operation.
priority
support for workload executors that take a long time to start up it seems some languages will end up with workload executor implementations that take a significant amount of time to start we should modify the spec runner to support these kinds of executors the main work here involves ensuring that the workload starts running before the maintenance plan is applied without any safeguards it is possible for maintenance to start and even complete without the workload executor running a single operation
1
675,964
23,112,732,753
IssuesEvent
2022-07-27 14:15:53
codbex/codbex-kronos
https://api.github.com/repos/codbex/codbex-kronos
opened
[Parser] Reconsider the parser results' object types
priority-medium core effort-high customer parsers
From xsk created by [vmutafov](https://github.com/vmutafov): SAP/xsk#1278 Currently, all parsers return an object where its class inherits `XSKDataStructureModel`. This hierarchy may lead to problems as, for example, some Hana artifacts don't have a name. We should maybe rethink the inheritance chain of the parser results as it leads to wrong assumptions about the parsing results. Also, this would remove the need for casting the base type to concrete types at some places in the code.
1.0
[Parser] Reconsider the parser results' object types - From xsk created by [vmutafov](https://github.com/vmutafov): SAP/xsk#1278 Currently, all parsers return an object where its class inherits `XSKDataStructureModel`. This hierarchy may lead to problems as, for example, some Hana artifacts don't have a name. We should maybe rethink the inheritance chain of the parser results as it leads to wrong assumptions about the parsing results. Also, this would remove the need for casting the base type to concrete types at some places in the code.
priority
reconsider the parser results object types from xsk created by sap xsk currently all parsers return an object where its class inherits xskdatastructuremodel this hierarchy may lead to problems as for example some hana artifacts don t have a name we should maybe rethink the inheritance chain of the parser results as it leads to wrong assumptions about the parsing results also this would remove the need for casting the base type to concrete types at some places in the code
1
200,085
6,997,963,929
IssuesEvent
2017-12-16 21:08:14
Code4SocialGood/c4sg-web
https://api.github.com/repos/Code4SocialGood/c4sg-web
closed
Contact Us Page & Consultants Page - Send Email
good first issue High Priority
Home Page -> Click Contact Us or Consultants from footer Fill in information on the page Click Submit Please integrate with backend API: EmailController to send out the email. - body: the information that user entered - from: user's email address - replyTo: user's email address - subject: Request for Contact Us / Consultants - to: info@code4socialgood.org ![image](https://user-images.githubusercontent.com/24813620/32121330-d155c35e-bb21-11e7-868e-1127e010592d.png)
1.0
Contact Us Page & Consultants Page - Send Email - Home Page -> Click Contact Us or Consultants from footer Fill in information on the page Click Submit Please integrate with backend API: EmailController to send out the email. - body: the information that user entered - from: user's email address - replyTo: user's email address - subject: Request for Contact Us / Consultants - to: info@code4socialgood.org ![image](https://user-images.githubusercontent.com/24813620/32121330-d155c35e-bb21-11e7-868e-1127e010592d.png)
priority
contact us page consultants page send email home page click contact us or consultants from footer fill in information on the page click submit please integrate with backend api emailcontroller to send out the email body the information that user entered from user s email address replyto user s email address subject request for contact us consultants to info org
1
168,568
6,378,209,379
IssuesEvent
2017-08-02 12:09:30
htmlacademy/intensive-javascript-criteria
https://api.github.com/repos/htmlacademy/intensive-javascript-criteria
closed
Убрать сквозную нумерацию в критериях 10 базового JS
category: intensive level: high-priority type: optimization
Чтобы сохранить единообразие с остальными интенсивами академии лучше сделать так, чтобы нумерация дополнительных критериев не продолжала нумерацию базовых: `Б28 ➡️ Д1` вместо ~~`Б28 ➡️ Д29`~~
1.0
Убрать сквозную нумерацию в критериях 10 базового JS - Чтобы сохранить единообразие с остальными интенсивами академии лучше сделать так, чтобы нумерация дополнительных критериев не продолжала нумерацию базовых: `Б28 ➡️ Д1` вместо ~~`Б28 ➡️ Д29`~~
priority
убрать сквозную нумерацию в критериях базового js чтобы сохранить единообразие с остальными интенсивами академии лучше сделать так чтобы нумерация дополнительных критериев не продолжала нумерацию базовых ➡️ вместо ➡️
1
114,326
4,628,702,191
IssuesEvent
2016-09-28 06:14:34
pwnall/igor
https://api.github.com/repos/pwnall/igor
closed
Allow updating of assignment metadata without reuploading resource files
high priority
Currently it seems impossible to update the metadata (e.g., due date) of an assignment without also reuploading resource files. Could we instead get the behavior of keeping old resource files, by default?
1.0
Allow updating of assignment metadata without reuploading resource files - Currently it seems impossible to update the metadata (e.g., due date) of an assignment without also reuploading resource files. Could we instead get the behavior of keeping old resource files, by default?
priority
allow updating of assignment metadata without reuploading resource files currently it seems impossible to update the metadata e g due date of an assignment without also reuploading resource files could we instead get the behavior of keeping old resource files by default
1
103,560
4,175,370,253
IssuesEvent
2016-06-21 16:39:18
dmusican/Elegit
https://api.github.com/repos/dmusican/Elegit
closed
Merge from fetch actually merges branches if you're not in the same branch as fetch_head
bug priority high
It should just not merge anything that isn't in the current branch
1.0
Merge from fetch actually merges branches if you're not in the same branch as fetch_head - It should just not merge anything that isn't in the current branch
priority
merge from fetch actually merges branches if you re not in the same branch as fetch head it should just not merge anything that isn t in the current branch
1
732,024
25,241,511,611
IssuesEvent
2022-11-15 07:53:40
apache/incubator-devlake
https://api.github.com/repos/apache/incubator-devlake
closed
[Feature][Config UI] Skipping Failed/Stalled Stages
type/feature-request priority/high
### Search before asking - [X] I had searched in the [issues](https://github.com/apache/incubator-devlake/issues?q=is%3Aissue) and found no similar feature requirement. ### Description The requested feature is an option to skip failed stages and carry on with the following stages in the pipeline, for those who have a long list of repos to run and want to make as much progress as possible in one go. In "advanced mode", one can list tens or hundreds of stages(repos) in the "2D list" of the API, to run in sequence. But when one stage fails for whatever reason, the whole pipeline halts, missing the opportunity to run the following stages and just wasting time for human intervention. Better still, a timeout (say 4 hours) setting can also be useful, for those stages that don't actually fail but still are not making any progress due to rate limiting etc. ### Use case Add a global option "skip stage when stalled", and a sub-setting for a timeout. ### Related issues _No response_ ### Are you willing to submit a PR? - [ ] Yes I am willing to submit a PR! ### Code of Conduct - [X] I agree to follow this project's [Code of Conduct](https://www.apache.org/foundation/policies/conduct)
1.0
[Feature][Config UI] Skipping Failed/Stalled Stages - ### Search before asking - [X] I had searched in the [issues](https://github.com/apache/incubator-devlake/issues?q=is%3Aissue) and found no similar feature requirement. ### Description The requested feature is an option to skip failed stages and carry on with the following stages in the pipeline, for those who have a long list of repos to run and want to make as much progress as possible in one go. In "advanced mode", one can list tens or hundreds of stages(repos) in the "2D list" of the API, to run in sequence. But when one stage fails for whatever reason, the whole pipeline halts, missing the opportunity to run the following stages and just wasting time for human intervention. Better still, a timeout (say 4 hours) setting can also be useful, for those stages that don't actually fail but still are not making any progress due to rate limiting etc. ### Use case Add a global option "skip stage when stalled", and a sub-setting for a timeout. ### Related issues _No response_ ### Are you willing to submit a PR? - [ ] Yes I am willing to submit a PR! ### Code of Conduct - [X] I agree to follow this project's [Code of Conduct](https://www.apache.org/foundation/policies/conduct)
priority
skipping failed stalled stages search before asking i had searched in the and found no similar feature requirement description the requested feature is an option to skip failed stages and carry on with the following stages in the pipeline for those who have a long list of repos to run and want to make as much progress as possible in one go in advanced mode one can list tens or hundreds of stages repos in the list of the api to run in sequence but when one stage fails for whatever reason the whole pipeline halts missing the opportunity to run the following stages and just wasting time for human intervention better still a timeout say hours setting can also be useful for those stages that don t actually fail but still are not making any progress due to rate limiting etc use case add a global option skip stage when stalled and a sub setting for a timeout related issues no response are you willing to submit a pr yes i am willing to submit a pr code of conduct i agree to follow this project s
1
58,760
3,091,115,631
IssuesEvent
2015-08-26 11:11:02
mPowering/django-orb
https://api.github.com/repos/mPowering/django-orb
opened
After running update via API, content is removed from search index
bug Effort: < 1 day high priority
May need to trigger a new "resource save" after all the tags have been added?
1.0
After running update via API, content is removed from search index - May need to trigger a new "resource save" after all the tags have been added?
priority
after running update via api content is removed from search index may need to trigger a new resource save after all the tags have been added
1
291,114
8,920,394,560
IssuesEvent
2019-01-21 06:33:16
RaenonX/SCCIEOANS
https://api.github.com/repos/RaenonX/SCCIEOANS
opened
Possible annotation for mongoDB data entry?
enhancement high priority
``` @mongoentry class MongoEntry: pass ``` Still thinking
1.0
Possible annotation for mongoDB data entry? - ``` @mongoentry class MongoEntry: pass ``` Still thinking
priority
possible annotation for mongodb data entry mongoentry class mongoentry pass still thinking
1
51,952
3,015,936,983
IssuesEvent
2015-07-29 22:15:50
DrkSephy/legionJS
https://api.github.com/repos/DrkSephy/legionJS
closed
Setup Documentation Build
high priority
We should have a doc build system in place that can parse our inline docstrings and also add additional tutorials and such.
1.0
Setup Documentation Build - We should have a doc build system in place that can parse our inline docstrings and also add additional tutorials and such.
priority
setup documentation build we should have a doc build system in place that can parse our inline docstrings and also add additional tutorials and such
1
151,247
5,808,524,864
IssuesEvent
2017-05-04 10:56:22
metasfresh/metasfresh-webui-api
https://api.github.com/repos/metasfresh/metasfresh-webui-api
opened
Apply role permissions when browsing/editing data
bug high priority
### Is this a bug or feature request? Bug ### What is the current behavior? When browsing or editing documents or views the role permissions are not applied at all. So basically, you can view, edit, delete system records as a regular user. #### Which are the steps to reproduce? ##### Login with non-System role: 1. browse AD_Elements which shall be visible only for SysAdm: https://w101.metasfresh.com:8443/window/151 => shall not be allowed 2. browse currencies: https://w101.metasfresh.com:8443/window/115 => shall be visible * select one => shall be readonly if Client=System ##### Login with System role: steps above shall work NOTE to IT: pls come up with more tests.
1.0
Apply role permissions when browsing/editing data - ### Is this a bug or feature request? Bug ### What is the current behavior? When browsing or editing documents or views the role permissions are not applied at all. So basically, you can view, edit, delete system records as a regular user. #### Which are the steps to reproduce? ##### Login with non-System role: 1. browse AD_Elements which shall be visible only for SysAdm: https://w101.metasfresh.com:8443/window/151 => shall not be allowed 2. browse currencies: https://w101.metasfresh.com:8443/window/115 => shall be visible * select one => shall be readonly if Client=System ##### Login with System role: steps above shall work NOTE to IT: pls come up with more tests.
priority
apply role permissions when browsing editing data is this a bug or feature request bug what is the current behavior when browsing or editing documents or views the role permissions are not applied at all so basically you can view edit delete system records as a regular user which are the steps to reproduce login with non system role browse ad elements which shall be visible only for sysadm shall not be allowed browse currencies shall be visible select one shall be readonly if client system login with system role steps above shall work note to it pls come up with more tests
1
520,603
15,089,192,267
IssuesEvent
2021-02-06 04:17:27
Tavrin/oc-mvc-php-blog
https://api.github.com/repos/Tavrin/oc-mvc-php-blog
closed
DEV-4: Controller System
3 Component: Core Priority: High Status: Available Type: Feature
A routed Request typically needs a Controller which would serve as the Logic Layer of the application, processing the information and sending back the right Response based on it.
1.0
DEV-4: Controller System - A routed Request typically needs a Controller which would serve as the Logic Layer of the application, processing the information and sending back the right Response based on it.
priority
dev controller system a routed request typically needs a controller which would serve as the logic layer of the application processing the information and sending back the right response based on it
1
193,124
6,881,871,901
IssuesEvent
2017-11-21 00:29:49
jacob404/promod-future
https://api.github.com/repos/jacob404/promod-future
closed
Players can get stuck and unable to move after crashing and rejoining a game
bug high priority
Apparently, as infected, typing the warp commands will make you unstuck, such as "sm_warpto 1", but still a bug nonetheless
1.0
Players can get stuck and unable to move after crashing and rejoining a game - Apparently, as infected, typing the warp commands will make you unstuck, such as "sm_warpto 1", but still a bug nonetheless
priority
players can get stuck and unable to move after crashing and rejoining a game apparently as infected typing the warp commands will make you unstuck such as sm warpto but still a bug nonetheless
1
532,677
15,569,471,261
IssuesEvent
2021-03-17 00:14:12
TerriaJS/terriajs
https://api.github.com/repos/TerriaJS/terriajs
opened
CkanCatalogGroup should handle filterQuery correctly
High priority
The current implementation assumes that each element in filterQuery array of CkanCatalogGroup is a Object that has key-value pair such as ``` { "fq": "(organization:alpine-shire-council AND res_format:(geojson OR GeoJSON OR kml OR KML OR kmz OR KMZ OR wms OR WMS OR CSV-GEO-AU OR csv-geo-au OR aus-geo-csv OR \"Esri REST\"))" } ``` However, an array element can also be a pure query string such as ``` "fq=+(res_format%3Awms%20OR%20res_format%3AWMS)" ``` The code should also handle that case.
1.0
CkanCatalogGroup should handle filterQuery correctly - The current implementation assumes that each element in filterQuery array of CkanCatalogGroup is a Object that has key-value pair such as ``` { "fq": "(organization:alpine-shire-council AND res_format:(geojson OR GeoJSON OR kml OR KML OR kmz OR KMZ OR wms OR WMS OR CSV-GEO-AU OR csv-geo-au OR aus-geo-csv OR \"Esri REST\"))" } ``` However, an array element can also be a pure query string such as ``` "fq=+(res_format%3Awms%20OR%20res_format%3AWMS)" ``` The code should also handle that case.
priority
ckancataloggroup should handle filterquery correctly the current implementation assumes that each element in filterquery array of ckancataloggroup is a object that has key value pair such as fq organization alpine shire council and res format geojson or geojson or kml or kml or kmz or kmz or wms or wms or csv geo au or csv geo au or aus geo csv or esri rest however an array element can also be a pure query string such as fq res format format the code should also handle that case
1
227,982
7,544,851,730
IssuesEvent
2018-04-17 19:44:23
photonstorm/phaser
https://api.github.com/repos/photonstorm/phaser
closed
Game.destroy() causes DataManagerPlugin.destroy error
Priority: High
Dear phaser team, I am working with master branch (pulled at 14.4.18 16h). Calling game.destroy() throws error to me: > DataManagerPlugin.js:101 Uncaught (in promise) TypeError: Cannot read property 'sys' of null at DataManagerPlugin.destroy (DataManagerPlugin.js:101) at EventEmitter.emit (index.js:202) at Systems.destroy (Systems.js:615) at SceneManager.destroy (SceneManager.js:1488) at Game.destroy (Game.js:539) at GameComponent.destroyGame (index.js:143) at GameComponent.componentWillUnmount (index.js:129) at GameComponent.unmount (component.js:69) at Game.sceneWillUnmount (game.js:168) at Function.go (router.js:31) Does it happen also to you? I am new in phaser. Please, should I report master branch errors? Sorry If I am annoying Lukas <bountysource-plugin> --- Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/57085953-game-destroy-causes-datamanagerplugin-destroy-error?utm_campaign=plugin&utm_content=tracker%2F283654&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F283654&utm_medium=issues&utm_source=github). </bountysource-plugin>
1.0
Game.destroy() causes DataManagerPlugin.destroy error - Dear phaser team, I am working with master branch (pulled at 14.4.18 16h). Calling game.destroy() throws error to me: > DataManagerPlugin.js:101 Uncaught (in promise) TypeError: Cannot read property 'sys' of null at DataManagerPlugin.destroy (DataManagerPlugin.js:101) at EventEmitter.emit (index.js:202) at Systems.destroy (Systems.js:615) at SceneManager.destroy (SceneManager.js:1488) at Game.destroy (Game.js:539) at GameComponent.destroyGame (index.js:143) at GameComponent.componentWillUnmount (index.js:129) at GameComponent.unmount (component.js:69) at Game.sceneWillUnmount (game.js:168) at Function.go (router.js:31) Does it happen also to you? I am new in phaser. Please, should I report master branch errors? Sorry If I am annoying Lukas <bountysource-plugin> --- Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/57085953-game-destroy-causes-datamanagerplugin-destroy-error?utm_campaign=plugin&utm_content=tracker%2F283654&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F283654&utm_medium=issues&utm_source=github). </bountysource-plugin>
priority
game destroy causes datamanagerplugin destroy error dear phaser team i am working with master branch pulled at calling game destroy throws error to me datamanagerplugin js uncaught in promise typeerror cannot read property sys of null at datamanagerplugin destroy datamanagerplugin js at eventemitter emit index js at systems destroy systems js at scenemanager destroy scenemanager js at game destroy game js at gamecomponent destroygame index js at gamecomponent componentwillunmount index js at gamecomponent unmount component js at game scenewillunmount game js at function go router js does it happen also to you i am new in phaser please should i report master branch errors sorry if i am annoying lukas want to back this issue we accept bounties via
1
736,918
25,492,533,820
IssuesEvent
2022-11-27 08:57:47
EthicalSoftwareCommunity/HippieUniverse_mobilegame
https://api.github.com/repos/EthicalSoftwareCommunity/HippieUniverse_mobilegame
closed
New result screen prototype
HIGH PRIORITY HF (HippieFall) prototype UI
- The results screen should congratulate the player with the new record and display the number of points; (If the record is not changed - show the old one) - Ask to continue the game by: --spend crystal; --see ads; - Add a replay button again - Show the current number of crystals and coins *These mechanics are necessary for a complete prototype, in the future the text will be minimized ![Screenshot from 2022-11-13 17-00-54](https://user-images.githubusercontent.com/116068986/201516330-4469f4ef-3430-4595-8ab8-77ce28e313f7.png)
1.0
New result screen prototype - - The results screen should congratulate the player with the new record and display the number of points; (If the record is not changed - show the old one) - Ask to continue the game by: --spend crystal; --see ads; - Add a replay button again - Show the current number of crystals and coins *These mechanics are necessary for a complete prototype, in the future the text will be minimized ![Screenshot from 2022-11-13 17-00-54](https://user-images.githubusercontent.com/116068986/201516330-4469f4ef-3430-4595-8ab8-77ce28e313f7.png)
priority
new result screen prototype the results screen should congratulate the player with the new record and display the number of points if the record is not changed show the old one ask to continue the game by spend crystal see ads add a replay button again show the current number of crystals and coins these mechanics are necessary for a complete prototype in the future the text will be minimized
1
87,512
3,755,577,823
IssuesEvent
2016-03-12 19:14:35
PeaceGeeksSociety/amani
https://api.github.com/repos/PeaceGeeksSociety/amani
closed
'Article' feed on home should be configurable to include other content types
Amani Zen Theme High Priority
Blog Event Article etc.
1.0
'Article' feed on home should be configurable to include other content types - Blog Event Article etc.
priority
article feed on home should be configurable to include other content types blog event article etc
1
813,665
30,466,208,255
IssuesEvent
2023-07-17 10:32:16
fractal-analytics-platform/fractal-server
https://api.github.com/repos/fractal-analytics-platform/fractal-server
closed
Support execution of a workflow subset
High Priority july2023
Considering the use cases described in https://github.com/fractal-analytics-platform/fractal-server/issues/261: 1. I’m not ready for the whole workflow yet. I just want to look at the image first (=> run 0 to n) 2. Continue a workflow: n to m 3. Something failed at step 3 (because input parameters were wrong). Let me correct parameters and rerun from there This issue concerns a preliminary implementation that supports 1 and 2. This will likely require some changes to also support 3, but it's meant as a draft to get started. - [x] Add `start_task` and `end_task` `Optional[int] = None` fields to the `ApplyWorkflow` model, and include them in `ApplyWorkflowCreate`. - [x] Replace `None`s with defaults (`start_task=0` and `end_task` pointing to the last task in the list), as part of the apply-workflow endpoint. - [x] Propagate these two parameters all the way to `_process_workflow` (in each backend). - [x] Execute only the relevant bit of the list of tasks. Note that this implementation will require the user to appropriately prepare (up to) three dataset: one as the input of the first part of the workflow, one as the first-part output (which is also the second-part input), and one as the second-part output.
1.0
Support execution of a workflow subset - Considering the use cases described in https://github.com/fractal-analytics-platform/fractal-server/issues/261: 1. I’m not ready for the whole workflow yet. I just want to look at the image first (=> run 0 to n) 2. Continue a workflow: n to m 3. Something failed at step 3 (because input parameters were wrong). Let me correct parameters and rerun from there This issue concerns a preliminary implementation that supports 1 and 2. This will likely require some changes to also support 3, but it's meant as a draft to get started. - [x] Add `start_task` and `end_task` `Optional[int] = None` fields to the `ApplyWorkflow` model, and include them in `ApplyWorkflowCreate`. - [x] Replace `None`s with defaults (`start_task=0` and `end_task` pointing to the last task in the list), as part of the apply-workflow endpoint. - [x] Propagate these two parameters all the way to `_process_workflow` (in each backend). - [x] Execute only the relevant bit of the list of tasks. Note that this implementation will require the user to appropriately prepare (up to) three dataset: one as the input of the first part of the workflow, one as the first-part output (which is also the second-part input), and one as the second-part output.
priority
support execution of a workflow subset considering the use cases described in i’m not ready for the whole workflow yet i just want to look at the image first run to n continue a workflow n to m something failed at step because input parameters were wrong let me correct parameters and rerun from there this issue concerns a preliminary implementation that supports and this will likely require some changes to also support but it s meant as a draft to get started add start task and end task optional none fields to the applyworkflow model and include them in applyworkflowcreate replace none s with defaults start task and end task pointing to the last task in the list as part of the apply workflow endpoint propagate these two parameters all the way to process workflow in each backend execute only the relevant bit of the list of tasks note that this implementation will require the user to appropriately prepare up to three dataset one as the input of the first part of the workflow one as the first part output which is also the second part input and one as the second part output
1
269,299
8,434,235,334
IssuesEvent
2018-10-17 09:37:43
josephroqueca/bowling-companion
https://api.github.com/repos/josephroqueca/bowling-companion
opened
Weird issue with rotating device causing wrong game score
bug high priority
Reproduction: Create a new game, select all pins but the right 2 pin, rotate the device, notice that no pins are selected, rotate back and notice all the pins but the right 2 pin are selected again.
1.0
Weird issue with rotating device causing wrong game score - Reproduction: Create a new game, select all pins but the right 2 pin, rotate the device, notice that no pins are selected, rotate back and notice all the pins but the right 2 pin are selected again.
priority
weird issue with rotating device causing wrong game score reproduction create a new game select all pins but the right pin rotate the device notice that no pins are selected rotate back and notice all the pins but the right pin are selected again
1
514,351
14,937,607,947
IssuesEvent
2021-01-25 14:50:13
ArctosDB/arctos
https://api.github.com/repos/ArctosDB/arctos
closed
Authentication failed after unlock account
Bug Error Messages Function-Users Priority-Critical Priority-High
From operator: Great, thanks! I received the account unlock email, but using the one-time password still gave this error: "Authentication failed. Additional Information: authentication failed"
2.0
Authentication failed after unlock account - From operator: Great, thanks! I received the account unlock email, but using the one-time password still gave this error: "Authentication failed. Additional Information: authentication failed"
priority
authentication failed after unlock account from operator great thanks i received the account unlock email but using the one time password still gave this error authentication failed additional information authentication failed
1
634,515
20,364,223,562
IssuesEvent
2022-02-21 02:21:49
TencentBlueKing/bk-iam-saas
https://api.github.com/repos/TencentBlueKing/bk-iam-saas
closed
[Auth] 基于Postman的API功能测试
Type: Enhancement Priority: High Size: M
1.App Access Key - 6个 2. AccessToken - 3个 3. Target&Scope - 8个 4. OAuth App - 4个
1.0
[Auth] 基于Postman的API功能测试 - 1.App Access Key - 6个 2. AccessToken - 3个 3. Target&Scope - 8个 4. OAuth App - 4个
priority
基于postman的api功能测试 app access key accesstoken target scope oauth app
1
510,998
14,851,362,490
IssuesEvent
2021-01-18 06:45:20
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
accounts.zoho.com - site is not usable
browser-fenix engine-gecko ml-needsdiagnosis-false ml-probability-high priority-important
<!-- @browser: Firefox Mobile 86.0 --> <!-- @ua_header: Mozilla/5.0 (Android 9; Mobile; rv:86.0) Gecko/86.0 Firefox/86.0 --> <!-- @reported_with: android-components-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/65739 --> <!-- @extra_labels: browser-fenix --> **URL**: https://accounts.zoho.com/accounts/oauthcallback **Browser / Version**: Firefox Mobile 86.0 **Operating System**: Android **Tested Another Browser**: No **Problem type**: Site is not usable **Description**: Page not loading correctly **Steps to Reproduce**: Accessing my passwords on my notes is not accessable through the web browser. Firefox Nightly <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2021/1/1a85c823-29c6-4ffd-86f8-628dd3ab7e2f.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20210113100240</li><li>channel: nightly</li><li>hasTouchScreen: true</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2021/1/004b7068-3576-4ef4-9049-fd86a35af8a6) _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
accounts.zoho.com - site is not usable - <!-- @browser: Firefox Mobile 86.0 --> <!-- @ua_header: Mozilla/5.0 (Android 9; Mobile; rv:86.0) Gecko/86.0 Firefox/86.0 --> <!-- @reported_with: android-components-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/65739 --> <!-- @extra_labels: browser-fenix --> **URL**: https://accounts.zoho.com/accounts/oauthcallback **Browser / Version**: Firefox Mobile 86.0 **Operating System**: Android **Tested Another Browser**: No **Problem type**: Site is not usable **Description**: Page not loading correctly **Steps to Reproduce**: Accessing my passwords on my notes is not accessable through the web browser. Firefox Nightly <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2021/1/1a85c823-29c6-4ffd-86f8-628dd3ab7e2f.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20210113100240</li><li>channel: nightly</li><li>hasTouchScreen: true</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2021/1/004b7068-3576-4ef4-9049-fd86a35af8a6) _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
accounts zoho com site is not usable url browser version firefox mobile operating system android tested another browser no problem type site is not usable description page not loading correctly steps to reproduce accessing my passwords on my notes is not accessable through the web browser firefox nightly view the screenshot img alt screenshot src browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel nightly hastouchscreen true mixed active content blocked false mixed passive content blocked false tracking content blocked false from with ❤️
1
613,328
19,087,195,109
IssuesEvent
2021-11-29 08:00:27
jwlexi/CitizensReportApp
https://api.github.com/repos/jwlexi/CitizensReportApp
opened
Launch to Heroku
High priority
The website needs to be launched to Heroku so that people don't need to keep running it on the local machine.
1.0
Launch to Heroku - The website needs to be launched to Heroku so that people don't need to keep running it on the local machine.
priority
launch to heroku the website needs to be launched to heroku so that people don t need to keep running it on the local machine
1
462,487
13,248,014,065
IssuesEvent
2020-08-19 18:13:41
SHUReeducation/autoAPI
https://api.github.com/repos/SHUReeducation/autoAPI
closed
生成并发布 Docker 镜像
cicd feature request high priority medium
<!-- 下面的内容可以使用中文或者英文填写。 --> <!-- You can fill the following things by using English or Chinese. --> <!-- 注意:请不要要求我们支持Java,我们永远不会考虑支持Java。 --> <!-- Warning: Never ask us to support Java, we'll never do that. --> 目前发布的CI中并不包含生成Docker镜像的代码 **Describe the solution you'd like** 生成Docker镜像,并推送到Dockerhub。
1.0
生成并发布 Docker 镜像 - <!-- 下面的内容可以使用中文或者英文填写。 --> <!-- You can fill the following things by using English or Chinese. --> <!-- 注意:请不要要求我们支持Java,我们永远不会考虑支持Java。 --> <!-- Warning: Never ask us to support Java, we'll never do that. --> 目前发布的CI中并不包含生成Docker镜像的代码 **Describe the solution you'd like** 生成Docker镜像,并推送到Dockerhub。
priority
生成并发布 docker 镜像 下面的内容可以使用中文或者英文填写。 you can fill the following things by using english or chinese 注意:请不要要求我们支持java,我们永远不会考虑支持java。 warning never ask us to support java we ll never do that 目前发布的ci中并不包含生成docker镜像的代码 describe the solution you d like 生成docker镜像,并推送到dockerhub。
1
726,483
25,000,623,071
IssuesEvent
2022-11-03 07:30:12
AY2223S1-CS2103T-T15-3/tp
https://api.github.com/repos/AY2223S1-CS2103T-T15-3/tp
closed
Update DG
priority.High type.DG
Currently, the DG is displaying outdated information, such as `Model` not having every tutor field. Let's update all relevant parts of the DG to fit the current Tuthub.
1.0
Update DG - Currently, the DG is displaying outdated information, such as `Model` not having every tutor field. Let's update all relevant parts of the DG to fit the current Tuthub.
priority
update dg currently the dg is displaying outdated information such as model not having every tutor field let s update all relevant parts of the dg to fit the current tuthub
1
667,107
22,409,293,976
IssuesEvent
2022-06-18 13:20:28
python/mypy
https://api.github.com/repos/python/mypy
closed
Crash in lambda expression as generic argument
crash topic-type-variables priority-0-high
This test crashes on current master (and causes troubles internally): ``` [case testFilterIn] from typing import List, TypeVar, Callable T = TypeVar('T') def filter(f: Callable[[T], bool], it: List[T]) -> List[T]: ... xs: List[int] filter(lambda x: x in [1, 2] and bool(), [3, 4]) [builtins fixtures/list.pyi] ``` with a traceback that ends in ``` File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 942, in check_callable_call callee, args, arg_kinds, formal_to_actual, context) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 1145, in infer_function_type_arguments callee_type, args, arg_kinds, formal_to_actual) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 1043, in infer_arg_types_in_context res[ai] = self.accept(args[ai], callee.arg_types[i]) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 3723, in accept typ = node.accept(self) File "/Users/ilevkivskyi/src/mypy/mypy/nodes.py", line 1852, in accept return visitor.visit_lambda_expr(self) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 3334, in visit_lambda_expr self.chk.check_func_item(e, type_override=type_override) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 790, in check_func_item self.check_func_def(defn, typ, name) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 973, in check_func_def self.accept(item.body) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 399, in accept stmt.accept(self) File "/Users/ilevkivskyi/src/mypy/mypy/nodes.py", line 1004, in accept return visitor.visit_block(self) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 1970, in visit_block self.accept(s) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 399, in accept stmt.accept(self) File "/Users/ilevkivskyi/src/mypy/mypy/nodes.py", line 1140, in accept return visitor.visit_return_stmt(self) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 3090, in visit_return_stmt self.check_return_stmt(s) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 3123, in check_return_stmt s.expr, return_type, allow_none_return=allow_none_func_call)) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 3723, in accept typ = node.accept(self) File "/Users/ilevkivskyi/src/mypy/mypy/nodes.py", line 1736, in accept return visitor.visit_op_expr(self) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 2077, in visit_op_expr return self.check_boolean_op(e, e) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 2703, in check_boolean_op right_map, left_map = self.chk.find_isinstance_check(e.left) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 3811, in find_isinstance_check if_map, else_map = self.find_isinstance_check_helper(node) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 3926, in find_isinstance_check_helper if is_overlapping_erased_types(item_type, collection_item_type): File "/Users/ilevkivskyi/src/mypy/mypy/meet.py", line 361, in is_overlapping_erased_types return is_overlapping_types(erase_type(left), erase_type(right), File "/Users/ilevkivskyi/src/mypy/mypy/erasetype.py", line 25, in erase_type return typ.accept(EraseTypeVisitor()) File "/Users/ilevkivskyi/src/mypy/mypy/types.py", line 694, in accept return visitor.visit_erased_type(self) File "/Users/ilevkivskyi/src/mypy/mypy/erasetype.py", line 45, in visit_erased_type raise RuntimeError() RuntimeError: ``` This may be related to https://github.com/python/mypy/pull/8148, also note there is a weird `pass` [here](https://github.com/python/mypy/blob/master/mypy/checker.py#L3918) (it should probably be `continue`). cc @Michael0x2a
1.0
Crash in lambda expression as generic argument - This test crashes on current master (and causes troubles internally): ``` [case testFilterIn] from typing import List, TypeVar, Callable T = TypeVar('T') def filter(f: Callable[[T], bool], it: List[T]) -> List[T]: ... xs: List[int] filter(lambda x: x in [1, 2] and bool(), [3, 4]) [builtins fixtures/list.pyi] ``` with a traceback that ends in ``` File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 942, in check_callable_call callee, args, arg_kinds, formal_to_actual, context) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 1145, in infer_function_type_arguments callee_type, args, arg_kinds, formal_to_actual) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 1043, in infer_arg_types_in_context res[ai] = self.accept(args[ai], callee.arg_types[i]) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 3723, in accept typ = node.accept(self) File "/Users/ilevkivskyi/src/mypy/mypy/nodes.py", line 1852, in accept return visitor.visit_lambda_expr(self) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 3334, in visit_lambda_expr self.chk.check_func_item(e, type_override=type_override) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 790, in check_func_item self.check_func_def(defn, typ, name) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 973, in check_func_def self.accept(item.body) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 399, in accept stmt.accept(self) File "/Users/ilevkivskyi/src/mypy/mypy/nodes.py", line 1004, in accept return visitor.visit_block(self) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 1970, in visit_block self.accept(s) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 399, in accept stmt.accept(self) File "/Users/ilevkivskyi/src/mypy/mypy/nodes.py", line 1140, in accept return visitor.visit_return_stmt(self) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 3090, in visit_return_stmt self.check_return_stmt(s) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 3123, in check_return_stmt s.expr, return_type, allow_none_return=allow_none_func_call)) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 3723, in accept typ = node.accept(self) File "/Users/ilevkivskyi/src/mypy/mypy/nodes.py", line 1736, in accept return visitor.visit_op_expr(self) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 2077, in visit_op_expr return self.check_boolean_op(e, e) File "/Users/ilevkivskyi/src/mypy/mypy/checkexpr.py", line 2703, in check_boolean_op right_map, left_map = self.chk.find_isinstance_check(e.left) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 3811, in find_isinstance_check if_map, else_map = self.find_isinstance_check_helper(node) File "/Users/ilevkivskyi/src/mypy/mypy/checker.py", line 3926, in find_isinstance_check_helper if is_overlapping_erased_types(item_type, collection_item_type): File "/Users/ilevkivskyi/src/mypy/mypy/meet.py", line 361, in is_overlapping_erased_types return is_overlapping_types(erase_type(left), erase_type(right), File "/Users/ilevkivskyi/src/mypy/mypy/erasetype.py", line 25, in erase_type return typ.accept(EraseTypeVisitor()) File "/Users/ilevkivskyi/src/mypy/mypy/types.py", line 694, in accept return visitor.visit_erased_type(self) File "/Users/ilevkivskyi/src/mypy/mypy/erasetype.py", line 45, in visit_erased_type raise RuntimeError() RuntimeError: ``` This may be related to https://github.com/python/mypy/pull/8148, also note there is a weird `pass` [here](https://github.com/python/mypy/blob/master/mypy/checker.py#L3918) (it should probably be `continue`). cc @Michael0x2a
priority
crash in lambda expression as generic argument this test crashes on current master and causes troubles internally from typing import list typevar callable t typevar t def filter f callable bool it list list xs list filter lambda x x in and bool with a traceback that ends in file users ilevkivskyi src mypy mypy checkexpr py line in check callable call callee args arg kinds formal to actual context file users ilevkivskyi src mypy mypy checkexpr py line in infer function type arguments callee type args arg kinds formal to actual file users ilevkivskyi src mypy mypy checkexpr py line in infer arg types in context res self accept args callee arg types file users ilevkivskyi src mypy mypy checkexpr py line in accept typ node accept self file users ilevkivskyi src mypy mypy nodes py line in accept return visitor visit lambda expr self file users ilevkivskyi src mypy mypy checkexpr py line in visit lambda expr self chk check func item e type override type override file users ilevkivskyi src mypy mypy checker py line in check func item self check func def defn typ name file users ilevkivskyi src mypy mypy checker py line in check func def self accept item body file users ilevkivskyi src mypy mypy checker py line in accept stmt accept self file users ilevkivskyi src mypy mypy nodes py line in accept return visitor visit block self file users ilevkivskyi src mypy mypy checker py line in visit block self accept s file users ilevkivskyi src mypy mypy checker py line in accept stmt accept self file users ilevkivskyi src mypy mypy nodes py line in accept return visitor visit return stmt self file users ilevkivskyi src mypy mypy checker py line in visit return stmt self check return stmt s file users ilevkivskyi src mypy mypy checker py line in check return stmt s expr return type allow none return allow none func call file users ilevkivskyi src mypy mypy checkexpr py line in accept typ node accept self file users ilevkivskyi src mypy mypy nodes py line in accept return visitor visit op expr self file users ilevkivskyi src mypy mypy checkexpr py line in visit op expr return self check boolean op e e file users ilevkivskyi src mypy mypy checkexpr py line in check boolean op right map left map self chk find isinstance check e left file users ilevkivskyi src mypy mypy checker py line in find isinstance check if map else map self find isinstance check helper node file users ilevkivskyi src mypy mypy checker py line in find isinstance check helper if is overlapping erased types item type collection item type file users ilevkivskyi src mypy mypy meet py line in is overlapping erased types return is overlapping types erase type left erase type right file users ilevkivskyi src mypy mypy erasetype py line in erase type return typ accept erasetypevisitor file users ilevkivskyi src mypy mypy types py line in accept return visitor visit erased type self file users ilevkivskyi src mypy mypy erasetype py line in visit erased type raise runtimeerror runtimeerror this may be related to also note there is a weird pass it should probably be continue cc
1
329,466
10,020,147,609
IssuesEvent
2019-07-16 11:55:24
neo-project/neo
https://api.github.com/repos/neo-project/neo
closed
New API for NeoContract: System.Runtime.GetNotifications
discussion high-priority
`System.Runtime.GetNotifications` receives a scripthash as an argument, and returns all notifications from that contract in current `InvocationTransaction`. Consider that we have an `InvocationTransaction` with the following `Script`: ``` APPCALL <A> APPCALL <B> SYSCALL System.Runtime.GetNotifications <A> ```
1.0
New API for NeoContract: System.Runtime.GetNotifications - `System.Runtime.GetNotifications` receives a scripthash as an argument, and returns all notifications from that contract in current `InvocationTransaction`. Consider that we have an `InvocationTransaction` with the following `Script`: ``` APPCALL <A> APPCALL <B> SYSCALL System.Runtime.GetNotifications <A> ```
priority
new api for neocontract system runtime getnotifications system runtime getnotifications receives a scripthash as an argument and returns all notifications from that contract in current invocationtransaction consider that we have an invocationtransaction with the following script appcall appcall syscall system runtime getnotifications
1
802,725
29,044,659,254
IssuesEvent
2023-05-13 12:00:54
oceanprotocol/ocean-subgraph
https://api.github.com/repos/oceanprotocol/ocean-subgraph
closed
Store event log index for all records
Type: Bug Priority: High
For each event that is processed and stored into any entity, we need to store eventIndex as well. Some entities are already using eventIndex when generating the id, but this is not enough. Rationale: - we are working on having less txs -> one tx could have multiple actions (like multiple DT buying, etc) with multiple startOrder events - have multiple providerFees in one tx - have multiple ve+df actions in one tx - etc Customers: D______ & F___: - When they're doing compute jobs, they need to do several txs. It's a big pain for them - Doing this issue will solve this (?)
1.0
Store event log index for all records - For each event that is processed and stored into any entity, we need to store eventIndex as well. Some entities are already using eventIndex when generating the id, but this is not enough. Rationale: - we are working on having less txs -> one tx could have multiple actions (like multiple DT buying, etc) with multiple startOrder events - have multiple providerFees in one tx - have multiple ve+df actions in one tx - etc Customers: D______ & F___: - When they're doing compute jobs, they need to do several txs. It's a big pain for them - Doing this issue will solve this (?)
priority
store event log index for all records for each event that is processed and stored into any entity we need to store eventindex as well some entities are already using eventindex when generating the id but this is not enough rationale we are working on having less txs one tx could have multiple actions like multiple dt buying etc with multiple startorder events have multiple providerfees in one tx have multiple ve df actions in one tx etc customers d f when they re doing compute jobs they need to do several txs it s a big pain for them doing this issue will solve this
1
222,833
7,439,465,767
IssuesEvent
2018-03-27 06:40:19
bitshares/bitshares-ui
https://api.github.com/repos/bitshares/bitshares-ui
closed
[1] Request timed out after 5000ms with object ids: ["0:309","0:354"]
bug high priority
When browsing to https://wallet.bitshares.org/#/account/jademont/voting, this error will show in dev console after a while: ``` Request timed out after 5000ms with object ids: ["0:309","0:354"] ``` In the meanwhile, some committee members e.g. "jademont" and "clockworkgr" are not showing In the page.
1.0
[1] Request timed out after 5000ms with object ids: ["0:309","0:354"] - When browsing to https://wallet.bitshares.org/#/account/jademont/voting, this error will show in dev console after a while: ``` Request timed out after 5000ms with object ids: ["0:309","0:354"] ``` In the meanwhile, some committee members e.g. "jademont" and "clockworkgr" are not showing In the page.
priority
request timed out after with object ids when browsing to this error will show in dev console after a while request timed out after with object ids in the meanwhile some committee members e g jademont and clockworkgr are not showing in the page
1
128,255
5,051,692,313
IssuesEvent
2016-12-20 22:43:56
Valhalla-Gaming/Tracker
https://api.github.com/repos/Valhalla-Gaming/Tracker
closed
Warlock Drein Life , Drein Soul heals too much, in 2 sec fro 1% hp to full...
Class-Warlock Priority-High
**Describe the issue you're having**: Warlock Drein Life heals too much, in 2 sec fro 1% hp to full and eaven without shield he is not absorbing spells he is doing block.... ![wowscrnshot_121116_120618](https://cloud.githubusercontent.com/assets/24189853/21137920/c9b909a6-c13c-11e6-9048-20e1a74c094d.jpg)
1.0
Warlock Drein Life , Drein Soul heals too much, in 2 sec fro 1% hp to full... - **Describe the issue you're having**: Warlock Drein Life heals too much, in 2 sec fro 1% hp to full and eaven without shield he is not absorbing spells he is doing block.... ![wowscrnshot_121116_120618](https://cloud.githubusercontent.com/assets/24189853/21137920/c9b909a6-c13c-11e6-9048-20e1a74c094d.jpg)
priority
warlock drein life drein soul heals too much in sec fro hp to full describe the issue you re having warlock drein life heals too much in sec fro hp to full and eaven without shield he is not absorbing spells he is doing block
1
786,017
27,631,444,364
IssuesEvent
2023-03-10 11:09:14
asastats/channel
https://api.github.com/repos/asastats/channel
closed
Add Cometa BP-goBtc +Algo staking program
feature high priority addressed
Feature link:https://app.cometa.farm/stake Application ID:? +Stake One/Earn One
1.0
Add Cometa BP-goBtc +Algo staking program - Feature link:https://app.cometa.farm/stake Application ID:? +Stake One/Earn One
priority
add cometa bp gobtc algo staking program feature link application id stake one earn one
1
242,930
7,850,833,070
IssuesEvent
2018-06-20 09:44:20
Signbank/Global-signbank
https://api.github.com/repos/Signbank/Global-signbank
closed
The guardian function get_user_perm always returns an empty list on the ASL Signbank
ASL high priority
As a result of this, the check for the correct dataset permissions always fails, and everybody gets the message 'You are not authorized to change the selected dataset.' when they try to create a new sign. For now, the dataset permission check has been commented out (and not committed), but obviously we need a better solution). The most important question is: why is this list always empty, whatever I do in the admin and dataset management tools?
1.0
The guardian function get_user_perm always returns an empty list on the ASL Signbank - As a result of this, the check for the correct dataset permissions always fails, and everybody gets the message 'You are not authorized to change the selected dataset.' when they try to create a new sign. For now, the dataset permission check has been commented out (and not committed), but obviously we need a better solution). The most important question is: why is this list always empty, whatever I do in the admin and dataset management tools?
priority
the guardian function get user perm always returns an empty list on the asl signbank as a result of this the check for the correct dataset permissions always fails and everybody gets the message you are not authorized to change the selected dataset when they try to create a new sign for now the dataset permission check has been commented out and not committed but obviously we need a better solution the most important question is why is this list always empty whatever i do in the admin and dataset management tools
1
144,647
5,543,734,074
IssuesEvent
2017-03-22 17:33:09
chocolatey/choco
https://api.github.com/repos/chocolatey/choco
closed
Load built-in Chocolatey functions, then load extensions
2 - Working Bug Priority_HIGH
There appears to be a bug in loading that doesn't make it very deterministic in not loading a function if it is already loaded by newer versions of Chocolatey.
1.0
Load built-in Chocolatey functions, then load extensions - There appears to be a bug in loading that doesn't make it very deterministic in not loading a function if it is already loaded by newer versions of Chocolatey.
priority
load built in chocolatey functions then load extensions there appears to be a bug in loading that doesn t make it very deterministic in not loading a function if it is already loaded by newer versions of chocolatey
1
705,178
24,225,207,118
IssuesEvent
2022-09-26 13:57:34
aseprite/aseprite
https://api.github.com/repos/aseprite/aseprite
closed
`bmp_file_header` fields are incorrectly set on bmp export
bug high priority persistence time-2
### Aseprite and System version * Aseprite 1.3-beta21-x64 * Windows 10 Thought I would make this a separate bug report. Contributors at the Godot Engine project have looked into the bmp files not properly importing, and found that something about the bmps is in fact incorrecly set. >The fields bmp_file_header.bmp_file_size and bmp_info_header.bmp_size_image are incorrectly set Here is the specific post, seems like something that might need investigating further: https://github.com/godotengine/godot/issues/66238#issuecomment-1256442592
1.0
`bmp_file_header` fields are incorrectly set on bmp export - ### Aseprite and System version * Aseprite 1.3-beta21-x64 * Windows 10 Thought I would make this a separate bug report. Contributors at the Godot Engine project have looked into the bmp files not properly importing, and found that something about the bmps is in fact incorrecly set. >The fields bmp_file_header.bmp_file_size and bmp_info_header.bmp_size_image are incorrectly set Here is the specific post, seems like something that might need investigating further: https://github.com/godotengine/godot/issues/66238#issuecomment-1256442592
priority
bmp file header fields are incorrectly set on bmp export aseprite and system version aseprite windows thought i would make this a separate bug report contributors at the godot engine project have looked into the bmp files not properly importing and found that something about the bmps is in fact incorrecly set the fields bmp file header bmp file size and bmp info header bmp size image are incorrectly set here is the specific post seems like something that might need investigating further
1
190,447
6,818,529,030
IssuesEvent
2017-11-07 06:10:09
fusetools/fuselibs-public
https://api.github.com/repos/fusetools/fuselibs-public
closed
Cannot rotate ManualTestApp on iOS
Affects: iOS Priority: High Severity: Bug Severity: Regression
Rotating the device does not cause the app to be rotated (tested the ManualTestApp). I can't see anything in the unoproj file, or in the resulting XCode file that would lock the orientation, nor do I recall us ever wanting to lock the orientation on this app. I did not test Android.
1.0
Cannot rotate ManualTestApp on iOS - Rotating the device does not cause the app to be rotated (tested the ManualTestApp). I can't see anything in the unoproj file, or in the resulting XCode file that would lock the orientation, nor do I recall us ever wanting to lock the orientation on this app. I did not test Android.
priority
cannot rotate manualtestapp on ios rotating the device does not cause the app to be rotated tested the manualtestapp i can t see anything in the unoproj file or in the resulting xcode file that would lock the orientation nor do i recall us ever wanting to lock the orientation on this app i did not test android
1
512,173
14,889,272,800
IssuesEvent
2021-01-20 21:10:10
rdsaliba/notorious-eng
https://api.github.com/repos/rdsaliba/notorious-eng
closed
(F13) Ascending/Descending asset list by RUL
High Priority UI user story
As a user, I want to filter the assets page by RUL value so that the list is displayed in either ascending or descending order. Acceptance Criteria: - [x] Add a filter button that links to the RUL values - [ ] Update Mock-up with a new version on Confluence to reflect this change (link in the issue) - [x] Filter Asset-grid view by ascending/descending RUL - [x] Filter Asset-list view by ascending/descending RUL
1.0
(F13) Ascending/Descending asset list by RUL - As a user, I want to filter the assets page by RUL value so that the list is displayed in either ascending or descending order. Acceptance Criteria: - [x] Add a filter button that links to the RUL values - [ ] Update Mock-up with a new version on Confluence to reflect this change (link in the issue) - [x] Filter Asset-grid view by ascending/descending RUL - [x] Filter Asset-list view by ascending/descending RUL
priority
ascending descending asset list by rul as a user i want to filter the assets page by rul value so that the list is displayed in either ascending or descending order acceptance criteria add a filter button that links to the rul values update mock up with a new version on confluence to reflect this change link in the issue filter asset grid view by ascending descending rul filter asset list view by ascending descending rul
1
684,460
23,418,741,031
IssuesEvent
2022-08-13 11:06:17
dmwm/CRABServer
https://api.github.com/repos/dmwm/CRABServer
closed
properly authenticate with S3
Priority: High Status: On Hold
I noticed this by chance ``` /data/srv/HG2204f-6c487c159e288d0e44f529d975910555/sw.crab_master/slc7_amd64_gcc630/external/py3-urllib3/1.26.6-comp/lib/python3.8/site-packages/urllib3/connectionpool.py:1013: InsecureRequestWarning: Unverified HTTPS request is being made to host 's3.cern.ch'. Adding certificate verification is strongly advised. See: https://urllib3.readthedocs.io/en/1.26.x/advanced-usage.html#ssl-warnings ``` which reminds me that we had to skip certificate verification because it was not supported in python2. Now that we run in py3 we can remove the 'verify=False` https://github.com/dmwm/CRABServer/blob/1a823b40b15bda1a84b5a9d002c6278bc58c85eb/src/python/CRABInterface/RESTCache.py#L91 better do this in a period of "quiet" for REST though, not during current storm of problems.
1.0
properly authenticate with S3 - I noticed this by chance ``` /data/srv/HG2204f-6c487c159e288d0e44f529d975910555/sw.crab_master/slc7_amd64_gcc630/external/py3-urllib3/1.26.6-comp/lib/python3.8/site-packages/urllib3/connectionpool.py:1013: InsecureRequestWarning: Unverified HTTPS request is being made to host 's3.cern.ch'. Adding certificate verification is strongly advised. See: https://urllib3.readthedocs.io/en/1.26.x/advanced-usage.html#ssl-warnings ``` which reminds me that we had to skip certificate verification because it was not supported in python2. Now that we run in py3 we can remove the 'verify=False` https://github.com/dmwm/CRABServer/blob/1a823b40b15bda1a84b5a9d002c6278bc58c85eb/src/python/CRABInterface/RESTCache.py#L91 better do this in a period of "quiet" for REST though, not during current storm of problems.
priority
properly authenticate with i noticed this by chance data srv sw crab master external comp lib site packages connectionpool py insecurerequestwarning unverified https request is being made to host cern ch adding certificate verification is strongly advised see which reminds me that we had to skip certificate verification because it was not supported in now that we run in we can remove the verify false better do this in a period of quiet for rest though not during current storm of problems
1
369,006
10,887,248,699
IssuesEvent
2019-11-18 14:12:49
LiskHQ/lisk-mobile
https://api.github.com/repos/LiskHQ/lisk-mobile
closed
iMessage app doesn't open received request templates
priority: high type: bug
**To Reproduce** Steps to reproduce the behavior: - Ask someone to request LSK through iMessage. - Tap on the received request. **Actual behavior** The screen opens white with a loader spinner and nothing else happens. **Expected behavior** Should open an interface enabling me to approve or reject the request. **Smartphone (please complete the following information):** - Device: iPhone X - OS: 13.1.2 - Version 1.3.0
1.0
iMessage app doesn't open received request templates - **To Reproduce** Steps to reproduce the behavior: - Ask someone to request LSK through iMessage. - Tap on the received request. **Actual behavior** The screen opens white with a loader spinner and nothing else happens. **Expected behavior** Should open an interface enabling me to approve or reject the request. **Smartphone (please complete the following information):** - Device: iPhone X - OS: 13.1.2 - Version 1.3.0
priority
imessage app doesn t open received request templates to reproduce steps to reproduce the behavior ask someone to request lsk through imessage tap on the received request actual behavior the screen opens white with a loader spinner and nothing else happens expected behavior should open an interface enabling me to approve or reject the request smartphone please complete the following information device iphone x os version
1
514,876
14,945,867,262
IssuesEvent
2021-01-26 05:20:40
ballerina-platform/ballerina-lang
https://api.github.com/repos/ballerina-platform/ballerina-lang
closed
Elements overlap in the diagram view
Component/Diagram Priority/High Team/Tooling Type/Bug
**Description:** Sample function: ```ballerina function mergeSort(int[] array, int startIndex, int endIndex) returns int[] { int len = endIndex - startIndex; if (len == 0) { return [array[startIndex]]; } int mid = (startIndex + endIndex)/2; worker w1 returns int[] { return mergeSort(array, startIndex, mid); } worker w2 returns int[] { return mergeSort(array, mid + 1, endIndex); } record{ int[] w1; int[] w2; } results = wait {w1, w2}; return merge(results.w1, results.w2); } ``` Diagram view: ![image](https://user-images.githubusercontent.com/7834839/64514422-342bde00-d308-11e9-864f-38f613afa3c8.png) You can see some text nodes are overlapped in the diagram view. **Affected Versions:** ballerina-1.0-RC1 **OS, DB, other environment details and versions:** MacOS - High sierra
1.0
Elements overlap in the diagram view - **Description:** Sample function: ```ballerina function mergeSort(int[] array, int startIndex, int endIndex) returns int[] { int len = endIndex - startIndex; if (len == 0) { return [array[startIndex]]; } int mid = (startIndex + endIndex)/2; worker w1 returns int[] { return mergeSort(array, startIndex, mid); } worker w2 returns int[] { return mergeSort(array, mid + 1, endIndex); } record{ int[] w1; int[] w2; } results = wait {w1, w2}; return merge(results.w1, results.w2); } ``` Diagram view: ![image](https://user-images.githubusercontent.com/7834839/64514422-342bde00-d308-11e9-864f-38f613afa3c8.png) You can see some text nodes are overlapped in the diagram view. **Affected Versions:** ballerina-1.0-RC1 **OS, DB, other environment details and versions:** MacOS - High sierra
priority
elements overlap in the diagram view description sample function ballerina function mergesort int array int startindex int endindex returns int int len endindex startindex if len return int mid startindex endindex worker returns int return mergesort array startindex mid worker returns int return mergesort array mid endindex record int int results wait return merge results results diagram view you can see some text nodes are overlapped in the diagram view affected versions ballerina os db other environment details and versions macos high sierra
1
300,592
9,211,509,200
IssuesEvent
2019-03-09 15:59:59
qgisissuebot/QGIS
https://api.github.com/repos/qgisissuebot/QGIS
closed
Crach on closing
Bug Priority: high
--- Author Name: **Matjaž Mori** (Matjaž Mori) Original Redmine Issue: 21416, https://issues.qgis.org/issues/21416 Original Date: 2019-02-28T07:24:25.944Z Affected QGIS version: 3.4.5 --- ## User Feedback This crash happens everytime i close the program. ## Report Details *Crash ID*: a037e3dd18301dbfb420623bbdf24000bc039583 *Stack Trace* ``` QgsMapToolExtent::~QgsMapToolExtent : PyInit__gui : QObjectPrivate::deleteChildren : QWidget::~QWidget : QgsVectorLayerProperties::`default constructor closure' : QgisApp::~QgisApp : CPLStringList::operator char const * __ptr64 const * __ptr64 : main : BaseThreadInitThunk : RtlUserThreadStart : ``` *QGIS Info* QGIS Version: 3.4.5-Madeira QGIS code revision: 89ee6f6e23 Compiled against Qt: 5.11.2 Running against Qt: 5.11.2 Compiled against GDAL: 2.4.0 Running against GDAL: 2.4.0 *System Info* CPU Type: x86_64 Kernel Type: winnt Kernel Version: 6.1.7601
1.0
Crach on closing - --- Author Name: **Matjaž Mori** (Matjaž Mori) Original Redmine Issue: 21416, https://issues.qgis.org/issues/21416 Original Date: 2019-02-28T07:24:25.944Z Affected QGIS version: 3.4.5 --- ## User Feedback This crash happens everytime i close the program. ## Report Details *Crash ID*: a037e3dd18301dbfb420623bbdf24000bc039583 *Stack Trace* ``` QgsMapToolExtent::~QgsMapToolExtent : PyInit__gui : QObjectPrivate::deleteChildren : QWidget::~QWidget : QgsVectorLayerProperties::`default constructor closure' : QgisApp::~QgisApp : CPLStringList::operator char const * __ptr64 const * __ptr64 : main : BaseThreadInitThunk : RtlUserThreadStart : ``` *QGIS Info* QGIS Version: 3.4.5-Madeira QGIS code revision: 89ee6f6e23 Compiled against Qt: 5.11.2 Running against Qt: 5.11.2 Compiled against GDAL: 2.4.0 Running against GDAL: 2.4.0 *System Info* CPU Type: x86_64 Kernel Type: winnt Kernel Version: 6.1.7601
priority
crach on closing author name matjaž mori matjaž mori original redmine issue original date affected qgis version user feedback this crash happens everytime i close the program report details crash id stack trace qgsmaptoolextent qgsmaptoolextent pyinit gui qobjectprivate deletechildren qwidget qwidget qgsvectorlayerproperties default constructor closure qgisapp qgisapp cplstringlist operator char const const main basethreadinitthunk rtluserthreadstart qgis info qgis version madeira qgis code revision compiled against qt running against qt compiled against gdal running against gdal system info cpu type kernel type winnt kernel version
1
745,933
26,007,190,572
IssuesEvent
2022-12-20 20:38:07
KinsonDigital/Carbonate
https://api.github.com/repos/KinsonDigital/Carbonate
closed
🚧Update CICD to latest version
high priority preview workflow
### Complete The Item Below - [X] I have updated the title without removing the 🚧 emoji. ### Description Update the _**CICD**_ dotnet tool to the latest version. Use the latest version at the time of the implementation of this issue. ### Acceptance Criteria - [x] _**CICD**_ updated to the latest version ### ToDo Items - [X] Change type labels added to this issue. Refer to the _**Change Type Labels**_ section below. - [X] Priority label added to this issue. Refer to the _**Priority Type Labels**_ section below. - [X] Issue linked to the correct project _(if applicable)_. - [X] Issue linked to the correct milestone _(if applicable)_. - [x] Draft pull request created and linked to this issue _(only required with code changes)_. ### Issue Dependencies _No response_ ### Related Work _No response_ ### Additional Information: **_<details closed><summary>Change Type Labels</summary>_** | Change Type | Label | |---------------------|----------------------| | Bug Fixes | `🐛bug` | | Breaking Changes | `🧨breaking changes` | | New Feature | `✨new feature` | | Workflow Changes | `workflow` | | Code Doc Changes | `🗒️documentation/code` | | Product Doc Changes | `📝documentation/product` | </details> **_<details closed><summary>Priority Type Labels</summary>_** | Priority Type | Label | |---------------------|-------------------| | Low Priority | `low priority` | | Medium Priority | `medium priority` | | High Priority | `high priority` | </details> ### Code of Conduct - [X] I agree to follow this project's Code of Conduct.
1.0
🚧Update CICD to latest version - ### Complete The Item Below - [X] I have updated the title without removing the 🚧 emoji. ### Description Update the _**CICD**_ dotnet tool to the latest version. Use the latest version at the time of the implementation of this issue. ### Acceptance Criteria - [x] _**CICD**_ updated to the latest version ### ToDo Items - [X] Change type labels added to this issue. Refer to the _**Change Type Labels**_ section below. - [X] Priority label added to this issue. Refer to the _**Priority Type Labels**_ section below. - [X] Issue linked to the correct project _(if applicable)_. - [X] Issue linked to the correct milestone _(if applicable)_. - [x] Draft pull request created and linked to this issue _(only required with code changes)_. ### Issue Dependencies _No response_ ### Related Work _No response_ ### Additional Information: **_<details closed><summary>Change Type Labels</summary>_** | Change Type | Label | |---------------------|----------------------| | Bug Fixes | `🐛bug` | | Breaking Changes | `🧨breaking changes` | | New Feature | `✨new feature` | | Workflow Changes | `workflow` | | Code Doc Changes | `🗒️documentation/code` | | Product Doc Changes | `📝documentation/product` | </details> **_<details closed><summary>Priority Type Labels</summary>_** | Priority Type | Label | |---------------------|-------------------| | Low Priority | `low priority` | | Medium Priority | `medium priority` | | High Priority | `high priority` | </details> ### Code of Conduct - [X] I agree to follow this project's Code of Conduct.
priority
🚧update cicd to latest version complete the item below i have updated the title without removing the 🚧 emoji description update the cicd dotnet tool to the latest version use the latest version at the time of the implementation of this issue acceptance criteria cicd updated to the latest version todo items change type labels added to this issue refer to the change type labels section below priority label added to this issue refer to the priority type labels section below issue linked to the correct project if applicable issue linked to the correct milestone if applicable draft pull request created and linked to this issue only required with code changes issue dependencies no response related work no response additional information change type labels change type label bug fixes 🐛bug breaking changes 🧨breaking changes new feature ✨new feature workflow changes workflow code doc changes 🗒️documentation code product doc changes 📝documentation product priority type labels priority type label low priority low priority medium priority medium priority high priority high priority code of conduct i agree to follow this project s code of conduct
1
64,672
3,214,080,513
IssuesEvent
2015-10-06 23:01:23
google/paco
https://api.github.com/repos/google/paco
closed
Web UI: Pagination and infinite scrolling for report screens
Component-Server Component-UI Priority-High
We currently load the complete result set using json. Modify this to use the pagination api and update the page with new results (ala infinite scroll).
1.0
Web UI: Pagination and infinite scrolling for report screens - We currently load the complete result set using json. Modify this to use the pagination api and update the page with new results (ala infinite scroll).
priority
web ui pagination and infinite scrolling for report screens we currently load the complete result set using json modify this to use the pagination api and update the page with new results ala infinite scroll
1
294,656
9,038,993,379
IssuesEvent
2019-02-10 01:05:39
irinafakotakis/simpleCamera390
https://api.github.com/repos/irinafakotakis/simpleCamera390
closed
Preference Saving Functionality implementation
#Docker Color 3 SP Priority: High Risk: Low
This is a sub-task of issue #26. Implement a savings mechanism that ensures the user's requested docker color is set as the default color after relaunch. **Test Case** Verify that a refresh does not alter the docker's color.
1.0
Preference Saving Functionality implementation - This is a sub-task of issue #26. Implement a savings mechanism that ensures the user's requested docker color is set as the default color after relaunch. **Test Case** Verify that a refresh does not alter the docker's color.
priority
preference saving functionality implementation this is a sub task of issue implement a savings mechanism that ensures the user s requested docker color is set as the default color after relaunch test case verify that a refresh does not alter the docker s color
1
23,734
2,660,843,950
IssuesEvent
2015-03-19 10:43:56
cs2103jan2015-w09-2j/main
https://api.github.com/repos/cs2103jan2015-w09-2j/main
closed
Implement isCompleted attribute into Task class
priority.high
Modify Constructors and equals Function @tanch88 Please implement the different comparators whenever you need them
1.0
Implement isCompleted attribute into Task class - Modify Constructors and equals Function @tanch88 Please implement the different comparators whenever you need them
priority
implement iscompleted attribute into task class modify constructors and equals function please implement the different comparators whenever you need them
1
605,130
18,725,355,242
IssuesEvent
2021-11-03 15:46:14
AY2122S1-CS2103T-T10-1/tp
https://api.github.com/repos/AY2122S1-CS2103T-T10-1/tp
closed
Tag command is currently case sensitive
type.Bug priority.High mustfix
**Steps to reproduce bug :** 1. Type `find t/Friends` **Expected outcome :** list of contacts tagged as friends/Friends **Actual outcome :** 0 persons listed as the tag present is **friends** ![image](https://user-images.githubusercontent.com/72608507/140067896-98d40b97-3578-4ae0-a42f-a9b84c6ff131.png)
1.0
Tag command is currently case sensitive - **Steps to reproduce bug :** 1. Type `find t/Friends` **Expected outcome :** list of contacts tagged as friends/Friends **Actual outcome :** 0 persons listed as the tag present is **friends** ![image](https://user-images.githubusercontent.com/72608507/140067896-98d40b97-3578-4ae0-a42f-a9b84c6ff131.png)
priority
tag command is currently case sensitive steps to reproduce bug type find t friends expected outcome list of contacts tagged as friends friends actual outcome persons listed as the tag present is friends
1
810,701
30,256,017,663
IssuesEvent
2023-07-07 02:42:39
markendley/pprjne
https://api.github.com/repos/markendley/pprjne
closed
Photography Our Portfolio – Portrait photos get auto cropped to landscape - please retain all original image ratios
high priority
<img width="1503" alt="Screenshot 2023-06-22 at 6 55 34 pm" src="https://github.com/markendley/pprjne/assets/137390062/5a4a8a7d-99da-4a4f-a464-3ce5d08c11cf">
1.0
Photography Our Portfolio – Portrait photos get auto cropped to landscape - please retain all original image ratios - <img width="1503" alt="Screenshot 2023-06-22 at 6 55 34 pm" src="https://github.com/markendley/pprjne/assets/137390062/5a4a8a7d-99da-4a4f-a464-3ce5d08c11cf">
priority
photography our portfolio – portrait photos get auto cropped to landscape please retain all original image ratios img width alt screenshot at pm src
1
186,944
6,743,803,640
IssuesEvent
2017-10-20 13:33:28
CS2103AUG2017-W09-B3/main
https://api.github.com/repos/CS2103AUG2017-W09-B3/main
opened
Enhancement on the UI
priority.high type.enhancement
Show person details, browser, Google map, calander and event list by different commands. - Command class implementation - Update Parser - JUnit test
1.0
Enhancement on the UI - Show person details, browser, Google map, calander and event list by different commands. - Command class implementation - Update Parser - JUnit test
priority
enhancement on the ui show person details browser google map calander and event list by different commands command class implementation update parser junit test
1
531,006
15,439,160,443
IssuesEvent
2021-03-07 23:09:31
ubclaunchpad/life-at-ubc
https://api.github.com/repos/ubclaunchpad/life-at-ubc
closed
Production Version Had Empty DB
backend priority:high
Got this email earlier: ![chronfail](https://user-images.githubusercontent.com/42220961/109577743-f4802580-7aaa-11eb-8784-f4ecac9a6acf.png) Went on production version, tried adding a course, and got notification that course didn't exist. ![courseNotExist](https://user-images.githubusercontent.com/42220961/109576358-76228400-7aa8-11eb-94f9-fab367aa0b6d.png) Did a bit more investigating on Heroku and noticed DB had 0 rows. I think this has to do with either the scraper since it was scheduled to automatically scrape or, that we still have over 10k rows in DB. After repopulating DB I noticed that the rows are constantly going down if you refresh in heroku. Initially: ![overpopulatedDb](https://user-images.githubusercontent.com/42220961/109576866-66f00600-7aa9-11eb-96f4-25e63918098a.png) Few mins later after refreshing: ![lowerRows](https://user-images.githubusercontent.com/42220961/109578300-c5b67f00-7aab-11eb-9682-c7b34544d13f.png) Anyways, at the moment I just called setupDb(true), to repopulate the database as a temporary fix. Haven't done too much investigation besides that.
1.0
Production Version Had Empty DB - Got this email earlier: ![chronfail](https://user-images.githubusercontent.com/42220961/109577743-f4802580-7aaa-11eb-8784-f4ecac9a6acf.png) Went on production version, tried adding a course, and got notification that course didn't exist. ![courseNotExist](https://user-images.githubusercontent.com/42220961/109576358-76228400-7aa8-11eb-94f9-fab367aa0b6d.png) Did a bit more investigating on Heroku and noticed DB had 0 rows. I think this has to do with either the scraper since it was scheduled to automatically scrape or, that we still have over 10k rows in DB. After repopulating DB I noticed that the rows are constantly going down if you refresh in heroku. Initially: ![overpopulatedDb](https://user-images.githubusercontent.com/42220961/109576866-66f00600-7aa9-11eb-96f4-25e63918098a.png) Few mins later after refreshing: ![lowerRows](https://user-images.githubusercontent.com/42220961/109578300-c5b67f00-7aab-11eb-9682-c7b34544d13f.png) Anyways, at the moment I just called setupDb(true), to repopulate the database as a temporary fix. Haven't done too much investigation besides that.
priority
production version had empty db got this email earlier went on production version tried adding a course and got notification that course didn t exist did a bit more investigating on heroku and noticed db had rows i think this has to do with either the scraper since it was scheduled to automatically scrape or that we still have over rows in db after repopulating db i noticed that the rows are constantly going down if you refresh in heroku initially few mins later after refreshing anyways at the moment i just called setupdb true to repopulate the database as a temporary fix haven t done too much investigation besides that
1
812,372
30,330,283,070
IssuesEvent
2023-07-11 05:39:22
quickwit-oss/quickwit
https://api.github.com/repos/quickwit-oss/quickwit
closed
Mutualize http connection pool when we have many s3-compatible storage.
enhancement high-priority
There are case where we will want thousands of indexes, all targetting a different storage, which are simply different bucket in the same S3-compatible storage. In that case, we don't want 1000s of connection pool. We need a way to mutualize those.
1.0
Mutualize http connection pool when we have many s3-compatible storage. - There are case where we will want thousands of indexes, all targetting a different storage, which are simply different bucket in the same S3-compatible storage. In that case, we don't want 1000s of connection pool. We need a way to mutualize those.
priority
mutualize http connection pool when we have many compatible storage there are case where we will want thousands of indexes all targetting a different storage which are simply different bucket in the same compatible storage in that case we don t want of connection pool we need a way to mutualize those
1
418,617
12,200,733,411
IssuesEvent
2020-04-30 05:35:51
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
training-lms.redhat.com - site is not usable
browser-firefox engine-gecko ml-needsdiagnosis-false ml-probability-high priority-normal
<!-- @browser: Firefox 68.0 --> <!-- @ua_header: Mozilla/5.0 (X11; Linux x86_64; rv:68.0) Gecko/20100101 Firefox/68.0 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/52340 --> **URL**: https://training-lms.redhat.com/ilearn/en/learner/jsp/player.jsp?rco_id=40810008&classroom_id=40810009&scorm_attempt=1588215051069&sessionId=-15736986141587638678687&home_url=https%3A%2F%2Ftraining-lms.redhat.com%2Flmt%2FclmsCourseDetails.prMain%3Fin_offeringid%3D40810009%26in_sessionid%3D38093J83048291%26in_from_module%3DCLMSCURRENTLEARNING.PRMAIN%26in_filter%3D%2526in_rows%253D50%2526in_orderBy%253DNA%2526in_courseGroup%253DAll **Browser / Version**: Firefox 68.0 **Operating System**: Linux **Tested Another Browser**: Yes Other **Problem type**: Site is not usable **Description**: Missing items **Steps to Reproduce**: Not able to see the right hand section. <details><summary>View the screenshot</summary><img alt='Screenshot' src='https://webcompat.com/uploads/2020/4/41ac49e8-cfdd-428a-8d6c-7a5481f80d3d.jpeg'></details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20200304112310</li><li>channel: default</li><li>hasTouchScreen: false</li><li>mixed active content blocked: true</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2020/4/afb72ac8-b01b-4859-95c2-c7365b7d38bb) _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
training-lms.redhat.com - site is not usable - <!-- @browser: Firefox 68.0 --> <!-- @ua_header: Mozilla/5.0 (X11; Linux x86_64; rv:68.0) Gecko/20100101 Firefox/68.0 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/52340 --> **URL**: https://training-lms.redhat.com/ilearn/en/learner/jsp/player.jsp?rco_id=40810008&classroom_id=40810009&scorm_attempt=1588215051069&sessionId=-15736986141587638678687&home_url=https%3A%2F%2Ftraining-lms.redhat.com%2Flmt%2FclmsCourseDetails.prMain%3Fin_offeringid%3D40810009%26in_sessionid%3D38093J83048291%26in_from_module%3DCLMSCURRENTLEARNING.PRMAIN%26in_filter%3D%2526in_rows%253D50%2526in_orderBy%253DNA%2526in_courseGroup%253DAll **Browser / Version**: Firefox 68.0 **Operating System**: Linux **Tested Another Browser**: Yes Other **Problem type**: Site is not usable **Description**: Missing items **Steps to Reproduce**: Not able to see the right hand section. <details><summary>View the screenshot</summary><img alt='Screenshot' src='https://webcompat.com/uploads/2020/4/41ac49e8-cfdd-428a-8d6c-7a5481f80d3d.jpeg'></details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20200304112310</li><li>channel: default</li><li>hasTouchScreen: false</li><li>mixed active content blocked: true</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2020/4/afb72ac8-b01b-4859-95c2-c7365b7d38bb) _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
training lms redhat com site is not usable url browser version firefox operating system linux tested another browser yes other problem type site is not usable description missing items steps to reproduce not able to see the right hand section view the screenshot img alt screenshot src browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel default hastouchscreen false mixed active content blocked true mixed passive content blocked false tracking content blocked false from with ❤️
1
395,773
11,696,315,100
IssuesEvent
2020-03-06 09:33:02
mapbox/mapbox-navigation-android
https://api.github.com/repos/mapbox/mapbox-navigation-android
closed
Zero bearing in freedrive mode without navigation tiles
bug high priority
<!-- Hello and thanks for contributing! To help us diagnose your problem quickly, please: - Include a minimal demonstration of the bug, including code, logs, and screenshots. - Ensure you can reproduce the bug using the latest release. - Only post to report a bug or request a feature; direct all other questions to: https://stackoverflow.com/questions/tagged/mapbox --> **Mapbox Navigation SDK version**: commit hash sum - 5435c2d712d4a595fffc2c827a6634f83bb67a3d ### Steps to trigger behavior 1. Create navigator object 2. call updateLocation 3. call getStatus() - position.bearing is 0 ### Expected behavior When there is no tiles - bearing should be taken from FixLocation provided in update.
1.0
Zero bearing in freedrive mode without navigation tiles - <!-- Hello and thanks for contributing! To help us diagnose your problem quickly, please: - Include a minimal demonstration of the bug, including code, logs, and screenshots. - Ensure you can reproduce the bug using the latest release. - Only post to report a bug or request a feature; direct all other questions to: https://stackoverflow.com/questions/tagged/mapbox --> **Mapbox Navigation SDK version**: commit hash sum - 5435c2d712d4a595fffc2c827a6634f83bb67a3d ### Steps to trigger behavior 1. Create navigator object 2. call updateLocation 3. call getStatus() - position.bearing is 0 ### Expected behavior When there is no tiles - bearing should be taken from FixLocation provided in update.
priority
zero bearing in freedrive mode without navigation tiles hello and thanks for contributing to help us diagnose your problem quickly please include a minimal demonstration of the bug including code logs and screenshots ensure you can reproduce the bug using the latest release only post to report a bug or request a feature direct all other questions to mapbox navigation sdk version commit hash sum steps to trigger behavior create navigator object call updatelocation call getstatus position bearing is expected behavior when there is no tiles bearing should be taken from fixlocation provided in update
1
431,380
12,478,607,711
IssuesEvent
2020-05-29 16:45:37
geosolutions-it/MapStore2-C028
https://api.github.com/repos/geosolutions-it/MapStore2-C028
closed
Update test deploy of MS
Priority: High
A new deploy is needed in test for the latest updates/fixes so that we can proceed with testing.
1.0
Update test deploy of MS - A new deploy is needed in test for the latest updates/fixes so that we can proceed with testing.
priority
update test deploy of ms a new deploy is needed in test for the latest updates fixes so that we can proceed with testing
1
242,328
7,841,005,952
IssuesEvent
2018-06-18 18:11:39
pyladies-nwuk/organisational
https://api.github.com/repos/pyladies-nwuk/organisational
opened
keep the mothership updated on our accounts
priority: high 📝 To Do
Once everything is setup we have to email PyLadies the details from #6
1.0
keep the mothership updated on our accounts - Once everything is setup we have to email PyLadies the details from #6
priority
keep the mothership updated on our accounts once everything is setup we have to email pyladies the details from
1
426,547
12,373,720,086
IssuesEvent
2020-05-18 23:19:55
quarantine-hero/quarantine-hero
https://api.github.com/repos/quarantine-hero/quarantine-hero
closed
Track source of user when using a white label signup link
priority-high
Create user collection and write "source" when they use a white label link
1.0
Track source of user when using a white label signup link - Create user collection and write "source" when they use a white label link
priority
track source of user when using a white label signup link create user collection and write source when they use a white label link
1
282,218
8,704,542,943
IssuesEvent
2018-12-05 19:42:11
AICrowd/AIcrowd
https://api.github.com/repos/AICrowd/AIcrowd
closed
No gaps permitted between challenge rounds
feature high priority
_From @seanfcarroll on May 14, 2018 08:36_ Currently it is possible to set up challenge rounds with gaps between them. This proposal is to instead set the challenge start / end times to be with a minute's precision, and no gaps permitted between challenge rounds. Eg: **Round 1** Starts 01 Jan, 09:00 UTC Finished 15 Mar 17:00 UTC **Round 2** Starts 15 Mar, 17:01 UTC Finished 30 Mar 17:00 UTC Normally, any submission will be assessed by timestamp to determine which round it is in. If the submission is made after the end of the last round, it will automatically be marked 'post challenge' for the last round. There is an override possible via the Python client which allows post-challenge submissions for earlier rounds. Sticking to this rule will significantly simplify the currently problematic code around challenge rounds. Does this work for you @spMohanty @ieggel ? ### Future feature A future feature would allow for: - a "gap" round, where the challenge is between rounds and can perhaps accept post-challenge submissions - ability to specify which round the submission is for when making post-challenge - specify at the challenge round level if post challenge submissions are accepted A challenge with a gap round would look like **Round 1** Starts 01 Jan, 09:00 UTC Finished 15 Mar 17:00 UTC **Gap Round** Starts 15 Mar, 17:01 UTC Finished 01 Apr 08:59 UTC **Round 2** Starts 01 Apr, 09:00 UTC Finished 30 Apr 17:00 UTC We can also look at some more interactive calendar / timeline component for challenge rounds in a future feature. If we want something like this it can be opened on it's own ticket. _Copied from original issue: crowdAI/crowdai#786_
1.0
No gaps permitted between challenge rounds - _From @seanfcarroll on May 14, 2018 08:36_ Currently it is possible to set up challenge rounds with gaps between them. This proposal is to instead set the challenge start / end times to be with a minute's precision, and no gaps permitted between challenge rounds. Eg: **Round 1** Starts 01 Jan, 09:00 UTC Finished 15 Mar 17:00 UTC **Round 2** Starts 15 Mar, 17:01 UTC Finished 30 Mar 17:00 UTC Normally, any submission will be assessed by timestamp to determine which round it is in. If the submission is made after the end of the last round, it will automatically be marked 'post challenge' for the last round. There is an override possible via the Python client which allows post-challenge submissions for earlier rounds. Sticking to this rule will significantly simplify the currently problematic code around challenge rounds. Does this work for you @spMohanty @ieggel ? ### Future feature A future feature would allow for: - a "gap" round, where the challenge is between rounds and can perhaps accept post-challenge submissions - ability to specify which round the submission is for when making post-challenge - specify at the challenge round level if post challenge submissions are accepted A challenge with a gap round would look like **Round 1** Starts 01 Jan, 09:00 UTC Finished 15 Mar 17:00 UTC **Gap Round** Starts 15 Mar, 17:01 UTC Finished 01 Apr 08:59 UTC **Round 2** Starts 01 Apr, 09:00 UTC Finished 30 Apr 17:00 UTC We can also look at some more interactive calendar / timeline component for challenge rounds in a future feature. If we want something like this it can be opened on it's own ticket. _Copied from original issue: crowdAI/crowdai#786_
priority
no gaps permitted between challenge rounds from seanfcarroll on may currently it is possible to set up challenge rounds with gaps between them this proposal is to instead set the challenge start end times to be with a minute s precision and no gaps permitted between challenge rounds eg round starts jan utc finished mar utc round starts mar utc finished mar utc normally any submission will be assessed by timestamp to determine which round it is in if the submission is made after the end of the last round it will automatically be marked post challenge for the last round there is an override possible via the python client which allows post challenge submissions for earlier rounds sticking to this rule will significantly simplify the currently problematic code around challenge rounds does this work for you spmohanty ieggel future feature a future feature would allow for a gap round where the challenge is between rounds and can perhaps accept post challenge submissions ability to specify which round the submission is for when making post challenge specify at the challenge round level if post challenge submissions are accepted a challenge with a gap round would look like round starts jan utc finished mar utc gap round starts mar utc finished apr utc round starts apr utc finished apr utc we can also look at some more interactive calendar timeline component for challenge rounds in a future feature if we want something like this it can be opened on it s own ticket copied from original issue crowdai crowdai
1
268,430
8,406,858,256
IssuesEvent
2018-10-11 19:09:56
StrangeLoopGames/EcoIssues
https://api.github.com/repos/StrangeLoopGames/EcoIssues
closed
EcoSim.eco animal HabitabilityComponents are messed up
High Priority
A bunch of species appear not to consume anything when you inspect their Habitability component, but if you debug they have prey listed. Something is messed up with their serialization
1.0
EcoSim.eco animal HabitabilityComponents are messed up - A bunch of species appear not to consume anything when you inspect their Habitability component, but if you debug they have prey listed. Something is messed up with their serialization
priority
ecosim eco animal habitabilitycomponents are messed up a bunch of species appear not to consume anything when you inspect their habitability component but if you debug they have prey listed something is messed up with their serialization
1
405,017
11,866,048,958
IssuesEvent
2020-03-26 02:25:39
earthlab/earthpy
https://api.github.com/repos/earthlab/earthpy
closed
clip is moving to geopandas but we should test to ensure that the CRS is retained after all of the clipping happens.
high-priority
i'm opening this here just as a reminder for myself to check on the geopandas side.
1.0
clip is moving to geopandas but we should test to ensure that the CRS is retained after all of the clipping happens. - i'm opening this here just as a reminder for myself to check on the geopandas side.
priority
clip is moving to geopandas but we should test to ensure that the crs is retained after all of the clipping happens i m opening this here just as a reminder for myself to check on the geopandas side
1
780,924
27,413,944,926
IssuesEvent
2023-03-01 12:31:36
OpenBioML/chemnlp
https://api.github.com/repos/OpenBioML/chemnlp
closed
New task: Add lipophilicity dataset
dataset priority: high
Add the lipophilicity dataset from https://deepchemdata.s3-us-west-1.amazonaws.com/datasets/Lipophilicity.csv (from https://github.com/kjappelbaum/awesome-chemistry-datasets#ml-structure-property-benchmark-datasets) PR draft is here: https://github.com/OpenBioML/chemnlp/pull/23 @kjappelbaum Is there more information on the dataset, e.g., license, etc.?
1.0
New task: Add lipophilicity dataset - Add the lipophilicity dataset from https://deepchemdata.s3-us-west-1.amazonaws.com/datasets/Lipophilicity.csv (from https://github.com/kjappelbaum/awesome-chemistry-datasets#ml-structure-property-benchmark-datasets) PR draft is here: https://github.com/OpenBioML/chemnlp/pull/23 @kjappelbaum Is there more information on the dataset, e.g., license, etc.?
priority
new task add lipophilicity dataset add the lipophilicity dataset from from pr draft is here kjappelbaum is there more information on the dataset e g license etc
1
724,816
24,942,553,435
IssuesEvent
2022-10-31 20:16:58
DSpace/DSpace
https://api.github.com/repos/DSpace/DSpace
closed
In DSpace 7.3, request copy acceptance email has NULL value as subject
bug high priority backend: email-system good first issue help wanted
**Describe the bug** In DSpace 7.3 when someone accept a copy request made on an embargo item, the email sent to the requester has NULL as subject. We have the Helpdesk copy request feature configured (requests are not sent to the submitter). **To Reproduce** Steps to reproduce the behavior: 1. Ask for a copy of an embargo item 2. Follow the link provided in the request email and log in 3. Clic on the Accept request button. 4. On next page, clic on send. The email will have NULL as subject. **Expected behavior** Subject of the email should be the one entered in the Subject field of the answer form.
1.0
In DSpace 7.3, request copy acceptance email has NULL value as subject - **Describe the bug** In DSpace 7.3 when someone accept a copy request made on an embargo item, the email sent to the requester has NULL as subject. We have the Helpdesk copy request feature configured (requests are not sent to the submitter). **To Reproduce** Steps to reproduce the behavior: 1. Ask for a copy of an embargo item 2. Follow the link provided in the request email and log in 3. Clic on the Accept request button. 4. On next page, clic on send. The email will have NULL as subject. **Expected behavior** Subject of the email should be the one entered in the Subject field of the answer form.
priority
in dspace request copy acceptance email has null value as subject describe the bug in dspace when someone accept a copy request made on an embargo item the email sent to the requester has null as subject we have the helpdesk copy request feature configured requests are not sent to the submitter to reproduce steps to reproduce the behavior ask for a copy of an embargo item follow the link provided in the request email and log in clic on the accept request button on next page clic on send the email will have null as subject expected behavior subject of the email should be the one entered in the subject field of the answer form
1
394,933
11,661,247,936
IssuesEvent
2020-03-03 06:12:15
steedos/creator
https://api.github.com/repos/steedos/creator
closed
users表与space_users表中username同步问题
priority:High
问题现象:有些数据users表里有用户名,space_users里没有。 相关任务: - [x] 要确认下目前管理员增加修改用户时,username在两个表中的同步功能是正常 - [x] 要确认下注册用户、用户自己修改username时,username在两个表中的同步功能是正常 - [ ] 要确认下导入用户时,username在两个表中的同步功能是正常 - [ ] 升级脚本要写并在相关平台执行,目前已经有migrate脚本文件但是空的 现在用户名同步的机制,看了下creator最新代码,规则如下: 1.管理员添加修改用户space_users记录,会自动同步到users表 2.用户注册时会新增users记录,但是其username不会同步到space_users中 3.个人账户中修改user表的username值,不会同步到space_users中 > 注意:因为目前已经有空的migrate脚本文件,对于脚本已经执行过的平台,需要清空 .migrate文件夹来执行脚本,否则不会执行 老的脚本任务:新增字段,space_users.username,方便工作区管理员改用户名 #864
1.0
users表与space_users表中username同步问题 - 问题现象:有些数据users表里有用户名,space_users里没有。 相关任务: - [x] 要确认下目前管理员增加修改用户时,username在两个表中的同步功能是正常 - [x] 要确认下注册用户、用户自己修改username时,username在两个表中的同步功能是正常 - [ ] 要确认下导入用户时,username在两个表中的同步功能是正常 - [ ] 升级脚本要写并在相关平台执行,目前已经有migrate脚本文件但是空的 现在用户名同步的机制,看了下creator最新代码,规则如下: 1.管理员添加修改用户space_users记录,会自动同步到users表 2.用户注册时会新增users记录,但是其username不会同步到space_users中 3.个人账户中修改user表的username值,不会同步到space_users中 > 注意:因为目前已经有空的migrate脚本文件,对于脚本已经执行过的平台,需要清空 .migrate文件夹来执行脚本,否则不会执行 老的脚本任务:新增字段,space_users.username,方便工作区管理员改用户名 #864
priority
users表与space users表中username同步问题 问题现象:有些数据users表里有用户名,space users里没有。 相关任务: 要确认下目前管理员增加修改用户时,username在两个表中的同步功能是正常 要确认下注册用户、用户自己修改username时,username在两个表中的同步功能是正常 要确认下导入用户时,username在两个表中的同步功能是正常 升级脚本要写并在相关平台执行,目前已经有migrate脚本文件但是空的 现在用户名同步的机制,看了下creator最新代码,规则如下: 管理员添加修改用户space users记录,会自动同步到users表 用户注册时会新增users记录,但是其username不会同步到space users中 个人账户中修改user表的username值,不会同步到space users中 注意:因为目前已经有空的migrate脚本文件,对于脚本已经执行过的平台,需要清空 migrate文件夹来执行脚本,否则不会执行 老的脚本任务:新增字段,space users username,方便工作区管理员改用户名
1
436,910
12,555,180,603
IssuesEvent
2020-06-07 05:07:24
openmsupply/mobile
https://api.github.com/repos/openmsupply/mobile
opened
FridgeInfoDisplay doesn't look great
Bug: development Docs: not needed Effort: small Feature Module: dispensary Priority: high
## Is your feature request related to a problem? Please describe. The component `FridgeInfoDisplay` doesn't play well with missing values because of flexin ## Describe the solution you'd like - Use default values so that it doesnt get all squashed when values are missing. i..e no temperatures - Give the fridge name more room ## Implementation N/A ## Describe alternatives you've considered N/A ## Additional context N/A
1.0
FridgeInfoDisplay doesn't look great - ## Is your feature request related to a problem? Please describe. The component `FridgeInfoDisplay` doesn't play well with missing values because of flexin ## Describe the solution you'd like - Use default values so that it doesnt get all squashed when values are missing. i..e no temperatures - Give the fridge name more room ## Implementation N/A ## Describe alternatives you've considered N/A ## Additional context N/A
priority
fridgeinfodisplay doesn t look great is your feature request related to a problem please describe the component fridgeinfodisplay doesn t play well with missing values because of flexin describe the solution you d like use default values so that it doesnt get all squashed when values are missing i e no temperatures give the fridge name more room implementation n a describe alternatives you ve considered n a additional context n a
1
357,590
10,608,724,263
IssuesEvent
2019-10-11 08:15:23
wso2/product-apim
https://api.github.com/repos/wso2/product-apim
closed
[Store] Issue when loading the test page for an API after deleting all the wildcard resources
3.0.0 Priority/High
After deleting all the wildcard resources for an API, at the devportal, the test page is not loading for that API. At the overview page, the resources field is showing 'loading'. Even after adding resources to the API, the same issue is there. ![image](https://user-images.githubusercontent.com/47671237/66193571-7dc1db80-e6b0-11e9-82ab-959697ef55f8.png) ![image](https://user-images.githubusercontent.com/47671237/66193604-903c1500-e6b0-11e9-9129-f5b1ce2050a6.png) ![image](https://user-images.githubusercontent.com/47671237/66193631-9df19a80-e6b0-11e9-807f-302292ebd2fc.png) ![image](https://user-images.githubusercontent.com/47671237/66193940-2cfeb280-e6b1-11e9-8b49-cd0a6c1cd5bf.png)
1.0
[Store] Issue when loading the test page for an API after deleting all the wildcard resources - After deleting all the wildcard resources for an API, at the devportal, the test page is not loading for that API. At the overview page, the resources field is showing 'loading'. Even after adding resources to the API, the same issue is there. ![image](https://user-images.githubusercontent.com/47671237/66193571-7dc1db80-e6b0-11e9-82ab-959697ef55f8.png) ![image](https://user-images.githubusercontent.com/47671237/66193604-903c1500-e6b0-11e9-9129-f5b1ce2050a6.png) ![image](https://user-images.githubusercontent.com/47671237/66193631-9df19a80-e6b0-11e9-807f-302292ebd2fc.png) ![image](https://user-images.githubusercontent.com/47671237/66193940-2cfeb280-e6b1-11e9-8b49-cd0a6c1cd5bf.png)
priority
issue when loading the test page for an api after deleting all the wildcard resources after deleting all the wildcard resources for an api at the devportal the test page is not loading for that api at the overview page the resources field is showing loading even after adding resources to the api the same issue is there
1
269,815
8,443,511,307
IssuesEvent
2018-10-18 15:46:16
CS2103-AY1819S1-F11-3/main
https://api.github.com/repos/CS2103-AY1819S1-F11-3/main
closed
Update UserGuide and DeveloperGuide for Dependency Command
priority.High type.Task
User guide and developer guide needs to be updated to reflect dependency feature
1.0
Update UserGuide and DeveloperGuide for Dependency Command - User guide and developer guide needs to be updated to reflect dependency feature
priority
update userguide and developerguide for dependency command user guide and developer guide needs to be updated to reflect dependency feature
1
462,102
13,240,938,809
IssuesEvent
2020-08-19 07:21:11
fossasia/open-event-frontend
https://api.github.com/repos/fossasia/open-event-frontend
opened
Public Speaker Page: Session, Schedule, Speaker Info not shown for last speaker in list
Priority: High bug
The last speaker on the event list does not show the speaker, session and schedule information. It is working for other speakers. Compare to https://eventyay.com/e/16fa59c7/speakers ![Screenshot from 2020-08-19 09-15-26](https://user-images.githubusercontent.com/1583873/90604523-417e6780-e1fd-11ea-8eba-af65adb9b1c9.png)
1.0
Public Speaker Page: Session, Schedule, Speaker Info not shown for last speaker in list - The last speaker on the event list does not show the speaker, session and schedule information. It is working for other speakers. Compare to https://eventyay.com/e/16fa59c7/speakers ![Screenshot from 2020-08-19 09-15-26](https://user-images.githubusercontent.com/1583873/90604523-417e6780-e1fd-11ea-8eba-af65adb9b1c9.png)
priority
public speaker page session schedule speaker info not shown for last speaker in list the last speaker on the event list does not show the speaker session and schedule information it is working for other speakers compare to
1
648,552
21,189,120,016
IssuesEvent
2022-04-08 15:27:42
tyejae/msf.gg.public
https://api.github.com/repos/tyejae/msf.gg.public
closed
DD Planner not updating gear quantities
type: bug status: needs-information product: site status: dev-reply priority: high status: cant-reproduce
When updating DD Planner, I enter he number of items already owned and it's not saving the number and updating how many items needed, just displays 0 owned on all gear items ![Picture2MSF](https://user-images.githubusercontent.com/100708316/156203304-1ad25781-103a-4db2-94fc-73332ce32367.png) ![Picture1MSF](https://user-images.githubusercontent.com/100708316/156203309-2b4942fb-77f6-4844-94eb-f7757c229bd5.png)
1.0
DD Planner not updating gear quantities - When updating DD Planner, I enter he number of items already owned and it's not saving the number and updating how many items needed, just displays 0 owned on all gear items ![Picture2MSF](https://user-images.githubusercontent.com/100708316/156203304-1ad25781-103a-4db2-94fc-73332ce32367.png) ![Picture1MSF](https://user-images.githubusercontent.com/100708316/156203309-2b4942fb-77f6-4844-94eb-f7757c229bd5.png)
priority
dd planner not updating gear quantities when updating dd planner i enter he number of items already owned and it s not saving the number and updating how many items needed just displays owned on all gear items
1
2,200
2,524,593,892
IssuesEvent
2015-01-20 18:48:58
Connexions/cnx-authoring
https://api.github.com/repos/Connexions/cnx-authoring
opened
Book editing - users are not added to new Pages when they have edit rights to a Book
bug High Priority
When a user is added to a role on a Book, any Pages created after the role is accepted should be editable by the user. Currently, users cannot edit content created by each other after the roles are accepted..
1.0
Book editing - users are not added to new Pages when they have edit rights to a Book - When a user is added to a role on a Book, any Pages created after the role is accepted should be editable by the user. Currently, users cannot edit content created by each other after the roles are accepted..
priority
book editing users are not added to new pages when they have edit rights to a book when a user is added to a role on a book any pages created after the role is accepted should be editable by the user currently users cannot edit content created by each other after the roles are accepted
1
673,250
22,954,625,759
IssuesEvent
2022-07-19 10:24:20
robotframework/robotframework
https://api.github.com/repos/robotframework/robotframework
closed
Section header translations are unnecessarily required to be in title case
priority: high task alpha 2
I am testing the Czech localization. It works just partially for me. I cannot use Czech variants of *** Keyword ***, *** Keywords ***, *** Test Case *** and *** Test Cases *** because of the error `Unrecognized section header '*** Testovací případy ***'. Valid sections: 'Settings', 'Variables',` etc. The other ones I tested (12 other items) seem to be OK when run with `robot --language CS`. I noticed that those problematic ones are those that should be written into asterisks and together with it they consist of more than one word. Document at https://robotframework.crowdin.com/translate/ seems to be good. RF 5.1 alpha 1
1.0
Section header translations are unnecessarily required to be in title case - I am testing the Czech localization. It works just partially for me. I cannot use Czech variants of *** Keyword ***, *** Keywords ***, *** Test Case *** and *** Test Cases *** because of the error `Unrecognized section header '*** Testovací případy ***'. Valid sections: 'Settings', 'Variables',` etc. The other ones I tested (12 other items) seem to be OK when run with `robot --language CS`. I noticed that those problematic ones are those that should be written into asterisks and together with it they consist of more than one word. Document at https://robotframework.crowdin.com/translate/ seems to be good. RF 5.1 alpha 1
priority
section header translations are unnecessarily required to be in title case i am testing the czech localization it works just partially for me i cannot use czech variants of keyword keywords test case and test cases because of the error unrecognized section header testovací případy valid sections settings variables etc the other ones i tested other items seem to be ok when run with robot language cs i noticed that those problematic ones are those that should be written into asterisks and together with it they consist of more than one word document at seems to be good rf alpha
1
4,653
2,562,423,018
IssuesEvent
2015-02-06 01:29:59
IntellectualCrafters/PlotSquared
https://api.github.com/repos/IntellectualCrafters/PlotSquared
closed
[v2.5.11] Plot Auto Clear gone MAD
bug high priority
Hi, I'v set this in the config: clear: auto: enabled: true days: 30 'on': ban: false and i was expecting the auto plot clear to take place after 30 days of inactivity, but after a short amount of time, less then few hours most plots got cleared, i think they are cleared at 30 min of inactivity, we use sqlite for storage. Right now i disabled the auto clear to see if this was indeed the issue, but as the logs say looks like plots got cleared for inactivity or "expired" [09:29:38] [Server thread/INFO]: Deleted expired plot: 0;0 [09:29:38] [Server thread/INFO]:  - World: world_creative [09:29:38] [Server thread/INFO]:  - Owner: Lolatanesa We really need this auto clear feature, as it makes the server maintenance free and no intervention needed to clear old plots, as we also use a world border and a ram drive.
1.0
[v2.5.11] Plot Auto Clear gone MAD - Hi, I'v set this in the config: clear: auto: enabled: true days: 30 'on': ban: false and i was expecting the auto plot clear to take place after 30 days of inactivity, but after a short amount of time, less then few hours most plots got cleared, i think they are cleared at 30 min of inactivity, we use sqlite for storage. Right now i disabled the auto clear to see if this was indeed the issue, but as the logs say looks like plots got cleared for inactivity or "expired" [09:29:38] [Server thread/INFO]: Deleted expired plot: 0;0 [09:29:38] [Server thread/INFO]:  - World: world_creative [09:29:38] [Server thread/INFO]:  - Owner: Lolatanesa We really need this auto clear feature, as it makes the server maintenance free and no intervention needed to clear old plots, as we also use a world border and a ram drive.
priority
plot auto clear gone mad hi i v set this in the config clear auto enabled true days on ban false and i was expecting the auto plot clear to take place after days of inactivity but after a short amount of time less then few hours most plots got cleared i think they are cleared at min of inactivity we use sqlite for storage right now i disabled the auto clear to see if this was indeed the issue but as the logs say looks like plots got cleared for inactivity or expired  expired plot  m  world world creative m  owner lolatanesa m we really need this auto clear feature as it makes the server maintenance free and no intervention needed to clear old plots as we also use a world border and a ram drive
1
434,326
12,516,687,456
IssuesEvent
2020-06-03 09:48:24
1ForeverHD/HDAdmin
https://api.github.com/repos/1ForeverHD/HDAdmin
opened
Fake chat icon disappears randomly
Priority: High Scope: Project/Utility Type: Bug
The chat icon created through :createFakeChat apparently disappears randomly (maybe 1/10 sessions) and for all games with HD Admin V2
1.0
Fake chat icon disappears randomly - The chat icon created through :createFakeChat apparently disappears randomly (maybe 1/10 sessions) and for all games with HD Admin V2
priority
fake chat icon disappears randomly the chat icon created through createfakechat apparently disappears randomly maybe sessions and for all games with hd admin
1
160,723
6,101,670,130
IssuesEvent
2017-06-20 15:02:10
kuzzleio/kuzzle-sdk
https://api.github.com/repos/kuzzleio/kuzzle-sdk
closed
Add all new credential related routes in the SDK
enhancement priority-high sdk-android sdk-js sdk-php
All new credential routes should be added in the SDKs: * Creation of new actions in `auth` controller: * `deleteMyCredentials` * `createMyCredentials` * `getMyCredentials` * `hasMyCredentials` * `updateMyCredentials` * `validateMyCredentials` * Creation of new actions in `security` controller: * `createCredentials` * `deleteCredentials` * `getCredentialFields` * `getCredentials` * `getAllCredentialFields` * `hasCredentials` * `updateCredentials` * `validateCredentials` See https://github.com/kuzzleio/kuzzle/pull/804 and https://github.com/kuzzleio/documentation/pull/215 for more information.
1.0
Add all new credential related routes in the SDK - All new credential routes should be added in the SDKs: * Creation of new actions in `auth` controller: * `deleteMyCredentials` * `createMyCredentials` * `getMyCredentials` * `hasMyCredentials` * `updateMyCredentials` * `validateMyCredentials` * Creation of new actions in `security` controller: * `createCredentials` * `deleteCredentials` * `getCredentialFields` * `getCredentials` * `getAllCredentialFields` * `hasCredentials` * `updateCredentials` * `validateCredentials` See https://github.com/kuzzleio/kuzzle/pull/804 and https://github.com/kuzzleio/documentation/pull/215 for more information.
priority
add all new credential related routes in the sdk all new credential routes should be added in the sdks creation of new actions in auth controller deletemycredentials createmycredentials getmycredentials hasmycredentials updatemycredentials validatemycredentials creation of new actions in security controller createcredentials deletecredentials getcredentialfields getcredentials getallcredentialfields hascredentials updatecredentials validatecredentials see and for more information
1
577,777
17,119,548,345
IssuesEvent
2021-07-12 01:45:59
AutomatedCX/automatedcx-api
https://api.github.com/repos/AutomatedCX/automatedcx-api
opened
[BUG] Apply Dependabot PR's
bug high priority
**Describe the bug** There are security issues with our current implementation **To Reproduce** Each PR describes a way to reproduce it. **Expected behavior** Apply each one of the PR's in order to solve it.
1.0
[BUG] Apply Dependabot PR's - **Describe the bug** There are security issues with our current implementation **To Reproduce** Each PR describes a way to reproduce it. **Expected behavior** Apply each one of the PR's in order to solve it.
priority
apply dependabot pr s describe the bug there are security issues with our current implementation to reproduce each pr describes a way to reproduce it expected behavior apply each one of the pr s in order to solve it
1
337,247
10,212,591,179
IssuesEvent
2019-08-14 19:50:46
ansible/galaxy-dev
https://api.github.com/repos/ansible/galaxy-dev
closed
Importer - pulp-ansible worker call galaxy-importer project
area/backend priority/high type/enhancement
- [x] publish galaxy_importer to pypi test - [x] pulp_ansible use galaxy_importer successfully in branch - [x] edits for galaxy_importer for pypi https://github.com/ansible/galaxy-importer/pull/10 - [x] publish galaxy_importer to pypi - [x] pulp_ansible updated to use galaxy_importer https://github.com/pulp/pulp_ansible/pull/162 Related to #7
1.0
Importer - pulp-ansible worker call galaxy-importer project - - [x] publish galaxy_importer to pypi test - [x] pulp_ansible use galaxy_importer successfully in branch - [x] edits for galaxy_importer for pypi https://github.com/ansible/galaxy-importer/pull/10 - [x] publish galaxy_importer to pypi - [x] pulp_ansible updated to use galaxy_importer https://github.com/pulp/pulp_ansible/pull/162 Related to #7
priority
importer pulp ansible worker call galaxy importer project publish galaxy importer to pypi test pulp ansible use galaxy importer successfully in branch edits for galaxy importer for pypi publish galaxy importer to pypi pulp ansible updated to use galaxy importer related to
1
471,722
13,609,232,719
IssuesEvent
2020-09-23 04:40:25
wso2-incubator/cicd-sample-docker-mi
https://api.github.com/repos/wso2-incubator/cicd-sample-docker-mi
closed
Upgrade project to support Integration studio 7.1.0
Priority/High Type/Task
**Description:** The current sample project doesn't support the latest Integration studio version.
1.0
Upgrade project to support Integration studio 7.1.0 - **Description:** The current sample project doesn't support the latest Integration studio version.
priority
upgrade project to support integration studio description the current sample project doesn t support the latest integration studio version
1
748,134
26,108,116,217
IssuesEvent
2022-12-27 15:45:12
FalsePattern/EndlessIDs
https://api.github.com/repos/FalsePattern/EndlessIDs
closed
[Bug]: Game will not start up when EndlessIDs is enabled
High Priority
### OS Windows ### GPU Intel ### Modpack (Optional) _No response_ ### Game log [04:46:23] [main/DEBUG] [FML/]: Injecting tracing printstreams for STDOUT/STDERR. [04:46:23] [main/INFO] [FML/]: Forge Mod Loader version 7.99.40.1614 for Minecraft 1.7.10 loading [04:46:23] [main/INFO] [FML/]: Java is OpenJDK 64-Bit Server VM, version 1.8.0_332, running on Windows 10:amd64:10.0, installed at C:\Users\REDACTED\Onedrive - REDACTED - Files\Downloads\MultiMC\liberica-jdk1.8.0_332-windows-x64\jdk1.8.0_332-windows-x64\java-windows\jre [04:46:23] [main/DEBUG] [FML/]: Java classpath at launch is [REDACTED] [04:46:23] [main/DEBUG] [FML/]: Java library path at launch is C:/Users/REDACTED/Onedrive - REDACTED - Files/Downloads/MultiMC/instances/1.7.10/natives [04:46:23] [main/DEBUG] [FML/]: Enabling runtime deobfuscation [04:46:23] [main/DEBUG] [FML/]: Instantiating coremod class FMLCorePlugin [04:46:23] [main/DEBUG] [FML/]: Added access transformer class cpw.mods.fml.common.asm.transformers.AccessTransformer to enqueued access transformers [04:46:23] [main/DEBUG] [FML/]: Enqueued coremod FMLCorePlugin [04:46:23] [main/DEBUG] [FML/]: Instantiating coremod class FMLForgePlugin [04:46:23] [main/DEBUG] [FML/]: Added access transformer class net.minecraftforge.transformers.ForgeAccessTransformer to enqueued access transformers [04:46:23] [main/DEBUG] [FML/]: Enqueued coremod FMLForgePlugin [04:46:23] [main/DEBUG] [FML/]: All fundamental core mods are successfully located [04:46:23] [main/DEBUG] [FML/]: Attempting to load commandline specified mods, relative to C:\Users\REDACTED\Onedrive - REDACTED - Files\Downloads\MultiMC\instances\1.7.10\.minecraft [04:46:23] [main/DEBUG] [FML/]: Discovering coremods [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy AdvancedLightsabers-1.7.10-1.2.2.jar [04:46:23] [main/TRACE] [FML/]: Found FMLCorePluginContainsFMLMod marker in AdvancedLightsabers-1.7.10-1.2.2.jar, it will be examined later for regular @Mod instances [04:46:23] [main/DEBUG] [FML/]: Instantiating coremod class ALLoadingPlugin [04:46:23] [main/DEBUG] [FML/]: The coremod com.fiskmods.lightsabers.asm.ALLoadingPlugin requested minecraft version 1.7.10 and minecraft is 1.7.10. It will be loaded. [04:46:23] [main/DEBUG] [FML/]: Enqueued coremod ALLoadingPlugin [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy AdvancedRocketry-1.7.10-1.2.2.jar [04:46:23] [main/TRACE] [FML/]: Found FMLCorePluginContainsFMLMod marker in AdvancedRocketry-1.7.10-1.2.2.jar, it will be examined later for regular @Mod instances [04:46:23] [main/DEBUG] [FML/]: Instantiating coremod class AdvancedRocketryPlugin [04:46:23] [main/DEBUG] [FML/]: The coremod zmaster587.advancedRocketry.asm.AdvancedRocketryPlugin requested minecraft version 1.7.10 and minecraft is 1.7.10. It will be loaded. [04:46:23] [main/DEBUG] [FML/]: Enqueued coremod AdvancedRocketryPlugin [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy adventurebackpack-1.7.10-0.8c.jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in adventurebackpack-1.7.10-0.8c.jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy aether-1.7.10-v1.1.2.2.jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in aether-1.7.10-v1.1.2.2.jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy AnimationAPI-1.7.10-1.2.4.jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in AnimationAPI-1.7.10-1.2.4.jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy ArchimedesShips-1.7.1.jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in ArchimedesShips-1.7.1.jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy BiblioCraft[v1.11.7][MC1.7.10].jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in BiblioCraft[v1.11.7][MC1.7.10].jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy BiomesOPlenty-1.7.10-2.1.0.2308-universal.jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in BiomesOPlenty-1.7.10-2.1.0.2308-universal.jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy CodeChickenCore-1.7.10-1.0.7.48-universal.jar [04:46:23] [main/TRACE] [FML/]: Adding CodeChickenCore-1.7.10-1.0.7.48-universal.jar to the list of known coremods, it will not be examined again [04:46:23] [main/DEBUG] [FML/]: Instantiating coremod class CodeChickenCorePlugin [04:46:24] [main/WARN] [FML/]: The coremod codechicken.core.launch.CodeChickenCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [04:46:24] [main/DEBUG] [FML/]: Added access transformer class codechicken.core.asm.CodeChickenAccessTransformer to enqueued access transformers [04:46:24] [main/DEBUG] [FML/]: Enqueued coremod CodeChickenCorePlugin [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy CodeChickenLib-1.7.10-1.1.3.141-universal.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in CodeChickenLib-1.7.10-1.1.3.141-universal.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy DoggyTalents-1.7.10-1.14.2.317-universal.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in DoggyTalents-1.7.10-1.14.2.317-universal.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy endlessids-mc1.7.10-1.4.0-beta0003.jar [04:46:24] [main/INFO] [FML/]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from endlessids-mc1.7.10-1.4.0-beta0003.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy GravityGun-1.12.2-7.1.0.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in GravityGun-1.12.2-7.1.0.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy Hats-4.0.1.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in Hats-4.0.1.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy iChunUtil-4.2.3.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in iChunUtil-4.2.3.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy InfernalMobs-1.7.10.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in InfernalMobs-1.7.10.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy inventorypets-1.7.10-1.5.2-universal.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in inventorypets-1.7.10-1.5.2-universal.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy ironchest-1.7.10-6.0.62.742-universal.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in ironchest-1.7.10-6.0.62.742-universal.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy LibVulpes-1.7.10-0.2.8-37-universal.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in LibVulpes-1.7.10-0.2.8-37-universal.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy Mantle-1.7.10-0.3.2b.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in Mantle-1.7.10-0.3.2b.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy MoreCraft-1.7.10-2.7.6.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in MoreCraft-1.7.10-2.7.6.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy Morph-Beta-0.9.3.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in Morph-Beta-0.9.3.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy MutantCreatures-1.7.10-1.4.9.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in MutantCreatures-1.7.10-1.4.9.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy NotEnoughIDs-1.4.3.4.jar [04:46:24] [main/TRACE] [FML/]: Found FMLCorePluginContainsFMLMod marker in NotEnoughIDs-1.4.3.4.jar, it will be examined later for regular @Mod instances [04:46:24] [main/DEBUG] [FML/]: Instantiating coremod class IEPlugin [04:46:24] [main/DEBUG] [FML/]: The coremod ru.fewizz.idextender.IEPlugin requested minecraft version 1.7.10 and minecraft is 1.7.10. It will be loaded. [04:46:24] [main/DEBUG] [FML/]: Enqueued coremod IEPlugin [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy NotEnoughItems-1.7.10-1.0.5.120-universal.jar [04:46:24] [main/TRACE] [FML/]: Adding NotEnoughItems-1.7.10-1.0.5.120-universal.jar to the list of known coremods, it will not be examined again [04:46:24] [main/DEBUG] [FML/]: Instantiating coremod class NEICorePlugin [04:46:24] [main/WARN] [FML/]: The coremod codechicken.nei.asm.NEICorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [04:46:24] [main/DEBUG] [FML/]: Enqueued coremod NEICorePlugin [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy Pam's+HarvestCraft+1.7.10Lb.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in Pam's+HarvestCraft+1.7.10Lb.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy PortalGun-4.0.0-beta-6-fix-1.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in PortalGun-4.0.0-beta-6-fix-1.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy roguelike-1.7.10-1.4.4.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in roguelike-1.7.10-1.4.4.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy SpecialMobs-1.7.10-3.2.2.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in SpecialMobs-1.7.10-3.2.2.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy TConstruct-1.7.10-1.8.8.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in TConstruct-1.7.10-1.8.8.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy TheErebus-0.4.7.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in TheErebus-0.4.7.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy Zoocraft+Discoveries+1.7.10-1.1.0.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in Zoocraft+Discoveries+1.7.10-1.1.0.jar [04:46:24] [main/INFO] [LaunchWrapper/]: Loading tweak class name cpw.mods.fml.common.launcher.FMLInjectionAndSortingTweaker [04:46:24] [main/INFO] [LaunchWrapper/]: Loading tweak class name org.spongepowered.asm.launch.MixinTweaker [04:46:24] [main/ERROR] [LaunchWrapper/]: Unable to launch java.lang.ClassNotFoundException: org.spongepowered.asm.launch.MixinTweaker at java.net.URLClassLoader.findClass(URLClassLoader.java:387) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:418) ~[?:1.8.0_332] at sun.misc.Launcher$AppClassLoader.loadClass(Launcher.java:352) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:351) ~[?:1.8.0_332] at net.minecraft.launchwrapper.LaunchClassLoader.findClass(LaunchClassLoader.java:106) ~[launchwrapper-1.12.jar:?] at java.lang.ClassLoader.loadClass(ClassLoader.java:418) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:351) ~[?:1.8.0_332] at java.lang.Class.forName0(Native Method) ~[?:1.8.0_332] at java.lang.Class.forName(Class.java:348) ~[?:1.8.0_332] at net.minecraft.launchwrapper.Launch.launch(Launch.java:98) [launchwrapper-1.12.jar:?] at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_332] at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_332] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_332] at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_332] at org.multimc.onesix.OneSixLauncher.launchWithMainClass(OneSixLauncher.java:210) [NewLaunch.jar:?] at org.multimc.onesix.OneSixLauncher.launch(OneSixLauncher.java:245) [NewLaunch.jar:?] at org.multimc.EntryPoint.listen(EntryPoint.java:143) [NewLaunch.jar:?] at org.multimc.EntryPoint.main(EntryPoint.java:34) [NewLaunch.jar:?] [04:46:24] [main/INFO] [STDERR/]: [org.multimc.onesix.OneSixLauncher:launchWithMainClass:213]: Failed to start Minecraft: [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: java.lang.reflect.InvocationTargetException [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.reflect.Method.invoke(Method.java:498) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.onesix.OneSixLauncher.launchWithMainClass(OneSixLauncher.java:210) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.onesix.OneSixLauncher.launch(OneSixLauncher.java:245) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.listen(EntryPoint.java:143) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.main(EntryPoint.java:34) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: Caused by: cpw.mods.fml.relauncher.FMLSecurityManager$ExitTrappedException [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at cpw.mods.fml.relauncher.FMLSecurityManager.checkPermission(FMLSecurityManager.java:25) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.SecurityManager.checkExit(SecurityManager.java:761) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.Runtime.exit(Runtime.java:107) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.System.exit(System.java:973) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at net.minecraft.launchwrapper.Launch.launch(Launch.java:138) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: ... 8 more [04:46:24] [main/INFO] [STDOUT/]: [org.multimc.EntryPoint:main:37]: Exiting with -1 [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: java.lang.ArrayIndexOutOfBoundsException: 5 [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at cpw.mods.fml.relauncher.FMLSecurityManager.checkPermission(FMLSecurityManager.java:21) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.SecurityManager.checkExit(SecurityManager.java:761) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.Runtime.exit(Runtime.java:107) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.System.exit(System.java:973) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.main(EntryPoint.java:38) --CONSOLE LOG-- Minecraft process ID: 16776 Using onesix launcher. [04:46:23] [main/INFO] [LaunchWrapper]: Loading tweak class name cpw.mods.fml.common.launcher.FMLTweaker [04:46:23] [main/INFO] [LaunchWrapper]: Using primary tweak class name cpw.mods.fml.common.launcher.FMLTweaker [04:46:23] [main/INFO] [LaunchWrapper]: Calling tweak class cpw.mods.fml.common.launcher.FMLTweaker [04:46:23] [main/INFO] [FML]: Forge Mod Loader version 7.99.40.1614 for Minecraft 1.7.10 loading [04:46:23] [main/INFO] [FML]: Java is OpenJDK 64-Bit Server VM, version 1.8.0_332, running on Windows 10:amd64:10.0, installed at C:\Users\REDACTED\Onedrive - REDACTED - Files\Downloads\MultiMC\liberica-jdk1.8.0_332-windows-x64\jdk1.8.0_332-windows-x64\java-windows\jre [04:46:24] [main/WARN] [FML]: The coremod codechicken.core.launch.CodeChickenCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [04:46:24] [main/INFO] [FML]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from endlessids-mc1.7.10-1.4.0-beta0003.jar [04:46:24] [main/WARN] [FML]: The coremod codechicken.nei.asm.NEICorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [04:46:24] [main/INFO] [LaunchWrapper]: Loading tweak class name cpw.mods.fml.common.launcher.FMLInjectionAndSortingTweaker [04:46:24] [main/INFO] [LaunchWrapper]: Loading tweak class name org.spongepowered.asm.launch.MixinTweaker [04:46:24] [main/ERROR] [LaunchWrapper]: Unable to launch java.lang.ClassNotFoundException: org.spongepowered.asm.launch.MixinTweaker at java.net.URLClassLoader.findClass(URLClassLoader.java:387) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:418) ~[?:1.8.0_332] at sun.misc.Launcher$AppClassLoader.loadClass(Launcher.java:352) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:351) ~[?:1.8.0_332] at net.minecraft.launchwrapper.LaunchClassLoader.findClass(LaunchClassLoader.java:106) ~[launchwrapper-1.12.jar:?] at java.lang.ClassLoader.loadClass(ClassLoader.java:418) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:351) ~[?:1.8.0_332] at java.lang.Class.forName0(Native Method) ~[?:1.8.0_332] at java.lang.Class.forName(Class.java:348) ~[?:1.8.0_332] at net.minecraft.launchwrapper.Launch.launch(Launch.java:98) [launchwrapper-1.12.jar:?] at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_332] at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_332] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_332] at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_332] at org.multimc.onesix.OneSixLauncher.launchWithMainClass(OneSixLauncher.java:210) [NewLaunch.jar:?] at org.multimc.onesix.OneSixLauncher.launch(OneSixLauncher.java:245) [NewLaunch.jar:?] at org.multimc.EntryPoint.listen(EntryPoint.java:143) [NewLaunch.jar:?] at org.multimc.EntryPoint.main(EntryPoint.java:34) [NewLaunch.jar:?] [04:46:24] [main/INFO] [STDERR]: [org.multimc.onesix.OneSixLauncher:launchWithMainClass:213]: Failed to start Minecraft: [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: java.lang.reflect.InvocationTargetException [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.reflect.Method.invoke(Method.java:498) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.onesix.OneSixLauncher.launchWithMainClass(OneSixLauncher.java:210) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.onesix.OneSixLauncher.launch(OneSixLauncher.java:245) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.listen(EntryPoint.java:143) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.main(EntryPoint.java:34) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: Caused by: cpw.mods.fml.relauncher.FMLSecurityManager$ExitTrappedException [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at cpw.mods.fml.relauncher.FMLSecurityManager.checkPermission(FMLSecurityManager.java:25) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.SecurityManager.checkExit(SecurityManager.java:761) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.Runtime.exit(Runtime.java:107) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.System.exit(System.java:973) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at net.minecraft.launchwrapper.Launch.launch(Launch.java:138) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: ... 8 more [04:46:24] [main/INFO] [STDOUT]: [org.multimc.EntryPoint:main:37]: Exiting with -1 [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: java.lang.ArrayIndexOutOfBoundsException: 5 [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at cpw.mods.fml.relauncher.FMLSecurityManager.checkPermission(FMLSecurityManager.java:21) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.SecurityManager.checkExit(SecurityManager.java:761) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.Runtime.exit(Runtime.java:107) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.System.exit(System.java:973) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.main(EntryPoint.java:38) Exception in thread "main" Process exited with code 1 (0x1). Please note that usually neither the exit code, nor its description are enough to diagnose issues! Always upload the entire log and not just the exit code. ### Description Minecraft will not start up when I have EndlessIDs enabled on my instance (I use multiMC but all of my other mods work fine with it, so I don't think the launcher is the problem here), and I have no idea what's causing it, please help thanks.
1.0
[Bug]: Game will not start up when EndlessIDs is enabled - ### OS Windows ### GPU Intel ### Modpack (Optional) _No response_ ### Game log [04:46:23] [main/DEBUG] [FML/]: Injecting tracing printstreams for STDOUT/STDERR. [04:46:23] [main/INFO] [FML/]: Forge Mod Loader version 7.99.40.1614 for Minecraft 1.7.10 loading [04:46:23] [main/INFO] [FML/]: Java is OpenJDK 64-Bit Server VM, version 1.8.0_332, running on Windows 10:amd64:10.0, installed at C:\Users\REDACTED\Onedrive - REDACTED - Files\Downloads\MultiMC\liberica-jdk1.8.0_332-windows-x64\jdk1.8.0_332-windows-x64\java-windows\jre [04:46:23] [main/DEBUG] [FML/]: Java classpath at launch is [REDACTED] [04:46:23] [main/DEBUG] [FML/]: Java library path at launch is C:/Users/REDACTED/Onedrive - REDACTED - Files/Downloads/MultiMC/instances/1.7.10/natives [04:46:23] [main/DEBUG] [FML/]: Enabling runtime deobfuscation [04:46:23] [main/DEBUG] [FML/]: Instantiating coremod class FMLCorePlugin [04:46:23] [main/DEBUG] [FML/]: Added access transformer class cpw.mods.fml.common.asm.transformers.AccessTransformer to enqueued access transformers [04:46:23] [main/DEBUG] [FML/]: Enqueued coremod FMLCorePlugin [04:46:23] [main/DEBUG] [FML/]: Instantiating coremod class FMLForgePlugin [04:46:23] [main/DEBUG] [FML/]: Added access transformer class net.minecraftforge.transformers.ForgeAccessTransformer to enqueued access transformers [04:46:23] [main/DEBUG] [FML/]: Enqueued coremod FMLForgePlugin [04:46:23] [main/DEBUG] [FML/]: All fundamental core mods are successfully located [04:46:23] [main/DEBUG] [FML/]: Attempting to load commandline specified mods, relative to C:\Users\REDACTED\Onedrive - REDACTED - Files\Downloads\MultiMC\instances\1.7.10\.minecraft [04:46:23] [main/DEBUG] [FML/]: Discovering coremods [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy AdvancedLightsabers-1.7.10-1.2.2.jar [04:46:23] [main/TRACE] [FML/]: Found FMLCorePluginContainsFMLMod marker in AdvancedLightsabers-1.7.10-1.2.2.jar, it will be examined later for regular @Mod instances [04:46:23] [main/DEBUG] [FML/]: Instantiating coremod class ALLoadingPlugin [04:46:23] [main/DEBUG] [FML/]: The coremod com.fiskmods.lightsabers.asm.ALLoadingPlugin requested minecraft version 1.7.10 and minecraft is 1.7.10. It will be loaded. [04:46:23] [main/DEBUG] [FML/]: Enqueued coremod ALLoadingPlugin [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy AdvancedRocketry-1.7.10-1.2.2.jar [04:46:23] [main/TRACE] [FML/]: Found FMLCorePluginContainsFMLMod marker in AdvancedRocketry-1.7.10-1.2.2.jar, it will be examined later for regular @Mod instances [04:46:23] [main/DEBUG] [FML/]: Instantiating coremod class AdvancedRocketryPlugin [04:46:23] [main/DEBUG] [FML/]: The coremod zmaster587.advancedRocketry.asm.AdvancedRocketryPlugin requested minecraft version 1.7.10 and minecraft is 1.7.10. It will be loaded. [04:46:23] [main/DEBUG] [FML/]: Enqueued coremod AdvancedRocketryPlugin [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy adventurebackpack-1.7.10-0.8c.jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in adventurebackpack-1.7.10-0.8c.jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy aether-1.7.10-v1.1.2.2.jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in aether-1.7.10-v1.1.2.2.jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy AnimationAPI-1.7.10-1.2.4.jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in AnimationAPI-1.7.10-1.2.4.jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy ArchimedesShips-1.7.1.jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in ArchimedesShips-1.7.1.jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy BiblioCraft[v1.11.7][MC1.7.10].jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in BiblioCraft[v1.11.7][MC1.7.10].jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy BiomesOPlenty-1.7.10-2.1.0.2308-universal.jar [04:46:23] [main/DEBUG] [FML/]: Not found coremod data in BiomesOPlenty-1.7.10-2.1.0.2308-universal.jar [04:46:23] [main/DEBUG] [FML/]: Examining for coremod candidacy CodeChickenCore-1.7.10-1.0.7.48-universal.jar [04:46:23] [main/TRACE] [FML/]: Adding CodeChickenCore-1.7.10-1.0.7.48-universal.jar to the list of known coremods, it will not be examined again [04:46:23] [main/DEBUG] [FML/]: Instantiating coremod class CodeChickenCorePlugin [04:46:24] [main/WARN] [FML/]: The coremod codechicken.core.launch.CodeChickenCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [04:46:24] [main/DEBUG] [FML/]: Added access transformer class codechicken.core.asm.CodeChickenAccessTransformer to enqueued access transformers [04:46:24] [main/DEBUG] [FML/]: Enqueued coremod CodeChickenCorePlugin [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy CodeChickenLib-1.7.10-1.1.3.141-universal.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in CodeChickenLib-1.7.10-1.1.3.141-universal.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy DoggyTalents-1.7.10-1.14.2.317-universal.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in DoggyTalents-1.7.10-1.14.2.317-universal.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy endlessids-mc1.7.10-1.4.0-beta0003.jar [04:46:24] [main/INFO] [FML/]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from endlessids-mc1.7.10-1.4.0-beta0003.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy GravityGun-1.12.2-7.1.0.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in GravityGun-1.12.2-7.1.0.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy Hats-4.0.1.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in Hats-4.0.1.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy iChunUtil-4.2.3.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in iChunUtil-4.2.3.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy InfernalMobs-1.7.10.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in InfernalMobs-1.7.10.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy inventorypets-1.7.10-1.5.2-universal.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in inventorypets-1.7.10-1.5.2-universal.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy ironchest-1.7.10-6.0.62.742-universal.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in ironchest-1.7.10-6.0.62.742-universal.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy LibVulpes-1.7.10-0.2.8-37-universal.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in LibVulpes-1.7.10-0.2.8-37-universal.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy Mantle-1.7.10-0.3.2b.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in Mantle-1.7.10-0.3.2b.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy MoreCraft-1.7.10-2.7.6.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in MoreCraft-1.7.10-2.7.6.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy Morph-Beta-0.9.3.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in Morph-Beta-0.9.3.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy MutantCreatures-1.7.10-1.4.9.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in MutantCreatures-1.7.10-1.4.9.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy NotEnoughIDs-1.4.3.4.jar [04:46:24] [main/TRACE] [FML/]: Found FMLCorePluginContainsFMLMod marker in NotEnoughIDs-1.4.3.4.jar, it will be examined later for regular @Mod instances [04:46:24] [main/DEBUG] [FML/]: Instantiating coremod class IEPlugin [04:46:24] [main/DEBUG] [FML/]: The coremod ru.fewizz.idextender.IEPlugin requested minecraft version 1.7.10 and minecraft is 1.7.10. It will be loaded. [04:46:24] [main/DEBUG] [FML/]: Enqueued coremod IEPlugin [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy NotEnoughItems-1.7.10-1.0.5.120-universal.jar [04:46:24] [main/TRACE] [FML/]: Adding NotEnoughItems-1.7.10-1.0.5.120-universal.jar to the list of known coremods, it will not be examined again [04:46:24] [main/DEBUG] [FML/]: Instantiating coremod class NEICorePlugin [04:46:24] [main/WARN] [FML/]: The coremod codechicken.nei.asm.NEICorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [04:46:24] [main/DEBUG] [FML/]: Enqueued coremod NEICorePlugin [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy Pam's+HarvestCraft+1.7.10Lb.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in Pam's+HarvestCraft+1.7.10Lb.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy PortalGun-4.0.0-beta-6-fix-1.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in PortalGun-4.0.0-beta-6-fix-1.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy roguelike-1.7.10-1.4.4.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in roguelike-1.7.10-1.4.4.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy SpecialMobs-1.7.10-3.2.2.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in SpecialMobs-1.7.10-3.2.2.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy TConstruct-1.7.10-1.8.8.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in TConstruct-1.7.10-1.8.8.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy TheErebus-0.4.7.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in TheErebus-0.4.7.jar [04:46:24] [main/DEBUG] [FML/]: Examining for coremod candidacy Zoocraft+Discoveries+1.7.10-1.1.0.jar [04:46:24] [main/DEBUG] [FML/]: Not found coremod data in Zoocraft+Discoveries+1.7.10-1.1.0.jar [04:46:24] [main/INFO] [LaunchWrapper/]: Loading tweak class name cpw.mods.fml.common.launcher.FMLInjectionAndSortingTweaker [04:46:24] [main/INFO] [LaunchWrapper/]: Loading tweak class name org.spongepowered.asm.launch.MixinTweaker [04:46:24] [main/ERROR] [LaunchWrapper/]: Unable to launch java.lang.ClassNotFoundException: org.spongepowered.asm.launch.MixinTweaker at java.net.URLClassLoader.findClass(URLClassLoader.java:387) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:418) ~[?:1.8.0_332] at sun.misc.Launcher$AppClassLoader.loadClass(Launcher.java:352) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:351) ~[?:1.8.0_332] at net.minecraft.launchwrapper.LaunchClassLoader.findClass(LaunchClassLoader.java:106) ~[launchwrapper-1.12.jar:?] at java.lang.ClassLoader.loadClass(ClassLoader.java:418) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:351) ~[?:1.8.0_332] at java.lang.Class.forName0(Native Method) ~[?:1.8.0_332] at java.lang.Class.forName(Class.java:348) ~[?:1.8.0_332] at net.minecraft.launchwrapper.Launch.launch(Launch.java:98) [launchwrapper-1.12.jar:?] at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_332] at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_332] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_332] at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_332] at org.multimc.onesix.OneSixLauncher.launchWithMainClass(OneSixLauncher.java:210) [NewLaunch.jar:?] at org.multimc.onesix.OneSixLauncher.launch(OneSixLauncher.java:245) [NewLaunch.jar:?] at org.multimc.EntryPoint.listen(EntryPoint.java:143) [NewLaunch.jar:?] at org.multimc.EntryPoint.main(EntryPoint.java:34) [NewLaunch.jar:?] [04:46:24] [main/INFO] [STDERR/]: [org.multimc.onesix.OneSixLauncher:launchWithMainClass:213]: Failed to start Minecraft: [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: java.lang.reflect.InvocationTargetException [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.reflect.Method.invoke(Method.java:498) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.onesix.OneSixLauncher.launchWithMainClass(OneSixLauncher.java:210) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.onesix.OneSixLauncher.launch(OneSixLauncher.java:245) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.listen(EntryPoint.java:143) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.main(EntryPoint.java:34) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: Caused by: cpw.mods.fml.relauncher.FMLSecurityManager$ExitTrappedException [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at cpw.mods.fml.relauncher.FMLSecurityManager.checkPermission(FMLSecurityManager.java:25) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.SecurityManager.checkExit(SecurityManager.java:761) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.Runtime.exit(Runtime.java:107) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.System.exit(System.java:973) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at net.minecraft.launchwrapper.Launch.launch(Launch.java:138) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: ... 8 more [04:46:24] [main/INFO] [STDOUT/]: [org.multimc.EntryPoint:main:37]: Exiting with -1 [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: java.lang.ArrayIndexOutOfBoundsException: 5 [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at cpw.mods.fml.relauncher.FMLSecurityManager.checkPermission(FMLSecurityManager.java:21) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.SecurityManager.checkExit(SecurityManager.java:761) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.Runtime.exit(Runtime.java:107) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.System.exit(System.java:973) [04:46:24] [main/INFO] [STDERR/]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.main(EntryPoint.java:38) --CONSOLE LOG-- Minecraft process ID: 16776 Using onesix launcher. [04:46:23] [main/INFO] [LaunchWrapper]: Loading tweak class name cpw.mods.fml.common.launcher.FMLTweaker [04:46:23] [main/INFO] [LaunchWrapper]: Using primary tweak class name cpw.mods.fml.common.launcher.FMLTweaker [04:46:23] [main/INFO] [LaunchWrapper]: Calling tweak class cpw.mods.fml.common.launcher.FMLTweaker [04:46:23] [main/INFO] [FML]: Forge Mod Loader version 7.99.40.1614 for Minecraft 1.7.10 loading [04:46:23] [main/INFO] [FML]: Java is OpenJDK 64-Bit Server VM, version 1.8.0_332, running on Windows 10:amd64:10.0, installed at C:\Users\REDACTED\Onedrive - REDACTED - Files\Downloads\MultiMC\liberica-jdk1.8.0_332-windows-x64\jdk1.8.0_332-windows-x64\java-windows\jre [04:46:24] [main/WARN] [FML]: The coremod codechicken.core.launch.CodeChickenCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [04:46:24] [main/INFO] [FML]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from endlessids-mc1.7.10-1.4.0-beta0003.jar [04:46:24] [main/WARN] [FML]: The coremod codechicken.nei.asm.NEICorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [04:46:24] [main/INFO] [LaunchWrapper]: Loading tweak class name cpw.mods.fml.common.launcher.FMLInjectionAndSortingTweaker [04:46:24] [main/INFO] [LaunchWrapper]: Loading tweak class name org.spongepowered.asm.launch.MixinTweaker [04:46:24] [main/ERROR] [LaunchWrapper]: Unable to launch java.lang.ClassNotFoundException: org.spongepowered.asm.launch.MixinTweaker at java.net.URLClassLoader.findClass(URLClassLoader.java:387) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:418) ~[?:1.8.0_332] at sun.misc.Launcher$AppClassLoader.loadClass(Launcher.java:352) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:351) ~[?:1.8.0_332] at net.minecraft.launchwrapper.LaunchClassLoader.findClass(LaunchClassLoader.java:106) ~[launchwrapper-1.12.jar:?] at java.lang.ClassLoader.loadClass(ClassLoader.java:418) ~[?:1.8.0_332] at java.lang.ClassLoader.loadClass(ClassLoader.java:351) ~[?:1.8.0_332] at java.lang.Class.forName0(Native Method) ~[?:1.8.0_332] at java.lang.Class.forName(Class.java:348) ~[?:1.8.0_332] at net.minecraft.launchwrapper.Launch.launch(Launch.java:98) [launchwrapper-1.12.jar:?] at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_332] at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_332] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_332] at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_332] at org.multimc.onesix.OneSixLauncher.launchWithMainClass(OneSixLauncher.java:210) [NewLaunch.jar:?] at org.multimc.onesix.OneSixLauncher.launch(OneSixLauncher.java:245) [NewLaunch.jar:?] at org.multimc.EntryPoint.listen(EntryPoint.java:143) [NewLaunch.jar:?] at org.multimc.EntryPoint.main(EntryPoint.java:34) [NewLaunch.jar:?] [04:46:24] [main/INFO] [STDERR]: [org.multimc.onesix.OneSixLauncher:launchWithMainClass:213]: Failed to start Minecraft: [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: java.lang.reflect.InvocationTargetException [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.reflect.Method.invoke(Method.java:498) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.onesix.OneSixLauncher.launchWithMainClass(OneSixLauncher.java:210) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.onesix.OneSixLauncher.launch(OneSixLauncher.java:245) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.listen(EntryPoint.java:143) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.main(EntryPoint.java:34) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: Caused by: cpw.mods.fml.relauncher.FMLSecurityManager$ExitTrappedException [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at cpw.mods.fml.relauncher.FMLSecurityManager.checkPermission(FMLSecurityManager.java:25) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.SecurityManager.checkExit(SecurityManager.java:761) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.Runtime.exit(Runtime.java:107) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.System.exit(System.java:973) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at net.minecraft.launchwrapper.Launch.launch(Launch.java:138) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: ... 8 more [04:46:24] [main/INFO] [STDOUT]: [org.multimc.EntryPoint:main:37]: Exiting with -1 [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: java.lang.ArrayIndexOutOfBoundsException: 5 [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at cpw.mods.fml.relauncher.FMLSecurityManager.checkPermission(FMLSecurityManager.java:21) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.SecurityManager.checkExit(SecurityManager.java:761) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.Runtime.exit(Runtime.java:107) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at java.lang.System.exit(System.java:973) [04:46:24] [main/INFO] [STDERR]: [java.lang.Throwable$WrappedPrintStream:println:749]: at org.multimc.EntryPoint.main(EntryPoint.java:38) Exception in thread "main" Process exited with code 1 (0x1). Please note that usually neither the exit code, nor its description are enough to diagnose issues! Always upload the entire log and not just the exit code. ### Description Minecraft will not start up when I have EndlessIDs enabled on my instance (I use multiMC but all of my other mods work fine with it, so I don't think the launcher is the problem here), and I have no idea what's causing it, please help thanks.
priority
game will not start up when endlessids is enabled os windows gpu intel modpack optional no response game log injecting tracing printstreams for stdout stderr forge mod loader version for minecraft loading java is openjdk bit server vm version running on windows installed at c users redacted onedrive redacted files downloads multimc liberica windows windows java windows jre java classpath at launch is java library path at launch is c users redacted onedrive redacted files downloads multimc instances natives enabling runtime deobfuscation instantiating coremod class fmlcoreplugin added access transformer class cpw mods fml common asm transformers accesstransformer to enqueued access transformers enqueued coremod fmlcoreplugin instantiating coremod class fmlforgeplugin added access transformer class net minecraftforge transformers forgeaccesstransformer to enqueued access transformers enqueued coremod fmlforgeplugin all fundamental core mods are successfully located attempting to load commandline specified mods relative to c users redacted onedrive redacted files downloads multimc instances minecraft discovering coremods examining for coremod candidacy advancedlightsabers jar found fmlcoreplugincontainsfmlmod marker in advancedlightsabers jar it will be examined later for regular mod instances instantiating coremod class alloadingplugin the coremod com fiskmods lightsabers asm alloadingplugin requested minecraft version and minecraft is it will be loaded enqueued coremod alloadingplugin examining for coremod candidacy advancedrocketry jar found fmlcoreplugincontainsfmlmod marker in advancedrocketry jar it will be examined later for regular mod instances instantiating coremod class advancedrocketryplugin the coremod advancedrocketry asm advancedrocketryplugin requested minecraft version and minecraft is it will be loaded enqueued coremod advancedrocketryplugin examining for coremod candidacy adventurebackpack jar not found coremod data in adventurebackpack jar examining for coremod candidacy aether jar not found coremod data in aether jar examining for coremod candidacy animationapi jar not found coremod data in animationapi jar examining for coremod candidacy archimedesships jar not found coremod data in archimedesships jar examining for coremod candidacy bibliocraft jar not found coremod data in bibliocraft jar examining for coremod candidacy biomesoplenty universal jar not found coremod data in biomesoplenty universal jar examining for coremod candidacy codechickencore universal jar adding codechickencore universal jar to the list of known coremods it will not be examined again instantiating coremod class codechickencoreplugin the coremod codechicken core launch codechickencoreplugin does not have a mcversion annotation it may cause issues with this version of minecraft added access transformer class codechicken core asm codechickenaccesstransformer to enqueued access transformers enqueued coremod codechickencoreplugin examining for coremod candidacy codechickenlib universal jar not found coremod data in codechickenlib universal jar examining for coremod candidacy doggytalents universal jar not found coremod data in doggytalents universal jar examining for coremod candidacy endlessids jar loading tweaker org spongepowered asm launch mixintweaker from endlessids jar examining for coremod candidacy gravitygun jar not found coremod data in gravitygun jar examining for coremod candidacy hats jar not found coremod data in hats jar examining for coremod candidacy ichunutil jar not found coremod data in ichunutil jar examining for coremod candidacy infernalmobs jar not found coremod data in infernalmobs jar examining for coremod candidacy inventorypets universal jar not found coremod data in inventorypets universal jar examining for coremod candidacy ironchest universal jar not found coremod data in ironchest universal jar examining for coremod candidacy libvulpes universal jar not found coremod data in libvulpes universal jar examining for coremod candidacy mantle jar not found coremod data in mantle jar examining for coremod candidacy morecraft jar not found coremod data in morecraft jar examining for coremod candidacy morph beta jar not found coremod data in morph beta jar examining for coremod candidacy mutantcreatures jar not found coremod data in mutantcreatures jar examining for coremod candidacy notenoughids jar found fmlcoreplugincontainsfmlmod marker in notenoughids jar it will be examined later for regular mod instances instantiating coremod class ieplugin the coremod ru fewizz idextender ieplugin requested minecraft version and minecraft is it will be loaded enqueued coremod ieplugin examining for coremod candidacy notenoughitems universal jar adding notenoughitems universal jar to the list of known coremods it will not be examined again instantiating coremod class neicoreplugin the coremod codechicken nei asm neicoreplugin does not have a mcversion annotation it may cause issues with this version of minecraft enqueued coremod neicoreplugin examining for coremod candidacy pam s harvestcraft jar not found coremod data in pam s harvestcraft jar examining for coremod candidacy portalgun beta fix jar not found coremod data in portalgun beta fix jar examining for coremod candidacy roguelike jar not found coremod data in roguelike jar examining for coremod candidacy specialmobs jar not found coremod data in specialmobs jar examining for coremod candidacy tconstruct jar not found coremod data in tconstruct jar examining for coremod candidacy theerebus jar not found coremod data in theerebus jar examining for coremod candidacy zoocraft discoveries jar not found coremod data in zoocraft discoveries jar loading tweak class name cpw mods fml common launcher fmlinjectionandsortingtweaker loading tweak class name org spongepowered asm launch mixintweaker unable to launch java lang classnotfoundexception org spongepowered asm launch mixintweaker at java net urlclassloader findclass urlclassloader java at java lang classloader loadclass classloader java at sun misc launcher appclassloader loadclass launcher java at java lang classloader loadclass classloader java at net minecraft launchwrapper launchclassloader findclass launchclassloader java at java lang classloader loadclass classloader java at java lang classloader loadclass classloader java at java lang class native method at java lang class forname class java at net minecraft launchwrapper launch launch launch java at net minecraft launchwrapper launch main launch java at sun reflect nativemethodaccessorimpl native method at sun reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org multimc onesix onesixlauncher launchwithmainclass onesixlauncher java at org multimc onesix onesixlauncher launch onesixlauncher java at org multimc entrypoint listen entrypoint java at org multimc entrypoint main entrypoint java failed to start minecraft java lang reflect invocationtargetexception at sun reflect nativemethodaccessorimpl native method at sun reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org multimc onesix onesixlauncher launchwithmainclass onesixlauncher java at org multimc onesix onesixlauncher launch onesixlauncher java at org multimc entrypoint listen entrypoint java at org multimc entrypoint main entrypoint java caused by cpw mods fml relauncher fmlsecuritymanager exittrappedexception at cpw mods fml relauncher fmlsecuritymanager checkpermission fmlsecuritymanager java at java lang securitymanager checkexit securitymanager java at java lang runtime exit runtime java at java lang system exit system java at net minecraft launchwrapper launch launch launch java at net minecraft launchwrapper launch main launch java more exiting with java lang arrayindexoutofboundsexception at cpw mods fml relauncher fmlsecuritymanager checkpermission fmlsecuritymanager java at java lang securitymanager checkexit securitymanager java at java lang runtime exit runtime java at java lang system exit system java at org multimc entrypoint main entrypoint java console log minecraft process id using onesix launcher loading tweak class name cpw mods fml common launcher fmltweaker using primary tweak class name cpw mods fml common launcher fmltweaker calling tweak class cpw mods fml common launcher fmltweaker forge mod loader version for minecraft loading java is openjdk bit server vm version running on windows installed at c users redacted onedrive redacted files downloads multimc liberica windows windows java windows jre the coremod codechicken core launch codechickencoreplugin does not have a mcversion annotation it may cause issues with this version of minecraft loading tweaker org spongepowered asm launch mixintweaker from endlessids jar the coremod codechicken nei asm neicoreplugin does not have a mcversion annotation it may cause issues with this version of minecraft loading tweak class name cpw mods fml common launcher fmlinjectionandsortingtweaker loading tweak class name org spongepowered asm launch mixintweaker unable to launch java lang classnotfoundexception org spongepowered asm launch mixintweaker at java net urlclassloader findclass urlclassloader java at java lang classloader loadclass classloader java at sun misc launcher appclassloader loadclass launcher java at java lang classloader loadclass classloader java at net minecraft launchwrapper launchclassloader findclass launchclassloader java at java lang classloader loadclass classloader java at java lang classloader loadclass classloader java at java lang class native method at java lang class forname class java at net minecraft launchwrapper launch launch launch java at net minecraft launchwrapper launch main launch java at sun reflect nativemethodaccessorimpl native method at sun reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org multimc onesix onesixlauncher launchwithmainclass onesixlauncher java at org multimc onesix onesixlauncher launch onesixlauncher java at org multimc entrypoint listen entrypoint java at org multimc entrypoint main entrypoint java failed to start minecraft java lang reflect invocationtargetexception at sun reflect nativemethodaccessorimpl native method at sun reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org multimc onesix onesixlauncher launchwithmainclass onesixlauncher java at org multimc onesix onesixlauncher launch onesixlauncher java at org multimc entrypoint listen entrypoint java at org multimc entrypoint main entrypoint java caused by cpw mods fml relauncher fmlsecuritymanager exittrappedexception at cpw mods fml relauncher fmlsecuritymanager checkpermission fmlsecuritymanager java at java lang securitymanager checkexit securitymanager java at java lang runtime exit runtime java at java lang system exit system java at net minecraft launchwrapper launch launch launch java at net minecraft launchwrapper launch main launch java more exiting with java lang arrayindexoutofboundsexception at cpw mods fml relauncher fmlsecuritymanager checkpermission fmlsecuritymanager java at java lang securitymanager checkexit securitymanager java at java lang runtime exit runtime java at java lang system exit system java at org multimc entrypoint main entrypoint java exception in thread main process exited with code please note that usually neither the exit code nor its description are enough to diagnose issues always upload the entire log and not just the exit code description minecraft will not start up when i have endlessids enabled on my instance i use multimc but all of my other mods work fine with it so i don t think the launcher is the problem here and i have no idea what s causing it please help thanks
1
543,298
15,879,623,610
IssuesEvent
2021-04-09 12:42:55
AY2021S2-CS2103-T16-2/tp
https://api.github.com/repos/AY2021S2-CS2103-T16-2/tp
closed
Store Connections into the storage
priority.High
so that the every time the user relaunches the program will restore the connections created.
1.0
Store Connections into the storage - so that the every time the user relaunches the program will restore the connections created.
priority
store connections into the storage so that the every time the user relaunches the program will restore the connections created
1
777,915
27,297,591,328
IssuesEvent
2023-02-23 21:51:20
Ore-Design/Ore-3D-Reports-Changelog
https://api.github.com/repos/Ore-Design/Ore-3D-Reports-Changelog
closed
Bug: Crash on Save with TBD Finish [1.7.5]
bug in progress high priority
**Bug:** Saving an order while the "TBD" finish is assigned to any builds results in crash.
1.0
Bug: Crash on Save with TBD Finish [1.7.5] - **Bug:** Saving an order while the "TBD" finish is assigned to any builds results in crash.
priority
bug crash on save with tbd finish bug saving an order while the tbd finish is assigned to any builds results in crash
1
231,153
7,624,303,837
IssuesEvent
2018-05-03 17:34:49
quipucords/quipucords
https://api.github.com/repos/quipucords/quipucords
closed
Summary report missing sources name
bug priority - high
## Specify type: - Bug ### Priority: - High ___ ## Description: Run a network scan and view CSV. Notice sources has ['None'] ___ ## Acceptance Criteria: - [ ] CSV has sources
1.0
Summary report missing sources name - ## Specify type: - Bug ### Priority: - High ___ ## Description: Run a network scan and view CSV. Notice sources has ['None'] ___ ## Acceptance Criteria: - [ ] CSV has sources
priority
summary report missing sources name specify type bug priority high description run a network scan and view csv notice sources has acceptance criteria csv has sources
1
75,944
3,478,850,653
IssuesEvent
2015-12-28 15:53:00
twosigma/beaker-notebook
https://api.github.com/repos/twosigma/beaker-notebook
closed
table options stack trace
Bug Priority High
text fields are broken, the following appears on console ``` Error: [ngModel:numfmt] Expected `false` to be a number http://errors.angularjs.org/1.4.7/ngModel/numfmt?p0=false at angular.js:68 at Array.<anonymous> (angular.js:21913) at Object.ngModelWatch (angular.js:25419) at Scope.$digest (angular.js:15818) at Scope.$apply (angular.js:16097) at HTMLAnchorElement.<anonymous> (angular-touch.js:477) at HTMLAnchorElement.jQuery.event.dispatch (jquery.js:4676) at HTMLAnchorElement.$event.dispatch (jquery.event.drag.js:374) at HTMLAnchorElement.elemData.handle (jquery.js:4360) ``` plus: ``` TabsetController is now deprecated. Use UibTabsetController instead. 2angular.js:12477 tab is now deprecated. Use uib-tab instead. angular.js:12477 tabset is now deprecated. Use uib-tabset instead. ```
1.0
table options stack trace - text fields are broken, the following appears on console ``` Error: [ngModel:numfmt] Expected `false` to be a number http://errors.angularjs.org/1.4.7/ngModel/numfmt?p0=false at angular.js:68 at Array.<anonymous> (angular.js:21913) at Object.ngModelWatch (angular.js:25419) at Scope.$digest (angular.js:15818) at Scope.$apply (angular.js:16097) at HTMLAnchorElement.<anonymous> (angular-touch.js:477) at HTMLAnchorElement.jQuery.event.dispatch (jquery.js:4676) at HTMLAnchorElement.$event.dispatch (jquery.event.drag.js:374) at HTMLAnchorElement.elemData.handle (jquery.js:4360) ``` plus: ``` TabsetController is now deprecated. Use UibTabsetController instead. 2angular.js:12477 tab is now deprecated. Use uib-tab instead. angular.js:12477 tabset is now deprecated. Use uib-tabset instead. ```
priority
table options stack trace text fields are broken the following appears on console error expected false to be a number at angular js at array angular js at object ngmodelwatch angular js at scope digest angular js at scope apply angular js at htmlanchorelement angular touch js at htmlanchorelement jquery event dispatch jquery js at htmlanchorelement event dispatch jquery event drag js at htmlanchorelement elemdata handle jquery js plus tabsetcontroller is now deprecated use uibtabsetcontroller instead js tab is now deprecated use uib tab instead angular js tabset is now deprecated use uib tabset instead
1
50,373
3,006,358,938
IssuesEvent
2015-07-27 09:52:00
Itseez/opencv
https://api.github.com/repos/Itseez/opencv
opened
ffmpeg decoder crash for raw (uncompressed) avi file
affected: 2.4 auto-transferred bug category: highgui-video priority: normal
Transferred from http://code.opencv.org/issues/3199 ``` || Guillaume Dumont on 2013-08-06 14:47 || Priority: Normal || Affected: 2.4.6 (latest release) || Category: highgui-video || Tracker: Bug || Difficulty: || PR: || Platform: x86 / Windows ``` ffmpeg decoder crash for raw (uncompressed) avi file ----------- ``` In CvCapture_FFMPEG::grabFrame : The call to avcodec_decode_video2 does not seem to allocate memory for the AVFrame that is passed to it when a raw uncompressed video is decoded. It seems like the call to av_free_packet frees the memory that the AVFrame::data[0] is pointing to. then in CvCapture_FFMPEG::retrieveFrame : the call to sws_scale crashes because ffmpeg tries to write to invalid memory. Any idea how to fix this? ``` History ------- ##### Victor Kocheganov on 2013-08-08 04:55 ``` Hello Guillaume Dumont, thank you for reporting the issue! Could you please provide some more information to reproduce the issue: example code, output logs. Thanks. - Status changed from New to Incomplete - Category set to highgui-video ``` ##### Guillaume Dumont on 2013-08-12 16:02 ``` Hi, Thanks for the response. Attached is the source code of two sample applications, one which uses ffmpeg 0.10.7 (which I think is the same one, test, that opencv uses) I compiled myself with MinGW and one, test2, that uses that one provided with opencv as a prebuilt binary. The crash occurs in both applications. See comments main2.cpp line 19 and cap_ffmpeg_impl.hpp lines 684-685. If line 685 is commented no crash occurs when sws_scale is called in cap_ffmpeg_impl.hpp at line 728. To me it seems like the memory freed by av_free_packet should not be freed or there should be a copy when avcodec_decode_video2 is called at line 657 in cap_ffmpeg_impl.hpp. Please note that no crash occurs if we use the VFW backend instead of ffmpeg. The video I'm a using to test was too large to fit in the attachments and I'd rather not make it publicly available so let me know if I can transfer it to you by some other mean. - File opencv_ffmpeg.7z added ``` ##### Jaime Alemany on 2013-08-17 01:40 ``` Hi What about removing the last call to av_free_packet in grabFrame? I have recently upgraded mi OS from Ubuntu 12 to 13.04. After that if i try to play some uncompressed avi videos sometimes have a crash, sometimes i can see corrupted images on the window. I have commented this call to the function and now seems to work fine (opencv 2.4.6) I have not tested for memory leaks but seems that the memory used when playing very long videos is correctly managed. ``` ##### Jaime Alemany on 2013-08-21 16:35 ``` I can confirm that: after the call to av_decode_video2 the picture->data is the same pointer than packet.data. So, when calling av_free_packet this memory is freed and after thet it cannot be referenced as it is done in retrieveframe function. This is probably a bug (or a feature) in the ffmpeg decode function. Attached a ddd debuger screen capture. Removing the last call to av_free_packet allows to call retrievefreme() without accessing the freed memory but, i found a problem when seeking a frame (cvSetCaptureProperty) in a YUYV video file. After seeking grabFrame returns 0 and frames cannot be read. EDIT: opencv 2.4.6.1 compiled with ffmpeg support (last version of ffmpeg compiled from source 23-08-2013), works fine. Line 683 in cap_ffmpeg_impl.hpp commented (line 699 in the git version, call to av_free_packet) and no crashes, no access to freed memory (valgrind doesnt report) and no seek issues in video files with YUY2 codec. - File picture.png added ```
1.0
ffmpeg decoder crash for raw (uncompressed) avi file - Transferred from http://code.opencv.org/issues/3199 ``` || Guillaume Dumont on 2013-08-06 14:47 || Priority: Normal || Affected: 2.4.6 (latest release) || Category: highgui-video || Tracker: Bug || Difficulty: || PR: || Platform: x86 / Windows ``` ffmpeg decoder crash for raw (uncompressed) avi file ----------- ``` In CvCapture_FFMPEG::grabFrame : The call to avcodec_decode_video2 does not seem to allocate memory for the AVFrame that is passed to it when a raw uncompressed video is decoded. It seems like the call to av_free_packet frees the memory that the AVFrame::data[0] is pointing to. then in CvCapture_FFMPEG::retrieveFrame : the call to sws_scale crashes because ffmpeg tries to write to invalid memory. Any idea how to fix this? ``` History ------- ##### Victor Kocheganov on 2013-08-08 04:55 ``` Hello Guillaume Dumont, thank you for reporting the issue! Could you please provide some more information to reproduce the issue: example code, output logs. Thanks. - Status changed from New to Incomplete - Category set to highgui-video ``` ##### Guillaume Dumont on 2013-08-12 16:02 ``` Hi, Thanks for the response. Attached is the source code of two sample applications, one which uses ffmpeg 0.10.7 (which I think is the same one, test, that opencv uses) I compiled myself with MinGW and one, test2, that uses that one provided with opencv as a prebuilt binary. The crash occurs in both applications. See comments main2.cpp line 19 and cap_ffmpeg_impl.hpp lines 684-685. If line 685 is commented no crash occurs when sws_scale is called in cap_ffmpeg_impl.hpp at line 728. To me it seems like the memory freed by av_free_packet should not be freed or there should be a copy when avcodec_decode_video2 is called at line 657 in cap_ffmpeg_impl.hpp. Please note that no crash occurs if we use the VFW backend instead of ffmpeg. The video I'm a using to test was too large to fit in the attachments and I'd rather not make it publicly available so let me know if I can transfer it to you by some other mean. - File opencv_ffmpeg.7z added ``` ##### Jaime Alemany on 2013-08-17 01:40 ``` Hi What about removing the last call to av_free_packet in grabFrame? I have recently upgraded mi OS from Ubuntu 12 to 13.04. After that if i try to play some uncompressed avi videos sometimes have a crash, sometimes i can see corrupted images on the window. I have commented this call to the function and now seems to work fine (opencv 2.4.6) I have not tested for memory leaks but seems that the memory used when playing very long videos is correctly managed. ``` ##### Jaime Alemany on 2013-08-21 16:35 ``` I can confirm that: after the call to av_decode_video2 the picture->data is the same pointer than packet.data. So, when calling av_free_packet this memory is freed and after thet it cannot be referenced as it is done in retrieveframe function. This is probably a bug (or a feature) in the ffmpeg decode function. Attached a ddd debuger screen capture. Removing the last call to av_free_packet allows to call retrievefreme() without accessing the freed memory but, i found a problem when seeking a frame (cvSetCaptureProperty) in a YUYV video file. After seeking grabFrame returns 0 and frames cannot be read. EDIT: opencv 2.4.6.1 compiled with ffmpeg support (last version of ffmpeg compiled from source 23-08-2013), works fine. Line 683 in cap_ffmpeg_impl.hpp commented (line 699 in the git version, call to av_free_packet) and no crashes, no access to freed memory (valgrind doesnt report) and no seek issues in video files with YUY2 codec. - File picture.png added ```
priority
ffmpeg decoder crash for raw uncompressed avi file transferred from guillaume dumont on priority normal affected latest release category highgui video tracker bug difficulty pr platform windows ffmpeg decoder crash for raw uncompressed avi file in cvcapture ffmpeg grabframe the call to avcodec decode does not seem to allocate memory for the avframe that is passed to it when a raw uncompressed video is decoded it seems like the call to av free packet frees the memory that the avframe data is pointing to then in cvcapture ffmpeg retrieveframe the call to sws scale crashes because ffmpeg tries to write to invalid memory any idea how to fix this history victor kocheganov on hello guillaume dumont thank you for reporting the issue could you please provide some more information to reproduce the issue example code output logs thanks status changed from new to incomplete category set to highgui video guillaume dumont on hi thanks for the response attached is the source code of two sample applications one which uses ffmpeg which i think is the same one test that opencv uses i compiled myself with mingw and one that uses that one provided with opencv as a prebuilt binary the crash occurs in both applications see comments cpp line and cap ffmpeg impl hpp lines if line is commented no crash occurs when sws scale is called in cap ffmpeg impl hpp at line to me it seems like the memory freed by av free packet should not be freed or there should be a copy when avcodec decode is called at line in cap ffmpeg impl hpp please note that no crash occurs if we use the vfw backend instead of ffmpeg the video i m a using to test was too large to fit in the attachments and i d rather not make it publicly available so let me know if i can transfer it to you by some other mean file opencv ffmpeg added jaime alemany on hi what about removing the last call to av free packet in grabframe i have recently upgraded mi os from ubuntu to after that if i try to play some uncompressed avi videos sometimes have a crash sometimes i can see corrupted images on the window i have commented this call to the function and now seems to work fine opencv i have not tested for memory leaks but seems that the memory used when playing very long videos is correctly managed jaime alemany on i can confirm that after the call to av decode the picture data is the same pointer than packet data so when calling av free packet this memory is freed and after thet it cannot be referenced as it is done in retrieveframe function this is probably a bug or a feature in the ffmpeg decode function attached a ddd debuger screen capture removing the last call to av free packet allows to call retrievefreme without accessing the freed memory but i found a problem when seeking a frame cvsetcaptureproperty in a yuyv video file after seeking grabframe returns and frames cannot be read edit opencv compiled with ffmpeg support last version of ffmpeg compiled from source works fine line in cap ffmpeg impl hpp commented line in the git version call to av free packet and no crashes no access to freed memory valgrind doesnt report and no seek issues in video files with codec file picture png added
1
307,327
9,415,527,764
IssuesEvent
2019-04-10 12:51:38
CZagrobelny/new_sanctuary_asylum
https://api.github.com/repos/CZagrobelny/new_sanctuary_asylum
closed
An admin can add/edit intake notes for a Friend
Assigned High Priority beginner-friendly
## Background When Friends go through intake, we need to be able to add notes about the Friend’s case. ## Implementation - [ ] Add a new text column on Friends called ‘intake_notes’ - [ ] An admin should be able to add/edit the ‘intake_notes’ field on the ‘Clinic’ tab of the Friend edit page. Put this field at the top under an ‘Intake’ header. - [ ] This info does NOT need to be displayed on the Friend ‘show’ pages that regular volunteers see, it’s just for admins
1.0
An admin can add/edit intake notes for a Friend - ## Background When Friends go through intake, we need to be able to add notes about the Friend’s case. ## Implementation - [ ] Add a new text column on Friends called ‘intake_notes’ - [ ] An admin should be able to add/edit the ‘intake_notes’ field on the ‘Clinic’ tab of the Friend edit page. Put this field at the top under an ‘Intake’ header. - [ ] This info does NOT need to be displayed on the Friend ‘show’ pages that regular volunteers see, it’s just for admins
priority
an admin can add edit intake notes for a friend background when friends go through intake we need to be able to add notes about the friend’s case implementation add a new text column on friends called ‘intake notes’ an admin should be able to add edit the ‘intake notes’ field on the ‘clinic’ tab of the friend edit page put this field at the top under an ‘intake’ header this info does not need to be displayed on the friend ‘show’ pages that regular volunteers see it’s just for admins
1
219,875
7,346,683,876
IssuesEvent
2018-03-07 21:34:45
PaulL48/SOEN341-SC4
https://api.github.com/repos/PaulL48/SOEN341-SC4
closed
419 (unknown status) Error at multiple locations
authentication back-end bug priority: high
The 419 (unknown status) error happens at the following locations, when the user is not logged in: - On the login page, after clicking on the "Ask a question" button as a guest and trying to log in; - When trying to vote on a question after signing in, and signing out. **Steps to reproduce** 1. Log into website 2. Log out of website 3. Click on the vote up or vote down button on any question, and verify console
1.0
419 (unknown status) Error at multiple locations - The 419 (unknown status) error happens at the following locations, when the user is not logged in: - On the login page, after clicking on the "Ask a question" button as a guest and trying to log in; - When trying to vote on a question after signing in, and signing out. **Steps to reproduce** 1. Log into website 2. Log out of website 3. Click on the vote up or vote down button on any question, and verify console
priority
unknown status error at multiple locations the unknown status error happens at the following locations when the user is not logged in on the login page after clicking on the ask a question button as a guest and trying to log in when trying to vote on a question after signing in and signing out steps to reproduce log into website log out of website click on the vote up or vote down button on any question and verify console
1
716,068
24,620,250,931
IssuesEvent
2022-10-15 20:48:58
Krenbot/body-of-cards
https://api.github.com/repos/Krenbot/body-of-cards
closed
Update exercises for each card
enhancement high priority MVP
Once the card img html is updated, use the Exercise class to pull the exercise that corresponds with the card (use card code?). Will need additional javascript to link the two... Update the html element with the exercise.
1.0
Update exercises for each card - Once the card img html is updated, use the Exercise class to pull the exercise that corresponds with the card (use card code?). Will need additional javascript to link the two... Update the html element with the exercise.
priority
update exercises for each card once the card img html is updated use the exercise class to pull the exercise that corresponds with the card use card code will need additional javascript to link the two update the html element with the exercise
1
364,007
10,757,729,775
IssuesEvent
2019-10-31 13:48:53
AY1920S1-CS2103-F10-2/main
https://api.github.com/repos/AY1920S1-CS2103-F10-2/main
closed
As an environmentally-conscious user, I want to be able to compare my food waste statistics
priority.High type.Story
so that I can better manage my food waste
1.0
As an environmentally-conscious user, I want to be able to compare my food waste statistics - so that I can better manage my food waste
priority
as an environmentally conscious user i want to be able to compare my food waste statistics so that i can better manage my food waste
1
832,135
32,073,097,653
IssuesEvent
2023-09-25 09:16:22
Avaiga/taipy-gui
https://api.github.com/repos/Avaiga/taipy-gui
closed
BUG- Missing values in pandas tables are not handled in a consistent way
Gui: Back-End GUI: Front-End 💥Malfunction 🟧 Priority: High
**Description** Thanks for the date picker, but we have a new requirement. We need to be able to support having "no date" (i.e., `pd.NaT`) as an editable value, i.e., the user can pick a date that was unspecified and then enter it, or take an existing date and make it null. **How to reproduce** ```python from taipy import Gui from taipy.gui.state import State import numpy as np import pandas as pd dr = pd.Series(pd.date_range(start="3/1/2023", periods=10, freq="D").tz_localize("UTC")) # dr.iloc[2] = pd.NaT DOES NOT WORK flt = pd.Series(range(10), dtype=float) flt.iloc[5] = np.nan iser = pd.Series(range(10), dtype=pd.Int64Dtype()) iser.iloc[7] = pd.NA df = pd.DataFrame({"dates": dr, "flt": flt, "iser": iser}) print(df.dtypes) def myedit(state: State, var_name: str, action: str, payload: dict): state.df.at[payload["index"], payload["col"]] = payload["value"] state.df = state.df print("new df ", df) page = ( "<|{df}|table|id=df|on_edit=myedit|editable=True|width=400px|date_format=MM/dd/yy|>" ) if __name__ == "__main__": Gui(page=page).run() ``` The DataFrame has 3 columns. The first is the datetime column. There is not a way to null it out. Also, if you put back the line that says ` dr.iloc[2] = pd.NaT `, then taipy has an error when it tries to display the column, because it doesn't know how to make a blank date. For the floating column, everything works great. You can edit a missing value, and you can also erase a value and it will become missing. This is the behavior I would like with dates. Finally, for the column with the pandas `Int64Dtype`, missing values are represented by `pd.NA`. This column is not editable at all because taipy treats the column as a string, rather than as an integer (which is what it should do). **Expected behavior** The newer pandas types should be supported with `pd.NA` and `pd.NaT`. You should be able to clear out a date value, or take a missing date value and be able to enter it. **Runtime environment** Please specify relevant indications. Chrome on Windows. taipy 2.4.0
1.0
BUG- Missing values in pandas tables are not handled in a consistent way - **Description** Thanks for the date picker, but we have a new requirement. We need to be able to support having "no date" (i.e., `pd.NaT`) as an editable value, i.e., the user can pick a date that was unspecified and then enter it, or take an existing date and make it null. **How to reproduce** ```python from taipy import Gui from taipy.gui.state import State import numpy as np import pandas as pd dr = pd.Series(pd.date_range(start="3/1/2023", periods=10, freq="D").tz_localize("UTC")) # dr.iloc[2] = pd.NaT DOES NOT WORK flt = pd.Series(range(10), dtype=float) flt.iloc[5] = np.nan iser = pd.Series(range(10), dtype=pd.Int64Dtype()) iser.iloc[7] = pd.NA df = pd.DataFrame({"dates": dr, "flt": flt, "iser": iser}) print(df.dtypes) def myedit(state: State, var_name: str, action: str, payload: dict): state.df.at[payload["index"], payload["col"]] = payload["value"] state.df = state.df print("new df ", df) page = ( "<|{df}|table|id=df|on_edit=myedit|editable=True|width=400px|date_format=MM/dd/yy|>" ) if __name__ == "__main__": Gui(page=page).run() ``` The DataFrame has 3 columns. The first is the datetime column. There is not a way to null it out. Also, if you put back the line that says ` dr.iloc[2] = pd.NaT `, then taipy has an error when it tries to display the column, because it doesn't know how to make a blank date. For the floating column, everything works great. You can edit a missing value, and you can also erase a value and it will become missing. This is the behavior I would like with dates. Finally, for the column with the pandas `Int64Dtype`, missing values are represented by `pd.NA`. This column is not editable at all because taipy treats the column as a string, rather than as an integer (which is what it should do). **Expected behavior** The newer pandas types should be supported with `pd.NA` and `pd.NaT`. You should be able to clear out a date value, or take a missing date value and be able to enter it. **Runtime environment** Please specify relevant indications. Chrome on Windows. taipy 2.4.0
priority
bug missing values in pandas tables are not handled in a consistent way description thanks for the date picker but we have a new requirement we need to be able to support having no date i e pd nat as an editable value i e the user can pick a date that was unspecified and then enter it or take an existing date and make it null how to reproduce python from taipy import gui from taipy gui state import state import numpy as np import pandas as pd dr pd series pd date range start periods freq d tz localize utc dr iloc pd nat does not work flt pd series range dtype float flt iloc np nan iser pd series range dtype pd iser iloc pd na df pd dataframe dates dr flt flt iser iser print df dtypes def myedit state state var name str action str payload dict state df at payload payload state df state df print new df df page if name main gui page page run the dataframe has columns the first is the datetime column there is not a way to null it out also if you put back the line that says dr iloc pd nat then taipy has an error when it tries to display the column because it doesn t know how to make a blank date for the floating column everything works great you can edit a missing value and you can also erase a value and it will become missing this is the behavior i would like with dates finally for the column with the pandas missing values are represented by pd na this column is not editable at all because taipy treats the column as a string rather than as an integer which is what it should do expected behavior the newer pandas types should be supported with pd na and pd nat you should be able to clear out a date value or take a missing date value and be able to enter it runtime environment please specify relevant indications chrome on windows taipy
1
364,137
10,759,557,486
IssuesEvent
2019-10-31 16:52:03
NCIOCPL/cgov-digital-platform
https://api.github.com/repos/NCIOCPL/cgov-digital-platform
opened
Can't add additional cards to Spanish CTHP
High priority bug
The dropdown button to "Add CTHP Overview Card to CTHP Cards" is missing from Spanish Cancer Type Homepages. This means we can't add any additional (new) cards to Spanish CTHPs. This is just like #2307. ![english-vs-spanish-cthp-add-card-dropdown](https://user-images.githubusercontent.com/29731392/67967887-c354c400-fbdc-11e9-8ad7-dea6c07fccc4.png)
1.0
Can't add additional cards to Spanish CTHP - The dropdown button to "Add CTHP Overview Card to CTHP Cards" is missing from Spanish Cancer Type Homepages. This means we can't add any additional (new) cards to Spanish CTHPs. This is just like #2307. ![english-vs-spanish-cthp-add-card-dropdown](https://user-images.githubusercontent.com/29731392/67967887-c354c400-fbdc-11e9-8ad7-dea6c07fccc4.png)
priority
can t add additional cards to spanish cthp the dropdown button to add cthp overview card to cthp cards is missing from spanish cancer type homepages this means we can t add any additional new cards to spanish cthps this is just like
1
81,572
3,592,390,113
IssuesEvent
2016-02-01 15:54:03
InWithForward/sharetribe
https://api.github.com/repos/InWithForward/sharetribe
opened
Make calendar more user friendly
high priority
Right now there are a couple of problems using the calendar. Can you make the following adjustments of this feature? 1) in 'week view', start days at 10am, and finish at 10pm. 2) make window longer so the entire day fits in (no scrolling needed) 3) when selecting a point in the past, with placing a recurring instance, STILL show that instance (which has passed). Right now, users don't see anything happening, and don't understand. 4) Make the month view 'view only' (and add this to the button text). To avoid this problem: when booking an event in the 'month view', it doesn't have a time. When going to week view, it doesn't show up. 5) when selecting 'one time only' for placing a new event, display this message: "Please, also select one or more weekly time slots. We don't expect you to host weekly, and you can still accept or reject each request seperately. But it'll make our booking system work so much better... Thanks so much! Kudoz"
1.0
Make calendar more user friendly - Right now there are a couple of problems using the calendar. Can you make the following adjustments of this feature? 1) in 'week view', start days at 10am, and finish at 10pm. 2) make window longer so the entire day fits in (no scrolling needed) 3) when selecting a point in the past, with placing a recurring instance, STILL show that instance (which has passed). Right now, users don't see anything happening, and don't understand. 4) Make the month view 'view only' (and add this to the button text). To avoid this problem: when booking an event in the 'month view', it doesn't have a time. When going to week view, it doesn't show up. 5) when selecting 'one time only' for placing a new event, display this message: "Please, also select one or more weekly time slots. We don't expect you to host weekly, and you can still accept or reject each request seperately. But it'll make our booking system work so much better... Thanks so much! Kudoz"
priority
make calendar more user friendly right now there are a couple of problems using the calendar can you make the following adjustments of this feature in week view start days at and finish at make window longer so the entire day fits in no scrolling needed when selecting a point in the past with placing a recurring instance still show that instance which has passed right now users don t see anything happening and don t understand make the month view view only and add this to the button text to avoid this problem when booking an event in the month view it doesn t have a time when going to week view it doesn t show up when selecting one time only for placing a new event display this message please also select one or more weekly time slots we don t expect you to host weekly and you can still accept or reject each request seperately but it ll make our booking system work so much better thanks so much kudoz
1
65,528
3,231,817,616
IssuesEvent
2015-10-13 00:57:59
behavior3/behavior3editor
https://api.github.com/repos/behavior3/behavior3editor
opened
Cut with problems
bug high priority
There is some problems with the CUT feature. It seems to ignore some nodes, and even on nodes that were cut, the past remove connections.
1.0
Cut with problems - There is some problems with the CUT feature. It seems to ignore some nodes, and even on nodes that were cut, the past remove connections.
priority
cut with problems there is some problems with the cut feature it seems to ignore some nodes and even on nodes that were cut the past remove connections
1
732,677
25,272,322,755
IssuesEvent
2022-11-16 10:10:36
Aam-Digital/ndb-core
https://api.github.com/repos/Aam-Digital/ndb-core
closed
Don't close overlay form if invalid save & form errors should be displayed inline instead of as alert/toast message
Type: Bug Status: High Priority Type: UX Type: Improvement
Some errors of invalid forms are displayed using the AlertService, which shows a toast message (small popup box at bottom of screen) with the error. This is not ideal for several reasons: - the error message can be far away from the actual form and users might overlook it. The feedback should better be shown near the save button. - the error alert remains visible even after navigating away from the form or fixing the error. The message is than completely out of context and confusing. All invalid form errors should be displayed inline as part of the form. If the error does not apply to a single field but rather to the form overall, we should find a suitable place near the top or bottom of the form to display the error message. Possibly near the save button to easily catch attention of users. ~Additionally, the RowDetailsComponent "popup" forms are closed when pressing save even if the form is invalid. Nothing is saved then (and an alert toast is displayed with the error) but any changes are lost for the user. Instead, the form popup should remain open and give the user the chance to correct the invalid fields.~ (fixed with #1207 ?) **To reproduce:** e.g. "Child Details" > "Education" > "to date" before "from date"; error is displayed as alert message
1.0
Don't close overlay form if invalid save & form errors should be displayed inline instead of as alert/toast message - Some errors of invalid forms are displayed using the AlertService, which shows a toast message (small popup box at bottom of screen) with the error. This is not ideal for several reasons: - the error message can be far away from the actual form and users might overlook it. The feedback should better be shown near the save button. - the error alert remains visible even after navigating away from the form or fixing the error. The message is than completely out of context and confusing. All invalid form errors should be displayed inline as part of the form. If the error does not apply to a single field but rather to the form overall, we should find a suitable place near the top or bottom of the form to display the error message. Possibly near the save button to easily catch attention of users. ~Additionally, the RowDetailsComponent "popup" forms are closed when pressing save even if the form is invalid. Nothing is saved then (and an alert toast is displayed with the error) but any changes are lost for the user. Instead, the form popup should remain open and give the user the chance to correct the invalid fields.~ (fixed with #1207 ?) **To reproduce:** e.g. "Child Details" > "Education" > "to date" before "from date"; error is displayed as alert message
priority
don t close overlay form if invalid save form errors should be displayed inline instead of as alert toast message some errors of invalid forms are displayed using the alertservice which shows a toast message small popup box at bottom of screen with the error this is not ideal for several reasons the error message can be far away from the actual form and users might overlook it the feedback should better be shown near the save button the error alert remains visible even after navigating away from the form or fixing the error the message is than completely out of context and confusing all invalid form errors should be displayed inline as part of the form if the error does not apply to a single field but rather to the form overall we should find a suitable place near the top or bottom of the form to display the error message possibly near the save button to easily catch attention of users additionally the rowdetailscomponent popup forms are closed when pressing save even if the form is invalid nothing is saved then and an alert toast is displayed with the error but any changes are lost for the user instead the form popup should remain open and give the user the chance to correct the invalid fields fixed with to reproduce e g child details education to date before from date error is displayed as alert message
1
481,260
13,882,713,241
IssuesEvent
2020-10-18 08:25:40
StrangeLoopGames/EcoIssues
https://api.github.com/repos/StrangeLoopGames/EcoIssues
closed
[0.9.0.1] Wage payment issues
Category: Gameplay Priority: High Status: Not reproduced
Ran into an issue on White Tiger server with wages not being paid properly and when checking why its stating "Invalid account" ![Screenshot_320](https://user-images.githubusercontent.com/24981362/93006431-60ea8500-f55c-11ea-9748-91626e4e92ae.jpg) Also noticed that the overlay mouse over description does not correspond to the actual information set in the title. Where is set to pay 6.5$ per hour but according to the description it says 10$ The title manager that has set the wages is also manager and authorized on the bank account in question as well. ![Screenshot_321](https://user-images.githubusercontent.com/24981362/93006434-647e0c00-f55c-11ea-88ac-b7ef86062d2e.jpg)
1.0
[0.9.0.1] Wage payment issues - Ran into an issue on White Tiger server with wages not being paid properly and when checking why its stating "Invalid account" ![Screenshot_320](https://user-images.githubusercontent.com/24981362/93006431-60ea8500-f55c-11ea-9748-91626e4e92ae.jpg) Also noticed that the overlay mouse over description does not correspond to the actual information set in the title. Where is set to pay 6.5$ per hour but according to the description it says 10$ The title manager that has set the wages is also manager and authorized on the bank account in question as well. ![Screenshot_321](https://user-images.githubusercontent.com/24981362/93006434-647e0c00-f55c-11ea-88ac-b7ef86062d2e.jpg)
priority
wage payment issues ran into an issue on white tiger server with wages not being paid properly and when checking why its stating invalid account also noticed that the overlay mouse over description does not correspond to the actual information set in the title where is set to pay per hour but according to the description it says the title manager that has set the wages is also manager and authorized on the bank account in question as well
1