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 844 | labels stringlengths 4 721 | body stringlengths 1 261k | index stringclasses 12 values | text_combine stringlengths 96 261k | label stringclasses 2 values | text stringlengths 96 248k | binary_label int64 0 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
192,534 | 6,874,686,603 | IssuesEvent | 2017-11-19 02:53:40 | HoneycuttInc/Thorncastle | https://api.github.com/repos/HoneycuttInc/Thorncastle | closed | Task 4.1: Missing bold and duplicate sub-step | Low Priority | (1) Switch to WIN10-04 by clicking the Switch to Machine icon to the right, next to the Done button. (1) Sign in to WIN10-04 as Mark Hassall (CORP\Mark) with a password of Passw0rd. | 1.0 | Task 4.1: Missing bold and duplicate sub-step - (1) Switch to WIN10-04 by clicking the Switch to Machine icon to the right, next to the Done button. (1) Sign in to WIN10-04 as Mark Hassall (CORP\Mark) with a password of Passw0rd. | priority | task missing bold and duplicate sub step switch to by clicking the switch to machine icon to the right next to the done button sign in to as mark hassall corp mark with a password of | 1 |
686,811 | 23,505,081,601 | IssuesEvent | 2022-08-18 11:56:07 | trustwallet/wallet-core | https://api.github.com/repos/trustwallet/wallet-core | closed | Considering integrating range-v3 as performance and readability improvements | enhancement priority:low size:small | **Is your feature request related to a problem? Please describe.**
I was browsing the code for potential improvements, and reading: https://github.com/trustwallet/wallet-core/blob/1d4b214b3d7e81e6b29e477dcf722b42314bffe3/src/Bitcoin/InputSelector.cpp#L51
**Describe the solution you'd like**
I think a range library could be integrated as a direct dependency such as boost, range-v3 is also partially integrated in c++20, and ported by the standard: https://eel.is/c++draft/range.slide
It's a header-only library, so it's very easy to integrate.
Please check the following carefully: https://godbolt.org/z/WhaEcMPsh (check the assembly of `slice` and `slice_modern`)
as you can see the assembly is very different, and the code is much easier to read for the `range` version, there are places in the code where range could be used for readability and performance reasons.
Also if you check, many code part have such utility function for `views` only and unnecessary copy are made there. (slice is only used for `std::vector<TypeWithAmount> InputSelector<TypeWithAmount>::select(int64_t targetValue, int64_t byteFee, int64_t numOutputs)` but the slice itself it's just use to do some filtering or to call other functions later, IMHO view/range would improve a lot the code base.
If we take the following code:
```cpp
for (size_t numInputs = 1; numInputs <= n; ++numInputs) {
const auto fee = feeCalculator.calculate(numInputs, numOutputs, byteFee);
const auto targetWithFeeAndDust = targetValue + fee + dustThreshold;
if (maxWithXInputs[numInputs] < targetWithFeeAndDust) {
// no way to satisfy with only numInputs inputs, skip
continue;
}
auto slices = slice(sorted, static_cast<size_t>(numInputs));
slices.erase(
std::remove_if(slices.begin(), slices.end(),
[targetWithFeeAndDust](const std::vector<TypeWithAmount>& slice) {
return sum(slice) < targetWithFeeAndDust;
}),
slices.end());
if (!slices.empty()) {
std::sort(slices.begin(), slices.end(),
[distFrom2x](const std::vector<TypeWithAmount>& lhs, const std::vector<TypeWithAmount>& rhs) {
return distFrom2x(sum(lhs)) < distFrom2x(sum(rhs));
});
return filterOutDust(slices.front(), byteFee);
}
}
```
it could be simplified as
```cpp
using ranges::view;
for (size_t numInputs = 1; numInputs <= n; ++numInputs) {
const auto fee = feeCalculator.calculate(numInputs, numOutputs, byteFee);
const auto targetWithFeeAndDust = targetValue + fee + dustThreshold;
if (maxWithXInputs[numInputs] < targetWithFeeAndDust) {
// no way to satisfy with only numInputs inputs, skip
continue;
}
auto filter_functor = [targetWithFeeAndDust](auto&& slice) { return sum(slice) < targetWithFeeAndDust;});
auto r = sorted | sliding(static_cast<size_t>(numInputs)) | filter(filter_functor);
if (!r.empty()) {
auto min_functor = [distFrom2x](auto&& lhs, auto&& rhs) { return distFrom2x(sum(lhs)) < distFrom2x(sum(rhs));});
return filterOutDust(ranges::min(r, min_functor), byteFee);
}
}
```
In the second solution, no containers are created, only a view on the initial container in order to extract the desired value.
**Describe alternatives you've considered**
Upgrading to C++20 / rewriting the extras
| 1.0 | Considering integrating range-v3 as performance and readability improvements - **Is your feature request related to a problem? Please describe.**
I was browsing the code for potential improvements, and reading: https://github.com/trustwallet/wallet-core/blob/1d4b214b3d7e81e6b29e477dcf722b42314bffe3/src/Bitcoin/InputSelector.cpp#L51
**Describe the solution you'd like**
I think a range library could be integrated as a direct dependency such as boost, range-v3 is also partially integrated in c++20, and ported by the standard: https://eel.is/c++draft/range.slide
It's a header-only library, so it's very easy to integrate.
Please check the following carefully: https://godbolt.org/z/WhaEcMPsh (check the assembly of `slice` and `slice_modern`)
as you can see the assembly is very different, and the code is much easier to read for the `range` version, there are places in the code where range could be used for readability and performance reasons.
Also if you check, many code part have such utility function for `views` only and unnecessary copy are made there. (slice is only used for `std::vector<TypeWithAmount> InputSelector<TypeWithAmount>::select(int64_t targetValue, int64_t byteFee, int64_t numOutputs)` but the slice itself it's just use to do some filtering or to call other functions later, IMHO view/range would improve a lot the code base.
If we take the following code:
```cpp
for (size_t numInputs = 1; numInputs <= n; ++numInputs) {
const auto fee = feeCalculator.calculate(numInputs, numOutputs, byteFee);
const auto targetWithFeeAndDust = targetValue + fee + dustThreshold;
if (maxWithXInputs[numInputs] < targetWithFeeAndDust) {
// no way to satisfy with only numInputs inputs, skip
continue;
}
auto slices = slice(sorted, static_cast<size_t>(numInputs));
slices.erase(
std::remove_if(slices.begin(), slices.end(),
[targetWithFeeAndDust](const std::vector<TypeWithAmount>& slice) {
return sum(slice) < targetWithFeeAndDust;
}),
slices.end());
if (!slices.empty()) {
std::sort(slices.begin(), slices.end(),
[distFrom2x](const std::vector<TypeWithAmount>& lhs, const std::vector<TypeWithAmount>& rhs) {
return distFrom2x(sum(lhs)) < distFrom2x(sum(rhs));
});
return filterOutDust(slices.front(), byteFee);
}
}
```
it could be simplified as
```cpp
using ranges::view;
for (size_t numInputs = 1; numInputs <= n; ++numInputs) {
const auto fee = feeCalculator.calculate(numInputs, numOutputs, byteFee);
const auto targetWithFeeAndDust = targetValue + fee + dustThreshold;
if (maxWithXInputs[numInputs] < targetWithFeeAndDust) {
// no way to satisfy with only numInputs inputs, skip
continue;
}
auto filter_functor = [targetWithFeeAndDust](auto&& slice) { return sum(slice) < targetWithFeeAndDust;});
auto r = sorted | sliding(static_cast<size_t>(numInputs)) | filter(filter_functor);
if (!r.empty()) {
auto min_functor = [distFrom2x](auto&& lhs, auto&& rhs) { return distFrom2x(sum(lhs)) < distFrom2x(sum(rhs));});
return filterOutDust(ranges::min(r, min_functor), byteFee);
}
}
```
In the second solution, no containers are created, only a view on the initial container in order to extract the desired value.
**Describe alternatives you've considered**
Upgrading to C++20 / rewriting the extras
| priority | considering integrating range as performance and readability improvements is your feature request related to a problem please describe i was browsing the code for potential improvements and reading describe the solution you d like i think a range library could be integrated as a direct dependency such as boost range is also partially integrated in c and ported by the standard it s a header only library so it s very easy to integrate please check the following carefully check the assembly of slice and slice modern as you can see the assembly is very different and the code is much easier to read for the range version there are places in the code where range could be used for readability and performance reasons also if you check many code part have such utility function for views only and unnecessary copy are made there slice is only used for std vector inputselector select t targetvalue t bytefee t numoutputs but the slice itself it s just use to do some filtering or to call other functions later imho view range would improve a lot the code base if we take the following code cpp for size t numinputs numinputs n numinputs const auto fee feecalculator calculate numinputs numoutputs bytefee const auto targetwithfeeanddust targetvalue fee dustthreshold if maxwithxinputs targetwithfeeanddust no way to satisfy with only numinputs inputs skip continue auto slices slice sorted static cast numinputs slices erase std remove if slices begin slices end const std vector slice return sum slice targetwithfeeanddust slices end if slices empty std sort slices begin slices end const std vector lhs const std vector rhs return sum lhs sum rhs return filteroutdust slices front bytefee it could be simplified as cpp using ranges view for size t numinputs numinputs n numinputs const auto fee feecalculator calculate numinputs numoutputs bytefee const auto targetwithfeeanddust targetvalue fee dustthreshold if maxwithxinputs targetwithfeeanddust no way to satisfy with only numinputs inputs skip continue auto filter functor auto slice return sum slice targetwithfeeanddust auto r sorted sliding static cast numinputs filter filter functor if r empty auto min functor auto lhs auto rhs return sum lhs sum rhs return filteroutdust ranges min r min functor bytefee in the second solution no containers are created only a view on the initial container in order to extract the desired value describe alternatives you ve considered upgrading to c rewriting the extras | 1 |
180,792 | 6,653,556,289 | IssuesEvent | 2017-09-29 08:54:11 | telerik/kendo-ui-core | https://api.github.com/repos/telerik/kendo-ui-core | closed | Custom validation messages are not displayed in the Grid filter menu inputs | Bug C: Grid C: Validator Kendo1 Priority 1 SEV: Low | ### Bug report
Custom validation messages are not displayed in the Grid filter menu inputs.
### Reproduction of the problem
http://docs.telerik.com/kendo-ui/controls/data-management/grid/how-to/filtering/use-custom-validation-in-filter-menus
### Expected/desired behavior
Explain what the expected behavior of the functionality is displaying the custom validation messages.
### Environment
* **Kendo UI version:** 2017.3.913
* **jQuery version:** x.y
* **Browser:** [all | Chrome XX | Firefox XX | IE XX | Safari XX | Mobile Chrome XX | Android X.X Web Browser | iOS XX Safari | iOS XX UIWebView | iOS XX WKWebView ]
| 1.0 | Custom validation messages are not displayed in the Grid filter menu inputs - ### Bug report
Custom validation messages are not displayed in the Grid filter menu inputs.
### Reproduction of the problem
http://docs.telerik.com/kendo-ui/controls/data-management/grid/how-to/filtering/use-custom-validation-in-filter-menus
### Expected/desired behavior
Explain what the expected behavior of the functionality is displaying the custom validation messages.
### Environment
* **Kendo UI version:** 2017.3.913
* **jQuery version:** x.y
* **Browser:** [all | Chrome XX | Firefox XX | IE XX | Safari XX | Mobile Chrome XX | Android X.X Web Browser | iOS XX Safari | iOS XX UIWebView | iOS XX WKWebView ]
| priority | custom validation messages are not displayed in the grid filter menu inputs bug report custom validation messages are not displayed in the grid filter menu inputs reproduction of the problem expected desired behavior explain what the expected behavior of the functionality is displaying the custom validation messages environment kendo ui version jquery version x y browser | 1 |
137,457 | 5,310,035,781 | IssuesEvent | 2017-02-12 16:33:30 | thirtybees/ThirtyBees | https://api.github.com/repos/thirtybees/ThirtyBees | closed | BO: Admin Stat Badges Needs Font Color Change | Priority: low | See https://github.com/thirtybees/ThirtyBees/pull/48. The default color of bootstrap badge is white font and the background is orange. It was difficult to see the stats until I changed the color to black. I could not find the sass file to modify. Here is what I propose:

| 1.0 | BO: Admin Stat Badges Needs Font Color Change - See https://github.com/thirtybees/ThirtyBees/pull/48. The default color of bootstrap badge is white font and the background is orange. It was difficult to see the stats until I changed the color to black. I could not find the sass file to modify. Here is what I propose:

| priority | bo admin stat badges needs font color change see the default color of bootstrap badge is white font and the background is orange it was difficult to see the stats until i changed the color to black i could not find the sass file to modify here is what i propose | 1 |
441,253 | 12,709,994,385 | IssuesEvent | 2020-06-23 13:15:14 | radical-cybertools/radical.pilot | https://api.github.com/repos/radical-cybertools/radical.pilot | closed | Bootstrap fails with existing VE | comp:agent:bootstrapper priority:low topic:deployment type:bug | I am getting this error on Stampede2 when the VE exists. I am using the experiment/cybermanufacturing branch and the rc stack.
```
2.8589,ve_activate_start,bootstrap_1,MainThread,pilot.0000,PMGR_ACTIVE_PENDING,
Error: did not expect more than one argument.
(Got /work/03170/tg824689/stampede2/radical.pilot.sandbox/ve.xsede.stampede2_ssh.0.47 default)
Loading of virtual env failed!
```
Any ideas? Deleting the VE is not the fix, because as soon as I am going to reuse that VE I will get the same error. | 1.0 | Bootstrap fails with existing VE - I am getting this error on Stampede2 when the VE exists. I am using the experiment/cybermanufacturing branch and the rc stack.
```
2.8589,ve_activate_start,bootstrap_1,MainThread,pilot.0000,PMGR_ACTIVE_PENDING,
Error: did not expect more than one argument.
(Got /work/03170/tg824689/stampede2/radical.pilot.sandbox/ve.xsede.stampede2_ssh.0.47 default)
Loading of virtual env failed!
```
Any ideas? Deleting the VE is not the fix, because as soon as I am going to reuse that VE I will get the same error. | priority | bootstrap fails with existing ve i am getting this error on when the ve exists i am using the experiment cybermanufacturing branch and the rc stack ve activate start bootstrap mainthread pilot pmgr active pending error did not expect more than one argument got work radical pilot sandbox ve xsede ssh default loading of virtual env failed any ideas deleting the ve is not the fix because as soon as i am going to reuse that ve i will get the same error | 1 |
675,810 | 23,106,773,500 | IssuesEvent | 2022-07-27 09:29:04 | ut-issl/c2a-core | https://api.github.com/repos/ut-issl/c2a-core | closed | SILSのみではなく,ある特定のHW上でうごくuser sampleを公開する | priority::low | ## 概要
SILSのみではなく,ある特定のHW上でうごくuser sampleを公開する
## 詳細
Raspberry Piとかで.ベアメタルじゃないけど.
PICもそのうち公開したいな.
## close条件
公開したら
| 1.0 | SILSのみではなく,ある特定のHW上でうごくuser sampleを公開する - ## 概要
SILSのみではなく,ある特定のHW上でうごくuser sampleを公開する
## 詳細
Raspberry Piとかで.ベアメタルじゃないけど.
PICもそのうち公開したいな.
## close条件
公開したら
| priority | silsのみではなく,ある特定のhw上でうごくuser sampleを公開する 概要 silsのみではなく,ある特定のhw上でうごくuser sampleを公開する 詳細 raspberry piとかで.ベアメタルじゃないけど. picもそのうち公開したいな. close条件 公開したら | 1 |
446,228 | 12,842,511,875 | IssuesEvent | 2020-07-08 02:13:25 | MatthewSpofford/Multiscale-Statistical-Analysis | https://api.github.com/repos/MatthewSpofford/Multiscale-Statistical-Analysis | closed | Adding --windowed flag in Pyinstaller prevents app from launching | bug help wanted in progress priority low | Command used to generate original executable:
`pyinstaller --hidden-import "scipy.special.cython_special" -y --windowed --onefile -n "MultiscaleStatisticalAnalysis" main.py`
Running this executable failed, with a popup warning stating: *Failed to execute script.*
However using this pyinstaller command does work:
`pyinstaller --hidden-import "scipy.special.cython_special" -y --onefile -n "MultiscaleStatisticalAnalysis" main.py`
The console has no errors, nor are there any popups.
| 1.0 | Adding --windowed flag in Pyinstaller prevents app from launching - Command used to generate original executable:
`pyinstaller --hidden-import "scipy.special.cython_special" -y --windowed --onefile -n "MultiscaleStatisticalAnalysis" main.py`
Running this executable failed, with a popup warning stating: *Failed to execute script.*
However using this pyinstaller command does work:
`pyinstaller --hidden-import "scipy.special.cython_special" -y --onefile -n "MultiscaleStatisticalAnalysis" main.py`
The console has no errors, nor are there any popups.
| priority | adding windowed flag in pyinstaller prevents app from launching command used to generate original executable pyinstaller hidden import scipy special cython special y windowed onefile n multiscalestatisticalanalysis main py running this executable failed with a popup warning stating failed to execute script however using this pyinstaller command does work pyinstaller hidden import scipy special cython special y onefile n multiscalestatisticalanalysis main py the console has no errors nor are there any popups | 1 |
49,695 | 3,003,892,320 | IssuesEvent | 2015-07-25 10:57:24 | Piwigo/Piwigo | https://api.github.com/repos/Piwigo/Piwigo | closed | [navigation] présence de la disquette "enregistrer" permanente.... pour les photos ? | feature low priority | **Reported by ericFabre on 3 Dec 2005 11:19**
**Version:** 1.5.0
quelqu'un aurait il la solution pour que le symbole de la disquette "enregistrer" demeure même quand il s'agit d'une photo, et (condition obligatoire) que celle-ci est disponible en grand format dans son dossier "pwg_high" ?
Bien sur il suffit de suivre lien et une fois l'image affichée à l'écran, de cliquer sur le bouton droit, de faire "enregistrer l'image sous"... mais pour l'utilisateur lambda, qui pose régulièrement la question, une icone pointant vers le fichier (contenu dans pwg_high !! quand il existe !!!) serait super.
[Piwigo Bugtracker #232](http://piwigo.org/bugs/view.php?id=232) | 1.0 | [navigation] présence de la disquette "enregistrer" permanente.... pour les photos ? - **Reported by ericFabre on 3 Dec 2005 11:19**
**Version:** 1.5.0
quelqu'un aurait il la solution pour que le symbole de la disquette "enregistrer" demeure même quand il s'agit d'une photo, et (condition obligatoire) que celle-ci est disponible en grand format dans son dossier "pwg_high" ?
Bien sur il suffit de suivre lien et une fois l'image affichée à l'écran, de cliquer sur le bouton droit, de faire "enregistrer l'image sous"... mais pour l'utilisateur lambda, qui pose régulièrement la question, une icone pointant vers le fichier (contenu dans pwg_high !! quand il existe !!!) serait super.
[Piwigo Bugtracker #232](http://piwigo.org/bugs/view.php?id=232) | priority | présence de la disquette enregistrer permanente pour les photos reported by ericfabre on dec version quelqu un aurait il la solution pour que le symbole de la disquette quot enregistrer quot demeure même quand il s agit d une photo et condition obligatoire que celle ci est disponible en grand format dans son dossier quot pwg high quot bien sur il suffit de suivre lien et une fois l image affichée à l écran de cliquer sur le bouton droit de faire quot enregistrer l image sous quot mais pour l utilisateur lambda qui pose régulièrement la question une icone pointant vers le fichier contenu dans pwg high quand il existe serait super | 1 |
251,466 | 8,015,823,776 | IssuesEvent | 2018-07-25 11:21:19 | zephyrproject-rtos/zephyr | https://api.github.com/repos/zephyrproject-rtos/zephyr | closed | power_mgr and power_states: need build option to keep the app exiting in "active" state | area: Samples bug priority: low | **_Reported by Sharron LIU:_**
"zephyr/tests/power/power_states" and "zephyr/samples/power/power_mgr" toggling power states in indefinite loops... This introduces issue, when we try to add such app into the automatic nightly execution.
The test case following this app's execution, will start with an uncertain SOC state. If it happened that this app toggling to "Deep sleep" state, the "make flash" of its successive test case will be failed.
So, I would suggest to provide a build option for the app to exit in active state after one loop. Please evaluate this. Thanks.
(Imported from Jira ZEP-2163) | 1.0 | power_mgr and power_states: need build option to keep the app exiting in "active" state - **_Reported by Sharron LIU:_**
"zephyr/tests/power/power_states" and "zephyr/samples/power/power_mgr" toggling power states in indefinite loops... This introduces issue, when we try to add such app into the automatic nightly execution.
The test case following this app's execution, will start with an uncertain SOC state. If it happened that this app toggling to "Deep sleep" state, the "make flash" of its successive test case will be failed.
So, I would suggest to provide a build option for the app to exit in active state after one loop. Please evaluate this. Thanks.
(Imported from Jira ZEP-2163) | priority | power mgr and power states need build option to keep the app exiting in active state reported by sharron liu zephyr tests power power states and zephyr samples power power mgr toggling power states in indefinite loops this introduces issue when we try to add such app into the automatic nightly execution the test case following this app s execution will start with an uncertain soc state if it happened that this app toggling to deep sleep state the make flash of its successive test case will be failed so i would suggest to provide a build option for the app to exit in active state after one loop please evaluate this thanks imported from jira zep | 1 |
618,762 | 19,486,659,599 | IssuesEvent | 2021-12-26 14:10:26 | openbullet/OpenBullet2 | https://api.github.com/repos/openbullet/OpenBullet2 | closed | [Bug]: Keycheck throws ERROR when looking for an value in a header key that does not exist | bug low priority | ### Version of the software
0.1.21
### Operating system
Windows 10
### Browser
Chrome
### What happened?
A bug happened!
Keycheck throws ERROR when looking for an value in a header key that does not exist
it does not check next rule in keycheck, and ruins the block (even if user use try catch)
### Relevant LoliCode if needed
```shell
BLOCK:HttpRequest
url = "https://example.com"
TYPE:STANDARD
$""
"application/x-www-form-urlencoded"
ENDBLOCK
BLOCK:Keycheck
banIfNoMatch = False
KEYCHAIN FAIL OR
STRINGKEY @data.HEADERS["x-status"] Contains "failed"
KEYCHAIN SUCCESS OR
STRINGKEY @data.SOURCE Contains "Example Domain"
ENDBLOCK
```
| 1.0 | [Bug]: Keycheck throws ERROR when looking for an value in a header key that does not exist - ### Version of the software
0.1.21
### Operating system
Windows 10
### Browser
Chrome
### What happened?
A bug happened!
Keycheck throws ERROR when looking for an value in a header key that does not exist
it does not check next rule in keycheck, and ruins the block (even if user use try catch)
### Relevant LoliCode if needed
```shell
BLOCK:HttpRequest
url = "https://example.com"
TYPE:STANDARD
$""
"application/x-www-form-urlencoded"
ENDBLOCK
BLOCK:Keycheck
banIfNoMatch = False
KEYCHAIN FAIL OR
STRINGKEY @data.HEADERS["x-status"] Contains "failed"
KEYCHAIN SUCCESS OR
STRINGKEY @data.SOURCE Contains "Example Domain"
ENDBLOCK
```
| priority | keycheck throws error when looking for an value in a header key that does not exist version of the software operating system windows browser chrome what happened a bug happened keycheck throws error when looking for an value in a header key that does not exist it does not check next rule in keycheck and ruins the block even if user use try catch relevant lolicode if needed shell block httprequest url type standard application x www form urlencoded endblock block keycheck banifnomatch false keychain fail or stringkey data headers contains failed keychain success or stringkey data source contains example domain endblock | 1 |
315,817 | 9,632,492,648 | IssuesEvent | 2019-05-15 16:18:46 | JustArchiNET/ASF-ui | https://api.github.com/repos/JustArchiNET/ASF-ui | closed | Add option to show timestamps in terminal | Enhancement Priority: Low | Once we have UI configuration view available we should add an option to show timestamps in terminal. Default value should be `false`. | 1.0 | Add option to show timestamps in terminal - Once we have UI configuration view available we should add an option to show timestamps in terminal. Default value should be `false`. | priority | add option to show timestamps in terminal once we have ui configuration view available we should add an option to show timestamps in terminal default value should be false | 1 |
313,192 | 9,558,100,304 | IssuesEvent | 2019-05-03 13:28:03 | JacquesCarette/Drasil | https://api.github.com/repos/JacquesCarette/Drasil | closed | Add drasil-build to SubPackages Wiki | DocOfDrasil Low Priority | The `drasil-build` subpackage isn't in the [wiki for subpackages](https://github.com/JacquesCarette/Drasil/wiki/SubPackages-Information), so it should be updated.
EDIT: Created in #1212 and is responsible for "build system languages and renderers"
# TODO
- [x] Remove `--force-dirty` from page | 1.0 | Add drasil-build to SubPackages Wiki - The `drasil-build` subpackage isn't in the [wiki for subpackages](https://github.com/JacquesCarette/Drasil/wiki/SubPackages-Information), so it should be updated.
EDIT: Created in #1212 and is responsible for "build system languages and renderers"
# TODO
- [x] Remove `--force-dirty` from page | priority | add drasil build to subpackages wiki the drasil build subpackage isn t in the so it should be updated edit created in and is responsible for build system languages and renderers todo remove force dirty from page | 1 |
374,284 | 11,083,278,945 | IssuesEvent | 2019-12-13 14:08:35 | replikation/What_the_Phage | https://api.github.com/repos/replikation/What_the_Phage | opened | upsetr enhancements | Priority LOW enhancement | The current output of the upsetr module looks like this:
<img width="767" alt="Screenshot 2019-12-13 14 08 04" src="https://user-images.githubusercontent.com/14393703/70805914-009e9b00-1db2-11ea-9a1b-847c00b06319.png">
__todo__:
* increase plot margin to not cut off the numbers
* plot also as high-quality PNG/PDF next to the SVG
* potentially add other [fancy upsetr features with metadata](https://cran.r-project.org/web/packages/UpSetR/vignettes/set.metadata.plots.html)
| 1.0 | upsetr enhancements - The current output of the upsetr module looks like this:
<img width="767" alt="Screenshot 2019-12-13 14 08 04" src="https://user-images.githubusercontent.com/14393703/70805914-009e9b00-1db2-11ea-9a1b-847c00b06319.png">
__todo__:
* increase plot margin to not cut off the numbers
* plot also as high-quality PNG/PDF next to the SVG
* potentially add other [fancy upsetr features with metadata](https://cran.r-project.org/web/packages/UpSetR/vignettes/set.metadata.plots.html)
| priority | upsetr enhancements the current output of the upsetr module looks like this img width alt screenshot src todo increase plot margin to not cut off the numbers plot also as high quality png pdf next to the svg potentially add other | 1 |
780,334 | 27,390,195,719 | IssuesEvent | 2023-02-28 15:48:48 | WordPress/openverse | https://api.github.com/repos/WordPress/openverse | opened | Set a timeout for Playwright jobs | good first issue help wanted 🟩 priority: low 🤖 aspect: dx 🧰 goal: internal improvement 🧱 stack: mgmt | ## Problem
<!-- Describe a problem solved by this feature; or delete the section entirely. -->
Failing Playwright tests (e2e and VR) can take up a long amount of time and consume huge amounts of action run-time.
## Description
<!-- Describe the feature and how it solves the problem. -->
The API and ingestion server tests have a timeout configured so that the job is marked as failed after 15m.
https://github.com/WordPress/openverse/blob/6d949e19aab3bf47a0e799a19f231ce25fbebde6/.github/workflows/ci_cd.yml#L207
https://github.com/WordPress/openverse/blob/6d949e19aab3bf47a0e799a19f231ce25fbebde6/.github/workflows/ci_cd.yml#L156
A similar timeout should be set for the Playwright jobs (accounting for the normal time it takes for them to pass).
| 1.0 | Set a timeout for Playwright jobs - ## Problem
<!-- Describe a problem solved by this feature; or delete the section entirely. -->
Failing Playwright tests (e2e and VR) can take up a long amount of time and consume huge amounts of action run-time.
## Description
<!-- Describe the feature and how it solves the problem. -->
The API and ingestion server tests have a timeout configured so that the job is marked as failed after 15m.
https://github.com/WordPress/openverse/blob/6d949e19aab3bf47a0e799a19f231ce25fbebde6/.github/workflows/ci_cd.yml#L207
https://github.com/WordPress/openverse/blob/6d949e19aab3bf47a0e799a19f231ce25fbebde6/.github/workflows/ci_cd.yml#L156
A similar timeout should be set for the Playwright jobs (accounting for the normal time it takes for them to pass).
| priority | set a timeout for playwright jobs problem failing playwright tests and vr can take up a long amount of time and consume huge amounts of action run time description the api and ingestion server tests have a timeout configured so that the job is marked as failed after a similar timeout should be set for the playwright jobs accounting for the normal time it takes for them to pass | 1 |
425,497 | 12,341,266,521 | IssuesEvent | 2020-05-14 21:33:07 | cloudflare/wrangler | https://api.github.com/repos/cloudflare/wrangler | closed | Webpack: build in-memory | priority - low subject - webpack | Will relying on an in-memory [filesystem for for webpack ](https://webpack.js.org/api/node/#custom-file-systems) allow us not having a `dist_to_clean`?
_Originally posted by @nickbalestra in https://github.com/cloudflare/wrangler/diffs_ | 1.0 | Webpack: build in-memory - Will relying on an in-memory [filesystem for for webpack ](https://webpack.js.org/api/node/#custom-file-systems) allow us not having a `dist_to_clean`?
_Originally posted by @nickbalestra in https://github.com/cloudflare/wrangler/diffs_ | priority | webpack build in memory will relying on an in memory allow us not having a dist to clean originally posted by nickbalestra in | 1 |
9,996 | 2,609,975,089 | IssuesEvent | 2015-02-26 17:47:13 | Krasnyanskiy/jrsh | https://api.github.com/repos/Krasnyanskiy/jrsh | closed | Bug when trying to show profile list | bug low priority | ```bash
>>> profile
Profile name: JRS-LOCAL
Server url: http://54.147.174.83/jasperserver-pro
Username: superuser
Organization: undefined
>>> profile
profile
>>> profile list
JRS-1
JRS-LOCAL *
JRS-3-CLOUD
JRS-2-CLOUD
>>> profile
profile
>>> profile
Profile name: JRS-LOCAL
Server url: http://54.147.174.83/jasperserver-pro
Username: superuser
Organization: undefined
>>> profile
profile
>>> profile load
load
>>> profile load JRS-
JRS-1 JRS-2-CLOUD JRS-3-CLOUD JRS-LOCAL
>>> profile load JRS-
JRS-1 JRS-2-CLOUD JRS-3-CLOUD JRS-LOCAL
>>> profile load JRS-1
Loaded.
>>> profile
profile
>>> profile
Profile name: JRS-1
Server url: http://localhost:8080/jasperserver-pro
Username: superuser
Organization: undefined
>>> profile
profile
>>> profile list
JRS-1
JRS-1
JRS-3-CLOUD
JRS-2-CLOUD
>>>
``` | 1.0 | Bug when trying to show profile list - ```bash
>>> profile
Profile name: JRS-LOCAL
Server url: http://54.147.174.83/jasperserver-pro
Username: superuser
Organization: undefined
>>> profile
profile
>>> profile list
JRS-1
JRS-LOCAL *
JRS-3-CLOUD
JRS-2-CLOUD
>>> profile
profile
>>> profile
Profile name: JRS-LOCAL
Server url: http://54.147.174.83/jasperserver-pro
Username: superuser
Organization: undefined
>>> profile
profile
>>> profile load
load
>>> profile load JRS-
JRS-1 JRS-2-CLOUD JRS-3-CLOUD JRS-LOCAL
>>> profile load JRS-
JRS-1 JRS-2-CLOUD JRS-3-CLOUD JRS-LOCAL
>>> profile load JRS-1
Loaded.
>>> profile
profile
>>> profile
Profile name: JRS-1
Server url: http://localhost:8080/jasperserver-pro
Username: superuser
Organization: undefined
>>> profile
profile
>>> profile list
JRS-1
JRS-1
JRS-3-CLOUD
JRS-2-CLOUD
>>>
``` | priority | bug when trying to show profile list bash profile profile name jrs local server url username superuser organization undefined profile profile profile list jrs jrs local jrs cloud jrs cloud profile profile profile profile name jrs local server url username superuser organization undefined profile profile profile load load profile load jrs jrs jrs cloud jrs cloud jrs local profile load jrs jrs jrs cloud jrs cloud jrs local profile load jrs loaded profile profile profile profile name jrs server url username superuser organization undefined profile profile profile list jrs jrs jrs cloud jrs cloud | 1 |
392,810 | 11,596,214,893 | IssuesEvent | 2020-02-24 18:30:44 | chef/chef | https://api.github.com/repos/chef/chef | closed | knife download environments incomplete | Focus: knife Priority: Low Status: Sustaining Backlog Type: Bug | Chef: 12.5.1
knife download environments, creates files formatted as:
```
{
"name": "staging"
}
```
alternatively, a command such as "knife environment show staging --format=json > environments/staging.json" generates:
```
{
"name": "staging",
"description": "",
"cookbook_versions": {
},
"json_class": "Chef::Environment",
"chef_type": "environment",
"default_attributes": {
},
"override_attributes": {
}
}
```
The latter format is more complete, and in fact test-kitchen + chef-solo requires those additional attributes in an environment, it crashes otherwise.
"knife download environments" should probably download the same data as "knife environment show", right?
| 1.0 | knife download environments incomplete - Chef: 12.5.1
knife download environments, creates files formatted as:
```
{
"name": "staging"
}
```
alternatively, a command such as "knife environment show staging --format=json > environments/staging.json" generates:
```
{
"name": "staging",
"description": "",
"cookbook_versions": {
},
"json_class": "Chef::Environment",
"chef_type": "environment",
"default_attributes": {
},
"override_attributes": {
}
}
```
The latter format is more complete, and in fact test-kitchen + chef-solo requires those additional attributes in an environment, it crashes otherwise.
"knife download environments" should probably download the same data as "knife environment show", right?
| priority | knife download environments incomplete chef knife download environments creates files formatted as name staging alternatively a command such as knife environment show staging format json environments staging json generates name staging description cookbook versions json class chef environment chef type environment default attributes override attributes the latter format is more complete and in fact test kitchen chef solo requires those additional attributes in an environment it crashes otherwise knife download environments should probably download the same data as knife environment show right | 1 |
162,904 | 6,179,924,728 | IssuesEvent | 2017-07-03 02:25:31 | RoboJackets/robocup-software | https://api.github.com/repos/RoboJackets/robocup-software | closed | Add 2015 bot to simulator | area / planning-motion area / simulator exp / intermediate priority / low status / new type / enhancement | Our simulator looks at a config file at startup that lists what robots to put where on the field. It currently differentiates between 2008 and 2011 bots, so we should add an option and a 3d model for the 2015 bot.
| 1.0 | Add 2015 bot to simulator - Our simulator looks at a config file at startup that lists what robots to put where on the field. It currently differentiates between 2008 and 2011 bots, so we should add an option and a 3d model for the 2015 bot.
| priority | add bot to simulator our simulator looks at a config file at startup that lists what robots to put where on the field it currently differentiates between and bots so we should add an option and a model for the bot | 1 |
95,154 | 3,934,822,599 | IssuesEvent | 2016-04-26 00:47:13 | music-encoding/music-encoding | https://api.github.com/repos/music-encoding/music-encoding | closed | mei2mup-1.0.4.xsl tie impossible within measure | Component: Tools Priority: Low | _From [siggelun...@gmail.com](https://code.google.com/u/110461478002540803867/) on June 04, 2013 09:50:45_
What steps will reproduce the problem? The XML below gives a slur but the tie doesn't show up
\<measure n="16">
\<staff n="1">
\<layer>
\<beam>
\<note pname="f" oct="3"
stem.dir="down"
xml:id="slurstartn10"/>
\<note pname="a" oct="4" dur="8" stem.dir="down" />
\<note pname="c" oct="5" dur="8" stem.dir="down" />
\<note pname="a" oct="5" dur="8" stem.dir="down"
xml:id="slurstartn10a"/>
\<note pname="a" oct="5" dur="8" stem.dir="down"
xml:id="slurendn10a"/>
\<note pname="g" oct="5" dur="8" stem.dir="down" xml:id="slurendn10"/>
\</beam>
\</layer>
\</staff>
\<slur startid="slurstartn10"
endid="slurendn10" staff="1"
curvedir="above"/>
\<tie startid="slurstartn10a"
endid="slurendn10a" staff="1"
curvedir="above"/> What is the expected output? What do you see instead? There should really be a tie Please provide any additional information below. Change the call to drawtie. Don't understand the xsl:if here. removing it gives really nice ties
\<!--xsl:if test="($startstaff != $endstaff) or ($startlayer != $endlayer)"-->
\<xsl:call-template name="drawtie"/>
\<!--/xsl:if-->
_Original issue: http://code.google.com/p/music-encoding/issues/detail?id=159_ | 1.0 | mei2mup-1.0.4.xsl tie impossible within measure - _From [siggelun...@gmail.com](https://code.google.com/u/110461478002540803867/) on June 04, 2013 09:50:45_
What steps will reproduce the problem? The XML below gives a slur but the tie doesn't show up
\<measure n="16">
\<staff n="1">
\<layer>
\<beam>
\<note pname="f" oct="3"
stem.dir="down"
xml:id="slurstartn10"/>
\<note pname="a" oct="4" dur="8" stem.dir="down" />
\<note pname="c" oct="5" dur="8" stem.dir="down" />
\<note pname="a" oct="5" dur="8" stem.dir="down"
xml:id="slurstartn10a"/>
\<note pname="a" oct="5" dur="8" stem.dir="down"
xml:id="slurendn10a"/>
\<note pname="g" oct="5" dur="8" stem.dir="down" xml:id="slurendn10"/>
\</beam>
\</layer>
\</staff>
\<slur startid="slurstartn10"
endid="slurendn10" staff="1"
curvedir="above"/>
\<tie startid="slurstartn10a"
endid="slurendn10a" staff="1"
curvedir="above"/> What is the expected output? What do you see instead? There should really be a tie Please provide any additional information below. Change the call to drawtie. Don't understand the xsl:if here. removing it gives really nice ties
\<!--xsl:if test="($startstaff != $endstaff) or ($startlayer != $endlayer)"-->
\<xsl:call-template name="drawtie"/>
\<!--/xsl:if-->
_Original issue: http://code.google.com/p/music-encoding/issues/detail?id=159_ | priority | xsl tie impossible within measure from on june what steps will reproduce the problem the xml below gives a slur but the tie doesn t show up note pname f oct stem dir down xml id note pname a oct dur stem dir down xml id note pname a oct dur stem dir down xml id slur startid endid staff curvedir above tie startid endid staff curvedir above what is the expected output what do you see instead there should really be a tie please provide any additional information below change the call to drawtie don t understand the xsl if here removing it gives really nice ties original issue | 1 |
120,357 | 4,788,341,288 | IssuesEvent | 2016-10-30 14:26:44 | amarlearning/Pingetron | https://api.github.com/repos/amarlearning/Pingetron | opened | Application should not start if it is already running | enhancement Hacktoberfest help wanted Low-Hanging Fruit priority: Low | Application should check whether it is running or not when someone clicks on the **file**, it creates another instance and start running! | 1.0 | Application should not start if it is already running - Application should check whether it is running or not when someone clicks on the **file**, it creates another instance and start running! | priority | application should not start if it is already running application should check whether it is running or not when someone clicks on the file it creates another instance and start running | 1 |
499,659 | 14,475,473,255 | IssuesEvent | 2020-12-10 01:42:54 | monarch-initiative/mondo | https://api.github.com/repos/monarch-initiative/mondo | closed | Consider split of Ohtahara syndrome and EIEE | epilepsy low priority split | Initial review performed by @pnrobinson
## Ohtahara syndrome vs Early infantile epileptic encephalopathy
Excellent intro to phenomenology of seizures in infants:
http://onlinelibrary.wiley.com/doi/10.1046/j.1528-1157.43.s.3.4.x/pdf
### Early infantile epileptic encephalopathy (OMIM)
*Early infantile epileptic encephalopathy is a severe form of epilepsy first reported by Ohtahara et al. (1976). It is characterized by frequent tonic seizures or spasms beginning in infancy with a specific EEG finding of suppression-burst patterns, characterized by high-voltage bursts alternating with almost flat suppression phases. Approximately 75% of EIEE patients progress to 'West syndrome,' which is characterized by tonic spasms with clustering, arrest of psychomotor development, and hypsarrhythmia on EEG (Kato et al., 2007).*
The phenotypic series shows ~60 Mendelian forms of Early infantile epileptic encephalopathy (EIEE).
See also this ticket: https://github.com/monarch-initiative/mondo-build/issues/27
In addition, there are more genetic syndromes that include EIEE as a feature (Described in https://omim.org/entry/308350).
### Orphanet
Early infantile epileptic encephalopathy
Early infantile epileptic encephalopathy (EIEE), or Ohtahara syndrome, is one of the most severe forms of age-related epileptic encephalopathies, characterized by the onset of tonic spasms within the first 3 months of life that can be generalized or lateralized, independent of the sleep cycle and that can occur hundreds of times per day, leading to psychomotor impairment and death.
### Disease Ontology
infantile epileptic encephalopathy (DOID:2481)
The DO term has one child, early infantile epileptic encephalopathy 9, which maps to the correct OMIM term https://www.omim.org/entry/300088. However, it also has alt Ids (OMIM:300607, OMIM:607208, OMIM:609304, OMIM:612164, OMIM:613402, OMIM:613477, OMIM:613720, OMIM:613721, OMIM:613722) that are other specific types of EIEE -- but they are far from complete. There is no definition of the term. It is therefore not clear if DOID:2481 intends to be a grouping term for all ~60 Mendelian forms of EIEE, or if it intends to be a grouping term for the 9 terms it has as an alt id, or why there are 9 alt ids and one child -- what distinction does DO make between alt ids and children -- as far as I can see all of the MIM ids are just particular genetic types of EIEE.
#### infantile epileptic encephalopathy
The label of the DO term is wrong. There is no “infantile” EE without “early infantile”, and there is no need to create a hierarchy of say “early” and “late” infantile epileptic encephalopathy in a way that would justify creating a grouping term called “infantile epileptic encephalopathy”.
## Ohtahara syndrome
Dr Ohtahara syndrome has the first to describe this syndrome in the literature.
Ohtahara, S., Ishida, T., Oka, E., Yamatogi, Y., Inoue, H., Karita, S., Ohtsuka, Y. On the specific age dependent epileptic syndrome: the early-infantile epileptic encephalopathy with suppression-burst. No to Hattatsu 8: 270-279, 1976. Note: Article in Japanese.
It is currently an EXACT SYNONYM for EIEE; see:
https://www.epilepsy.com/learn/types-epilepsy-syndromes/ohtahara-syndrome
http://www.sciencedirect.com/science/article/pii/S0887899412002688
https://www.epilepsydiagnosis.org/syndrome/ohtahara-overview.html
# Summary
Based on the above it seems we want to keep them as the same concept | 1.0 | Consider split of Ohtahara syndrome and EIEE - Initial review performed by @pnrobinson
## Ohtahara syndrome vs Early infantile epileptic encephalopathy
Excellent intro to phenomenology of seizures in infants:
http://onlinelibrary.wiley.com/doi/10.1046/j.1528-1157.43.s.3.4.x/pdf
### Early infantile epileptic encephalopathy (OMIM)
*Early infantile epileptic encephalopathy is a severe form of epilepsy first reported by Ohtahara et al. (1976). It is characterized by frequent tonic seizures or spasms beginning in infancy with a specific EEG finding of suppression-burst patterns, characterized by high-voltage bursts alternating with almost flat suppression phases. Approximately 75% of EIEE patients progress to 'West syndrome,' which is characterized by tonic spasms with clustering, arrest of psychomotor development, and hypsarrhythmia on EEG (Kato et al., 2007).*
The phenotypic series shows ~60 Mendelian forms of Early infantile epileptic encephalopathy (EIEE).
See also this ticket: https://github.com/monarch-initiative/mondo-build/issues/27
In addition, there are more genetic syndromes that include EIEE as a feature (Described in https://omim.org/entry/308350).
### Orphanet
Early infantile epileptic encephalopathy
Early infantile epileptic encephalopathy (EIEE), or Ohtahara syndrome, is one of the most severe forms of age-related epileptic encephalopathies, characterized by the onset of tonic spasms within the first 3 months of life that can be generalized or lateralized, independent of the sleep cycle and that can occur hundreds of times per day, leading to psychomotor impairment and death.
### Disease Ontology
infantile epileptic encephalopathy (DOID:2481)
The DO term has one child, early infantile epileptic encephalopathy 9, which maps to the correct OMIM term https://www.omim.org/entry/300088. However, it also has alt Ids (OMIM:300607, OMIM:607208, OMIM:609304, OMIM:612164, OMIM:613402, OMIM:613477, OMIM:613720, OMIM:613721, OMIM:613722) that are other specific types of EIEE -- but they are far from complete. There is no definition of the term. It is therefore not clear if DOID:2481 intends to be a grouping term for all ~60 Mendelian forms of EIEE, or if it intends to be a grouping term for the 9 terms it has as an alt id, or why there are 9 alt ids and one child -- what distinction does DO make between alt ids and children -- as far as I can see all of the MIM ids are just particular genetic types of EIEE.
#### infantile epileptic encephalopathy
The label of the DO term is wrong. There is no “infantile” EE without “early infantile”, and there is no need to create a hierarchy of say “early” and “late” infantile epileptic encephalopathy in a way that would justify creating a grouping term called “infantile epileptic encephalopathy”.
## Ohtahara syndrome
Dr Ohtahara syndrome has the first to describe this syndrome in the literature.
Ohtahara, S., Ishida, T., Oka, E., Yamatogi, Y., Inoue, H., Karita, S., Ohtsuka, Y. On the specific age dependent epileptic syndrome: the early-infantile epileptic encephalopathy with suppression-burst. No to Hattatsu 8: 270-279, 1976. Note: Article in Japanese.
It is currently an EXACT SYNONYM for EIEE; see:
https://www.epilepsy.com/learn/types-epilepsy-syndromes/ohtahara-syndrome
http://www.sciencedirect.com/science/article/pii/S0887899412002688
https://www.epilepsydiagnosis.org/syndrome/ohtahara-overview.html
# Summary
Based on the above it seems we want to keep them as the same concept | priority | consider split of ohtahara syndrome and eiee initial review performed by pnrobinson ohtahara syndrome vs early infantile epileptic encephalopathy excellent intro to phenomenology of seizures in infants early infantile epileptic encephalopathy omim early infantile epileptic encephalopathy is a severe form of epilepsy first reported by ohtahara et al it is characterized by frequent tonic seizures or spasms beginning in infancy with a specific eeg finding of suppression burst patterns characterized by high voltage bursts alternating with almost flat suppression phases approximately of eiee patients progress to west syndrome which is characterized by tonic spasms with clustering arrest of psychomotor development and hypsarrhythmia on eeg kato et al the phenotypic series shows mendelian forms of early infantile epileptic encephalopathy eiee see also this ticket in addition there are more genetic syndromes that include eiee as a feature described in orphanet early infantile epileptic encephalopathy early infantile epileptic encephalopathy eiee or ohtahara syndrome is one of the most severe forms of age related epileptic encephalopathies characterized by the onset of tonic spasms within the first months of life that can be generalized or lateralized independent of the sleep cycle and that can occur hundreds of times per day leading to psychomotor impairment and death disease ontology infantile epileptic encephalopathy doid the do term has one child early infantile epileptic encephalopathy which maps to the correct omim term however it also has alt ids omim omim omim omim omim omim omim omim omim that are other specific types of eiee but they are far from complete there is no definition of the term it is therefore not clear if doid intends to be a grouping term for all mendelian forms of eiee or if it intends to be a grouping term for the terms it has as an alt id or why there are alt ids and one child what distinction does do make between alt ids and children as far as i can see all of the mim ids are just particular genetic types of eiee infantile epileptic encephalopathy the label of the do term is wrong there is no “infantile” ee without “early infantile” and there is no need to create a hierarchy of say “early” and “late” infantile epileptic encephalopathy in a way that would justify creating a grouping term called “infantile epileptic encephalopathy” ohtahara syndrome dr ohtahara syndrome has the first to describe this syndrome in the literature ohtahara s ishida t oka e yamatogi y inoue h karita s ohtsuka y on the specific age dependent epileptic syndrome the early infantile epileptic encephalopathy with suppression burst no to hattatsu note article in japanese it is currently an exact synonym for eiee see summary based on the above it seems we want to keep them as the same concept | 1 |
561,527 | 16,618,822,565 | IssuesEvent | 2021-06-02 20:37:44 | department-of-veterans-affairs/caseflow | https://api.github.com/repos/department-of-veterans-affairs/caseflow | closed | Apply VACOLS Merge Actions in Caseflow | Priority: Medium Product: caseflow-hearings Stakeholder: BVA Team: Tango 💃 blocked | ## User or job story
User story: As a Hearing Management Branch member, I need Caseflow to merge Legacy appeals like VACOLS by routing them to [x], so that I don't schedule a hearing for an appeal that has already been heard in conjunction with another appeal.
## Acceptance criteria
- [ ] Please put this work behind the feature toggle: [toggle name]
- [ ] This feature should be accessible to the following user groups:
- [ ] Include screenshot(s) in the Github issue if there are front-end changes
- [ ] Update documentation: [link]
## Release notes
### Out of scope
<!-- Clarify what is out of scope if the designs include more or there are many tickets for this chunk of work -->
### Background/context
Merge Actions for legacy cases created in VACOLS don't register in Caseflow. With a Merge Action a VLJ will hear all appeals in one hearing. When an appeal is merged into one docket number in VACOLS but there are multiples for that Veteran remaining in Caseflow, Hearing Coordinators are still able to schedule hearings for remaining appeals, even if they have been resolved together in a single hearing.
### Open questions
- What is the intended user / task flow for merging in Caseflow, and what resulting design work is needed? Is merge an action performed by the Judge when they decide to hear two hearing requests at once, therefore shifting the burden from the Hearing Coordinator?
- Does a Merge Action affect anything else in Caseflow, or is it only for merged hearing requests?
- How are Merge Actions represented?
- How would we fetch this info from VACOLS?
- Can AMA appeals be merged? [Legacy can]
- Where do these need to be routed to?
### Designs
### Technical notes
### Other notes
### Resources/other links
<!-- E.g. links to other issues, PRs, Sentry alerts, or Slack threads, or external service requests. -->
| 1.0 | Apply VACOLS Merge Actions in Caseflow - ## User or job story
User story: As a Hearing Management Branch member, I need Caseflow to merge Legacy appeals like VACOLS by routing them to [x], so that I don't schedule a hearing for an appeal that has already been heard in conjunction with another appeal.
## Acceptance criteria
- [ ] Please put this work behind the feature toggle: [toggle name]
- [ ] This feature should be accessible to the following user groups:
- [ ] Include screenshot(s) in the Github issue if there are front-end changes
- [ ] Update documentation: [link]
## Release notes
### Out of scope
<!-- Clarify what is out of scope if the designs include more or there are many tickets for this chunk of work -->
### Background/context
Merge Actions for legacy cases created in VACOLS don't register in Caseflow. With a Merge Action a VLJ will hear all appeals in one hearing. When an appeal is merged into one docket number in VACOLS but there are multiples for that Veteran remaining in Caseflow, Hearing Coordinators are still able to schedule hearings for remaining appeals, even if they have been resolved together in a single hearing.
### Open questions
- What is the intended user / task flow for merging in Caseflow, and what resulting design work is needed? Is merge an action performed by the Judge when they decide to hear two hearing requests at once, therefore shifting the burden from the Hearing Coordinator?
- Does a Merge Action affect anything else in Caseflow, or is it only for merged hearing requests?
- How are Merge Actions represented?
- How would we fetch this info from VACOLS?
- Can AMA appeals be merged? [Legacy can]
- Where do these need to be routed to?
### Designs
### Technical notes
### Other notes
### Resources/other links
<!-- E.g. links to other issues, PRs, Sentry alerts, or Slack threads, or external service requests. -->
| priority | apply vacols merge actions in caseflow user or job story user story as a hearing management branch member i need caseflow to merge legacy appeals like vacols by routing them to so that i don t schedule a hearing for an appeal that has already been heard in conjunction with another appeal acceptance criteria please put this work behind the feature toggle this feature should be accessible to the following user groups include screenshot s in the github issue if there are front end changes update documentation release notes out of scope background context merge actions for legacy cases created in vacols don t register in caseflow with a merge action a vlj will hear all appeals in one hearing when an appeal is merged into one docket number in vacols but there are multiples for that veteran remaining in caseflow hearing coordinators are still able to schedule hearings for remaining appeals even if they have been resolved together in a single hearing open questions what is the intended user task flow for merging in caseflow and what resulting design work is needed is merge an action performed by the judge when they decide to hear two hearing requests at once therefore shifting the burden from the hearing coordinator does a merge action affect anything else in caseflow or is it only for merged hearing requests how are merge actions represented how would we fetch this info from vacols can ama appeals be merged where do these need to be routed to designs technical notes other notes resources other links | 1 |
416,613 | 12,149,405,062 | IssuesEvent | 2020-04-24 16:05:51 | canonical-web-and-design/snapcraft.io | https://api.github.com/repos/canonical-web-and-design/snapcraft.io | closed | No logs available for failed builds | Priority: Low | ### Expected behaviour
Should be able to access and review logs of failed builds.
### Steps to reproduce the problem
Navigate to either https://snapcraft.io/stars/builds/865092 or https://snapcraft.io/superperms/builds/865085 and see the logs aren't there.
### Specs
- _URL:_ https://snapcraft.io/stars/builds/865092 and https://snapcraft.io/superperms/builds/865085
- _Operating system:_ Ubuntu 20.04
- _Browser:_ Firefox 74.0 (from Ubuntu apt repo)
### Screenshots


| 1.0 | No logs available for failed builds - ### Expected behaviour
Should be able to access and review logs of failed builds.
### Steps to reproduce the problem
Navigate to either https://snapcraft.io/stars/builds/865092 or https://snapcraft.io/superperms/builds/865085 and see the logs aren't there.
### Specs
- _URL:_ https://snapcraft.io/stars/builds/865092 and https://snapcraft.io/superperms/builds/865085
- _Operating system:_ Ubuntu 20.04
- _Browser:_ Firefox 74.0 (from Ubuntu apt repo)
### Screenshots


| priority | no logs available for failed builds expected behaviour should be able to access and review logs of failed builds steps to reproduce the problem navigate to either or and see the logs aren t there specs url and operating system ubuntu browser firefox from ubuntu apt repo screenshots | 1 |
323,175 | 9,850,964,243 | IssuesEvent | 2019-06-19 09:22:06 | StrangeLoopGames/EcoIssues | https://api.github.com/repos/StrangeLoopGames/EcoIssues | opened | Teleport does not work correctly when giving height | Low Priority | Earlier than 8.1 you could do /teleport 800,70,800 - it brought you to that height, nowaday it just omits the last variable and brings you to 800,70 on coordinates. Should be fixed or the player should be told it only has two variables. | 1.0 | Teleport does not work correctly when giving height - Earlier than 8.1 you could do /teleport 800,70,800 - it brought you to that height, nowaday it just omits the last variable and brings you to 800,70 on coordinates. Should be fixed or the player should be told it only has two variables. | priority | teleport does not work correctly when giving height earlier than you could do teleport it brought you to that height nowaday it just omits the last variable and brings you to on coordinates should be fixed or the player should be told it only has two variables | 1 |
307,356 | 9,416,061,610 | IssuesEvent | 2019-04-10 13:57:26 | salesagility/SuiteCRM | https://api.github.com/repos/salesagility/SuiteCRM | closed | Global Search in v4 Service Fails for Custom Fields | API Low Priority Needs Updates bug | We are using a third party service called Integromat to facilitate nightly sync's between our service and our SuiteCRM instance using the V4 controller. When trying to execute a global search on a custom variable that has been created, it appears the SQL query has the original module's table name in the where clause for the search.
#### Expected Behavior
I would expect this search to perform correctly without 500 errors.
#### Actual Behavior
This search returns a 500 to the service, due to an error with the database query. Relevant log lines are below from both the suitecrm.log and php_error.log files.
**Custom Variable Definition:**
$dictionary['Accounts']['fields']['voi_c'] = array(
'name' => 'voi_c',
'vname' => 'LBL_VOI',
'labelValue' => 'Organization ID',
'type' => 'varchar',
'len' => 50,
'unified_search' => true,
'source' => 'non-db',
);
**SuiteCRM Log:**
[FATAL] Error running count query for Account List: Query Failed: SELECT count(*) c FROM accounts LEFT JOIN accounts_cstm ON accounts.id = accounts_cstm.id_c LEFT JOIN users jt0 ON accounts.modified_user_id=jt0.id AND jt0.deleted=0
AND jt0.deleted=0 LEFT JOIN users jt1 ON accounts.created_by=jt1.id AND jt1.deleted=0
AND jt1.deleted=0 LEFT JOIN users jt2 ON accounts.assigned_user_id=jt2.id AND jt2.deleted=0
AND jt2.deleted=0 LEFT JOIN accounts jt3 ON accounts.parent_id=jt3.id AND jt3.deleted=0
AND jt3.deleted=0 LEFT JOIN campaigns jt4 ON accounts.campaign_id=jt4.id AND jt4.deleted=0
AND jt4.deleted=0 where (accounts.voi_c LIKE '%xxx%') AND accounts.deleted=0: MySQL error 1054: Unknown column 'accounts.voi_c' in 'where clause'
**PHP Error Log:**
PHP Fatal error: Uncaught Exception: Database failure. Please refer to suitecrm.log for details. in /var/www/html/suitecrm/include/utils.php:1773
Stack trace:
#0 /var/www/html/suitecrm/include/database/DBManager.php(353): sugar_die('Database failur...')
#1 /var/www/html/suitecrm/include/database/DBManager.php(328): DBManager->registerError('Error running c...', 'Error running c...', true)
#2 /var/www/html/suitecrm/include/database/MysqliManager.php(167): DBManager->checkError('Error running c...', true)
#3 /var/www/html/suitecrm/data/SugarBean.php(4189): MysqliManager->query(' SELECT count(*...', true, 'Error running c...')
#4 /var/www/html/suitecrm/service/v4/SugarWebServiceUtilv4.php(109): SugarBean->process_list_query(' SELECT accoun...', 0, -1, 20, 'accounts.voi_c ...')
#5 /var/www/html/suitecrm/service/v4/SugarWebServiceImplv4.php(306): SugarWebServiceUtilv4->get_data_list(Object(Account), 'voi_c ASC', 'accounts.voi_c ...', 0, -1, -1, 0, false)
#6 /var/www/html/suitecrm/service/core/REST/SugarRestJSON.php(91): SugarWebS in /var/www/html/suitecrm/include/utils.php on line 1773
#### Possible Fix
I believe the where clause in the v4 php controller is skipping considering whether the queried field is a custom one or not. Unsure of code fix at the moment.
#### Steps to Reproduce
1. Create a custom variable.
2. Using v4 Api, attempt search on variable.
3. Experience bug.
#### Your Environment
<!--- Include as many relevant details about the environment you experienced the bug in -->
* SuiteCRM Version used: 7.10.1
* Browser name and version (e.g. Chrome Version 51.0.2704.63 (64-bit)): Chrome Version 64.0.3282.167 (Official Build) (64-bit)
* Environment name and version (e.g. MySQL, PHP 7): PHP v7.0.22, MariaDB v10.0.34
* Operating System and version (e.g Ubuntu 16.04): Ubuntu v16.04.1
| 1.0 | Global Search in v4 Service Fails for Custom Fields - We are using a third party service called Integromat to facilitate nightly sync's between our service and our SuiteCRM instance using the V4 controller. When trying to execute a global search on a custom variable that has been created, it appears the SQL query has the original module's table name in the where clause for the search.
#### Expected Behavior
I would expect this search to perform correctly without 500 errors.
#### Actual Behavior
This search returns a 500 to the service, due to an error with the database query. Relevant log lines are below from both the suitecrm.log and php_error.log files.
**Custom Variable Definition:**
$dictionary['Accounts']['fields']['voi_c'] = array(
'name' => 'voi_c',
'vname' => 'LBL_VOI',
'labelValue' => 'Organization ID',
'type' => 'varchar',
'len' => 50,
'unified_search' => true,
'source' => 'non-db',
);
**SuiteCRM Log:**
[FATAL] Error running count query for Account List: Query Failed: SELECT count(*) c FROM accounts LEFT JOIN accounts_cstm ON accounts.id = accounts_cstm.id_c LEFT JOIN users jt0 ON accounts.modified_user_id=jt0.id AND jt0.deleted=0
AND jt0.deleted=0 LEFT JOIN users jt1 ON accounts.created_by=jt1.id AND jt1.deleted=0
AND jt1.deleted=0 LEFT JOIN users jt2 ON accounts.assigned_user_id=jt2.id AND jt2.deleted=0
AND jt2.deleted=0 LEFT JOIN accounts jt3 ON accounts.parent_id=jt3.id AND jt3.deleted=0
AND jt3.deleted=0 LEFT JOIN campaigns jt4 ON accounts.campaign_id=jt4.id AND jt4.deleted=0
AND jt4.deleted=0 where (accounts.voi_c LIKE '%xxx%') AND accounts.deleted=0: MySQL error 1054: Unknown column 'accounts.voi_c' in 'where clause'
**PHP Error Log:**
PHP Fatal error: Uncaught Exception: Database failure. Please refer to suitecrm.log for details. in /var/www/html/suitecrm/include/utils.php:1773
Stack trace:
#0 /var/www/html/suitecrm/include/database/DBManager.php(353): sugar_die('Database failur...')
#1 /var/www/html/suitecrm/include/database/DBManager.php(328): DBManager->registerError('Error running c...', 'Error running c...', true)
#2 /var/www/html/suitecrm/include/database/MysqliManager.php(167): DBManager->checkError('Error running c...', true)
#3 /var/www/html/suitecrm/data/SugarBean.php(4189): MysqliManager->query(' SELECT count(*...', true, 'Error running c...')
#4 /var/www/html/suitecrm/service/v4/SugarWebServiceUtilv4.php(109): SugarBean->process_list_query(' SELECT accoun...', 0, -1, 20, 'accounts.voi_c ...')
#5 /var/www/html/suitecrm/service/v4/SugarWebServiceImplv4.php(306): SugarWebServiceUtilv4->get_data_list(Object(Account), 'voi_c ASC', 'accounts.voi_c ...', 0, -1, -1, 0, false)
#6 /var/www/html/suitecrm/service/core/REST/SugarRestJSON.php(91): SugarWebS in /var/www/html/suitecrm/include/utils.php on line 1773
#### Possible Fix
I believe the where clause in the v4 php controller is skipping considering whether the queried field is a custom one or not. Unsure of code fix at the moment.
#### Steps to Reproduce
1. Create a custom variable.
2. Using v4 Api, attempt search on variable.
3. Experience bug.
#### Your Environment
<!--- Include as many relevant details about the environment you experienced the bug in -->
* SuiteCRM Version used: 7.10.1
* Browser name and version (e.g. Chrome Version 51.0.2704.63 (64-bit)): Chrome Version 64.0.3282.167 (Official Build) (64-bit)
* Environment name and version (e.g. MySQL, PHP 7): PHP v7.0.22, MariaDB v10.0.34
* Operating System and version (e.g Ubuntu 16.04): Ubuntu v16.04.1
| priority | global search in service fails for custom fields we are using a third party service called integromat to facilitate nightly sync s between our service and our suitecrm instance using the controller when trying to execute a global search on a custom variable that has been created it appears the sql query has the original module s table name in the where clause for the search expected behavior i would expect this search to perform correctly without errors actual behavior this search returns a to the service due to an error with the database query relevant log lines are below from both the suitecrm log and php error log files custom variable definition dictionary array name voi c vname lbl voi labelvalue organization id type varchar len unified search true source non db suitecrm log error running count query for account list query failed select count c from accounts left join accounts cstm on accounts id accounts cstm id c left join users on accounts modified user id id and deleted and deleted left join users on accounts created by id and deleted and deleted left join users on accounts assigned user id id and deleted and deleted left join accounts on accounts parent id id and deleted and deleted left join campaigns on accounts campaign id id and deleted and deleted where accounts voi c like xxx and accounts deleted mysql error unknown column accounts voi c in where clause php error log php fatal error uncaught exception database failure please refer to suitecrm log for details in var www html suitecrm include utils php stack trace var www html suitecrm include database dbmanager php sugar die database failur var www html suitecrm include database dbmanager php dbmanager registererror error running c error running c true var www html suitecrm include database mysqlimanager php dbmanager checkerror error running c true var www html suitecrm data sugarbean php mysqlimanager query select count true error running c var www html suitecrm service php sugarbean process list query select accoun accounts voi c var www html suitecrm service php get data list object account voi c asc accounts voi c false var www html suitecrm service core rest sugarrestjson php sugarwebs in var www html suitecrm include utils php on line possible fix i believe the where clause in the php controller is skipping considering whether the queried field is a custom one or not unsure of code fix at the moment steps to reproduce create a custom variable using api attempt search on variable experience bug your environment suitecrm version used browser name and version e g chrome version bit chrome version official build bit environment name and version e g mysql php php mariadb operating system and version e g ubuntu ubuntu | 1 |
354,314 | 10,565,433,491 | IssuesEvent | 2019-10-05 11:20:52 | bounswe/bounswe2019group1 | https://api.github.com/repos/bounswe/bounswe2019group1 | closed | Create GitHub personal page or update | Effort: Low Priority: Medium | Newcomers are expected to create personal page and others are expected to update it. | 1.0 | Create GitHub personal page or update - Newcomers are expected to create personal page and others are expected to update it. | priority | create github personal page or update newcomers are expected to create personal page and others are expected to update it | 1 |
480,701 | 13,865,506,540 | IssuesEvent | 2020-10-16 04:32:03 | nyu-mll/jiant | https://api.github.com/repos/nyu-mll/jiant | closed | Vocabularies that need to be constructed will be skipped if there is a vocab folder in exp_dir | bug help wanted jiant-v1-legacy low-priority | Example: I train on some GLUE tasks from scratch, creating a vocab folder with a char and word vocab.
I then train a WMT task using the same exp dir. Since a vocab object already exists, we skip creation of the WMT-specific vocabulary, and all your data is mapped to 1s (<UNK>s). Doubly bad: there will be no warning or indication that your data is getting screwed. | 1.0 | Vocabularies that need to be constructed will be skipped if there is a vocab folder in exp_dir - Example: I train on some GLUE tasks from scratch, creating a vocab folder with a char and word vocab.
I then train a WMT task using the same exp dir. Since a vocab object already exists, we skip creation of the WMT-specific vocabulary, and all your data is mapped to 1s (<UNK>s). Doubly bad: there will be no warning or indication that your data is getting screwed. | priority | vocabularies that need to be constructed will be skipped if there is a vocab folder in exp dir example i train on some glue tasks from scratch creating a vocab folder with a char and word vocab i then train a wmt task using the same exp dir since a vocab object already exists we skip creation of the wmt specific vocabulary and all your data is mapped to s doubly bad there will be no warning or indication that your data is getting screwed | 1 |
277,722 | 8,632,011,142 | IssuesEvent | 2018-11-22 09:36:25 | OneArmyWorld/onearmy | https://api.github.com/repos/OneArmyWorld/onearmy | closed | add tags to documentation | Priority: Low Type:Feature backlog | * display tags in the tutorial page
* allow tags filtering from tutorial list
* load tags dynamically from database
child of #3 | 1.0 | add tags to documentation - * display tags in the tutorial page
* allow tags filtering from tutorial list
* load tags dynamically from database
child of #3 | priority | add tags to documentation display tags in the tutorial page allow tags filtering from tutorial list load tags dynamically from database child of | 1 |
489,009 | 14,100,171,834 | IssuesEvent | 2020-11-06 03:24:24 | PMEAL/OpenPNM | https://api.github.com/repos/PMEAL/OpenPNM | closed | Should we add conduit_*** models? | discussion enhancement low priority | We currently only have pore_** and throat_** categories, but I'm thinking it might make sense to include a conduit category, like conduit_area, length, etc. These would return an Nt-by-3 array with pore-throat-pore info. We have some conduit model distributed through the models library, so we could consider relocating them. | 1.0 | Should we add conduit_*** models? - We currently only have pore_** and throat_** categories, but I'm thinking it might make sense to include a conduit category, like conduit_area, length, etc. These would return an Nt-by-3 array with pore-throat-pore info. We have some conduit model distributed through the models library, so we could consider relocating them. | priority | should we add conduit models we currently only have pore and throat categories but i m thinking it might make sense to include a conduit category like conduit area length etc these would return an nt by array with pore throat pore info we have some conduit model distributed through the models library so we could consider relocating them | 1 |
471,069 | 13,552,755,664 | IssuesEvent | 2020-09-17 13:01:42 | grain-lang/grain | https://api.github.com/repos/grain-lang/grain | closed | Compiler Plugins | enhancement low-priority | A fun addition to Grain would be the ability to extend the compiler via plugins (similar to [GCC's plugin API][gcc-plugins]). Users could write plugins with OCaml and the compiler could load them with [`Dynlink`][dynlink]. A nice side effect of this is that supporting a useful plugin API would force us to have a clean separation of different compiler passes.
[gcc-plugins]: https://gcc.gnu.org/onlinedocs/gccint/Plugins.html
[dynlink]: https://caml.inria.fr/pub/docs/manual-ocaml/libref/Dynlink.html | 1.0 | Compiler Plugins - A fun addition to Grain would be the ability to extend the compiler via plugins (similar to [GCC's plugin API][gcc-plugins]). Users could write plugins with OCaml and the compiler could load them with [`Dynlink`][dynlink]. A nice side effect of this is that supporting a useful plugin API would force us to have a clean separation of different compiler passes.
[gcc-plugins]: https://gcc.gnu.org/onlinedocs/gccint/Plugins.html
[dynlink]: https://caml.inria.fr/pub/docs/manual-ocaml/libref/Dynlink.html | priority | compiler plugins a fun addition to grain would be the ability to extend the compiler via plugins similar to users could write plugins with ocaml and the compiler could load them with a nice side effect of this is that supporting a useful plugin api would force us to have a clean separation of different compiler passes | 1 |
741,369 | 25,792,756,387 | IssuesEvent | 2022-12-10 08:15:25 | chaotic-aur/packages | https://api.github.com/repos/chaotic-aur/packages | closed | [Request] `zandronum` and `q-zandronum` | request:new-pkg priority:low | ### Link to the package(s) in the AUR
https://aur.archlinux.org/packages/zandronum
https://aur.archlinux.org/packages/q-zandronum
### Utility this package has for you
Some people like me play Classic Doom multiplayer on Linux. Precompiling these for us would make it take less time to jump in.
Also `zandronum-bin` and the `zandronum-hg` packages are flagged out of date, so that's why they wont work in this case.
### Do you consider the package(s) to be useful for every Chaotic-AUR user?
No, but for a few.
### Do you consider the package to be useful for feature testing/preview?
- [ ] Yes
### Have you tested if the package builds in a clean chroot?
- [ ] Yes
### Does the package's license allow redistributing it?
YES!
### Have you searched the issues to ensure this request is unique?
- [X] YES!
### Have you read the README to ensure this package is not banned?
- [X] YES!
### More information
The `zandronum-bin` package is flagged out of date, so we can't just use that.
Same with the `zandronum-hg`.
`q-zandronum` seems to be only in source form.
| 1.0 | [Request] `zandronum` and `q-zandronum` - ### Link to the package(s) in the AUR
https://aur.archlinux.org/packages/zandronum
https://aur.archlinux.org/packages/q-zandronum
### Utility this package has for you
Some people like me play Classic Doom multiplayer on Linux. Precompiling these for us would make it take less time to jump in.
Also `zandronum-bin` and the `zandronum-hg` packages are flagged out of date, so that's why they wont work in this case.
### Do you consider the package(s) to be useful for every Chaotic-AUR user?
No, but for a few.
### Do you consider the package to be useful for feature testing/preview?
- [ ] Yes
### Have you tested if the package builds in a clean chroot?
- [ ] Yes
### Does the package's license allow redistributing it?
YES!
### Have you searched the issues to ensure this request is unique?
- [X] YES!
### Have you read the README to ensure this package is not banned?
- [X] YES!
### More information
The `zandronum-bin` package is flagged out of date, so we can't just use that.
Same with the `zandronum-hg`.
`q-zandronum` seems to be only in source form.
| priority | zandronum and q zandronum link to the package s in the aur utility this package has for you some people like me play classic doom multiplayer on linux precompiling these for us would make it take less time to jump in also zandronum bin and the zandronum hg packages are flagged out of date so that s why they wont work in this case do you consider the package s to be useful for every chaotic aur user no but for a few do you consider the package to be useful for feature testing preview yes have you tested if the package builds in a clean chroot yes does the package s license allow redistributing it yes have you searched the issues to ensure this request is unique yes have you read the readme to ensure this package is not banned yes more information the zandronum bin package is flagged out of date so we can t just use that same with the zandronum hg q zandronum seems to be only in source form | 1 |
495,303 | 14,279,312,233 | IssuesEvent | 2020-11-23 02:23:53 | microsoft/terraform-provider-azuredevops | https://api.github.com/repos/microsoft/terraform-provider-azuredevops | closed | Terraform 0.13 - Add registry sourced provider support | new-feature priority-low | ---
Migrated from https://github.com/microsoft/terraform-provider-azuredevops/issues/363
Originally created by @arnaudlh on *Fri, 05 Jun 2020 01:41:28 GMT*
---
<!--- Please keep this note for the community --->
### Community Note
* Please vote on this issue by adding a 👍 [reaction](https://blog.github.com/2016-03-10-add-reactions-to-pull-requests-issues-and-comments/) to the original issue to help the community and maintainers prioritize this request
* Please do not leave "+1" or "me too" comments, they generate extra noise for issue followers and do not help prioritize the request
* If you are interested in working on this issue or have submitted a pull request, please leave a comment
<!--- Thank you for keeping this note for the community --->
### Description
Terraform 0.13 currently in beta adds support for registry sourced provider as per [this link](https://www.hashicorp.com/blog/adding-provider-source-to-hashicorp-terraform/).
As a [user](https://github.com/azure/caf-terraform-landingzones) of the terraform-provider-azuredevops, we'd love TF0.13 day 0 support for this feature, so that we can dynamically pull your provider.
### New or Affected Resource(s)
<!--- Please list the new or affected resources and data sources. --->
* none
### Potential Terraform Configuration
<!--- Information about code formatting: https://help.github.com/articles/basic-writing-and-formatting-syntax/#quoting-code --->
```hcl
terraform {
required_providers {
terraform-provider-azuredevops = {
source = "registry.terraform.io/microsoft/terraform-provider-azuredevops"
version = "x.y.0"
}
}
}
```
### References
<!---
Information about referencing Github Issues: https://help.github.com/articles/basic-writing-and-formatting-syntax/#referencing-issues-and-pull-requests
Are there any other GitHub issues (open or closed) or pull requests that should be linked here? Vendor blog posts or documentation?
https://www.hashicorp.com/blog/adding-provider-source-to-hashicorp-terraform/
--->
* #0000 | 1.0 | Terraform 0.13 - Add registry sourced provider support - ---
Migrated from https://github.com/microsoft/terraform-provider-azuredevops/issues/363
Originally created by @arnaudlh on *Fri, 05 Jun 2020 01:41:28 GMT*
---
<!--- Please keep this note for the community --->
### Community Note
* Please vote on this issue by adding a 👍 [reaction](https://blog.github.com/2016-03-10-add-reactions-to-pull-requests-issues-and-comments/) to the original issue to help the community and maintainers prioritize this request
* Please do not leave "+1" or "me too" comments, they generate extra noise for issue followers and do not help prioritize the request
* If you are interested in working on this issue or have submitted a pull request, please leave a comment
<!--- Thank you for keeping this note for the community --->
### Description
Terraform 0.13 currently in beta adds support for registry sourced provider as per [this link](https://www.hashicorp.com/blog/adding-provider-source-to-hashicorp-terraform/).
As a [user](https://github.com/azure/caf-terraform-landingzones) of the terraform-provider-azuredevops, we'd love TF0.13 day 0 support for this feature, so that we can dynamically pull your provider.
### New or Affected Resource(s)
<!--- Please list the new or affected resources and data sources. --->
* none
### Potential Terraform Configuration
<!--- Information about code formatting: https://help.github.com/articles/basic-writing-and-formatting-syntax/#quoting-code --->
```hcl
terraform {
required_providers {
terraform-provider-azuredevops = {
source = "registry.terraform.io/microsoft/terraform-provider-azuredevops"
version = "x.y.0"
}
}
}
```
### References
<!---
Information about referencing Github Issues: https://help.github.com/articles/basic-writing-and-formatting-syntax/#referencing-issues-and-pull-requests
Are there any other GitHub issues (open or closed) or pull requests that should be linked here? Vendor blog posts or documentation?
https://www.hashicorp.com/blog/adding-provider-source-to-hashicorp-terraform/
--->
* #0000 | priority | terraform add registry sourced provider support migrated from originally created by arnaudlh on fri jun gmt community note please vote on this issue by adding a 👍 to the original issue to help the community and maintainers prioritize this request please do not leave or me too comments they generate extra noise for issue followers and do not help prioritize the request if you are interested in working on this issue or have submitted a pull request please leave a comment description terraform currently in beta adds support for registry sourced provider as per as a of the terraform provider azuredevops we d love day support for this feature so that we can dynamically pull your provider new or affected resource s none potential terraform configuration hcl terraform required providers terraform provider azuredevops source registry terraform io microsoft terraform provider azuredevops version x y references information about referencing github issues are there any other github issues open or closed or pull requests that should be linked here vendor blog posts or documentation | 1 |
786,723 | 27,662,957,413 | IssuesEvent | 2023-03-12 18:30:53 | TAKANOME-DEV/vidly-client | https://api.github.com/repos/TAKANOME-DEV/vidly-client | closed | (JS-0464) React must be present in scope when using JSX | good first issue :black_flag: status: ready for dev :green_square: priority: low | ## Description
The `React` object contains many objects that are referenced indirectly when expanding JSX.
## Occurrences
There are 348 occurrences of this issue in the repository.
| 1.0 | (JS-0464) React must be present in scope when using JSX - ## Description
The `React` object contains many objects that are referenced indirectly when expanding JSX.
## Occurrences
There are 348 occurrences of this issue in the repository.
| priority | js react must be present in scope when using jsx description the react object contains many objects that are referenced indirectly when expanding jsx occurrences there are occurrences of this issue in the repository | 1 |
487,757 | 14,059,148,399 | IssuesEvent | 2020-11-03 02:13:56 | OpenMined/PySyft | https://api.github.com/repos/OpenMined/PySyft | opened | Implement Custom Logging Levels | Priority: 4 - Low :sunglasses: Type: Improvement :chart_with_upwards_trend: syft 0.3 | ## Description
We need to introduce our own custom logging tags with loguru so that we can annotate things like:
- message events
- WebRTC layer
- permission requests
- RPC execution
- store events
- async handler loops
- exceptions etc
This will allow us to build more specific control into what appears in the log and what appears in the notebook.
We can then completely eliminate print statements except perhaps in a few isolated CLI areas of the code base.
## Definition of Done
All major log messages are tagged with these new event types, in particular the very noisy debug statements around the messaging layer should be easy to turn off.
A mechanism to control the output within the Jupyter Notebook environment should be added so that we can carefully control what types of events appear in the notebooks. This might require some extra thought but it seems possible in Jupyter to control the return cells of messages to some degree:
https://blog.nteract.io/nteract-building-on-top-of-jupyter-9cfbccdd4c1d | 1.0 | Implement Custom Logging Levels - ## Description
We need to introduce our own custom logging tags with loguru so that we can annotate things like:
- message events
- WebRTC layer
- permission requests
- RPC execution
- store events
- async handler loops
- exceptions etc
This will allow us to build more specific control into what appears in the log and what appears in the notebook.
We can then completely eliminate print statements except perhaps in a few isolated CLI areas of the code base.
## Definition of Done
All major log messages are tagged with these new event types, in particular the very noisy debug statements around the messaging layer should be easy to turn off.
A mechanism to control the output within the Jupyter Notebook environment should be added so that we can carefully control what types of events appear in the notebooks. This might require some extra thought but it seems possible in Jupyter to control the return cells of messages to some degree:
https://blog.nteract.io/nteract-building-on-top-of-jupyter-9cfbccdd4c1d | priority | implement custom logging levels description we need to introduce our own custom logging tags with loguru so that we can annotate things like message events webrtc layer permission requests rpc execution store events async handler loops exceptions etc this will allow us to build more specific control into what appears in the log and what appears in the notebook we can then completely eliminate print statements except perhaps in a few isolated cli areas of the code base definition of done all major log messages are tagged with these new event types in particular the very noisy debug statements around the messaging layer should be easy to turn off a mechanism to control the output within the jupyter notebook environment should be added so that we can carefully control what types of events appear in the notebooks this might require some extra thought but it seems possible in jupyter to control the return cells of messages to some degree | 1 |
620,707 | 19,568,090,644 | IssuesEvent | 2022-01-04 05:30:05 | ut-issl/c2a-core | https://api.github.com/repos/ut-issl/c2a-core | opened | BCのrotaterの開始Cmdを指定できるようにする | priority::low | ## 概要
BCのrotaterの開始Cmdを指定できるようにする
## 詳細
ちょっと嬉しくなるかもしれない
まずはuse caseの整理からか?
## close条件
実装するか考えて,必要があれば実装したら.
| 1.0 | BCのrotaterの開始Cmdを指定できるようにする - ## 概要
BCのrotaterの開始Cmdを指定できるようにする
## 詳細
ちょっと嬉しくなるかもしれない
まずはuse caseの整理からか?
## close条件
実装するか考えて,必要があれば実装したら.
| priority | bcのrotaterの開始cmdを指定できるようにする 概要 bcのrotaterの開始cmdを指定できるようにする 詳細 ちょっと嬉しくなるかもしれない まずはuse caseの整理からか? close条件 実装するか考えて,必要があれば実装したら. | 1 |
748,077 | 26,106,246,643 | IssuesEvent | 2022-12-27 13:34:24 | tauri-apps/tauri | https://api.github.com/repos/tauri-apps/tauri | closed | [Feat] tauricon: Allow for additional custom generated icon files. | good first issue scope: cli.rs type: feature request priority: 3 low | I have the use-case where I serve my front-end as a tauri app and also as a web-app with PWA support. Instead of maintaining two sets of icons, I would like to just generate one set that is used by everything. This is probably a pretty common use-case.
So it would be nice to have a way to define alternative icon formats, sizes and file-names, that are also generated by `tauricon`.
Currently, the files to be generated are defined here: https://github.com/tauri-apps/tauricon/blob/dev/src/helpers/tauricon.config.ts
Probably the easiest implementation would be to keep that same structure and provide it via the cli as a json file:
```sh
npx @tauri-apps/tauricon icons/logo.svg --target icons --extra icons/extra.json
```
And then the `icons/extra.json` could be something like this:
```json
[
{
"folder": "../frontend/src/assets/icons",
"prefix": "icon-",
"infix": true,
"suffix": ".png",
"sizes": [72, 96, 128, 144, 152, 192, 384, 512]
}
]
```
What are your thoughts about that? | 1.0 | [Feat] tauricon: Allow for additional custom generated icon files. - I have the use-case where I serve my front-end as a tauri app and also as a web-app with PWA support. Instead of maintaining two sets of icons, I would like to just generate one set that is used by everything. This is probably a pretty common use-case.
So it would be nice to have a way to define alternative icon formats, sizes and file-names, that are also generated by `tauricon`.
Currently, the files to be generated are defined here: https://github.com/tauri-apps/tauricon/blob/dev/src/helpers/tauricon.config.ts
Probably the easiest implementation would be to keep that same structure and provide it via the cli as a json file:
```sh
npx @tauri-apps/tauricon icons/logo.svg --target icons --extra icons/extra.json
```
And then the `icons/extra.json` could be something like this:
```json
[
{
"folder": "../frontend/src/assets/icons",
"prefix": "icon-",
"infix": true,
"suffix": ".png",
"sizes": [72, 96, 128, 144, 152, 192, 384, 512]
}
]
```
What are your thoughts about that? | priority | tauricon allow for additional custom generated icon files i have the use case where i serve my front end as a tauri app and also as a web app with pwa support instead of maintaining two sets of icons i would like to just generate one set that is used by everything this is probably a pretty common use case so it would be nice to have a way to define alternative icon formats sizes and file names that are also generated by tauricon currently the files to be generated are defined here probably the easiest implementation would be to keep that same structure and provide it via the cli as a json file sh npx tauri apps tauricon icons logo svg target icons extra icons extra json and then the icons extra json could be something like this json folder frontend src assets icons prefix icon infix true suffix png sizes what are your thoughts about that | 1 |
373,026 | 11,032,023,866 | IssuesEvent | 2019-12-06 19:10:19 | boi123212321/porn-manager | https://api.github.com/repos/boi123212321/porn-manager | closed | Scale UI | enhancement low priority | When you open the webpage on a higher resolution it doesn't scale, for example on a 4k screen the scenes page has the six scenes per row, but at either side there is a fairly large gap.
On an unrelated note, have you considered setting up a Discord, I have a few other suggestions but I don't really like making issues without discussing them first as some might just be personal. | 1.0 | Scale UI - When you open the webpage on a higher resolution it doesn't scale, for example on a 4k screen the scenes page has the six scenes per row, but at either side there is a fairly large gap.
On an unrelated note, have you considered setting up a Discord, I have a few other suggestions but I don't really like making issues without discussing them first as some might just be personal. | priority | scale ui when you open the webpage on a higher resolution it doesn t scale for example on a screen the scenes page has the six scenes per row but at either side there is a fairly large gap on an unrelated note have you considered setting up a discord i have a few other suggestions but i don t really like making issues without discussing them first as some might just be personal | 1 |
264,356 | 8,308,825,447 | IssuesEvent | 2018-09-24 00:56:57 | lidarr/Lidarr | https://api.github.com/repos/lidarr/Lidarr | closed | Manage Tracks - Not sorted in proper order | Area: UI Priority: Low Status: Accepted Type: Bug | **Describe the bug**
When view the 'Manage Tracks' option, the tracks are out of order, and there is no option to sort them from track 1 to the last track etc
**To Reproduce**
Steps to reproduce the behavior:
1. Go to and album
2. Click on Manage Tracks
**Expected behavior**
When the list of tracks is displayed it should be sorted from the lowest track number, to the highest track number.
If the album has multiple CD's, then it should split them into their respective CD's, like it does in the album info display page.
**Screenshots**

**Logs**
Link to debug logs.
N/A
**System info (please complete the following information):**
Version: 0.3.1.471
Mono Version: 5.12.0
DB Migration: 18
AppData directory: /config
Startup directory: /usr/lib/lidarr
Mode: Console
OS: Docker
**Additional context**
None | 1.0 | Manage Tracks - Not sorted in proper order - **Describe the bug**
When view the 'Manage Tracks' option, the tracks are out of order, and there is no option to sort them from track 1 to the last track etc
**To Reproduce**
Steps to reproduce the behavior:
1. Go to and album
2. Click on Manage Tracks
**Expected behavior**
When the list of tracks is displayed it should be sorted from the lowest track number, to the highest track number.
If the album has multiple CD's, then it should split them into their respective CD's, like it does in the album info display page.
**Screenshots**

**Logs**
Link to debug logs.
N/A
**System info (please complete the following information):**
Version: 0.3.1.471
Mono Version: 5.12.0
DB Migration: 18
AppData directory: /config
Startup directory: /usr/lib/lidarr
Mode: Console
OS: Docker
**Additional context**
None | priority | manage tracks not sorted in proper order describe the bug when view the manage tracks option the tracks are out of order and there is no option to sort them from track to the last track etc to reproduce steps to reproduce the behavior go to and album click on manage tracks expected behavior when the list of tracks is displayed it should be sorted from the lowest track number to the highest track number if the album has multiple cd s then it should split them into their respective cd s like it does in the album info display page screenshots logs link to debug logs n a system info please complete the following information version mono version db migration appdata directory config startup directory usr lib lidarr mode console os docker additional context none | 1 |
567,832 | 16,902,618,470 | IssuesEvent | 2021-06-24 00:20:50 | LucasPJS/on_audio_query | https://api.github.com/repos/LucasPJS/on_audio_query | closed | queryArtworks throws error | Priority: Low Status: Fixed Type: Bug | queryArtworks throws error after upgrade. It was working fine before the upgrade but it always throws an error now.
Android Version: Android 10 (Nokia 6.1 plus)
on_audio_query_version: ^1.0.8
## **I'm calling the queryArtWork in this method**
```dart
Future<ImageProvider> getAudioImage(SongModel? songModel) async {
Uint8List? uint8list;
if (songModel != null && songModel.artwork == null) {
print("===========>Song model Id: ${songModel.id}");
try{
uint8list =
await OnAudioQuery().queryArtworks(songModel.id, ArtworkType.AUDIO);
}catch( error){
print("======================An error was caught=================");
print(error.toString());
print("======================End Log=================");
}
}
if(uint8list != null){
return Future.value(MemoryImage(uint8list));
}
return Future.value(placeholderImage());
} //end method getAudioImage
```
**This is how I used it in the flutter ui**
```dart
FutureBuilder<ImageProvider>(
future: musicController.getAudioImage(musicController.currentSong.value),
builder: (context, snapshot) {
if ((snapshot.connectionState == ConnectionState.done)) {
return Container(
// height: 320,
width: double.infinity,
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(5),
image: DecorationImage(
image: snapshot.data as ImageProvider,
fit: BoxFit.cover,
),
),
);
} else {
return Container(
// height: 320,
width: double.infinity,
child: Center(
child: CircularProgressIndicator(
color: MyTheme.accentColor,
),
),
);
}
},
),
```
### **Error log:**
`I/flutter ( 6623): ===========>Song model Id: 13405
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): Failed to handle method call
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): java.lang.ClassCastException: java.lang.Integer cannot be cast to java.lang.Long
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.lucasjosino.on_audio_query.query.OnArtworksQuery.queryArtworks(OnArtworksQuery.kt:37)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.lucasjosino.on_audio_query.controller.OnAudioController.onAudioController(OnAudioController.kt:26)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.lucasjosino.on_audio_query.OnAudioQueryPlugin.onCheckPermission(OnAudioQueryPlugin.kt:114)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.lucasjosino.on_audio_query.OnAudioQueryPlugin.onMethodCall(OnAudioQueryPlugin.kt:83)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at io.flutter.plugin.common.MethodChannel$IncomingMethodCallHandler.onMessage(MethodChannel.java:233)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at io.flutter.embedding.engine.dart.DartMessenger.handleMessageFromDart(DartMessenger.java:85)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at io.flutter.embedding.engine.FlutterJNI.handlePlatformMessage(FlutterJNI.java:818)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at android.os.MessageQueue.nativePollOnce(Native Method)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at android.os.MessageQueue.next(MessageQueue.java:336)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at android.os.Looper.loop(Looper.java:174)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at android.app.ActivityThread.main(ActivityThread.java:7397)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at java.lang.reflect.Method.invoke(Native Method)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:492)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:935)
I/flutter ( 6623): ======================An error was caught=================
I/flutter ( 6623): PlatformException(error, java.lang.Integer cannot be cast to java.lang.Long, null, java.lang.ClassCastException: java.lang.Integer cannot be cast to java.lang.Long
I/flutter ( 6623): at com.lucasjosino.on_audio_query.query.OnArtworksQuery.queryArtworks(OnArtworksQuery.kt:37)
I/flutter ( 6623): at com.lucasjosino.on_audio_query.controller.OnAudioController.onAudioController(OnAudioController.kt:26)
I/flutter ( 6623): at com.lucasjosino.on_audio_query.OnAudioQueryPlugin.onCheckPermission(OnAudioQueryPlugin.kt:114)
I/flutter ( 6623): at com.lucasjosino.on_audio_query.OnAudioQueryPlugin.onMethodCall(OnAudioQueryPlugin.kt:83)
I/flutter ( 6623): at io.flutter.plugin.common.MethodChannel$IncomingMethodCallHandler.onMessage(MethodChannel.java:233)
I/flutter ( 6623): at io.flutter.embedding.engine.dart.DartMessenger.handleMessageFromDart(DartMessenger.java:85)
I/flutter ( 6623): at io.flutter.embedding.engine.FlutterJNI.handlePlatformMessage(FlutterJNI.java:818)
I/flutter ( 6623): at android.os.MessageQueue.nativePollOnce(Native Method)
I/flutter ( 6623): at android.os.MessageQueue.next(MessageQueue.java:336)
I/flutter ( 6623): at android.os.Looper.loop(Looper.java:174)
I/flutter ( 6623): at android.app.Activit
I/flutter ( 6623): ======================End Log=================
` | 1.0 | queryArtworks throws error - queryArtworks throws error after upgrade. It was working fine before the upgrade but it always throws an error now.
Android Version: Android 10 (Nokia 6.1 plus)
on_audio_query_version: ^1.0.8
## **I'm calling the queryArtWork in this method**
```dart
Future<ImageProvider> getAudioImage(SongModel? songModel) async {
Uint8List? uint8list;
if (songModel != null && songModel.artwork == null) {
print("===========>Song model Id: ${songModel.id}");
try{
uint8list =
await OnAudioQuery().queryArtworks(songModel.id, ArtworkType.AUDIO);
}catch( error){
print("======================An error was caught=================");
print(error.toString());
print("======================End Log=================");
}
}
if(uint8list != null){
return Future.value(MemoryImage(uint8list));
}
return Future.value(placeholderImage());
} //end method getAudioImage
```
**This is how I used it in the flutter ui**
```dart
FutureBuilder<ImageProvider>(
future: musicController.getAudioImage(musicController.currentSong.value),
builder: (context, snapshot) {
if ((snapshot.connectionState == ConnectionState.done)) {
return Container(
// height: 320,
width: double.infinity,
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(5),
image: DecorationImage(
image: snapshot.data as ImageProvider,
fit: BoxFit.cover,
),
),
);
} else {
return Container(
// height: 320,
width: double.infinity,
child: Center(
child: CircularProgressIndicator(
color: MyTheme.accentColor,
),
),
);
}
},
),
```
### **Error log:**
`I/flutter ( 6623): ===========>Song model Id: 13405
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): Failed to handle method call
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): java.lang.ClassCastException: java.lang.Integer cannot be cast to java.lang.Long
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.lucasjosino.on_audio_query.query.OnArtworksQuery.queryArtworks(OnArtworksQuery.kt:37)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.lucasjosino.on_audio_query.controller.OnAudioController.onAudioController(OnAudioController.kt:26)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.lucasjosino.on_audio_query.OnAudioQueryPlugin.onCheckPermission(OnAudioQueryPlugin.kt:114)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.lucasjosino.on_audio_query.OnAudioQueryPlugin.onMethodCall(OnAudioQueryPlugin.kt:83)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at io.flutter.plugin.common.MethodChannel$IncomingMethodCallHandler.onMessage(MethodChannel.java:233)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at io.flutter.embedding.engine.dart.DartMessenger.handleMessageFromDart(DartMessenger.java:85)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at io.flutter.embedding.engine.FlutterJNI.handlePlatformMessage(FlutterJNI.java:818)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at android.os.MessageQueue.nativePollOnce(Native Method)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at android.os.MessageQueue.next(MessageQueue.java:336)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at android.os.Looper.loop(Looper.java:174)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at android.app.ActivityThread.main(ActivityThread.java:7397)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at java.lang.reflect.Method.invoke(Native Method)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:492)
E/MethodChannel#com.lucasjosino.on_audio_query( 6623): at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:935)
I/flutter ( 6623): ======================An error was caught=================
I/flutter ( 6623): PlatformException(error, java.lang.Integer cannot be cast to java.lang.Long, null, java.lang.ClassCastException: java.lang.Integer cannot be cast to java.lang.Long
I/flutter ( 6623): at com.lucasjosino.on_audio_query.query.OnArtworksQuery.queryArtworks(OnArtworksQuery.kt:37)
I/flutter ( 6623): at com.lucasjosino.on_audio_query.controller.OnAudioController.onAudioController(OnAudioController.kt:26)
I/flutter ( 6623): at com.lucasjosino.on_audio_query.OnAudioQueryPlugin.onCheckPermission(OnAudioQueryPlugin.kt:114)
I/flutter ( 6623): at com.lucasjosino.on_audio_query.OnAudioQueryPlugin.onMethodCall(OnAudioQueryPlugin.kt:83)
I/flutter ( 6623): at io.flutter.plugin.common.MethodChannel$IncomingMethodCallHandler.onMessage(MethodChannel.java:233)
I/flutter ( 6623): at io.flutter.embedding.engine.dart.DartMessenger.handleMessageFromDart(DartMessenger.java:85)
I/flutter ( 6623): at io.flutter.embedding.engine.FlutterJNI.handlePlatformMessage(FlutterJNI.java:818)
I/flutter ( 6623): at android.os.MessageQueue.nativePollOnce(Native Method)
I/flutter ( 6623): at android.os.MessageQueue.next(MessageQueue.java:336)
I/flutter ( 6623): at android.os.Looper.loop(Looper.java:174)
I/flutter ( 6623): at android.app.Activit
I/flutter ( 6623): ======================End Log=================
` | priority | queryartworks throws error queryartworks throws error after upgrade it was working fine before the upgrade but it always throws an error now android version android nokia plus on audio query version i m calling the queryartwork in this method dart future getaudioimage songmodel songmodel async if songmodel null songmodel artwork null print song model id songmodel id try await onaudioquery queryartworks songmodel id artworktype audio catch error print an error was caught print error tostring print end log if null return future value memoryimage return future value placeholderimage end method getaudioimage this is how i used it in the flutter ui dart futurebuilder future musiccontroller getaudioimage musiccontroller currentsong value builder context snapshot if snapshot connectionstate connectionstate done return container height width double infinity decoration boxdecoration borderradius borderradius circular image decorationimage image snapshot data as imageprovider fit boxfit cover else return container height width double infinity child center child circularprogressindicator color mytheme accentcolor error log i flutter song model id e methodchannel com lucasjosino on audio query failed to handle method call e methodchannel com lucasjosino on audio query java lang classcastexception java lang integer cannot be cast to java lang long e methodchannel com lucasjosino on audio query at com lucasjosino on audio query query onartworksquery queryartworks onartworksquery kt e methodchannel com lucasjosino on audio query at com lucasjosino on audio query controller onaudiocontroller onaudiocontroller onaudiocontroller kt e methodchannel com lucasjosino on audio query at com lucasjosino on audio query onaudioqueryplugin oncheckpermission onaudioqueryplugin kt e methodchannel com lucasjosino on audio query at com lucasjosino on audio query onaudioqueryplugin onmethodcall onaudioqueryplugin kt e methodchannel com lucasjosino on audio query at io flutter plugin common methodchannel incomingmethodcallhandler onmessage methodchannel java e methodchannel com lucasjosino on audio query at io flutter embedding engine dart dartmessenger handlemessagefromdart dartmessenger java e methodchannel com lucasjosino on audio query at io flutter embedding engine flutterjni handleplatformmessage flutterjni java e methodchannel com lucasjosino on audio query at android os messagequeue nativepollonce native method e methodchannel com lucasjosino on audio query at android os messagequeue next messagequeue java e methodchannel com lucasjosino on audio query at android os looper loop looper java e methodchannel com lucasjosino on audio query at android app activitythread main activitythread java e methodchannel com lucasjosino on audio query at java lang reflect method invoke native method e methodchannel com lucasjosino on audio query at com android internal os runtimeinit methodandargscaller run runtimeinit java e methodchannel com lucasjosino on audio query at com android internal os zygoteinit main zygoteinit java i flutter an error was caught i flutter platformexception error java lang integer cannot be cast to java lang long null java lang classcastexception java lang integer cannot be cast to java lang long i flutter at com lucasjosino on audio query query onartworksquery queryartworks onartworksquery kt i flutter at com lucasjosino on audio query controller onaudiocontroller onaudiocontroller onaudiocontroller kt i flutter at com lucasjosino on audio query onaudioqueryplugin oncheckpermission onaudioqueryplugin kt i flutter at com lucasjosino on audio query onaudioqueryplugin onmethodcall onaudioqueryplugin kt i flutter at io flutter plugin common methodchannel incomingmethodcallhandler onmessage methodchannel java i flutter at io flutter embedding engine dart dartmessenger handlemessagefromdart dartmessenger java i flutter at io flutter embedding engine flutterjni handleplatformmessage flutterjni java i flutter at android os messagequeue nativepollonce native method i flutter at android os messagequeue next messagequeue java i flutter at android os looper loop looper java i flutter at android app activit i flutter end log | 1 |
685,820 | 23,468,333,707 | IssuesEvent | 2022-08-16 19:02:36 | medic/cht-core | https://api.github.com/repos/medic/cht-core | closed | Values of non-relevant fields should be maintained until submission | Type: Bug Enketo Priority: 3 - Low | ~As reported in https://github.com/medic/medic-webapp/issues/4111#issuecomment-360304644, clearing non-relevant fields while completing a form is problematic.~
My understanding of `relevant` in the [ODK specification](https://opendatakit.github.io/xforms-spec/#bind-attributes) is that the fields should only be removed when submitting the report, making their values accessible while still editing the form:
> `relevant`: Specifies whether the question or group is relevant. The question or group will only be presented to the user when the XPath expression evaluates to true(). When false() the data node (and its descendants) are removed from the primary instance on submission.
~Removing the non-relevant fields while editing a form seems to have appeared in the way we use Enketo between 2.13 and 2.14. Aside from improving the user experience, many active projects use forms that depend on this characteristic, likely making this a blocker for 2.14.~
_**Edit:** This is not new, as earlier versions exhibit this problem as well._
cc @sglangevin | 1.0 | Values of non-relevant fields should be maintained until submission - ~As reported in https://github.com/medic/medic-webapp/issues/4111#issuecomment-360304644, clearing non-relevant fields while completing a form is problematic.~
My understanding of `relevant` in the [ODK specification](https://opendatakit.github.io/xforms-spec/#bind-attributes) is that the fields should only be removed when submitting the report, making their values accessible while still editing the form:
> `relevant`: Specifies whether the question or group is relevant. The question or group will only be presented to the user when the XPath expression evaluates to true(). When false() the data node (and its descendants) are removed from the primary instance on submission.
~Removing the non-relevant fields while editing a form seems to have appeared in the way we use Enketo between 2.13 and 2.14. Aside from improving the user experience, many active projects use forms that depend on this characteristic, likely making this a blocker for 2.14.~
_**Edit:** This is not new, as earlier versions exhibit this problem as well._
cc @sglangevin | priority | values of non relevant fields should be maintained until submission as reported in clearing non relevant fields while completing a form is problematic my understanding of relevant in the is that the fields should only be removed when submitting the report making their values accessible while still editing the form relevant specifies whether the question or group is relevant the question or group will only be presented to the user when the xpath expression evaluates to true when false the data node and its descendants are removed from the primary instance on submission removing the non relevant fields while editing a form seems to have appeared in the way we use enketo between and aside from improving the user experience many active projects use forms that depend on this characteristic likely making this a blocker for edit this is not new as earlier versions exhibit this problem as well cc sglangevin | 1 |
657,605 | 21,797,890,653 | IssuesEvent | 2022-05-15 22:08:54 | therealbluepandabear/PixaPencil | https://api.github.com/repos/therealbluepandabear/PixaPencil | opened | [Feature Request] Add support for viewing the deatils of your project and renaming it | ✨ enhancement low priority difficulty: medium | Currently the user can't view details about their project such as the date created, number of unique colours, also add the ability to rename your project. | 1.0 | [Feature Request] Add support for viewing the deatils of your project and renaming it - Currently the user can't view details about their project such as the date created, number of unique colours, also add the ability to rename your project. | priority | add support for viewing the deatils of your project and renaming it currently the user can t view details about their project such as the date created number of unique colours also add the ability to rename your project | 1 |
640,750 | 20,798,254,115 | IssuesEvent | 2022-03-17 11:25:48 | EddieHubCommunity/LinkFree | https://api.github.com/repos/EddieHubCommunity/LinkFree | closed | Input and version span weird position on small screen | 🕹 aspect: interface 🛠 goal: fix 🟩 priority: low | ### Description
On small screens tag showing version ends just underneath the input element.
This happens on screens with less than 340px in width, so I am not sure we really need to address this.
Thoughts?
### Screenshots

### Additional information
_No response_ | 1.0 | Input and version span weird position on small screen - ### Description
On small screens tag showing version ends just underneath the input element.
This happens on screens with less than 340px in width, so I am not sure we really need to address this.
Thoughts?
### Screenshots

### Additional information
_No response_ | priority | input and version span weird position on small screen description on small screens tag showing version ends just underneath the input element this happens on screens with less than in width so i am not sure we really need to address this thoughts screenshots additional information no response | 1 |
94,970 | 3,933,558,706 | IssuesEvent | 2016-04-25 19:33:18 | ghutchis/avogadro | https://api.github.com/repos/ghutchis/avogadro | closed | Crash ubuntu open file | auto-migrated low priority v_0.1.0 | Application crashes on ubuntu everytime I try to open a file inside avogadro. Reinstalled everything multiple times with no luck.
Reported by: *anonymous | 1.0 | Crash ubuntu open file - Application crashes on ubuntu everytime I try to open a file inside avogadro. Reinstalled everything multiple times with no luck.
Reported by: *anonymous | priority | crash ubuntu open file application crashes on ubuntu everytime i try to open a file inside avogadro reinstalled everything multiple times with no luck reported by anonymous | 1 |
544,884 | 15,930,803,278 | IssuesEvent | 2021-04-14 01:48:13 | privacy-tech-lab/optmeowt-browser-extension | https://api.github.com/repos/privacy-tech-lab/optmeowt-browser-extension | opened | Explain permission use of OptMeowt in readme | enhancement low priority | I think it would increase transparency and understanding if we describe the reasons for using each permission similar to [uBlock Origin](https://github.com/gorhill/uBlock/wiki/Permissions). | 1.0 | Explain permission use of OptMeowt in readme - I think it would increase transparency and understanding if we describe the reasons for using each permission similar to [uBlock Origin](https://github.com/gorhill/uBlock/wiki/Permissions). | priority | explain permission use of optmeowt in readme i think it would increase transparency and understanding if we describe the reasons for using each permission similar to | 1 |
767,970 | 26,948,734,935 | IssuesEvent | 2023-02-08 10:05:49 | JuliaDynamics/CausalityTools.jl | https://api.github.com/repos/JuliaDynamics/CausalityTools.jl | closed | Animated step-wise estimation of the invariant distribution associated with a transfer operator | hard visualisation low priority | Make a gif that shows the iterative process of estimating invariant measures from transfer operators. We need a 3D example for both
- `PerronFrobenius.RectangularInvariantMeasure`
- `PerronFrobenius.TriangulationInvariantMeasure` (not implemented yet). | 1.0 | Animated step-wise estimation of the invariant distribution associated with a transfer operator - Make a gif that shows the iterative process of estimating invariant measures from transfer operators. We need a 3D example for both
- `PerronFrobenius.RectangularInvariantMeasure`
- `PerronFrobenius.TriangulationInvariantMeasure` (not implemented yet). | priority | animated step wise estimation of the invariant distribution associated with a transfer operator make a gif that shows the iterative process of estimating invariant measures from transfer operators we need a example for both perronfrobenius rectangularinvariantmeasure perronfrobenius triangulationinvariantmeasure not implemented yet | 1 |
689,974 | 23,641,950,715 | IssuesEvent | 2022-08-25 17:57:04 | woocommerce/woocommerce | https://api.github.com/repos/woocommerce/woocommerce | closed | Order again item meta stores term value vs. Order item meta stores term slug | type: good first issue priority: low plugin: woocommerce | ### Prerequisites
- [X] I have carried out troubleshooting steps and I believe I have found a bug.
- [X] I have searched for similar bugs in both open and closed issues and cannot find a duplicate.
### Describe the bug
There seems to be an inconsistency when saving order item meta between a normal order and an order placed after using the "Order again" button:
* Upon placing an order #xxx for a variation with a taxonomy product attribute, the order item meta value stored in the database is the taxonomy product attribute term **slug**.
* Upon using the "Order again" button for order #xxx and placing the order #yyy, the order item meta value stored in the database is the taxonomy product attribute term **name**.
This seems to come from `WC_Cart_Session::populate_cart_from_order` on line 378:
```php
foreach ( $item->get_meta_data() as $meta ) {
if ( taxonomy_is_product_attribute( $meta->key ) ) {
$term = get_term_by( 'slug', $meta->value, $meta->key );
$variations[ $meta->key ] = $term ? $term->name : $meta->value; // Line 378 - why assigning the name?
} elseif ( meta_is_product_attribute( $meta->key, $meta->value, $product_id ) ) {
$variations[ $meta->key ] = $meta->value;
}
}
```
### Expected behavior
* Upon placing an order #xxx for a variation with a taxonomy product attribute, the order item meta value stored in the database is the taxonomy product attribute **term slug**.
* Upon using the "Order again" button for order #xxx and placing the order #yyy, the order item meta value stored in the database is the taxonomy product attribute **term slug**.
### Actual behavior
* Upon placing an order #xxx for a variation with a taxonomy product attribute, the order item meta value stored in the database is the taxonomy product attribute **term slug**.
* Upon using the "Order again" button for order #xxx and placing the order #yyy, the order item meta value stored in the database is the taxonomy product attribute **term name**.
### Steps to reproduce
For:
* a product attribute "Test Attribute" with `slug:value` tuples:
* `test1:TEST1`
* `test2:TEST2`
* a variable product "Test Product"
* a product variation "Test Variation" with attribute `test1:TEST1`
* a product variation "Test Variation" with attribute `test2:TEST2`
Follow the steps below from the `/shop` page:
* Click "Select options" for product "Test Product"
* Select "Test Attribute" > "TEST1"
* Click "Add to cart"
* Click "view cart" > "Proceed to checkout"
* Place the order #xxx with "Cash on delivery" payment method
Follow the steps below from the `/wp-admin/edit.php?post_type=shop_order` page:
* Ensure order #xxx is "Processing"
* Edit the order #xxx status to "Completed"
Follow the steps below from the `/my-account/orders` page:
* Click "View" for order #xxx
* Click "Order again" button
* Click "view cart" > "Proceed to checkout"
* Place the order #yyy with "Cash on delivery" payment method
Follow the steps below from the `/wp-admin/edit.php?post_type=shop_order` page:
* Ensure order #yyy is "Processing"
* Edit the order #yyy status to "Completed"
With phpMyAdmin or an RDBMS:
* Connect to the WordPress database
* Execute the following query:
```sql
SELECT * FROM `wp_woocommerce_order_itemmeta` WHERE `meta_value` LIKE '%test%'
```
* See the following result (ids have been edited out in the sample below):
meta_id | order_item_id | meta_key | meta_value
-------- | -------------- | ---------- | ------------
1 | xxx | 'pa_test-attribute' | 'test1'
2 | yyy | 'pa_test-attribute' | 'TEST1'
### WordPress Environment
`
### WordPress Environment ###
WordPress address (URL): https://test.froger.me
Site address (URL): https://test.froger.me
WC Version: 6.3.1
REST API Version: ✔ 6.3.1
WC Blocks Version: ✔ 6.9.0
Action Scheduler Version: ✔ 3.4.0
WC Admin Version: ✔ 3.2.1
Log Directory Writable: ✔
WP Version: 5.9.3
WP Multisite: –
WP Memory Limit: 256 MB
WP Debug Mode: ✔
WP Cron: ✔
Language: en_US
External object cache: –
### Server Environment ###
Server Info: Apache
PHP Version: 7.2.34
PHP Post Max Size: 516 MB
PHP Time Limit: 30
PHP Max Input Vars: 1000
cURL Version: 7.81.0
OpenSSL/1.1.1m
SUHOSIN Installed: –
MySQL Version: 5.6.41-84.1
Max Upload Size: 512 MB
Default Timezone is UTC: ✔
fsockopen/cURL: ✔
SoapClient: ✔
DOMDocument: ✔
GZip: ✔
Multibyte String: ✔
Remote Post: ✔
Remote Get: ✔
### Database ###
WC Database Version: 6.3.1
WC Database Prefix: wp_
Total Database Size: 1.46MB
Database Data Size: 1.17MB
Database Index Size: 0.29MB
wp_woocommerce_sessions: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_api_keys: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_attribute_taxonomies: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_downloadable_product_permissions: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_order_items: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_order_itemmeta: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_tax_rates: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_tax_rate_locations: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_shipping_zones: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_shipping_zone_locations: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_shipping_zone_methods: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_payment_tokens: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_payment_tokenmeta: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_log: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_actionscheduler_actions: Data: 0.01MB + Index: 0.02MB + Engine MyISAM
wp_actionscheduler_claims: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_actionscheduler_groups: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_actionscheduler_logs: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_commentmeta: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_comments: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_links: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_options: Data: 0.95MB + Index: 0.05MB + Engine MyISAM
wp_postmeta: Data: 0.04MB + Index: 0.03MB + Engine MyISAM
wp_posts: Data: 0.08MB + Index: 0.02MB + Engine MyISAM
wp_signups: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_termmeta: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_terms: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_term_relationships: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_term_taxonomy: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_usermeta: Data: 0.02MB + Index: 0.02MB + Engine MyISAM
wp_users: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_admin_notes: Data: 0.02MB + Index: 0.00MB + Engine MyISAM
wp_wc_admin_note_actions: Data: 0.01MB + Index: 0.00MB + Engine MyISAM
wp_wc_category_lookup: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_wc_customer_lookup: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_download_log: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_wc_order_coupon_lookup: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_wc_order_product_lookup: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_order_stats: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_order_tax_lookup: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_wc_product_attributes_lookup: Data: 0.02MB + Index: 0.03MB + Engine InnoDB
wp_wc_product_meta_lookup: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_rate_limits: Data: 0.02MB + Index: 0.02MB + Engine InnoDB
wp_wc_reserved_stock: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_wc_tax_rate_classes: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_webhooks: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
### Post Type Counts ###
attachment: 1
page: 5
post: 1
product: 1
product_variation: 2
revision: 67
shop_coupon: 1
shop_order: 2
wp_stream_alerts: 1
### Security ###
Secure connection (HTTPS): ✔
Hide errors from visitors: ❌Error messages should not be shown to visitors.
### Active Plugins (2) ###
Cloudflare: by Cloudflare
Inc. – 4.8.3
WooCommerce: by Automattic – 6.3.1
### Inactive Plugins (0) ###
### Must Use Plugins (0) ###
### Settings ###
API Enabled: –
Force SSL: –
Currency: CNY (¥)
Currency Position: left
Thousand Separator: ,
Decimal Separator: .
Number of Decimals: 2
Taxonomies: Product Types: external (external)
grouped (grouped)
simple (simple)
variable (variable)
Taxonomies: Product Visibility: exclude-from-catalog (exclude-from-catalog)
exclude-from-search (exclude-from-search)
featured (featured)
outofstock (outofstock)
rated-1 (rated-1)
rated-2 (rated-2)
rated-3 (rated-3)
rated-4 (rated-4)
rated-5 (rated-5)
Connected to WooCommerce.com: –
### WC Pages ###
Shop base: #120 - /shop/
Cart: #121 - /cart/
Checkout: #122 - /checkout/
My account: #123 - /my-account/
Terms and conditions: ❌ Page not set
### Theme ###
Name: Storefront
Version: 4.1.0
Author URL: https://woocommerce.com/
Child Theme: ❌ – If you are modifying WooCommerce on a parent theme that you did not build personally we recommend using a child theme. See: How to create a child theme
WooCommerce Support: ✔
### Templates ###
Overrides: –
### Action Scheduler ###
Complete: 24
Oldest: 2022-04-09 18:28:55 +0800
Newest: 2022-04-09 18:45:14 +0800
### Status report information ###
Generated at: 2022-04-09 18:47:13 +08:00
`
### Isolating the problem
- [X] I have deactivated other plugins and confirmed this bug occurs when only WooCommerce plugin is active.
- [X] This bug happens with a default WordPress theme active, or [Storefront](https://woocommerce.com/storefront/).
- [X] I can reproduce this bug consistently using the steps above. | 1.0 | Order again item meta stores term value vs. Order item meta stores term slug - ### Prerequisites
- [X] I have carried out troubleshooting steps and I believe I have found a bug.
- [X] I have searched for similar bugs in both open and closed issues and cannot find a duplicate.
### Describe the bug
There seems to be an inconsistency when saving order item meta between a normal order and an order placed after using the "Order again" button:
* Upon placing an order #xxx for a variation with a taxonomy product attribute, the order item meta value stored in the database is the taxonomy product attribute term **slug**.
* Upon using the "Order again" button for order #xxx and placing the order #yyy, the order item meta value stored in the database is the taxonomy product attribute term **name**.
This seems to come from `WC_Cart_Session::populate_cart_from_order` on line 378:
```php
foreach ( $item->get_meta_data() as $meta ) {
if ( taxonomy_is_product_attribute( $meta->key ) ) {
$term = get_term_by( 'slug', $meta->value, $meta->key );
$variations[ $meta->key ] = $term ? $term->name : $meta->value; // Line 378 - why assigning the name?
} elseif ( meta_is_product_attribute( $meta->key, $meta->value, $product_id ) ) {
$variations[ $meta->key ] = $meta->value;
}
}
```
### Expected behavior
* Upon placing an order #xxx for a variation with a taxonomy product attribute, the order item meta value stored in the database is the taxonomy product attribute **term slug**.
* Upon using the "Order again" button for order #xxx and placing the order #yyy, the order item meta value stored in the database is the taxonomy product attribute **term slug**.
### Actual behavior
* Upon placing an order #xxx for a variation with a taxonomy product attribute, the order item meta value stored in the database is the taxonomy product attribute **term slug**.
* Upon using the "Order again" button for order #xxx and placing the order #yyy, the order item meta value stored in the database is the taxonomy product attribute **term name**.
### Steps to reproduce
For:
* a product attribute "Test Attribute" with `slug:value` tuples:
* `test1:TEST1`
* `test2:TEST2`
* a variable product "Test Product"
* a product variation "Test Variation" with attribute `test1:TEST1`
* a product variation "Test Variation" with attribute `test2:TEST2`
Follow the steps below from the `/shop` page:
* Click "Select options" for product "Test Product"
* Select "Test Attribute" > "TEST1"
* Click "Add to cart"
* Click "view cart" > "Proceed to checkout"
* Place the order #xxx with "Cash on delivery" payment method
Follow the steps below from the `/wp-admin/edit.php?post_type=shop_order` page:
* Ensure order #xxx is "Processing"
* Edit the order #xxx status to "Completed"
Follow the steps below from the `/my-account/orders` page:
* Click "View" for order #xxx
* Click "Order again" button
* Click "view cart" > "Proceed to checkout"
* Place the order #yyy with "Cash on delivery" payment method
Follow the steps below from the `/wp-admin/edit.php?post_type=shop_order` page:
* Ensure order #yyy is "Processing"
* Edit the order #yyy status to "Completed"
With phpMyAdmin or an RDBMS:
* Connect to the WordPress database
* Execute the following query:
```sql
SELECT * FROM `wp_woocommerce_order_itemmeta` WHERE `meta_value` LIKE '%test%'
```
* See the following result (ids have been edited out in the sample below):
meta_id | order_item_id | meta_key | meta_value
-------- | -------------- | ---------- | ------------
1 | xxx | 'pa_test-attribute' | 'test1'
2 | yyy | 'pa_test-attribute' | 'TEST1'
### WordPress Environment
`
### WordPress Environment ###
WordPress address (URL): https://test.froger.me
Site address (URL): https://test.froger.me
WC Version: 6.3.1
REST API Version: ✔ 6.3.1
WC Blocks Version: ✔ 6.9.0
Action Scheduler Version: ✔ 3.4.0
WC Admin Version: ✔ 3.2.1
Log Directory Writable: ✔
WP Version: 5.9.3
WP Multisite: –
WP Memory Limit: 256 MB
WP Debug Mode: ✔
WP Cron: ✔
Language: en_US
External object cache: –
### Server Environment ###
Server Info: Apache
PHP Version: 7.2.34
PHP Post Max Size: 516 MB
PHP Time Limit: 30
PHP Max Input Vars: 1000
cURL Version: 7.81.0
OpenSSL/1.1.1m
SUHOSIN Installed: –
MySQL Version: 5.6.41-84.1
Max Upload Size: 512 MB
Default Timezone is UTC: ✔
fsockopen/cURL: ✔
SoapClient: ✔
DOMDocument: ✔
GZip: ✔
Multibyte String: ✔
Remote Post: ✔
Remote Get: ✔
### Database ###
WC Database Version: 6.3.1
WC Database Prefix: wp_
Total Database Size: 1.46MB
Database Data Size: 1.17MB
Database Index Size: 0.29MB
wp_woocommerce_sessions: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_api_keys: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_attribute_taxonomies: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_downloadable_product_permissions: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_order_items: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_order_itemmeta: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_tax_rates: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_tax_rate_locations: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_shipping_zones: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_shipping_zone_locations: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_shipping_zone_methods: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_payment_tokens: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_payment_tokenmeta: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_woocommerce_log: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_actionscheduler_actions: Data: 0.01MB + Index: 0.02MB + Engine MyISAM
wp_actionscheduler_claims: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_actionscheduler_groups: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_actionscheduler_logs: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_commentmeta: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_comments: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_links: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_options: Data: 0.95MB + Index: 0.05MB + Engine MyISAM
wp_postmeta: Data: 0.04MB + Index: 0.03MB + Engine MyISAM
wp_posts: Data: 0.08MB + Index: 0.02MB + Engine MyISAM
wp_signups: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_termmeta: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_terms: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_term_relationships: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_term_taxonomy: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_usermeta: Data: 0.02MB + Index: 0.02MB + Engine MyISAM
wp_users: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_admin_notes: Data: 0.02MB + Index: 0.00MB + Engine MyISAM
wp_wc_admin_note_actions: Data: 0.01MB + Index: 0.00MB + Engine MyISAM
wp_wc_category_lookup: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_wc_customer_lookup: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_download_log: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_wc_order_coupon_lookup: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_wc_order_product_lookup: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_order_stats: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_order_tax_lookup: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_wc_product_attributes_lookup: Data: 0.02MB + Index: 0.03MB + Engine InnoDB
wp_wc_product_meta_lookup: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_rate_limits: Data: 0.02MB + Index: 0.02MB + Engine InnoDB
wp_wc_reserved_stock: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
wp_wc_tax_rate_classes: Data: 0.00MB + Index: 0.01MB + Engine MyISAM
wp_wc_webhooks: Data: 0.00MB + Index: 0.00MB + Engine MyISAM
### Post Type Counts ###
attachment: 1
page: 5
post: 1
product: 1
product_variation: 2
revision: 67
shop_coupon: 1
shop_order: 2
wp_stream_alerts: 1
### Security ###
Secure connection (HTTPS): ✔
Hide errors from visitors: ❌Error messages should not be shown to visitors.
### Active Plugins (2) ###
Cloudflare: by Cloudflare
Inc. – 4.8.3
WooCommerce: by Automattic – 6.3.1
### Inactive Plugins (0) ###
### Must Use Plugins (0) ###
### Settings ###
API Enabled: –
Force SSL: –
Currency: CNY (¥)
Currency Position: left
Thousand Separator: ,
Decimal Separator: .
Number of Decimals: 2
Taxonomies: Product Types: external (external)
grouped (grouped)
simple (simple)
variable (variable)
Taxonomies: Product Visibility: exclude-from-catalog (exclude-from-catalog)
exclude-from-search (exclude-from-search)
featured (featured)
outofstock (outofstock)
rated-1 (rated-1)
rated-2 (rated-2)
rated-3 (rated-3)
rated-4 (rated-4)
rated-5 (rated-5)
Connected to WooCommerce.com: –
### WC Pages ###
Shop base: #120 - /shop/
Cart: #121 - /cart/
Checkout: #122 - /checkout/
My account: #123 - /my-account/
Terms and conditions: ❌ Page not set
### Theme ###
Name: Storefront
Version: 4.1.0
Author URL: https://woocommerce.com/
Child Theme: ❌ – If you are modifying WooCommerce on a parent theme that you did not build personally we recommend using a child theme. See: How to create a child theme
WooCommerce Support: ✔
### Templates ###
Overrides: –
### Action Scheduler ###
Complete: 24
Oldest: 2022-04-09 18:28:55 +0800
Newest: 2022-04-09 18:45:14 +0800
### Status report information ###
Generated at: 2022-04-09 18:47:13 +08:00
`
### Isolating the problem
- [X] I have deactivated other plugins and confirmed this bug occurs when only WooCommerce plugin is active.
- [X] This bug happens with a default WordPress theme active, or [Storefront](https://woocommerce.com/storefront/).
- [X] I can reproduce this bug consistently using the steps above. | priority | order again item meta stores term value vs order item meta stores term slug prerequisites i have carried out troubleshooting steps and i believe i have found a bug i have searched for similar bugs in both open and closed issues and cannot find a duplicate describe the bug there seems to be an inconsistency when saving order item meta between a normal order and an order placed after using the order again button upon placing an order xxx for a variation with a taxonomy product attribute the order item meta value stored in the database is the taxonomy product attribute term slug upon using the order again button for order xxx and placing the order yyy the order item meta value stored in the database is the taxonomy product attribute term name this seems to come from wc cart session populate cart from order on line php foreach item get meta data as meta if taxonomy is product attribute meta key term get term by slug meta value meta key variations term term name meta value line why assigning the name elseif meta is product attribute meta key meta value product id variations meta value expected behavior upon placing an order xxx for a variation with a taxonomy product attribute the order item meta value stored in the database is the taxonomy product attribute term slug upon using the order again button for order xxx and placing the order yyy the order item meta value stored in the database is the taxonomy product attribute term slug actual behavior upon placing an order xxx for a variation with a taxonomy product attribute the order item meta value stored in the database is the taxonomy product attribute term slug upon using the order again button for order xxx and placing the order yyy the order item meta value stored in the database is the taxonomy product attribute term name steps to reproduce for a product attribute test attribute with slug value tuples a variable product test product a product variation test variation with attribute a product variation test variation with attribute follow the steps below from the shop page click select options for product test product select test attribute click add to cart click view cart proceed to checkout place the order xxx with cash on delivery payment method follow the steps below from the wp admin edit php post type shop order page ensure order xxx is processing edit the order xxx status to completed follow the steps below from the my account orders page click view for order xxx click order again button click view cart proceed to checkout place the order yyy with cash on delivery payment method follow the steps below from the wp admin edit php post type shop order page ensure order yyy is processing edit the order yyy status to completed with phpmyadmin or an rdbms connect to the wordpress database execute the following query sql select from wp woocommerce order itemmeta where meta value like test see the following result ids have been edited out in the sample below meta id order item id meta key meta value xxx pa test attribute yyy pa test attribute wordpress environment wordpress environment wordpress address url site address url wc version rest api version ✔ wc blocks version ✔ action scheduler version ✔ wc admin version ✔ log directory writable ✔ wp version wp multisite – wp memory limit mb wp debug mode ✔ wp cron ✔ language en us external object cache – server environment server info apache php version php post max size mb php time limit php max input vars curl version openssl suhosin installed – mysql version max upload size mb default timezone is utc ✔ fsockopen curl ✔ soapclient ✔ domdocument ✔ gzip ✔ multibyte string ✔ remote post ✔ remote get ✔ database wc database version wc database prefix wp total database size database data size database index size wp woocommerce sessions data index engine myisam wp woocommerce api keys data index engine myisam wp woocommerce attribute taxonomies data index engine myisam wp woocommerce downloadable product permissions data index engine myisam wp woocommerce order items data index engine myisam wp woocommerce order itemmeta data index engine myisam wp woocommerce tax rates data index engine myisam wp woocommerce tax rate locations data index engine myisam wp woocommerce shipping zones data index engine myisam wp woocommerce shipping zone locations data index engine myisam wp woocommerce shipping zone methods data index engine myisam wp woocommerce payment tokens data index engine myisam wp woocommerce payment tokenmeta data index engine myisam wp woocommerce log data index engine myisam wp actionscheduler actions data index engine myisam wp actionscheduler claims data index engine myisam wp actionscheduler groups data index engine myisam wp actionscheduler logs data index engine myisam wp commentmeta data index engine myisam wp comments data index engine myisam wp links data index engine myisam wp options data index engine myisam wp postmeta data index engine myisam wp posts data index engine myisam wp signups data index engine myisam wp termmeta data index engine myisam wp terms data index engine myisam wp term relationships data index engine myisam wp term taxonomy data index engine myisam wp usermeta data index engine myisam wp users data index engine myisam wp wc admin notes data index engine myisam wp wc admin note actions data index engine myisam wp wc category lookup data index engine myisam wp wc customer lookup data index engine myisam wp wc download log data index engine myisam wp wc order coupon lookup data index engine myisam wp wc order product lookup data index engine myisam wp wc order stats data index engine myisam wp wc order tax lookup data index engine myisam wp wc product attributes lookup data index engine innodb wp wc product meta lookup data index engine myisam wp wc rate limits data index engine innodb wp wc reserved stock data index engine myisam wp wc tax rate classes data index engine myisam wp wc webhooks data index engine myisam post type counts attachment page post product product variation revision shop coupon shop order wp stream alerts security secure connection https ✔ hide errors from visitors ❌error messages should not be shown to visitors active plugins cloudflare by cloudflare inc – woocommerce by automattic – inactive plugins must use plugins settings api enabled – force ssl – currency cny ¥ currency position left thousand separator decimal separator number of decimals taxonomies product types external external grouped grouped simple simple variable variable taxonomies product visibility exclude from catalog exclude from catalog exclude from search exclude from search featured featured outofstock outofstock rated rated rated rated rated rated rated rated rated rated connected to woocommerce com – wc pages shop base shop cart cart checkout checkout my account my account terms and conditions ❌ page not set theme name storefront version author url child theme ❌ – if you are modifying woocommerce on a parent theme that you did not build personally we recommend using a child theme see how to create a child theme woocommerce support ✔ templates overrides – action scheduler complete oldest newest status report information generated at isolating the problem i have deactivated other plugins and confirmed this bug occurs when only woocommerce plugin is active this bug happens with a default wordpress theme active or i can reproduce this bug consistently using the steps above | 1 |
232,669 | 7,673,868,920 | IssuesEvent | 2018-05-15 00:26:03 | kaymckelly/program-editor | https://api.github.com/repos/kaymckelly/program-editor | closed | Comma has extra space on authors in talks | bug priority: low unable-to-recreate | Not sure why tbh: checked the CSS and that appears correct; did we add commas twice (once in CSS and once in JS?). Looking into it, welcome suggestions. | 1.0 | Comma has extra space on authors in talks - Not sure why tbh: checked the CSS and that appears correct; did we add commas twice (once in CSS and once in JS?). Looking into it, welcome suggestions. | priority | comma has extra space on authors in talks not sure why tbh checked the css and that appears correct did we add commas twice once in css and once in js looking into it welcome suggestions | 1 |
320,461 | 9,781,275,296 | IssuesEvent | 2019-06-07 19:16:55 | thonny/thonny | https://api.github.com/repos/thonny/thonny | closed | debugger failed for python decorator | bug low priority | **[Original report](https://bitbucket.org/bitbucket-issue-migration\thonny-issues.zip/issue/388) by Anonymous.**
----------------------------------------
User is using Mac. If we run the following code, everything is fine. However if use Debug and try to Step Into (F7) the code, the debugger crash when reading the @my_dec annotation.
```
def my_dec(some_function):
def wrapper():
print("Before")
some_function()
print("After")
return wrapper
@my_dec
def just_some_function():
print("Yooo!")
just_some_function()
```
| 1.0 | debugger failed for python decorator - **[Original report](https://bitbucket.org/bitbucket-issue-migration\thonny-issues.zip/issue/388) by Anonymous.**
----------------------------------------
User is using Mac. If we run the following code, everything is fine. However if use Debug and try to Step Into (F7) the code, the debugger crash when reading the @my_dec annotation.
```
def my_dec(some_function):
def wrapper():
print("Before")
some_function()
print("After")
return wrapper
@my_dec
def just_some_function():
print("Yooo!")
just_some_function()
```
| priority | debugger failed for python decorator by anonymous user is using mac if we run the following code everything is fine however if use debug and try to step into the code the debugger crash when reading the my dec annotation def my dec some function def wrapper print before some function print after return wrapper my dec def just some function print yooo just some function | 1 |
372,532 | 11,016,647,199 | IssuesEvent | 2019-12-05 06:09:16 | OpenSRP/opensrp-client-chw | https://api.github.com/repos/OpenSRP/opensrp-client-chw | closed | French Edit Family Member Form Missing the Phone Number, Other Phone Number and Education fields missing | bug low priority | v1.0.11 Togo release candidate
Steps to replicate
Open any family and select a member over 15years.
Go to edit family member details. After the selection Primary caregiver option, the English version opens and allows editing on:
phone_number
other_phone_number
highest_edu_level
The French version does not open these fields.

| 1.0 | French Edit Family Member Form Missing the Phone Number, Other Phone Number and Education fields missing - v1.0.11 Togo release candidate
Steps to replicate
Open any family and select a member over 15years.
Go to edit family member details. After the selection Primary caregiver option, the English version opens and allows editing on:
phone_number
other_phone_number
highest_edu_level
The French version does not open these fields.

| priority | french edit family member form missing the phone number other phone number and education fields missing togo release candidate steps to replicate open any family and select a member over go to edit family member details after the selection primary caregiver option the english version opens and allows editing on phone number other phone number highest edu level the french version does not open these fields | 1 |
801,417 | 28,487,904,178 | IssuesEvent | 2023-04-18 09:07:29 | AbsaOSS/enceladus | https://api.github.com/repos/AbsaOSS/enceladus | closed | Use template engine in Menas | feature Menas under discussion priority: low | ## Background
Integrate Spline 0.4.x with Enceladus
Spline uses `org.thymeleaf.ITemplateEngine`
## Feature
When serving Spline content, there are `org.thymeleaf.ITemplateEngine` placeholders. Right now they are replaced/filled using simple string or regexp replacement. That's brittle and kind of hackish.
Furthermore, the template engine can be used for **Menas** own purposes.
| 1.0 | Use template engine in Menas - ## Background
Integrate Spline 0.4.x with Enceladus
Spline uses `org.thymeleaf.ITemplateEngine`
## Feature
When serving Spline content, there are `org.thymeleaf.ITemplateEngine` placeholders. Right now they are replaced/filled using simple string or regexp replacement. That's brittle and kind of hackish.
Furthermore, the template engine can be used for **Menas** own purposes.
| priority | use template engine in menas background integrate spline x with enceladus spline uses org thymeleaf itemplateengine feature when serving spline content there are org thymeleaf itemplateengine placeholders right now they are replaced filled using simple string or regexp replacement that s brittle and kind of hackish furthermore the template engine can be used for menas own purposes | 1 |
378,099 | 11,196,112,423 | IssuesEvent | 2020-01-03 09:08:59 | StrangeLoopGames/EcoIssues | https://api.github.com/repos/StrangeLoopGames/EcoIssues | closed | [master-preview] Work Party: taking party in the Work Party | Fixed Low Priority | For now you can take party in a work party only when you click on the Active in the Economy viewer. It should be more useful to click on icon or name too, I think | 1.0 | [master-preview] Work Party: taking party in the Work Party - For now you can take party in a work party only when you click on the Active in the Economy viewer. It should be more useful to click on icon or name too, I think | priority | work party taking party in the work party for now you can take party in a work party only when you click on the active in the economy viewer it should be more useful to click on icon or name too i think | 1 |
476,577 | 13,747,093,333 | IssuesEvent | 2020-10-06 07:02:30 | Frooxius/NeosPublic | https://api.github.com/repos/Frooxius/NeosPublic | closed | Camera mode for capturing 360 Stereoscopic Images | Duplicate Enhancement Low Priority | Neos is already able to display 360 stereoscopic images, and from what I could tell, capturing them doesn't seem too hard either. Could support for his kind of image capture be added? It's been mentioned a few times before but I don't believe it ever made it into the GH. Low priority. | 1.0 | Camera mode for capturing 360 Stereoscopic Images - Neos is already able to display 360 stereoscopic images, and from what I could tell, capturing them doesn't seem too hard either. Could support for his kind of image capture be added? It's been mentioned a few times before but I don't believe it ever made it into the GH. Low priority. | priority | camera mode for capturing stereoscopic images neos is already able to display stereoscopic images and from what i could tell capturing them doesn t seem too hard either could support for his kind of image capture be added it s been mentioned a few times before but i don t believe it ever made it into the gh low priority | 1 |
128,629 | 5,072,289,280 | IssuesEvent | 2016-12-26 21:24:42 | mgoral/subconvert | https://api.github.com/repos/mgoral/subconvert | opened | Refactor FrameTime internals | Internal improvement Low Priority | Replace `full_seconds` (float) with milliseconds (int).
Initial implementation: https://gist.github.com/mgoral/091c3899d1654a79be517ec0c2dbc53e | 1.0 | Refactor FrameTime internals - Replace `full_seconds` (float) with milliseconds (int).
Initial implementation: https://gist.github.com/mgoral/091c3899d1654a79be517ec0c2dbc53e | priority | refactor frametime internals replace full seconds float with milliseconds int initial implementation | 1 |
279,668 | 8,671,773,142 | IssuesEvent | 2018-11-29 20:06:27 | statonlab/Treesnap-mobile | https://api.github.com/repos/statonlab/Treesnap-mobile | closed | Inches AND feet | low priority torreya | request for inches AND feet input boxes in measurement.
I think the answer is no, we don't want this. I want to check with @ellen first. | 1.0 | Inches AND feet - request for inches AND feet input boxes in measurement.
I think the answer is no, we don't want this. I want to check with @ellen first. | priority | inches and feet request for inches and feet input boxes in measurement i think the answer is no we don t want this i want to check with ellen first | 1 |
617,592 | 19,400,427,070 | IssuesEvent | 2021-12-19 03:58:07 | actnwit/RhodoniteTS | https://api.github.com/repos/actnwit/RhodoniteTS | closed | [Featurerequest] If the extension is not supported, output a warning to the console. | Priority_Low usability | Currently, loading a model with a glTF extension that Rhodonite does not support will result in an error.
I think it's better to print to the console that the extension isn't supported, not an error.
Below are examples of other libraries.
|Library|Message|Output|
|:----:|:----|:----:|
|three.js|THREE.GLTFLoader: Unknown extension "FAKE_materials_quantumRendering".|console|
|Babylon.js|Require extension FAKE_materials_quantumRendering is not available|display|
| 1.0 | [Featurerequest] If the extension is not supported, output a warning to the console. - Currently, loading a model with a glTF extension that Rhodonite does not support will result in an error.
I think it's better to print to the console that the extension isn't supported, not an error.
Below are examples of other libraries.
|Library|Message|Output|
|:----:|:----|:----:|
|three.js|THREE.GLTFLoader: Unknown extension "FAKE_materials_quantumRendering".|console|
|Babylon.js|Require extension FAKE_materials_quantumRendering is not available|display|
| priority | if the extension is not supported output a warning to the console currently loading a model with a gltf extension that rhodonite does not support will result in an error i think it s better to print to the console that the extension isn t supported not an error below are examples of other libraries library message output three js three gltfloader unknown extension fake materials quantumrendering console babylon js require extension fake materials quantumrendering is not available display | 1 |
665,912 | 22,335,124,021 | IssuesEvent | 2022-06-14 17:48:22 | IntellectualSites/FastAsyncWorldEdit | https://api.github.com/repos/IntellectualSites/FastAsyncWorldEdit | closed | Multi-server clipboard doesn't copy entities | Approved Backburner Low Priority | **/fawe debugpaste**:
https://athion.net/ISPaster/paste/view/4871a0639f84455bb4b8b003e3b24ba1
**Required Information**
- FAWE Version Number (`/version FastAsyncWorldEdit`): FastAsyncWorldEdit version 1.16-463;6676d77
- Spigot/Paper Version Number (`/version`): git-Paper-325, Waterfall 388
- Minecraft Version: 1.16.4
**Describe the bug**
No entities can be copied using the multi-server clipboard.
**How to Reproduce**
1. `//copy -e` (include armorstands and written signs)
2. Teleport to another server
3. `//paste -e` (The signs and entities are not pasted)
**Plugins being used on the server**
ChatControlRed, FastAsyncWorldEdit, LuckPerms, PlaceholderAPI, Vault, WirsingFix, WorldGuard
**Checklist**:
<!--- Make sure you've completed the following steps (put an "X" between of brackets): -->
- [X] I included all information required in the sections above
- [X] I made sure there are no duplicates of this report [(Use Search)](https://github.com/IntellectualSites/FastAsyncWorldEdit/issues?q=is%3Aissue)
- [X] I made sure I am using an up-to-date version of [FastAsyncWorldEdit for 1.16.4](https://ci.athion.net/job/FastAsyncWorldEdit-1.16/)
- [X] I made sure the bug/error is not caused by any other plugin | 1.0 | Multi-server clipboard doesn't copy entities - **/fawe debugpaste**:
https://athion.net/ISPaster/paste/view/4871a0639f84455bb4b8b003e3b24ba1
**Required Information**
- FAWE Version Number (`/version FastAsyncWorldEdit`): FastAsyncWorldEdit version 1.16-463;6676d77
- Spigot/Paper Version Number (`/version`): git-Paper-325, Waterfall 388
- Minecraft Version: 1.16.4
**Describe the bug**
No entities can be copied using the multi-server clipboard.
**How to Reproduce**
1. `//copy -e` (include armorstands and written signs)
2. Teleport to another server
3. `//paste -e` (The signs and entities are not pasted)
**Plugins being used on the server**
ChatControlRed, FastAsyncWorldEdit, LuckPerms, PlaceholderAPI, Vault, WirsingFix, WorldGuard
**Checklist**:
<!--- Make sure you've completed the following steps (put an "X" between of brackets): -->
- [X] I included all information required in the sections above
- [X] I made sure there are no duplicates of this report [(Use Search)](https://github.com/IntellectualSites/FastAsyncWorldEdit/issues?q=is%3Aissue)
- [X] I made sure I am using an up-to-date version of [FastAsyncWorldEdit for 1.16.4](https://ci.athion.net/job/FastAsyncWorldEdit-1.16/)
- [X] I made sure the bug/error is not caused by any other plugin | priority | multi server clipboard doesn t copy entities fawe debugpaste required information fawe version number version fastasyncworldedit fastasyncworldedit version spigot paper version number version git paper waterfall minecraft version describe the bug no entities can be copied using the multi server clipboard how to reproduce copy e include armorstands and written signs teleport to another server paste e the signs and entities are not pasted plugins being used on the server chatcontrolred fastasyncworldedit luckperms placeholderapi vault wirsingfix worldguard checklist i included all information required in the sections above i made sure there are no duplicates of this report i made sure i am using an up to date version of i made sure the bug error is not caused by any other plugin | 1 |
449,515 | 12,970,005,526 | IssuesEvent | 2020-07-21 08:40:42 | wso2/docker-apim | https://api.github.com/repos/wso2/docker-apim | closed | [3.2.0] Avoid Creating Directory For Persisting Local Carbon H2 Database File | Priority/Low Type/Improvement | **Description:**
Currently, an empty directory is created at `/home/wso2carbon/solr` directory named [`database`](https://github.com/wso2/docker-apim/blob/v3.1.0.3/dockerfiles/ubuntu/apim/Dockerfile#L70), for persisting $subject file.
Since, we are focusing on setting the last accessed time to Governance Registry DB, persistence of this file is no longer required.
**Affected Product Version:**
Docker resources for WSO2 API Management version `v3.1.0.3`
**Related Issues:**
https://github.com/wso2/kubernetes-apim/issues/397#issuecomment-653112731 | 1.0 | [3.2.0] Avoid Creating Directory For Persisting Local Carbon H2 Database File - **Description:**
Currently, an empty directory is created at `/home/wso2carbon/solr` directory named [`database`](https://github.com/wso2/docker-apim/blob/v3.1.0.3/dockerfiles/ubuntu/apim/Dockerfile#L70), for persisting $subject file.
Since, we are focusing on setting the last accessed time to Governance Registry DB, persistence of this file is no longer required.
**Affected Product Version:**
Docker resources for WSO2 API Management version `v3.1.0.3`
**Related Issues:**
https://github.com/wso2/kubernetes-apim/issues/397#issuecomment-653112731 | priority | avoid creating directory for persisting local carbon database file description currently an empty directory is created at home solr directory named for persisting subject file since we are focusing on setting the last accessed time to governance registry db persistence of this file is no longer required affected product version docker resources for api management version related issues | 1 |
336,665 | 10,195,109,026 | IssuesEvent | 2019-08-12 17:17:46 | CESARBR/knot-gateway-buildroot | https://api.github.com/repos/CESARBR/knot-gateway-buildroot | closed | Update README files | enhancement priority: low | Output:
Updated and organized README file with instructions to build and flash KNoT Boards. | 1.0 | Update README files - Output:
Updated and organized README file with instructions to build and flash KNoT Boards. | priority | update readme files output updated and organized readme file with instructions to build and flash knot boards | 1 |
700,872 | 24,076,349,772 | IssuesEvent | 2022-09-18 21:06:24 | apache/airflow | https://api.github.com/repos/apache/airflow | closed | Auto-refresh of logs. | kind:feature priority:low area:UI | **Description**
Auto-refresh of logs.
**Use case / motivation**
Similar process that is already implemented in the Graph View, have the logs to auto-refresh so it's easier to keep track of the different processes in the UI.
Thank you in advance!
| 1.0 | Auto-refresh of logs. - **Description**
Auto-refresh of logs.
**Use case / motivation**
Similar process that is already implemented in the Graph View, have the logs to auto-refresh so it's easier to keep track of the different processes in the UI.
Thank you in advance!
| priority | auto refresh of logs description auto refresh of logs use case motivation similar process that is already implemented in the graph view have the logs to auto refresh so it s easier to keep track of the different processes in the ui thank you in advance | 1 |
823,089 | 30,927,360,362 | IssuesEvent | 2023-08-06 16:49:18 | mensatt/backend | https://api.github.com/repos/mensatt/backend | closed | Create GQL subscription for CreateReview and UpdateReview | enhancement low priority | Supporting external notification services for platform moderation, should be made possible by providing a [graphql subscription](https://www.apollographql.com/docs/react/data/subscriptions/).
Passing all the given params to the subscribed clients should suffice. | 1.0 | Create GQL subscription for CreateReview and UpdateReview - Supporting external notification services for platform moderation, should be made possible by providing a [graphql subscription](https://www.apollographql.com/docs/react/data/subscriptions/).
Passing all the given params to the subscribed clients should suffice. | priority | create gql subscription for createreview and updatereview supporting external notification services for platform moderation should be made possible by providing a passing all the given params to the subscribed clients should suffice | 1 |
186,439 | 6,736,164,533 | IssuesEvent | 2017-10-19 02:08:52 | ShareVR/ShareVR-WebsiteDev | https://api.github.com/repos/ShareVR/ShareVR-WebsiteDev | reopened | Media files take a long time to load | enhancement Priority - Low | Especially if the user does not have a very fast internet connection, it takes a long time to load the media files. Typically, pictures should definitely be less than 1MB for quicker loading. Maybe use photoshop to lower than resolution of the pictures to reduce their file sizes.
The cover video of 85mb also takes some time to load... not sure what we can do about that.
Assigning to @vivianzqq | 1.0 | Media files take a long time to load - Especially if the user does not have a very fast internet connection, it takes a long time to load the media files. Typically, pictures should definitely be less than 1MB for quicker loading. Maybe use photoshop to lower than resolution of the pictures to reduce their file sizes.
The cover video of 85mb also takes some time to load... not sure what we can do about that.
Assigning to @vivianzqq | priority | media files take a long time to load especially if the user does not have a very fast internet connection it takes a long time to load the media files typically pictures should definitely be less than for quicker loading maybe use photoshop to lower than resolution of the pictures to reduce their file sizes the cover video of also takes some time to load not sure what we can do about that assigning to vivianzqq | 1 |
48,526 | 2,998,317,213 | IssuesEvent | 2015-07-23 13:31:33 | jayway/powermock | https://api.github.com/repos/jayway/powermock | closed | Add proxy support for (private) methods | enhancement imported Milestone-Future Priority-Low | _From [johan.ha...@gmail.com](https://code.google.com/u/105676376875942041029/) on July 03, 2009 14:32:40_
Add a generic way to add proxy support for private and non-private methods.
In some situations you want to just do something before or after the actual
method invocation, like record how many times the method was actually
invoked. This should be easily possible by delegating the call to an
InvocationHandler (that the user defines) in the MockGateway instead of
calling the real method.
_Original issue: http://code.google.com/p/powermock/issues/detail?id=126_ | 1.0 | Add proxy support for (private) methods - _From [johan.ha...@gmail.com](https://code.google.com/u/105676376875942041029/) on July 03, 2009 14:32:40_
Add a generic way to add proxy support for private and non-private methods.
In some situations you want to just do something before or after the actual
method invocation, like record how many times the method was actually
invoked. This should be easily possible by delegating the call to an
InvocationHandler (that the user defines) in the MockGateway instead of
calling the real method.
_Original issue: http://code.google.com/p/powermock/issues/detail?id=126_ | priority | add proxy support for private methods from on july add a generic way to add proxy support for private and non private methods in some situations you want to just do something before or after the actual method invocation like record how many times the method was actually invoked this should be easily possible by delegating the call to an invocationhandler that the user defines in the mockgateway instead of calling the real method original issue | 1 |
731,469 | 25,217,627,291 | IssuesEvent | 2022-11-14 10:19:21 | Jexactyl/Jexactyl | https://api.github.com/repos/Jexactyl/Jexactyl | closed | Change currency to 'credits' in suspended screen block | type: bug report priority: low | https://github.com/Jexactyl/Jexactyl/blob/1f862e71f25540458b407f424c3d279818fed72d/resources/scripts/components/elements/Suspended.tsx#L76
- fix {store.currency} to **coins** | 1.0 | Change currency to 'credits' in suspended screen block - https://github.com/Jexactyl/Jexactyl/blob/1f862e71f25540458b407f424c3d279818fed72d/resources/scripts/components/elements/Suspended.tsx#L76
- fix {store.currency} to **coins** | priority | change currency to credits in suspended screen block fix store currency to coins | 1 |
408,959 | 11,954,698,822 | IssuesEvent | 2020-04-04 00:41:49 | frederik-hoeft/pmdbs | https://api.github.com/repos/frederik-hoeft/pmdbs | closed | AES Encrypt RSA Private Key | enhancement low priority planning wontfix | Derive another AES key from the user password to encrypt the RSA Key Pair with | 1.0 | AES Encrypt RSA Private Key - Derive another AES key from the user password to encrypt the RSA Key Pair with | priority | aes encrypt rsa private key derive another aes key from the user password to encrypt the rsa key pair with | 1 |
160,821 | 6,103,309,800 | IssuesEvent | 2017-06-20 18:25:47 | PredictiveEcology/SpaDES | https://api.github.com/repos/PredictiveEcology/SpaDES | closed | error when module has empty reqdPkgs field | Low priority resolved in branch | The easy workaround is to put something in the field (*e.g.*, `SpaDES`), but we should allow empty package lists in the module metadata. | 1.0 | error when module has empty reqdPkgs field - The easy workaround is to put something in the field (*e.g.*, `SpaDES`), but we should allow empty package lists in the module metadata. | priority | error when module has empty reqdpkgs field the easy workaround is to put something in the field e g spades but we should allow empty package lists in the module metadata | 1 |
428,628 | 12,414,389,352 | IssuesEvent | 2020-05-22 14:27:38 | dhenry-KCI/FredCo-Post-Go-Live- | https://api.github.com/repos/dhenry-KCI/FredCo-Post-Go-Live- | closed | IPS attachment date | Extreme Ticket Created Low Priority | Is there a way to add the date field on the attachments to know when they were uploaded in IPS? Applicants are submitting documents via the portal and they are not following the attachment naming convention, it is not practical to send it back- it would be more useful to staff to have a date field so they know when the upload was attached. | 1.0 | IPS attachment date - Is there a way to add the date field on the attachments to know when they were uploaded in IPS? Applicants are submitting documents via the portal and they are not following the attachment naming convention, it is not practical to send it back- it would be more useful to staff to have a date field so they know when the upload was attached. | priority | ips attachment date is there a way to add the date field on the attachments to know when they were uploaded in ips applicants are submitting documents via the portal and they are not following the attachment naming convention it is not practical to send it back it would be more useful to staff to have a date field so they know when the upload was attached | 1 |
651,581 | 21,482,437,915 | IssuesEvent | 2022-04-26 19:09:36 | ntop/ntopng | https://api.github.com/repos/ntop/ntopng | closed | Info Field is Not Necessary on the Periodicity Map | low-priority bug waiting for review | The Info field is necessary only in the service map and it has to be removed from the periodicity map as it is always empty

| 1.0 | Info Field is Not Necessary on the Periodicity Map - The Info field is necessary only in the service map and it has to be removed from the periodicity map as it is always empty

| priority | info field is not necessary on the periodicity map the info field is necessary only in the service map and it has to be removed from the periodicity map as it is always empty | 1 |
57,393 | 3,081,918,035 | IssuesEvent | 2015-08-23 07:16:25 | pavel-pimenov/flylinkdc-r5xx | https://api.github.com/repos/pavel-pimenov/flylinkdc-r5xx | closed | Дописать парсер для распознавания IP вида 10.152.0.0/16 | Component-Logic enhancement imported Priority-Low | _From [bobrikov](https://code.google.com/u/bobrikov/) on January 30, 2013 12:27:48_
Парсер не распознает такие виды адресов.
Касается парсера IPTrust.ini и всех прочих
_Original issue: http://code.google.com/p/flylinkdc/issues/detail?id=906_ | 1.0 | Дописать парсер для распознавания IP вида 10.152.0.0/16 - _From [bobrikov](https://code.google.com/u/bobrikov/) on January 30, 2013 12:27:48_
Парсер не распознает такие виды адресов.
Касается парсера IPTrust.ini и всех прочих
_Original issue: http://code.google.com/p/flylinkdc/issues/detail?id=906_ | priority | дописать парсер для распознавания ip вида from on january парсер не распознает такие виды адресов касается парсера iptrust ini и всех прочих original issue | 1 |
667,785 | 22,500,376,366 | IssuesEvent | 2022-06-23 11:16:07 | ita-social-projects/horondi_client_fe | https://api.github.com/repos/ita-social-projects/horondi_client_fe | closed | [Home Page] Buttons on main page are different in style | bug UI FrontEnd part priority: low severity: trivial | **Environment** Windows 10, Chrome Version 101.0.4951.67
**Reproducible:** Always
**Preconditions:**
Go to https://horondi-front-staging.azurewebsites.net/
**Steps to reproduce:**
Scroll main page
Pay attention to style of buttons on main page
**Actual result:** Buttons on main page are different in style



**Expected result:** Style of buttons should correspond to the overall style of the web-site and mockups



| 1.0 | [Home Page] Buttons on main page are different in style - **Environment** Windows 10, Chrome Version 101.0.4951.67
**Reproducible:** Always
**Preconditions:**
Go to https://horondi-front-staging.azurewebsites.net/
**Steps to reproduce:**
Scroll main page
Pay attention to style of buttons on main page
**Actual result:** Buttons on main page are different in style



**Expected result:** Style of buttons should correspond to the overall style of the web-site and mockups



| priority | buttons on main page are different in style environment windows chrome version reproducible always preconditions go to steps to reproduce scroll main page pay attention to style of buttons on main page actual result buttons on main page are different in style expected result style of buttons should correspond to the overall style of the web site and mockups | 1 |
25,099 | 2,676,282,797 | IssuesEvent | 2015-03-25 16:55:24 | biocore/qiita | https://api.github.com/repos/biocore/qiita | opened | New GENSC Null Value Controlled Vocab | database changes enhancement priority: low | We should implement this in Qiita. IMHO, this also underscores the need for an easier way to update studies in EBI (after they have already been submitted) to deal with the "temporarily obscured" and "to be reported" values here, in addition to other use cases. This is verbatim from the email:
>We would like to bring to your attention that from May 2015 the ENA will support a new null value vocabulary in ENA sample metadata checklists.
>
>Based on recent discussions with the expert/research communities and feedback from submitters the ENA will from May 2015 support reporting of null values with a controlled vocabulary that we believe suits well needs of the user community we serve as well as development and service needs of the database.
>
>The null value vocabulary aims to describe the following cases (concepts):
>
>not applicable (metadata information is inappropriate to report, can indicate that the standard itself fails to model or represent the information appropriately)
>
>not available: not collected (metadata information of an expected format was not given because it has not been collected)
not available: to be reported (metadata information of an expected format was not given, a value will be given at the later stage)
not available: restricted access (metadata information exists but can not be released openly)
>
>obscured (metadata information has been provided deliberately with low precision)
temporarily obscured (metadata information has been provided deliberately with low precision, a higher precision value will be provided at a later stage)
>
>
>The last two, which consider level of precision, will be used, for example, for geo-references (latitude, longitude and country/sea).
Marking low priority for now, since the changes are still being discussed and are not due out until May anyways. | 1.0 | New GENSC Null Value Controlled Vocab - We should implement this in Qiita. IMHO, this also underscores the need for an easier way to update studies in EBI (after they have already been submitted) to deal with the "temporarily obscured" and "to be reported" values here, in addition to other use cases. This is verbatim from the email:
>We would like to bring to your attention that from May 2015 the ENA will support a new null value vocabulary in ENA sample metadata checklists.
>
>Based on recent discussions with the expert/research communities and feedback from submitters the ENA will from May 2015 support reporting of null values with a controlled vocabulary that we believe suits well needs of the user community we serve as well as development and service needs of the database.
>
>The null value vocabulary aims to describe the following cases (concepts):
>
>not applicable (metadata information is inappropriate to report, can indicate that the standard itself fails to model or represent the information appropriately)
>
>not available: not collected (metadata information of an expected format was not given because it has not been collected)
not available: to be reported (metadata information of an expected format was not given, a value will be given at the later stage)
not available: restricted access (metadata information exists but can not be released openly)
>
>obscured (metadata information has been provided deliberately with low precision)
temporarily obscured (metadata information has been provided deliberately with low precision, a higher precision value will be provided at a later stage)
>
>
>The last two, which consider level of precision, will be used, for example, for geo-references (latitude, longitude and country/sea).
Marking low priority for now, since the changes are still being discussed and are not due out until May anyways. | priority | new gensc null value controlled vocab we should implement this in qiita imho this also underscores the need for an easier way to update studies in ebi after they have already been submitted to deal with the temporarily obscured and to be reported values here in addition to other use cases this is verbatim from the email we would like to bring to your attention that from may the ena will support a new null value vocabulary in ena sample metadata checklists based on recent discussions with the expert research communities and feedback from submitters the ena will from may support reporting of null values with a controlled vocabulary that we believe suits well needs of the user community we serve as well as development and service needs of the database the null value vocabulary aims to describe the following cases concepts not applicable metadata information is inappropriate to report can indicate that the standard itself fails to model or represent the information appropriately not available not collected metadata information of an expected format was not given because it has not been collected not available to be reported metadata information of an expected format was not given a value will be given at the later stage not available restricted access metadata information exists but can not be released openly obscured metadata information has been provided deliberately with low precision temporarily obscured metadata information has been provided deliberately with low precision a higher precision value will be provided at a later stage the last two which consider level of precision will be used for example for geo references latitude longitude and country sea marking low priority for now since the changes are still being discussed and are not due out until may anyways | 1 |
603,495 | 18,668,093,565 | IssuesEvent | 2021-10-30 06:51:36 | AY2122S1-CS2103T-W10-2/tp | https://api.github.com/repos/AY2122S1-CS2103T-W10-2/tp | closed | [PE-D] Print: no output other information only pin print | priority.Low | when only pin "print", it only shows student name without others

<!--session: 1635494387167-bc8dbf07-23eb-47e7-aa4c-e8f2511eb15f--><!--Version: Web v3.4.1-->
-------------
Labels: `severity.High` `type.FunctionalityBug`
original: zzybluebell/ped#5 | 1.0 | [PE-D] Print: no output other information only pin print - when only pin "print", it only shows student name without others

<!--session: 1635494387167-bc8dbf07-23eb-47e7-aa4c-e8f2511eb15f--><!--Version: Web v3.4.1-->
-------------
Labels: `severity.High` `type.FunctionalityBug`
original: zzybluebell/ped#5 | priority | print no output other information only pin print when only pin print it only shows student name without others labels severity high type functionalitybug original zzybluebell ped | 1 |
665,167 | 22,302,250,128 | IssuesEvent | 2022-06-13 09:46:02 | objectiv/objectiv-analytics | https://api.github.com/repos/objectiv/objectiv-analytics | closed | ModelHub: Parallelized Tests | Priority: 4. Low Area: Modeling Type: Story | As we do in bach, modelhub should be able to run tests using pytest-xdist | 1.0 | ModelHub: Parallelized Tests - As we do in bach, modelhub should be able to run tests using pytest-xdist | priority | modelhub parallelized tests as we do in bach modelhub should be able to run tests using pytest xdist | 1 |
767,572 | 26,931,855,427 | IssuesEvent | 2023-02-07 17:22:37 | zephyrproject-rtos/zephyr | https://api.github.com/repos/zephyrproject-rtos/zephyr | closed | west: twister return code ignored by west | bug priority: low west | **Describe the bug**
If twister is started via the west command and the test fails, the error code returned by ./scripts/twister is discarded.
**To Reproduce**
Steps to reproduce the behavior:
1. Manipulate tests/lib/mem_blocks test to fail.
1. west twister -c -p native_posix -T tests/lib/mem_blocks ; echo Return code $?
4. Return code 0 was printed, expected 1
**Expected behavior**
Returns the same error code as the following command:
./scripts/twister -c -p native_posix -T tests/lib/mem_blocks
**Logs and console output**
Invalid result:
> $ west twister -c -p native_posix -T tests/lib/mem_blocks ; echo Return code $?
> Deleting output directory /*/zephyr/twister-out
> INFO - Using Ninja..
> INFO - Zephyr version: v3.3.0-rc1-50-g432fbb050d63
> INFO - Using 'zephyr' toolchain.
> INFO - Building initial testsuite list...
> INFO - Writing JSON report /*zephyr/twister-out/testplan.json
> INFO - JOBS: 16
> INFO - Adding tasks to the queue...
> INFO - Added initial list of jobs to queue
>
> ERROR - native_posix tests/lib/mem_blocks/lib.mem_blocks FAILED: Failed
> ERROR - see: /*/zephyr/twister-out/native_posix/tests/lib/mem_blocks/lib.mem_blocks/handler.log
> INFO - Total complete: 1/ 1 100% skipped: 0, failed: 1
> INFO - 1 test scenarios (1 test instances) selected, 0 configurations skipped (0 by static filter, 0 at runtime).
> INFO - 0 of 1 test configurations passed (0.00%), 1 failed, 0 skipped with 0 warnings in 6.24 seconds
> INFO - In total 17 test cases were executed, 0 skipped on 1 out of total 540 platforms (0.19%)
> INFO - 1 test configurations executed on platforms, 0 test configurations were only built.
> INFO - Saving reports...
> INFO - Writing JSON report /*/zephyr/twister-out/twister.json
> INFO - Writing xunit report /*/zephyr/twister-out/twister.xml...
> INFO - Writing xunit report /*/zephyr/twister-out/twister_report.xml...
> INFO - -+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+
> INFO - The following issues were found (showing the top 10 items):
> INFO - 1) tests/lib/mem_blocks/lib.mem_blocks on native_posix failed (Failed)
> INFO -
> INFO - To rerun the tests, call twister using the following commandline:
> INFO - ./scripts/twister -p <PLATFORM> -s <TEST PATH>, for example:
> INFO -
> INFO - ./scripts/twister -p native_posix -s tests/lib/mem_blocks/lib.mem_blocks
> INFO - or with west:
> INFO - west build -b native_posix -T tests/lib/mem_blocks/lib.mem_blocks
> INFO - -+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+
> INFO - Run completed
> Return code 0
> `
>
Expected result:
> $ ./scripts/twister -c -p native_posix -T tests/lib/mem_blocks ; echo Return code $?
> ZEPHYR_BASE unset, using "/*/zephyr"
> Deleting output directory /*/zephyr/twister-out
> INFO - Using Ninja..
> INFO - Zephyr version: v3.3.0-rc1-50-g432fbb050d63
> INFO - Using 'zephyr' toolchain.
> INFO - Building initial testsuite list...
> INFO - Writing JSON report /*/zephyr/twister-out/testplan.json
> INFO - JOBS: 16
> INFO - Adding tasks to the queue...
> INFO - Added initial list of jobs to queue
>
> ERROR - native_posix tests/lib/mem_blocks/lib.mem_blocks FAILED: Failed
> ERROR - see: /*/zephyr/twister-out/native_posix/tests/lib/mem_blocks/lib.mem_blocks/handler.log
> INFO - Total complete: 1/ 1 100% skipped: 0, failed: 1
> INFO - 1 test scenarios (1 test instances) selected, 0 configurations skipped (0 by static filter, 0 at runtime).
> INFO - 0 of 1 test configurations passed (0.00%), 1 failed, 0 skipped with 0 warnings in 6.33 seconds
> INFO - In total 17 test cases were executed, 0 skipped on 1 out of total 540 platforms (0.19%)
> INFO - 1 test configurations executed on platforms, 0 test configurations were only built.
> INFO - Saving reports...
> INFO - Writing JSON report /*/zephyr/twister-out/twister.json
> INFO - Writing xunit report /*/zephyr/twister-out/twister.xml...
> INFO - Writing xunit report /*/zephyr/twister-out/twister_report.xml...
> INFO - -+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+
> INFO - The following issues were found (showing the top 10 items):
> INFO - 1) tests/lib/mem_blocks/lib.mem_blocks on native_posix failed (Failed)
> INFO -
> INFO - To rerun the tests, call twister using the following commandline:
> INFO - ./scripts/twister -p <PLATFORM> -s <TEST PATH>, for example:
> INFO -
> INFO - ./scripts/twister -p native_posix -s tests/lib/mem_blocks/lib.mem_blocks
> INFO - or with west:
> INFO - west build -b native_posix -T tests/lib/mem_blocks/lib.mem_blocks
> INFO - -+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+
> INFO - Run completed
> Return code 1
**Environment:**
- OS: Ubuntu 20.04.4 LTS
- Toolchain: Zephyr SDK 0.15.2
- Commit SHA 5d9c65fe7f
| 1.0 | west: twister return code ignored by west - **Describe the bug**
If twister is started via the west command and the test fails, the error code returned by ./scripts/twister is discarded.
**To Reproduce**
Steps to reproduce the behavior:
1. Manipulate tests/lib/mem_blocks test to fail.
1. west twister -c -p native_posix -T tests/lib/mem_blocks ; echo Return code $?
4. Return code 0 was printed, expected 1
**Expected behavior**
Returns the same error code as the following command:
./scripts/twister -c -p native_posix -T tests/lib/mem_blocks
**Logs and console output**
Invalid result:
> $ west twister -c -p native_posix -T tests/lib/mem_blocks ; echo Return code $?
> Deleting output directory /*/zephyr/twister-out
> INFO - Using Ninja..
> INFO - Zephyr version: v3.3.0-rc1-50-g432fbb050d63
> INFO - Using 'zephyr' toolchain.
> INFO - Building initial testsuite list...
> INFO - Writing JSON report /*zephyr/twister-out/testplan.json
> INFO - JOBS: 16
> INFO - Adding tasks to the queue...
> INFO - Added initial list of jobs to queue
>
> ERROR - native_posix tests/lib/mem_blocks/lib.mem_blocks FAILED: Failed
> ERROR - see: /*/zephyr/twister-out/native_posix/tests/lib/mem_blocks/lib.mem_blocks/handler.log
> INFO - Total complete: 1/ 1 100% skipped: 0, failed: 1
> INFO - 1 test scenarios (1 test instances) selected, 0 configurations skipped (0 by static filter, 0 at runtime).
> INFO - 0 of 1 test configurations passed (0.00%), 1 failed, 0 skipped with 0 warnings in 6.24 seconds
> INFO - In total 17 test cases were executed, 0 skipped on 1 out of total 540 platforms (0.19%)
> INFO - 1 test configurations executed on platforms, 0 test configurations were only built.
> INFO - Saving reports...
> INFO - Writing JSON report /*/zephyr/twister-out/twister.json
> INFO - Writing xunit report /*/zephyr/twister-out/twister.xml...
> INFO - Writing xunit report /*/zephyr/twister-out/twister_report.xml...
> INFO - -+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+
> INFO - The following issues were found (showing the top 10 items):
> INFO - 1) tests/lib/mem_blocks/lib.mem_blocks on native_posix failed (Failed)
> INFO -
> INFO - To rerun the tests, call twister using the following commandline:
> INFO - ./scripts/twister -p <PLATFORM> -s <TEST PATH>, for example:
> INFO -
> INFO - ./scripts/twister -p native_posix -s tests/lib/mem_blocks/lib.mem_blocks
> INFO - or with west:
> INFO - west build -b native_posix -T tests/lib/mem_blocks/lib.mem_blocks
> INFO - -+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+
> INFO - Run completed
> Return code 0
> `
>
Expected result:
> $ ./scripts/twister -c -p native_posix -T tests/lib/mem_blocks ; echo Return code $?
> ZEPHYR_BASE unset, using "/*/zephyr"
> Deleting output directory /*/zephyr/twister-out
> INFO - Using Ninja..
> INFO - Zephyr version: v3.3.0-rc1-50-g432fbb050d63
> INFO - Using 'zephyr' toolchain.
> INFO - Building initial testsuite list...
> INFO - Writing JSON report /*/zephyr/twister-out/testplan.json
> INFO - JOBS: 16
> INFO - Adding tasks to the queue...
> INFO - Added initial list of jobs to queue
>
> ERROR - native_posix tests/lib/mem_blocks/lib.mem_blocks FAILED: Failed
> ERROR - see: /*/zephyr/twister-out/native_posix/tests/lib/mem_blocks/lib.mem_blocks/handler.log
> INFO - Total complete: 1/ 1 100% skipped: 0, failed: 1
> INFO - 1 test scenarios (1 test instances) selected, 0 configurations skipped (0 by static filter, 0 at runtime).
> INFO - 0 of 1 test configurations passed (0.00%), 1 failed, 0 skipped with 0 warnings in 6.33 seconds
> INFO - In total 17 test cases were executed, 0 skipped on 1 out of total 540 platforms (0.19%)
> INFO - 1 test configurations executed on platforms, 0 test configurations were only built.
> INFO - Saving reports...
> INFO - Writing JSON report /*/zephyr/twister-out/twister.json
> INFO - Writing xunit report /*/zephyr/twister-out/twister.xml...
> INFO - Writing xunit report /*/zephyr/twister-out/twister_report.xml...
> INFO - -+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+
> INFO - The following issues were found (showing the top 10 items):
> INFO - 1) tests/lib/mem_blocks/lib.mem_blocks on native_posix failed (Failed)
> INFO -
> INFO - To rerun the tests, call twister using the following commandline:
> INFO - ./scripts/twister -p <PLATFORM> -s <TEST PATH>, for example:
> INFO -
> INFO - ./scripts/twister -p native_posix -s tests/lib/mem_blocks/lib.mem_blocks
> INFO - or with west:
> INFO - west build -b native_posix -T tests/lib/mem_blocks/lib.mem_blocks
> INFO - -+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+-+
> INFO - Run completed
> Return code 1
**Environment:**
- OS: Ubuntu 20.04.4 LTS
- Toolchain: Zephyr SDK 0.15.2
- Commit SHA 5d9c65fe7f
| priority | west twister return code ignored by west describe the bug if twister is started via the west command and the test fails the error code returned by scripts twister is discarded to reproduce steps to reproduce the behavior manipulate tests lib mem blocks test to fail west twister c p native posix t tests lib mem blocks echo return code return code was printed expected expected behavior returns the same error code as the following command scripts twister c p native posix t tests lib mem blocks logs and console output invalid result west twister c p native posix t tests lib mem blocks echo return code deleting output directory zephyr twister out info using ninja info zephyr version info using zephyr toolchain info building initial testsuite list info writing json report zephyr twister out testplan json info jobs info adding tasks to the queue info added initial list of jobs to queue error native posix tests lib mem blocks lib mem blocks failed failed error see zephyr twister out native posix tests lib mem blocks lib mem blocks handler log info total complete skipped failed info test scenarios test instances selected configurations skipped by static filter at runtime info of test configurations passed failed skipped with warnings in seconds info in total test cases were executed skipped on out of total platforms info test configurations executed on platforms test configurations were only built info saving reports info writing json report zephyr twister out twister json info writing xunit report zephyr twister out twister xml info writing xunit report zephyr twister out twister report xml info info the following issues were found showing the top items info tests lib mem blocks lib mem blocks on native posix failed failed info info to rerun the tests call twister using the following commandline info scripts twister p s for example info info scripts twister p native posix s tests lib mem blocks lib mem blocks info or with west info west build b native posix t tests lib mem blocks lib mem blocks info info run completed return code expected result scripts twister c p native posix t tests lib mem blocks echo return code zephyr base unset using zephyr deleting output directory zephyr twister out info using ninja info zephyr version info using zephyr toolchain info building initial testsuite list info writing json report zephyr twister out testplan json info jobs info adding tasks to the queue info added initial list of jobs to queue error native posix tests lib mem blocks lib mem blocks failed failed error see zephyr twister out native posix tests lib mem blocks lib mem blocks handler log info total complete skipped failed info test scenarios test instances selected configurations skipped by static filter at runtime info of test configurations passed failed skipped with warnings in seconds info in total test cases were executed skipped on out of total platforms info test configurations executed on platforms test configurations were only built info saving reports info writing json report zephyr twister out twister json info writing xunit report zephyr twister out twister xml info writing xunit report zephyr twister out twister report xml info info the following issues were found showing the top items info tests lib mem blocks lib mem blocks on native posix failed failed info info to rerun the tests call twister using the following commandline info scripts twister p s for example info info scripts twister p native posix s tests lib mem blocks lib mem blocks info or with west info west build b native posix t tests lib mem blocks lib mem blocks info info run completed return code environment os ubuntu lts toolchain zephyr sdk commit sha | 1 |
357,690 | 10,616,853,726 | IssuesEvent | 2019-10-12 14:53:40 | wesnoth/wesnoth | https://api.github.com/repos/wesnoth/wesnoth | closed | Use map_file in MP scenarios in mainline | Enhancement Low-priority MP | Despite `map_data` exists also `map_file`, which has been undocumented so far. Example:
`map_data={multiplayer/maps/2p_Arcanclave_Citadel.map}`
`map_file= multiplayer/maps/2p_Arcanclave_Citadel.map`
`map_data` parses the map at preprocessor time.
`map_file` does so when loading the scenario – meaning there is less to preprocess, and no need to recreate the cache if the map file has been edited.
The disadvantage however is that it doesn't display a map preview in the MP lobby.
Should we switch to map_file?
For now, I added the recommendation to the wiki, to use map_file for SP and map_data for MP.
| 1.0 | Use map_file in MP scenarios in mainline - Despite `map_data` exists also `map_file`, which has been undocumented so far. Example:
`map_data={multiplayer/maps/2p_Arcanclave_Citadel.map}`
`map_file= multiplayer/maps/2p_Arcanclave_Citadel.map`
`map_data` parses the map at preprocessor time.
`map_file` does so when loading the scenario – meaning there is less to preprocess, and no need to recreate the cache if the map file has been edited.
The disadvantage however is that it doesn't display a map preview in the MP lobby.
Should we switch to map_file?
For now, I added the recommendation to the wiki, to use map_file for SP and map_data for MP.
| priority | use map file in mp scenarios in mainline despite map data exists also map file which has been undocumented so far example map data multiplayer maps arcanclave citadel map map file multiplayer maps arcanclave citadel map map data parses the map at preprocessor time map file does so when loading the scenario – meaning there is less to preprocess and no need to recreate the cache if the map file has been edited the disadvantage however is that it doesn t display a map preview in the mp lobby should we switch to map file for now i added the recommendation to the wiki to use map file for sp and map data for mp | 1 |
21,432 | 2,640,475,431 | IssuesEvent | 2015-03-11 12:29:24 | TrinityCore/TrinityCore | https://api.github.com/repos/TrinityCore/TrinityCore | closed | [Quest/exploit] The Essence of Enmity | Comp-Database Feedback-PatchFix Priority-Low Sub-Quests | Build: 8edecb0
DB: 335_54
Quest id: 11161
Item dropped: 33087 (Black Dragonkin Essence)
http://www.wowhead.com/quest=27409
All the 10 Black Dragonkin Essence needed to complete this quest can be retrieved from the same corpse (by using Brogg's Totem several times (Item: 33088)). Hardly intended.
<bountysource-plugin>
---
Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/3403439-quest-exploit-the-essence-of-enmity?utm_campaign=plugin&utm_content=tracker%2F1310&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F1310&utm_medium=issues&utm_source=github).
</bountysource-plugin> | 1.0 | [Quest/exploit] The Essence of Enmity - Build: 8edecb0
DB: 335_54
Quest id: 11161
Item dropped: 33087 (Black Dragonkin Essence)
http://www.wowhead.com/quest=27409
All the 10 Black Dragonkin Essence needed to complete this quest can be retrieved from the same corpse (by using Brogg's Totem several times (Item: 33088)). Hardly intended.
<bountysource-plugin>
---
Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/3403439-quest-exploit-the-essence-of-enmity?utm_campaign=plugin&utm_content=tracker%2F1310&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F1310&utm_medium=issues&utm_source=github).
</bountysource-plugin> | priority | the essence of enmity build db quest id item dropped black dragonkin essence all the black dragonkin essence needed to complete this quest can be retrieved from the same corpse by using brogg s totem several times item hardly intended want to back this issue we accept bounties via | 1 |
176,742 | 6,564,587,303 | IssuesEvent | 2017-09-08 02:41:36 | minetest/minetest | https://api.github.com/repos/minetest/minetest | closed | Occasional crash in recent commit 40dd03e | Low priority Possible close Unconfirmed bug | Happened to me 3 times but only every 10 mins or so, and when running a lua mapgen, so it's possible the lua mapgen is doing something unusual to cause this (although i can't see how).
Have not yet run under gdb or a debug build or tried to reproduce in latest master or without the mod running, but posting this in case it is useful.
Backtrace printed to terminal:
```
*** Error in `./minetest': malloc(): memory corruption (fast): 0x00007f3c4c0a14af ***
======= Backtrace: =========
/lib/x86_64-linux-gnu/libc.so.6(+0x777e5)[0x7f3c6099a7e5]
/lib/x86_64-linux-gnu/libc.so.6(+0x82651)[0x7f3c609a5651]
/lib/x86_64-linux-gnu/libc.so.6(__libc_malloc+0x54)[0x7f3c609a7184]
/usr/lib/x86_64-linux-gnu/libstdc++.so.6(_Znwm+0x18)[0x7f3c61299e78]
./minetest(_ZN13ScopeProfilerC1EP8ProfilerRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE17ScopeProfilerType+0xe5)[0x8f2995]
./minetest(_ZN6Server11ProcessDataEP13NetworkPacket+0x74)[0x919af4]
./minetest(_ZN6Server7ReceiveEv+0x76)[0x91e946]
./minetest(_ZN12ServerThread3runEv+0x5a)[0x92ad2a]
./minetest(_ZN6Thread10threadProcEPS_+0x49)[0x5f64d9]
/usr/lib/x86_64-linux-gnu/libstdc++.so.6(+0xb8c80)[0x7f3c612c4c80]
/lib/x86_64-linux-gnu/libpthread.so.0(+0x76ba)[0x7f3c61cb06ba]
/lib/x86_64-linux-gnu/libc.so.6(clone+0x6d)[0x7f3c60a2a3dd]
======= Memory map: ========
00400000-00ac6000 r-xp 00000000 08:01 35914320 /home/matstandard/minetestf/gitmods/minetest/bin/minetest
00cc5000-00cc6000 r--p 006c5000 08:01 35914320 /home/matstandard/minetestf/gitmods/minetest/bin/minetest
00cc6000-00cc9000 rw-p 006c6000 08:01 35914320 /home/matstandard/minetestf/gitmods/minetest/bin/minetest
00cc9000-00cf8000 rw-p 00000000 00:00 0
014ca000-0a8db000 rw-p 00000000 00:00 0 [heap]
7f3c08000000-7f3c0bffd000 rw-p 00000000 00:00 0
7f3c0bffd000-7f3c0c000000 ---p 00000000 00:00 0
7f3c10000000-7f3c13ffe000 rw-p 00000000 00:00 0
7f3c13ffe000-7f3c14000000 ---p 00000000 00:00 0
7f3c14000000-7f3c16766000 rw-p 00000000 00:00 0
7f3c16766000-7f3c18000000 ---p 00000000 00:00 0
7f3c18000000-7f3c18021000 rw-p 00000000 00:00 0
7f3c18021000-7f3c1c000000 ---p 00000000 00:00 0
7f3c1c000000-7f3c20000000 rw-p 00000000 00:00 0
7f3c24000000-7f3c266aa000 rw-p 00000000 00:00 0
7f3c266aa000-7f3c28000000 ---p 00000000 00:00 0
7f3c28000000-7f3c2802c000 rw-p 00000000 00:00 0
7f3c2802c000-7f3c2c000000 ---p 00000000 00:00 0
7f3c2e5c6000-7f3c2e5d6000 rw-s 103188000 00:06 322 /dev/dri/card0
7f3c2e5d6000-7f3c2e5e6000 rw-s 103178000 00:06 322 /dev/dri/card0
7f3c2e5e6000-7f3c2e5f6000 rw-s 103168000 00:06 322 /dev/dri/card0
7f3c2e5f6000-7f3c2e606000 rw-s 103158000 00:06 322 /dev/dri/card0
7f3c2e606000-7f3c2e616000 rw-s 103148000 00:06 322 /dev/dri/card0
7f3c2e616000-7f3c2e626000 rw-s 103138000 00:06 322 /dev/dri/card0
7f3c2e626000-7f3c2e636000 rw-s 103128000 00:06 322 /dev/dri/card0
7f3c2e636000-7f3c2e646000 rw-s 103118000 00:06 322 /dev/dri/card0
7f3c2e646000-7f3c2e656000 rw-s 103108000 00:06 322 /dev/dri/card0
7f3c2e656000-7f3c2e666000 rw-s 1030f8000 00:06 322 /dev/dri/card0
7f3c2e666000-7f3c2e676000 rw-s 1030e8000 00:06 322 /dev/dri/card0
7f3c2e676000-7f3c2e686000 rw-s 1030d8000 00:06 322 /dev/dri/card0
7f3c2e686000-7f3c2e696000 rw-s 1030c8000 00:06 322 /dev/dri/card0
7f3c2e696000-7f3c2e6a6000 rw-s 1030b8000 00:06 322 /dev/dri/card0
7f3c2e6a6000-7f3c2e6b6000 rw-s 1030a8000 00:06 322 /dev/dri/card0
7f3c2e6b6000-7f3c2e6c6000 rw-s 103098000 00:06 322 /dev/dri/card0
7f3c2e6c6000-7f3c2e6d6000 rw-s 103088000 00:06 322 /dev/dri/card0
7f3c2e6d6000-7f3c2e6e6000 rw-s 103078000 00:06 322 /dev/dri/card0
7f3c2e6e6000-7f3c2e6f6000 rw-s 103068000 00:06 322 /dev/dri/card0
7f3c2e6f6000-7f3c2e706000 rw-s 103058000 00:06 322 /dev/dri/card0
7f3c2e706000-7f3c2e716000 rw-s 103048000 00:06 322 /dev/dri/card0
7f3c2e716000-7f3c2e726000 rw-s 103038000 00:06 322 /dev/dri/card0
7f3c2e726000-7f3c2e736000 rw-s 103028000 00:06 322 /dev/dri/card0
7f3c2e736000-7f3c2e746000 rw-s 103018000 00:06 322 /dev/dri/card0
7f3c2e746000-7f3c2e756000 rw-s 103008000 00:06 322 /dev/dri/card0
7f3c2e756000-7f3c2e766000 rw-s 102ff8000 00:06 322 /dev/dri/card0
7f3c2e766000-7f3c2e776000 rw-s 102fe8000 00:06 322 /dev/dri/card0
7f3c2e776000-7f3c2e786000 rw-s 102fd8000 00:06 322 /dev/dri/card0
7f3c2e786000-7f3c2e796000 rw-s 102fc8000 00:06 322 /dev/dri/card0
7f3c2e796000-7f3c2e7a6000 rw-s 102fb8000 00:06 322 /dev/dri/card0
7f3c2e7a6000-7f3c2e7b6000 rw-s 102fa8000 00:06 322 /dev/dri/card0
7f3c2e7b6000-7f3c2e7c6000 rw-s 102f98000 00:06 322 /dev/dri/card0
7f3c2e7c6000-7f3c2e7d6000 rw-s 102f88000 00:06 322 /dev/dri/card0
7f3c2e7d6000-7f3c2e7e6000 rw-s 102f78000 00:06 322 /dev/dri/card0
7f3c2e7e6000-7f3c2e7f6000 rw-s 102f68000 00:06 322 /dev/dri/card0
7f3c2e7f6000-7f3c2e806000 rw-s 00000000 00:05 494229 /drm mm object (deleted)
7f3c2e806000-7f3c2e816000 rw-s 00000000 00:05 494228 /drm mm object (deleted)
7f3c2e816000-7f3c2e826000 rw-s 00000000 00:05 494227 /drm mm object (deleted)
7f3c2e826000-7f3c2e836000 rw-s 00000000 00:05 494226 /drm mm object (deleted)
7f3c2e836000-7f3c2e846000 rw-s 00000000 00:05 494224 /drm mm object (deleted)
7f3c2e846000-7f3c2e856000 rw-s 00000000 00:05 494223 /drm mm object (deleted)
7f3c2e856000-7f3c2e866000 rw-s 00000000 00:05 494222 /drm mm object (deleted)
7f3c2e866000-7f3c2e876000 rw-s 00000000 00:05 494221 /drm mm object (deleted)
7f3c2e876000-7f3c2e886000 rw-s 00000000 00:05 494219 /drm mm object (deleted)
7f3c2e886000-7f3c2e896000 rw-s 00000000 00:05 494218 /drm mm object (deleted)
7f3c2e896000-7f3c2e8a6000 rw-s 00000000 00:05 494217 /drm mm object (deleted)
7f3c2e8a6000-7f3c2e8b6000 rw-s 00000000 00:05 494216 /drm mm object (deleted)
7f3c2e8b6000-7f3c2e8c6000 rw-s 00000000 00:05 494215 /drm mm object (deleted)
7f3c2e8c6000-7f3c2e8d6000 rw-s 00000000 00:05 494214 /drm mm object (deleted)
7f3c2e8d6000-7f3c2e8e6000 rw-s 00000000 00:05 494213 /drm mm object (deleted)
7f3c2e8e6000-7f3c2e8f6000 rw-s 00000000 00:05 494212 /drm mm object (deleted)
7f3c2e8f6000-7f3c2e906000 rw-s 00000000 00:05 494211 /drm mm object (deleted)
7f3c2e906000-7f3c2e916000 rw-s 00000000 00:05 494210 /drm mm object (deleted)
7f3c2e916000-7f3c2e926000 rw-s 00000000 00:05 494209 /drm mm object (deleted)
7f3c2e926000-7f3c2e936000 rw-s 00000000 00:05 494208 /drm mm object (deleted)
7f3c2e936000-7f3c2e946000 rw-s 102f58000 00:06 322 /dev/dri/card0
7f3c2e946000-7f3c2e956000 rw-s 00000000 00:05 494204 /drm mm object (deleted)
7f3c2e956000-7f3c2e966000 rw-s 00000000 00:05 494203 /drm mm object (deleted)
7f3c2e966000-7f3c2e976000 rw-s 00000000 00:05 494202 /drm mm object (deleted)
7f3c2e976000-7f3c2e986000 rw-s 00000000 00:05 494201 /drm mm object (deleted)
7f3c2e986000-7f3c2e996000 rw-s 00000000 00:05 494200 /drm mm object (deleted)
7f3c2e996000-7f3c2e9a6000 rw-s 00000000 00:05 492116 /drm mm object (deleted)
7f3c2e9a6000-7f3c2e9b6000 rw-s 00000000 00:05 492115 /drm mm object (deleted)
7f3c2e9b6000-7f3c2e9c6000 rw-s 00000000 00:05 492114 /drm mm object (deleted)
7f3c2e9c6000-7f3c2e9d6000 rw-s 00000000 00:05 492113 /drm mm object (deleted)
7f3c2e9d6000-7f3c2e9e6000 rw-s 00000000 00:05 492110 /drm mm object (deleted)
7f3c2e9e6000-7f3c2e9f6000 rw-s 102f48000 00:06 322 /dev/dri/card0
7f3c2e9f6000-7f3c2ea06000 rw-s 102f38000 00:06 322 /dev/dri/card0
7f3c2ea06000-7f3c2ea16000 rw-s 102f28000 00:06 322 /dev/dri/card0
7f3c2ea16000-7f3c2ea26000 rw-s 102f18000 00:06 322 /dev/dri/card0
7f3c2ea26000-7f3c2ea36000 rw-s 102f08000 00:06 322 /dev/dri/card0
7f3c2ea36000-7f3c2ea46000 rw-s 102ef8000 00:06 322 /dev/dri/card0
7f3c2ea46000-7f3c2ea56000 rw-s 102ee8000 00:06 322 /dev/dri/card0
7f3c2ea56000-7f3c2ea66000 rw-s 102ed8000 00:06 322 /dev/dri/card0
7f3c2ea66000-7f3c2ea6e000 rw-s 00000000 00:05 494826 /drm mm object (deleted)
7f3c2ea6e000-7f3c2ea7e000 rw-s 102ec8000 00:06 322 /dev/dri/card0
7f3c2ea7e000-7f3c2ea86000 rw-s 00000000 00:05 493379 /drm mm object (deleted)
7f3c2ea86000-7f3c2ea96000 rw-s 102eb8000 00:06 322 /dev/dri/card0
7f3c2ea96000-7f3c2eaa6000 rw-s 102ea8000 00:06 322 /dev/dri/card0
7f3c2eaa6000-7f3c2eab6000 rw-s 102e98000 00:06 322 /dev/dri/card0
7f3c2eab6000-7f3c2eac6000 rw-s 102e88000 00:06 322 /dev/dri/card0
7f3c2eac6000-7f3c2ead6000 rw-s 102e78000 00:06 322 /dev/dri/card0
7f3c2ead6000-7f3c2eae6000 rw-s 00000000 00:05 492002 /drm mm object (deleted)
7f3c2eae6000-7f3c2eaf6000 rw-s 00000000 00:05 492001 /drm mm object (deleted)
7f3c2eaf6000-7f3c2eb06000 rw-s 00000000 00:05 492000 /drm mm object (deleted)
7f3c2eb06000-7f3c2eb16000 rw-s 00000000 00:05 491997 /drm mm object (deleted)
7f3c2eb16000-7f3c2eb26000 rw-s 00000000 00:05 491995 /drm mm object (deleted)
7f3c2eb26000-7f3c2eb36000 rw-s 00000000 00:05 494825 /drm mm object (deleted)
7f3c2eb36000-7f3c2eb46000 rw-s 00000000 00:05 494180 /drm mm object (deleted)
7f3c2eb46000-7f3c2eb56000 rw-s 00000000 00:05 494179 /drm mm object (deleted)
7f3c2eb56000-7f3c2eb66000 rw-s 00000000 00:05 493377 /drm mm object (deleted)
7f3c2eb66000-7f3c2eb76000 rw-s 00000000 00:05 493372 /drm mm object (deleted)
7f3c2eb76000-7f3c2eb86000 rw-s 00000000 00:05 493371 /drm mm object (deleted)
7f3c2eb86000-7f3c2eb96000 rw-s 00000000 00:05 493370 /drm mm object (deleted)
7f3c2eb96000-7f3c2eba6000 rw-s 00000000 00:05 493369 /drm mm object (deleted)
7f3c2eba6000-7f3c2ebb6000 rw-s 00000000 00:05 493354 /drm mm object (deleted)
7f3c2ebb6000-7f3c2ebc6000 rw-s 00000000 00:05 493353 /drm mm object (deleted)
7f3c2ebc6000-7f3c2ebd6000 rw-s 00000000 00:05 493352 /drm mm object (deleted)
7f3c2ebd6000-7f3c2ebe6000 rw-s 00000000 00:05 493349 /drm mm object (deleted)
7f3c2ebe6000-7f3c2ebf6000 rw-s 00000000 00:05 493346 /drm mm object (deleted)
7f3c2ebf6000-7f3c2ec06000 rw-s 102e68000 00:06 322 /dev/dri/card0
7f3c2ec06000-7f3c2ec16000 rw-s 102e58000 00:06 322 /dev/dri/card0
7f3c2ec16000-7f3c2ec26000 rw-s 102e48000 00:06 322 /dev/dri/card0
7f3c2ec26000-7f3c2ec36000 rw-s 102e38000 00:06 322 /dev/dri/card0
7f3c2ec36000-7f3c2ec3e000 rw-s 00000000 00:05 494176 /drm mm object (deleted)
7f3c2ec3e000-7f3c2ec4e000 rw-s 00000000 00:05 493304 /drm mm object (deleted)
7f3c2ec4e000-7f3c2ec5e000 rw-s 102e28000 00:06 322 /dev/dri/card0
7f3c2ec5e000-7f3c2ec6e000 rw-s 102e18000 00:06 322 /dev/dri/card0
7f3c2ec6e000-7f3c2ec7e000 rw-s 00000000 00:05 491992 /drm mm object (deleted)
7f3c2ec7e000-7f3c2ec8e000 rw-s 102e08000 00:06 322 /dev/dri/card0
7f3c2ec8e000-7f3c2ec9e000 rw-s 102df8000 00:06 322 /dev/dri/card0
7f3c2ec9e000-7f3c2eca6000 rw-s 00000000 00:05 494817 /drm mm object (deleted)
7f3c2eca6000-7f3c2ecb6000 rw-s 00000000 00:05 491991 /drm mm object (deleted)
7f3c2ecb6000-7f3c2ecc6000 rw-s 00000000 00:05 494174 /drm mm object (deleted)
7f3c2ecc6000-7f3c2ecd6000 rw-s 00000000 00:05 494173 /drm mm object (deleted)
7f3c2ecd6000-7f3c2ece6000 rw-s 00000000 00:05 494172 /drm mm object (deleted)
7f3c2ece6000-7f3c2ecf6000 rw-s 00000000 00:05 494170 /drm mm object (deleted)
7f3c2ecf6000-7f3c2ed06000 rw-s 00000000 00:05 494169 /drm mm object (deleted)
7f3c2ed06000-7f3c2ed0e000 rw-s 00000000 00:05 494162 /drm mm object (deleted)
7f3c2ed0e000-7f3c2ed1e000 rw-s 00000000 00:05 491990 /drm mm object (deleted)
7f3c2ed1e000-7f3c2ed2e000 rw-s 102de8000 00:06 322 /dev/dri/card0
7f3c2ed2e000-7f3c2ed3e000 rw-s 00000000 00:05 493297 /drm mm object (deleted)
7f3c2ed3e000-7f3c2ed4e000 rw-s 102dd8000 00:06 322 /dev/dri/card0
7f3c2ed4e000-7f3c2ed5e000 rw-s 102dc8000 00:06 322 /dev/dri/card0
7f3c2ed5e000-7f3c2ed6e000 rw-s 00000000 00:05 494160 /drm mm object (deleted)
7f3c2ed6e000-7f3c2ed7e000 rw-s 102db8000 00:06 322 /dev/dri/card0
7f3c2ed7e000-7f3c2ed8e000 rw-s 00000000 00:05 493291 /drm mm object (deleted)
7f3c2ed8e000-7f3c2ed9e000 rw-s 00000000 00:05 491519 /drm mm object (deleted)
7f3c2ed9e000-7f3c2edae000 rw-s 00000000 00:05 494150 /drm mm object (deleted)
7f3c2edae000-7f3c2edbe000 rw-s 102da8000 00:06 322 /dev/dri/card0
7f3c2edbe000-7f3c2edce000 rw-s 102d98000 00:06 322 /dev/dri/card0
7f3c2edce000-7f3c2edde000 rw-s 00000000 00:05 491517 /drm mm object (deleted)
7f3c2edde000-7f3c2edee000 rw-s 102d88000 00:06 322 /dev/dri/card0
Aborted (core dumped)
``` | 1.0 | Occasional crash in recent commit 40dd03e - Happened to me 3 times but only every 10 mins or so, and when running a lua mapgen, so it's possible the lua mapgen is doing something unusual to cause this (although i can't see how).
Have not yet run under gdb or a debug build or tried to reproduce in latest master or without the mod running, but posting this in case it is useful.
Backtrace printed to terminal:
```
*** Error in `./minetest': malloc(): memory corruption (fast): 0x00007f3c4c0a14af ***
======= Backtrace: =========
/lib/x86_64-linux-gnu/libc.so.6(+0x777e5)[0x7f3c6099a7e5]
/lib/x86_64-linux-gnu/libc.so.6(+0x82651)[0x7f3c609a5651]
/lib/x86_64-linux-gnu/libc.so.6(__libc_malloc+0x54)[0x7f3c609a7184]
/usr/lib/x86_64-linux-gnu/libstdc++.so.6(_Znwm+0x18)[0x7f3c61299e78]
./minetest(_ZN13ScopeProfilerC1EP8ProfilerRKNSt7__cxx1112basic_stringIcSt11char_traitsIcESaIcEEE17ScopeProfilerType+0xe5)[0x8f2995]
./minetest(_ZN6Server11ProcessDataEP13NetworkPacket+0x74)[0x919af4]
./minetest(_ZN6Server7ReceiveEv+0x76)[0x91e946]
./minetest(_ZN12ServerThread3runEv+0x5a)[0x92ad2a]
./minetest(_ZN6Thread10threadProcEPS_+0x49)[0x5f64d9]
/usr/lib/x86_64-linux-gnu/libstdc++.so.6(+0xb8c80)[0x7f3c612c4c80]
/lib/x86_64-linux-gnu/libpthread.so.0(+0x76ba)[0x7f3c61cb06ba]
/lib/x86_64-linux-gnu/libc.so.6(clone+0x6d)[0x7f3c60a2a3dd]
======= Memory map: ========
00400000-00ac6000 r-xp 00000000 08:01 35914320 /home/matstandard/minetestf/gitmods/minetest/bin/minetest
00cc5000-00cc6000 r--p 006c5000 08:01 35914320 /home/matstandard/minetestf/gitmods/minetest/bin/minetest
00cc6000-00cc9000 rw-p 006c6000 08:01 35914320 /home/matstandard/minetestf/gitmods/minetest/bin/minetest
00cc9000-00cf8000 rw-p 00000000 00:00 0
014ca000-0a8db000 rw-p 00000000 00:00 0 [heap]
7f3c08000000-7f3c0bffd000 rw-p 00000000 00:00 0
7f3c0bffd000-7f3c0c000000 ---p 00000000 00:00 0
7f3c10000000-7f3c13ffe000 rw-p 00000000 00:00 0
7f3c13ffe000-7f3c14000000 ---p 00000000 00:00 0
7f3c14000000-7f3c16766000 rw-p 00000000 00:00 0
7f3c16766000-7f3c18000000 ---p 00000000 00:00 0
7f3c18000000-7f3c18021000 rw-p 00000000 00:00 0
7f3c18021000-7f3c1c000000 ---p 00000000 00:00 0
7f3c1c000000-7f3c20000000 rw-p 00000000 00:00 0
7f3c24000000-7f3c266aa000 rw-p 00000000 00:00 0
7f3c266aa000-7f3c28000000 ---p 00000000 00:00 0
7f3c28000000-7f3c2802c000 rw-p 00000000 00:00 0
7f3c2802c000-7f3c2c000000 ---p 00000000 00:00 0
7f3c2e5c6000-7f3c2e5d6000 rw-s 103188000 00:06 322 /dev/dri/card0
7f3c2e5d6000-7f3c2e5e6000 rw-s 103178000 00:06 322 /dev/dri/card0
7f3c2e5e6000-7f3c2e5f6000 rw-s 103168000 00:06 322 /dev/dri/card0
7f3c2e5f6000-7f3c2e606000 rw-s 103158000 00:06 322 /dev/dri/card0
7f3c2e606000-7f3c2e616000 rw-s 103148000 00:06 322 /dev/dri/card0
7f3c2e616000-7f3c2e626000 rw-s 103138000 00:06 322 /dev/dri/card0
7f3c2e626000-7f3c2e636000 rw-s 103128000 00:06 322 /dev/dri/card0
7f3c2e636000-7f3c2e646000 rw-s 103118000 00:06 322 /dev/dri/card0
7f3c2e646000-7f3c2e656000 rw-s 103108000 00:06 322 /dev/dri/card0
7f3c2e656000-7f3c2e666000 rw-s 1030f8000 00:06 322 /dev/dri/card0
7f3c2e666000-7f3c2e676000 rw-s 1030e8000 00:06 322 /dev/dri/card0
7f3c2e676000-7f3c2e686000 rw-s 1030d8000 00:06 322 /dev/dri/card0
7f3c2e686000-7f3c2e696000 rw-s 1030c8000 00:06 322 /dev/dri/card0
7f3c2e696000-7f3c2e6a6000 rw-s 1030b8000 00:06 322 /dev/dri/card0
7f3c2e6a6000-7f3c2e6b6000 rw-s 1030a8000 00:06 322 /dev/dri/card0
7f3c2e6b6000-7f3c2e6c6000 rw-s 103098000 00:06 322 /dev/dri/card0
7f3c2e6c6000-7f3c2e6d6000 rw-s 103088000 00:06 322 /dev/dri/card0
7f3c2e6d6000-7f3c2e6e6000 rw-s 103078000 00:06 322 /dev/dri/card0
7f3c2e6e6000-7f3c2e6f6000 rw-s 103068000 00:06 322 /dev/dri/card0
7f3c2e6f6000-7f3c2e706000 rw-s 103058000 00:06 322 /dev/dri/card0
7f3c2e706000-7f3c2e716000 rw-s 103048000 00:06 322 /dev/dri/card0
7f3c2e716000-7f3c2e726000 rw-s 103038000 00:06 322 /dev/dri/card0
7f3c2e726000-7f3c2e736000 rw-s 103028000 00:06 322 /dev/dri/card0
7f3c2e736000-7f3c2e746000 rw-s 103018000 00:06 322 /dev/dri/card0
7f3c2e746000-7f3c2e756000 rw-s 103008000 00:06 322 /dev/dri/card0
7f3c2e756000-7f3c2e766000 rw-s 102ff8000 00:06 322 /dev/dri/card0
7f3c2e766000-7f3c2e776000 rw-s 102fe8000 00:06 322 /dev/dri/card0
7f3c2e776000-7f3c2e786000 rw-s 102fd8000 00:06 322 /dev/dri/card0
7f3c2e786000-7f3c2e796000 rw-s 102fc8000 00:06 322 /dev/dri/card0
7f3c2e796000-7f3c2e7a6000 rw-s 102fb8000 00:06 322 /dev/dri/card0
7f3c2e7a6000-7f3c2e7b6000 rw-s 102fa8000 00:06 322 /dev/dri/card0
7f3c2e7b6000-7f3c2e7c6000 rw-s 102f98000 00:06 322 /dev/dri/card0
7f3c2e7c6000-7f3c2e7d6000 rw-s 102f88000 00:06 322 /dev/dri/card0
7f3c2e7d6000-7f3c2e7e6000 rw-s 102f78000 00:06 322 /dev/dri/card0
7f3c2e7e6000-7f3c2e7f6000 rw-s 102f68000 00:06 322 /dev/dri/card0
7f3c2e7f6000-7f3c2e806000 rw-s 00000000 00:05 494229 /drm mm object (deleted)
7f3c2e806000-7f3c2e816000 rw-s 00000000 00:05 494228 /drm mm object (deleted)
7f3c2e816000-7f3c2e826000 rw-s 00000000 00:05 494227 /drm mm object (deleted)
7f3c2e826000-7f3c2e836000 rw-s 00000000 00:05 494226 /drm mm object (deleted)
7f3c2e836000-7f3c2e846000 rw-s 00000000 00:05 494224 /drm mm object (deleted)
7f3c2e846000-7f3c2e856000 rw-s 00000000 00:05 494223 /drm mm object (deleted)
7f3c2e856000-7f3c2e866000 rw-s 00000000 00:05 494222 /drm mm object (deleted)
7f3c2e866000-7f3c2e876000 rw-s 00000000 00:05 494221 /drm mm object (deleted)
7f3c2e876000-7f3c2e886000 rw-s 00000000 00:05 494219 /drm mm object (deleted)
7f3c2e886000-7f3c2e896000 rw-s 00000000 00:05 494218 /drm mm object (deleted)
7f3c2e896000-7f3c2e8a6000 rw-s 00000000 00:05 494217 /drm mm object (deleted)
7f3c2e8a6000-7f3c2e8b6000 rw-s 00000000 00:05 494216 /drm mm object (deleted)
7f3c2e8b6000-7f3c2e8c6000 rw-s 00000000 00:05 494215 /drm mm object (deleted)
7f3c2e8c6000-7f3c2e8d6000 rw-s 00000000 00:05 494214 /drm mm object (deleted)
7f3c2e8d6000-7f3c2e8e6000 rw-s 00000000 00:05 494213 /drm mm object (deleted)
7f3c2e8e6000-7f3c2e8f6000 rw-s 00000000 00:05 494212 /drm mm object (deleted)
7f3c2e8f6000-7f3c2e906000 rw-s 00000000 00:05 494211 /drm mm object (deleted)
7f3c2e906000-7f3c2e916000 rw-s 00000000 00:05 494210 /drm mm object (deleted)
7f3c2e916000-7f3c2e926000 rw-s 00000000 00:05 494209 /drm mm object (deleted)
7f3c2e926000-7f3c2e936000 rw-s 00000000 00:05 494208 /drm mm object (deleted)
7f3c2e936000-7f3c2e946000 rw-s 102f58000 00:06 322 /dev/dri/card0
7f3c2e946000-7f3c2e956000 rw-s 00000000 00:05 494204 /drm mm object (deleted)
7f3c2e956000-7f3c2e966000 rw-s 00000000 00:05 494203 /drm mm object (deleted)
7f3c2e966000-7f3c2e976000 rw-s 00000000 00:05 494202 /drm mm object (deleted)
7f3c2e976000-7f3c2e986000 rw-s 00000000 00:05 494201 /drm mm object (deleted)
7f3c2e986000-7f3c2e996000 rw-s 00000000 00:05 494200 /drm mm object (deleted)
7f3c2e996000-7f3c2e9a6000 rw-s 00000000 00:05 492116 /drm mm object (deleted)
7f3c2e9a6000-7f3c2e9b6000 rw-s 00000000 00:05 492115 /drm mm object (deleted)
7f3c2e9b6000-7f3c2e9c6000 rw-s 00000000 00:05 492114 /drm mm object (deleted)
7f3c2e9c6000-7f3c2e9d6000 rw-s 00000000 00:05 492113 /drm mm object (deleted)
7f3c2e9d6000-7f3c2e9e6000 rw-s 00000000 00:05 492110 /drm mm object (deleted)
7f3c2e9e6000-7f3c2e9f6000 rw-s 102f48000 00:06 322 /dev/dri/card0
7f3c2e9f6000-7f3c2ea06000 rw-s 102f38000 00:06 322 /dev/dri/card0
7f3c2ea06000-7f3c2ea16000 rw-s 102f28000 00:06 322 /dev/dri/card0
7f3c2ea16000-7f3c2ea26000 rw-s 102f18000 00:06 322 /dev/dri/card0
7f3c2ea26000-7f3c2ea36000 rw-s 102f08000 00:06 322 /dev/dri/card0
7f3c2ea36000-7f3c2ea46000 rw-s 102ef8000 00:06 322 /dev/dri/card0
7f3c2ea46000-7f3c2ea56000 rw-s 102ee8000 00:06 322 /dev/dri/card0
7f3c2ea56000-7f3c2ea66000 rw-s 102ed8000 00:06 322 /dev/dri/card0
7f3c2ea66000-7f3c2ea6e000 rw-s 00000000 00:05 494826 /drm mm object (deleted)
7f3c2ea6e000-7f3c2ea7e000 rw-s 102ec8000 00:06 322 /dev/dri/card0
7f3c2ea7e000-7f3c2ea86000 rw-s 00000000 00:05 493379 /drm mm object (deleted)
7f3c2ea86000-7f3c2ea96000 rw-s 102eb8000 00:06 322 /dev/dri/card0
7f3c2ea96000-7f3c2eaa6000 rw-s 102ea8000 00:06 322 /dev/dri/card0
7f3c2eaa6000-7f3c2eab6000 rw-s 102e98000 00:06 322 /dev/dri/card0
7f3c2eab6000-7f3c2eac6000 rw-s 102e88000 00:06 322 /dev/dri/card0
7f3c2eac6000-7f3c2ead6000 rw-s 102e78000 00:06 322 /dev/dri/card0
7f3c2ead6000-7f3c2eae6000 rw-s 00000000 00:05 492002 /drm mm object (deleted)
7f3c2eae6000-7f3c2eaf6000 rw-s 00000000 00:05 492001 /drm mm object (deleted)
7f3c2eaf6000-7f3c2eb06000 rw-s 00000000 00:05 492000 /drm mm object (deleted)
7f3c2eb06000-7f3c2eb16000 rw-s 00000000 00:05 491997 /drm mm object (deleted)
7f3c2eb16000-7f3c2eb26000 rw-s 00000000 00:05 491995 /drm mm object (deleted)
7f3c2eb26000-7f3c2eb36000 rw-s 00000000 00:05 494825 /drm mm object (deleted)
7f3c2eb36000-7f3c2eb46000 rw-s 00000000 00:05 494180 /drm mm object (deleted)
7f3c2eb46000-7f3c2eb56000 rw-s 00000000 00:05 494179 /drm mm object (deleted)
7f3c2eb56000-7f3c2eb66000 rw-s 00000000 00:05 493377 /drm mm object (deleted)
7f3c2eb66000-7f3c2eb76000 rw-s 00000000 00:05 493372 /drm mm object (deleted)
7f3c2eb76000-7f3c2eb86000 rw-s 00000000 00:05 493371 /drm mm object (deleted)
7f3c2eb86000-7f3c2eb96000 rw-s 00000000 00:05 493370 /drm mm object (deleted)
7f3c2eb96000-7f3c2eba6000 rw-s 00000000 00:05 493369 /drm mm object (deleted)
7f3c2eba6000-7f3c2ebb6000 rw-s 00000000 00:05 493354 /drm mm object (deleted)
7f3c2ebb6000-7f3c2ebc6000 rw-s 00000000 00:05 493353 /drm mm object (deleted)
7f3c2ebc6000-7f3c2ebd6000 rw-s 00000000 00:05 493352 /drm mm object (deleted)
7f3c2ebd6000-7f3c2ebe6000 rw-s 00000000 00:05 493349 /drm mm object (deleted)
7f3c2ebe6000-7f3c2ebf6000 rw-s 00000000 00:05 493346 /drm mm object (deleted)
7f3c2ebf6000-7f3c2ec06000 rw-s 102e68000 00:06 322 /dev/dri/card0
7f3c2ec06000-7f3c2ec16000 rw-s 102e58000 00:06 322 /dev/dri/card0
7f3c2ec16000-7f3c2ec26000 rw-s 102e48000 00:06 322 /dev/dri/card0
7f3c2ec26000-7f3c2ec36000 rw-s 102e38000 00:06 322 /dev/dri/card0
7f3c2ec36000-7f3c2ec3e000 rw-s 00000000 00:05 494176 /drm mm object (deleted)
7f3c2ec3e000-7f3c2ec4e000 rw-s 00000000 00:05 493304 /drm mm object (deleted)
7f3c2ec4e000-7f3c2ec5e000 rw-s 102e28000 00:06 322 /dev/dri/card0
7f3c2ec5e000-7f3c2ec6e000 rw-s 102e18000 00:06 322 /dev/dri/card0
7f3c2ec6e000-7f3c2ec7e000 rw-s 00000000 00:05 491992 /drm mm object (deleted)
7f3c2ec7e000-7f3c2ec8e000 rw-s 102e08000 00:06 322 /dev/dri/card0
7f3c2ec8e000-7f3c2ec9e000 rw-s 102df8000 00:06 322 /dev/dri/card0
7f3c2ec9e000-7f3c2eca6000 rw-s 00000000 00:05 494817 /drm mm object (deleted)
7f3c2eca6000-7f3c2ecb6000 rw-s 00000000 00:05 491991 /drm mm object (deleted)
7f3c2ecb6000-7f3c2ecc6000 rw-s 00000000 00:05 494174 /drm mm object (deleted)
7f3c2ecc6000-7f3c2ecd6000 rw-s 00000000 00:05 494173 /drm mm object (deleted)
7f3c2ecd6000-7f3c2ece6000 rw-s 00000000 00:05 494172 /drm mm object (deleted)
7f3c2ece6000-7f3c2ecf6000 rw-s 00000000 00:05 494170 /drm mm object (deleted)
7f3c2ecf6000-7f3c2ed06000 rw-s 00000000 00:05 494169 /drm mm object (deleted)
7f3c2ed06000-7f3c2ed0e000 rw-s 00000000 00:05 494162 /drm mm object (deleted)
7f3c2ed0e000-7f3c2ed1e000 rw-s 00000000 00:05 491990 /drm mm object (deleted)
7f3c2ed1e000-7f3c2ed2e000 rw-s 102de8000 00:06 322 /dev/dri/card0
7f3c2ed2e000-7f3c2ed3e000 rw-s 00000000 00:05 493297 /drm mm object (deleted)
7f3c2ed3e000-7f3c2ed4e000 rw-s 102dd8000 00:06 322 /dev/dri/card0
7f3c2ed4e000-7f3c2ed5e000 rw-s 102dc8000 00:06 322 /dev/dri/card0
7f3c2ed5e000-7f3c2ed6e000 rw-s 00000000 00:05 494160 /drm mm object (deleted)
7f3c2ed6e000-7f3c2ed7e000 rw-s 102db8000 00:06 322 /dev/dri/card0
7f3c2ed7e000-7f3c2ed8e000 rw-s 00000000 00:05 493291 /drm mm object (deleted)
7f3c2ed8e000-7f3c2ed9e000 rw-s 00000000 00:05 491519 /drm mm object (deleted)
7f3c2ed9e000-7f3c2edae000 rw-s 00000000 00:05 494150 /drm mm object (deleted)
7f3c2edae000-7f3c2edbe000 rw-s 102da8000 00:06 322 /dev/dri/card0
7f3c2edbe000-7f3c2edce000 rw-s 102d98000 00:06 322 /dev/dri/card0
7f3c2edce000-7f3c2edde000 rw-s 00000000 00:05 491517 /drm mm object (deleted)
7f3c2edde000-7f3c2edee000 rw-s 102d88000 00:06 322 /dev/dri/card0
Aborted (core dumped)
``` | priority | occasional crash in recent commit happened to me times but only every mins or so and when running a lua mapgen so it s possible the lua mapgen is doing something unusual to cause this although i can t see how have not yet run under gdb or a debug build or tried to reproduce in latest master or without the mod running but posting this in case it is useful backtrace printed to terminal error in minetest malloc memory corruption fast backtrace lib linux gnu libc so lib linux gnu libc so lib linux gnu libc so libc malloc usr lib linux gnu libstdc so znwm minetest minetest minetest minetest minetest usr lib linux gnu libstdc so lib linux gnu libpthread so lib linux gnu libc so clone memory map r xp home matstandard minetestf gitmods minetest bin minetest r p home matstandard minetestf gitmods minetest bin minetest rw p home matstandard minetestf gitmods minetest bin minetest rw p rw p rw p p rw p p rw p p rw p p rw p rw p p rw p p rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s dev dri rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s drm mm object deleted rw s dev dri rw s drm mm object deleted rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s dev dri rw s dev dri rw s dev dri rw s dev dri rw s drm mm object deleted rw s drm mm object deleted rw s dev dri rw s dev dri rw s drm mm object deleted rw s dev dri rw s dev dri rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s dev dri rw s drm mm object deleted rw s dev dri rw s dev dri rw s drm mm object deleted rw s dev dri rw s drm mm object deleted rw s drm mm object deleted rw s drm mm object deleted rw s dev dri rw s dev dri rw s drm mm object deleted rw s dev dri aborted core dumped | 1 |
118,319 | 4,734,251,110 | IssuesEvent | 2016-10-19 13:46:04 | handsontable/formula-parser | https://api.github.com/repos/handsontable/formula-parser | opened | Formulas errors compatibility | Change Priority: low | Comparing how Google spreadsheet/Excel returns errors in situations when wrong arguments was passed into functions I saw that Parser is not fully compatible with them. It is necessary to verify returned errors in all formulas defined in [formulajs](https://github.com/handsontable/formula.js) and correct them if necessary. | 1.0 | Formulas errors compatibility - Comparing how Google spreadsheet/Excel returns errors in situations when wrong arguments was passed into functions I saw that Parser is not fully compatible with them. It is necessary to verify returned errors in all formulas defined in [formulajs](https://github.com/handsontable/formula.js) and correct them if necessary. | priority | formulas errors compatibility comparing how google spreadsheet excel returns errors in situations when wrong arguments was passed into functions i saw that parser is not fully compatible with them it is necessary to verify returned errors in all formulas defined in and correct them if necessary | 1 |
347,110 | 10,424,848,048 | IssuesEvent | 2019-09-16 14:22:20 | wherebyus/general-tasks | https://api.github.com/repos/wherebyus/general-tasks | closed | When I go to the Events dashboard, it appears empty bc I don't have high enough WP permissions | Priority: Low Product: Events Type: IT Type: Task UX: Validated | ## Feature or problem
As I was told to note "yo I need privileges to do the thing!"
## UX Validation
Not Validated
### Suggested priority
Low
### Stakeholders
*Submitted:* chloe
### Definition of done
How will we know when this feature is complete?
### Subtasks
A detailed list of changes that need to be made or subtasks. One checkbox per.
- [ ] Brew the coffee
## Developer estimate
To help the team accurately estimate the complexity of this task,
take a moment to walk through this list and estimate each item. At the end, you can total
the estimates and round to the nearest prime number.
If any of these are at a `5` or higher, or if the total is above a `5`, consider breaking
this issue into multiple smaller issues.
- [ ] Changes to the database ()
- [ ] Changes to the API ()
- [ ] Testing Changes to the API ()
- [ ] Changes to Application Code ()
- [ ] Adding or updating unit tests ()
- [ ] Local developer testing ()
### Total developer estimate: 0
## Additional estimate
- [ ] Code review ()
- [ ] QA Testing ()
- [ ] Stakeholder Sign-off ()
- [ ] Deploy to Production ()
### Total additional estimate: 1
## QA Notes
Detailed instructions for testing, one checkbox per test to be completed.
### Contextual tests
- [ ] Accessibility check
- [ ] Cross-browser check (Edge, Chrome, Firefox)
- [ ] Responsive check
| 1.0 | When I go to the Events dashboard, it appears empty bc I don't have high enough WP permissions - ## Feature or problem
As I was told to note "yo I need privileges to do the thing!"
## UX Validation
Not Validated
### Suggested priority
Low
### Stakeholders
*Submitted:* chloe
### Definition of done
How will we know when this feature is complete?
### Subtasks
A detailed list of changes that need to be made or subtasks. One checkbox per.
- [ ] Brew the coffee
## Developer estimate
To help the team accurately estimate the complexity of this task,
take a moment to walk through this list and estimate each item. At the end, you can total
the estimates and round to the nearest prime number.
If any of these are at a `5` or higher, or if the total is above a `5`, consider breaking
this issue into multiple smaller issues.
- [ ] Changes to the database ()
- [ ] Changes to the API ()
- [ ] Testing Changes to the API ()
- [ ] Changes to Application Code ()
- [ ] Adding or updating unit tests ()
- [ ] Local developer testing ()
### Total developer estimate: 0
## Additional estimate
- [ ] Code review ()
- [ ] QA Testing ()
- [ ] Stakeholder Sign-off ()
- [ ] Deploy to Production ()
### Total additional estimate: 1
## QA Notes
Detailed instructions for testing, one checkbox per test to be completed.
### Contextual tests
- [ ] Accessibility check
- [ ] Cross-browser check (Edge, Chrome, Firefox)
- [ ] Responsive check
| priority | when i go to the events dashboard it appears empty bc i don t have high enough wp permissions feature or problem as i was told to note yo i need privileges to do the thing ux validation not validated suggested priority low stakeholders submitted chloe definition of done how will we know when this feature is complete subtasks a detailed list of changes that need to be made or subtasks one checkbox per brew the coffee developer estimate to help the team accurately estimate the complexity of this task take a moment to walk through this list and estimate each item at the end you can total the estimates and round to the nearest prime number if any of these are at a or higher or if the total is above a consider breaking this issue into multiple smaller issues changes to the database changes to the api testing changes to the api changes to application code adding or updating unit tests local developer testing total developer estimate additional estimate code review qa testing stakeholder sign off deploy to production total additional estimate qa notes detailed instructions for testing one checkbox per test to be completed contextual tests accessibility check cross browser check edge chrome firefox responsive check | 1 |
286,217 | 8,785,327,047 | IssuesEvent | 2018-12-20 12:38:59 | netdata/netdata | https://api.github.com/repos/netdata/netdata | opened | move node.js module named to go | area/external priority/low | <!---
This is a generic issue template. We usually prefer contributors to use one
of 3 other specific issue templates (bug report, feature request, question)
to allow our automation classify those so you can get response faster.
However if your issue doesn't fall into either one of those 3 categories
use this generic template.
--->
#### Summary
BE background task for `rc2`: move [`named`](https://github.com/netdata/netdata/tree/master/collectors/node.d.plugin/named) to [`go.d`](https://github.com/netdata/go.d.plugin) | 1.0 | move node.js module named to go - <!---
This is a generic issue template. We usually prefer contributors to use one
of 3 other specific issue templates (bug report, feature request, question)
to allow our automation classify those so you can get response faster.
However if your issue doesn't fall into either one of those 3 categories
use this generic template.
--->
#### Summary
BE background task for `rc2`: move [`named`](https://github.com/netdata/netdata/tree/master/collectors/node.d.plugin/named) to [`go.d`](https://github.com/netdata/go.d.plugin) | priority | move node js module named to go this is a generic issue template we usually prefer contributors to use one of other specific issue templates bug report feature request question to allow our automation classify those so you can get response faster however if your issue doesn t fall into either one of those categories use this generic template summary be background task for move to | 1 |
355,089 | 10,576,354,917 | IssuesEvent | 2019-10-07 17:41:15 | alan-turing-institute/MLJ.jl | https://api.github.com/repos/alan-turing-institute/MLJ.jl | closed | Local variable "N" conflicts with a static parameter | bug julia 1.3 low priority | `using MLJ` fails with Julia 1.3 [alpha-1] on Mac OS with stack trace:
```
[ Info: Precompiling MLJ [add582a8-e3ab-11e8-2d5e-e98b27df1bc7]
ERROR: LoadError: LoadError: syntax: local variable name "N" conflicts with a static parameter
Stacktrace:
[1] top-level scope at /Users/tlienart/.julia/packages/MLJ/XYSFt/src/composites.jl:113
[2] include at ./boot.jl:328 [inlined]
[3] include_relative(::Module, ::String) at ./loading.jl:1094
[4] include at ./Base.jl:31 [inlined]
[5] include(::String) at /Users/tlienart/.julia/packages/MLJ/XYSFt/src/MLJ.jl:1
[6] top-level scope at /Users/tlienart/.julia/packages/MLJ/XYSFt/src/MLJ.jl:88
[7] include at ./boot.jl:328 [inlined]
[8] include_relative(::Module, ::String) at ./loading.jl:1094
[9] include(::Module, ::String) at ./Base.jl:31
[10] top-level scope at none:2
[11] eval at ./boot.jl:330 [inlined]
[12] eval(::Expr) at ./client.jl:433
[13] top-level scope at ./none:3
in expression starting at /Users/tlienart/.julia/packages/MLJ/XYSFt/src/composites.jl:113
in expression starting at /Users/tlienart/.julia/packages/MLJ/XYSFt/src/MLJ.jl:88
ERROR: Failed to precompile MLJ [add582a8-e3ab-11e8-2d5e-e98b27df1bc7] to /Users/tlienart/.julia/compiled/v1.3/MLJ/rAU56.ji.
Stacktrace:
[1] error(::String) at ./error.jl:33
[2] compilecache(::Base.PkgId, ::String) at ./loading.jl:1253
[3] _require(::Base.PkgId) at ./loading.jl:1013
[4] require(::Base.PkgId) at ./loading.jl:911
[5] require(::Module, ::Symbol) at ./loading.jl:906
```
**Edit**: works on 1.1, 1.2 as far as I can tell.
**Edit**: this is likely a bug with Julia 1.3; for the moment we won't change it though using `filter(N -> !isa(N, Source), nodes(W))` instead of the `filter ... do ... end` syntax seems to fix the issue (that was #199) (but it shouldn't be an issue). | 1.0 | Local variable "N" conflicts with a static parameter - `using MLJ` fails with Julia 1.3 [alpha-1] on Mac OS with stack trace:
```
[ Info: Precompiling MLJ [add582a8-e3ab-11e8-2d5e-e98b27df1bc7]
ERROR: LoadError: LoadError: syntax: local variable name "N" conflicts with a static parameter
Stacktrace:
[1] top-level scope at /Users/tlienart/.julia/packages/MLJ/XYSFt/src/composites.jl:113
[2] include at ./boot.jl:328 [inlined]
[3] include_relative(::Module, ::String) at ./loading.jl:1094
[4] include at ./Base.jl:31 [inlined]
[5] include(::String) at /Users/tlienart/.julia/packages/MLJ/XYSFt/src/MLJ.jl:1
[6] top-level scope at /Users/tlienart/.julia/packages/MLJ/XYSFt/src/MLJ.jl:88
[7] include at ./boot.jl:328 [inlined]
[8] include_relative(::Module, ::String) at ./loading.jl:1094
[9] include(::Module, ::String) at ./Base.jl:31
[10] top-level scope at none:2
[11] eval at ./boot.jl:330 [inlined]
[12] eval(::Expr) at ./client.jl:433
[13] top-level scope at ./none:3
in expression starting at /Users/tlienart/.julia/packages/MLJ/XYSFt/src/composites.jl:113
in expression starting at /Users/tlienart/.julia/packages/MLJ/XYSFt/src/MLJ.jl:88
ERROR: Failed to precompile MLJ [add582a8-e3ab-11e8-2d5e-e98b27df1bc7] to /Users/tlienart/.julia/compiled/v1.3/MLJ/rAU56.ji.
Stacktrace:
[1] error(::String) at ./error.jl:33
[2] compilecache(::Base.PkgId, ::String) at ./loading.jl:1253
[3] _require(::Base.PkgId) at ./loading.jl:1013
[4] require(::Base.PkgId) at ./loading.jl:911
[5] require(::Module, ::Symbol) at ./loading.jl:906
```
**Edit**: works on 1.1, 1.2 as far as I can tell.
**Edit**: this is likely a bug with Julia 1.3; for the moment we won't change it though using `filter(N -> !isa(N, Source), nodes(W))` instead of the `filter ... do ... end` syntax seems to fix the issue (that was #199) (but it shouldn't be an issue). | priority | local variable n conflicts with a static parameter using mlj fails with julia on mac os with stack trace error loaderror loaderror syntax local variable name n conflicts with a static parameter stacktrace top level scope at users tlienart julia packages mlj xysft src composites jl include at boot jl include relative module string at loading jl include at base jl include string at users tlienart julia packages mlj xysft src mlj jl top level scope at users tlienart julia packages mlj xysft src mlj jl include at boot jl include relative module string at loading jl include module string at base jl top level scope at none eval at boot jl eval expr at client jl top level scope at none in expression starting at users tlienart julia packages mlj xysft src composites jl in expression starting at users tlienart julia packages mlj xysft src mlj jl error failed to precompile mlj to users tlienart julia compiled mlj ji stacktrace error string at error jl compilecache base pkgid string at loading jl require base pkgid at loading jl require base pkgid at loading jl require module symbol at loading jl edit works on as far as i can tell edit this is likely a bug with julia for the moment we won t change it though using filter n isa n source nodes w instead of the filter do end syntax seems to fix the issue that was but it shouldn t be an issue | 1 |
721,066 | 24,816,796,538 | IssuesEvent | 2022-10-25 13:42:46 | larray-project/larray | https://api.github.com/repos/larray-project/larray | opened | import from iode | enhancement difficulty: low priority: high | Should implement both read_av and read_var
See also #503.
Here is the latest version I used for `read_var`. For `read_av`, see demo_python\...\demo_code\util\util.py:du_iode_to_larray | 1.0 | import from iode - Should implement both read_av and read_var
See also #503.
Here is the latest version I used for `read_var`. For `read_av`, see demo_python\...\demo_code\util\util.py:du_iode_to_larray | priority | import from iode should implement both read av and read var see also here is the latest version i used for read var for read av see demo python demo code util util py du iode to larray | 1 |
166,616 | 6,307,652,646 | IssuesEvent | 2017-07-22 03:30:22 | jobovy/galpy | https://api.github.com/repos/jobovy/galpy | closed | Need to assign forces in actionAngle C potential parsing for potentials starting with SCFPotential | bug low priority | SCFPotential was missed due to merging issues (forces for proceeding potentials had been forgotten for a while, so missed when SCF was implemented), all following potentials have been missed because SCFPotential became the new default. | 1.0 | Need to assign forces in actionAngle C potential parsing for potentials starting with SCFPotential - SCFPotential was missed due to merging issues (forces for proceeding potentials had been forgotten for a while, so missed when SCF was implemented), all following potentials have been missed because SCFPotential became the new default. | priority | need to assign forces in actionangle c potential parsing for potentials starting with scfpotential scfpotential was missed due to merging issues forces for proceeding potentials had been forgotten for a while so missed when scf was implemented all following potentials have been missed because scfpotential became the new default | 1 |
495,010 | 14,270,472,913 | IssuesEvent | 2020-11-21 07:12:12 | Berkmann18/json-fixer | https://api.github.com/repos/Berkmann18/json-fixer | closed | Potential other issues to fix | Priority: Low Status: Available :free: Status: Left Out :left_luggage: Type: Enhancement :bulb: | - Quote-in-quotes: (e.g: "Broadcast "Media")
- existing errors that can be fixed but not in minified files.
- Inlined square brackets where an error occurs (e.g. `[ someError: here ]`).
| 1.0 | Potential other issues to fix - - Quote-in-quotes: (e.g: "Broadcast "Media")
- existing errors that can be fixed but not in minified files.
- Inlined square brackets where an error occurs (e.g. `[ someError: here ]`).
| priority | potential other issues to fix quote in quotes e g broadcast media existing errors that can be fixed but not in minified files inlined square brackets where an error occurs e g | 1 |
669,602 | 22,633,365,626 | IssuesEvent | 2022-06-30 16:27:34 | zephyrproject-rtos/zephyr | https://api.github.com/repos/zephyrproject-rtos/zephyr | closed | drivers: gpio: nrfx: return -ENOTSUP rather than -EIO for misconfigurations | bug priority: low area: GPIO platform: nRF | **Describe the bug**
The `gpio_nrfx.c` driver does not support configuring with `GPIO_DISCONNECTED`, but rather than report `-ENOTSUP`, it reports `-EIO`, which breaks the GPIO driver API.
According to the API, `-EIO` is reserved for "I/O error when accessing an external GPIO chip", whereas `-ENOTSUP` is used for "if any of the configuration options is not supported".
**To Reproduce**
Steps to reproduce the behavior:
1. west build -b nrf52840dk_nrf52840 -t flash tests/drivers/gpio/gpio_get_direction
2. See error
**Expected behavior**
The driver should report `-ENOTSUP` and the tests with unsupported configuration should be skipped.
See https://github.com/zephyrproject-rtos/zephyr/blob/main/include/zephyr/drivers/gpio.h#L675
The solution to this should also create additional tests in `tests/drivers/gpio/gpio_basic_api/` to test for a valid return value when setting `GPIO_INPUT | GPIO_OUTPUT | GPIO_OUTPUT_INIT_LOW` or `GPIO_DISCONNECTED`, as those settings seem to be unsupported on some platforms.
**Impact**
GPIO driver tests should fail if they do not follow the API properly.
**Logs and console output**
```
DEBUG - DEVICE: START - test_disconnect
DEBUG - DEVICE:
DEBUG - DEVICE: Assertion failed at WEST_TOPDIR/zephyr/tests/drivers/gpio/gpio_get_direction/src/main.c:20: test_disconnect: (0 not equal to rv)
DEBUG - DEVICE: gpio_pin_configure() failed: -5
DEBUG - DEVICE: FAIL - test_disconnect in 0.15 seconds
```
**Environment (please complete the following information):**
- OS: ?
- Toolchain ?
- Commit SHA or Version used: 3f0e8dda3d72bd9dda069bc0c013d7d67f593c7e
**Additional context**
See
https://github.com/zephyrproject-rtos/zephyr/issues/46917#issuecomment-1168477276
https://github.com/zephyrproject-rtos/zephyr/issues/46917#issuecomment-1169877231
| 1.0 | drivers: gpio: nrfx: return -ENOTSUP rather than -EIO for misconfigurations - **Describe the bug**
The `gpio_nrfx.c` driver does not support configuring with `GPIO_DISCONNECTED`, but rather than report `-ENOTSUP`, it reports `-EIO`, which breaks the GPIO driver API.
According to the API, `-EIO` is reserved for "I/O error when accessing an external GPIO chip", whereas `-ENOTSUP` is used for "if any of the configuration options is not supported".
**To Reproduce**
Steps to reproduce the behavior:
1. west build -b nrf52840dk_nrf52840 -t flash tests/drivers/gpio/gpio_get_direction
2. See error
**Expected behavior**
The driver should report `-ENOTSUP` and the tests with unsupported configuration should be skipped.
See https://github.com/zephyrproject-rtos/zephyr/blob/main/include/zephyr/drivers/gpio.h#L675
The solution to this should also create additional tests in `tests/drivers/gpio/gpio_basic_api/` to test for a valid return value when setting `GPIO_INPUT | GPIO_OUTPUT | GPIO_OUTPUT_INIT_LOW` or `GPIO_DISCONNECTED`, as those settings seem to be unsupported on some platforms.
**Impact**
GPIO driver tests should fail if they do not follow the API properly.
**Logs and console output**
```
DEBUG - DEVICE: START - test_disconnect
DEBUG - DEVICE:
DEBUG - DEVICE: Assertion failed at WEST_TOPDIR/zephyr/tests/drivers/gpio/gpio_get_direction/src/main.c:20: test_disconnect: (0 not equal to rv)
DEBUG - DEVICE: gpio_pin_configure() failed: -5
DEBUG - DEVICE: FAIL - test_disconnect in 0.15 seconds
```
**Environment (please complete the following information):**
- OS: ?
- Toolchain ?
- Commit SHA or Version used: 3f0e8dda3d72bd9dda069bc0c013d7d67f593c7e
**Additional context**
See
https://github.com/zephyrproject-rtos/zephyr/issues/46917#issuecomment-1168477276
https://github.com/zephyrproject-rtos/zephyr/issues/46917#issuecomment-1169877231
| priority | drivers gpio nrfx return enotsup rather than eio for misconfigurations describe the bug the gpio nrfx c driver does not support configuring with gpio disconnected but rather than report enotsup it reports eio which breaks the gpio driver api according to the api eio is reserved for i o error when accessing an external gpio chip whereas enotsup is used for if any of the configuration options is not supported to reproduce steps to reproduce the behavior west build b t flash tests drivers gpio gpio get direction see error expected behavior the driver should report enotsup and the tests with unsupported configuration should be skipped see the solution to this should also create additional tests in tests drivers gpio gpio basic api to test for a valid return value when setting gpio input gpio output gpio output init low or gpio disconnected as those settings seem to be unsupported on some platforms impact gpio driver tests should fail if they do not follow the api properly logs and console output debug device start test disconnect debug device debug device assertion failed at west topdir zephyr tests drivers gpio gpio get direction src main c test disconnect not equal to rv debug device gpio pin configure failed debug device fail test disconnect in seconds environment please complete the following information os toolchain commit sha or version used additional context see | 1 |
691,468 | 23,697,707,275 | IssuesEvent | 2022-08-29 15:59:37 | Dreamlinerm/Netflix-Prime-Auto-Skip | https://api.github.com/repos/Dreamlinerm/Netflix-Prime-Auto-Skip | closed | verify which amazon urls use primevideo.com | low priority | verify which amazon urls use primevideo.com and which the amazon website like amazon.de | 1.0 | verify which amazon urls use primevideo.com - verify which amazon urls use primevideo.com and which the amazon website like amazon.de | priority | verify which amazon urls use primevideo com verify which amazon urls use primevideo com and which the amazon website like amazon de | 1 |
708,674 | 24,349,672,171 | IssuesEvent | 2022-10-02 19:41:20 | wasmerio/wasmer | https://api.github.com/repos/wasmerio/wasmer | closed | FFI (dlopen / dlsym) | ❓ question priority-low | ### Summary
https://github.com/WebAssembly/WASI/issues/84
If this can't be tackled at the WASI layer, could we add it as a non-standard feature of this runtime?
### Additional details
I think WebAssembly would get a lot more useful if it could call into existing .so / .dylib / .dll files. I know WebAssembly is big on security/sandboxing/permission, so this would obviously need to be behind some kind of "off by default" permission flag.
| 1.0 | FFI (dlopen / dlsym) - ### Summary
https://github.com/WebAssembly/WASI/issues/84
If this can't be tackled at the WASI layer, could we add it as a non-standard feature of this runtime?
### Additional details
I think WebAssembly would get a lot more useful if it could call into existing .so / .dylib / .dll files. I know WebAssembly is big on security/sandboxing/permission, so this would obviously need to be behind some kind of "off by default" permission flag.
| priority | ffi dlopen dlsym summary if this can t be tackled at the wasi layer could we add it as a non standard feature of this runtime additional details i think webassembly would get a lot more useful if it could call into existing so dylib dll files i know webassembly is big on security sandboxing permission so this would obviously need to be behind some kind of off by default permission flag | 1 |
754,761 | 26,400,817,000 | IssuesEvent | 2023-01-13 00:56:01 | nikolaystrikhar/gutenberg-forms | https://api.github.com/repos/nikolaystrikhar/gutenberg-forms | closed | Send data to success URL | enhancement low-priority | Hello guys!
I need to pass the collected data in form to the success URL.
It can be using query string(GET), POST into the success URL, cookies...
It's possible to do this today?
Thanks! :) | 1.0 | Send data to success URL - Hello guys!
I need to pass the collected data in form to the success URL.
It can be using query string(GET), POST into the success URL, cookies...
It's possible to do this today?
Thanks! :) | priority | send data to success url hello guys i need to pass the collected data in form to the success url it can be using query string get post into the success url cookies it s possible to do this today thanks | 1 |
728,779 | 25,092,558,291 | IssuesEvent | 2022-11-08 07:45:26 | poja/Cattus | https://api.github.com/repos/poja/Cattus | opened | Training Data: use training data from multiple runs | priority-low | Currently we retrieve training data from a single games dir, which is "games/{run_id}".
We should use learn from games from older runs too.
Need to put training data categorized by game name | 1.0 | Training Data: use training data from multiple runs - Currently we retrieve training data from a single games dir, which is "games/{run_id}".
We should use learn from games from older runs too.
Need to put training data categorized by game name | priority | training data use training data from multiple runs currently we retrieve training data from a single games dir which is games run id we should use learn from games from older runs too need to put training data categorized by game name | 1 |
170,642 | 6,468,206,511 | IssuesEvent | 2017-08-17 00:07:13 | livro-aberto/BookCloud | https://api.github.com/repos/livro-aberto/BookCloud | opened | Links dos tags nos comentários | enhancement low priority threads | 1. Deveriam **abrir em nova aba** para que se visualize o arquivo ao qual ele faz referências junto com os comentários sobre ele.
2. **Mostrar na página de discussões apenas os comentários que possuem aquele mesmo tag.** É assim que funciona no GitHub. Esta última sugestão é o mesmo que abrir a página de discussões que aparece sobre a atividade do tag. Mas então precisaríamos de uma maneira de retornar ao mesmo ponto da página de discussões para continuar lendo os outros tópicos...
O ideal é fazer exatamente como o GitHub: quando clica no tag, ele adiciona uma busca na página de discussões e incluir a opção `x Clear current search query, filters, and sorts` (ver figura) além de abrir o link em nova aba. É possível fazer as duas coisas?

| 1.0 | Links dos tags nos comentários - 1. Deveriam **abrir em nova aba** para que se visualize o arquivo ao qual ele faz referências junto com os comentários sobre ele.
2. **Mostrar na página de discussões apenas os comentários que possuem aquele mesmo tag.** É assim que funciona no GitHub. Esta última sugestão é o mesmo que abrir a página de discussões que aparece sobre a atividade do tag. Mas então precisaríamos de uma maneira de retornar ao mesmo ponto da página de discussões para continuar lendo os outros tópicos...
O ideal é fazer exatamente como o GitHub: quando clica no tag, ele adiciona uma busca na página de discussões e incluir a opção `x Clear current search query, filters, and sorts` (ver figura) além de abrir o link em nova aba. É possível fazer as duas coisas?

| priority | links dos tags nos comentários deveriam abrir em nova aba para que se visualize o arquivo ao qual ele faz referências junto com os comentários sobre ele mostrar na página de discussões apenas os comentários que possuem aquele mesmo tag é assim que funciona no github esta última sugestão é o mesmo que abrir a página de discussões que aparece sobre a atividade do tag mas então precisaríamos de uma maneira de retornar ao mesmo ponto da página de discussões para continuar lendo os outros tópicos o ideal é fazer exatamente como o github quando clica no tag ele adiciona uma busca na página de discussões e incluir a opção x clear current search query filters and sorts ver figura além de abrir o link em nova aba é possível fazer as duas coisas | 1 |
105,301 | 4,233,615,608 | IssuesEvent | 2016-07-05 08:39:28 | dhis2/settings-app | https://api.github.com/repos/dhis2/settings-app | opened | Something funky with translations | enhancement priority:low | The `HeaderBar` component should do most of the registrations of the strings it needs to translate.
Like for the profile app part of the dropdown menu
https://github.com/dhis2/d2-ui/blob/7a13320220e0ff0ef2a9f26ca366f6c478e69df1/src/app-header/menu-sources.js#L6-L11
Separately registering these strings should therefore not be necessary like we do here in
https://github.com/dhis2/settings-app/blob/master/src/settings-app.js#L169-L177
I haven't looked into why this happens. Perhaps the way we register strings in the settings app overwrites the previously registered ones?
It's not really urgent, but might be good to unify :) (Perhaps this could be part of the larger i18n work) | 1.0 | Something funky with translations - The `HeaderBar` component should do most of the registrations of the strings it needs to translate.
Like for the profile app part of the dropdown menu
https://github.com/dhis2/d2-ui/blob/7a13320220e0ff0ef2a9f26ca366f6c478e69df1/src/app-header/menu-sources.js#L6-L11
Separately registering these strings should therefore not be necessary like we do here in
https://github.com/dhis2/settings-app/blob/master/src/settings-app.js#L169-L177
I haven't looked into why this happens. Perhaps the way we register strings in the settings app overwrites the previously registered ones?
It's not really urgent, but might be good to unify :) (Perhaps this could be part of the larger i18n work) | priority | something funky with translations the headerbar component should do most of the registrations of the strings it needs to translate like for the profile app part of the dropdown menu separately registering these strings should therefore not be necessary like we do here in i haven t looked into why this happens perhaps the way we register strings in the settings app overwrites the previously registered ones it s not really urgent but might be good to unify perhaps this could be part of the larger work | 1 |
271,069 | 8,475,438,551 | IssuesEvent | 2018-10-24 18:54:59 | smartdevicelink/sdl_core | https://api.github.com/repos/smartdevicelink/sdl_core | closed | Dead code in metric_wrapper.cc (Coverity CID 80092) | best practice low priority | [Coverity Report](https://scan9.coverity.com/reports.htm#v26942/p12036/fileInstanceId=7040670&defectInstanceId=1401215&mergedDefectId=80092)
Coverity found a piece of dead code in [MetricWrapper::grabResources()](https://github.com/smartdevicelink/sdl_core/blob/master/src/components/telemetry_monitor/src/metric_wrapper.cc#L48), where for some reason the code attempts to flush stdout after returning a value.
``` cpp
if (NULL != resources) {
return true;
} else {
return false;
}
flush(std::cout);
```
I don't know exactly what this command is supposed to accomplish, but it isn't doing so successfully. Is there any actual reason why this line was included?
If there isn't, this should be a quick fix of just removing the `flush(std::cout)` line.
| 1.0 | Dead code in metric_wrapper.cc (Coverity CID 80092) - [Coverity Report](https://scan9.coverity.com/reports.htm#v26942/p12036/fileInstanceId=7040670&defectInstanceId=1401215&mergedDefectId=80092)
Coverity found a piece of dead code in [MetricWrapper::grabResources()](https://github.com/smartdevicelink/sdl_core/blob/master/src/components/telemetry_monitor/src/metric_wrapper.cc#L48), where for some reason the code attempts to flush stdout after returning a value.
``` cpp
if (NULL != resources) {
return true;
} else {
return false;
}
flush(std::cout);
```
I don't know exactly what this command is supposed to accomplish, but it isn't doing so successfully. Is there any actual reason why this line was included?
If there isn't, this should be a quick fix of just removing the `flush(std::cout)` line.
| priority | dead code in metric wrapper cc coverity cid coverity found a piece of dead code in where for some reason the code attempts to flush stdout after returning a value cpp if null resources return true else return false flush std cout i don t know exactly what this command is supposed to accomplish but it isn t doing so successfully is there any actual reason why this line was included if there isn t this should be a quick fix of just removing the flush std cout line | 1 |
214,891 | 7,279,187,942 | IssuesEvent | 2018-02-22 02:51:51 | medic/medic-webapp | https://api.github.com/repos/medic/medic-webapp | closed | Detect access configuration errors and notify the user | Priority: 3 - Low Status: 1 - Triaged Tech Leads Type: Improvement | The ["too many redirects" issue](https://github.com/medic/medic-projects/issues/1668) was found again today due to the medic app being configured as "Admins Only" instead of "Public". This has been hit several times and it's not obvious what's going wrong (unless you've hit it before and can still remember the solution).
Work out some way to detect this issue and let users know. | 1.0 | Detect access configuration errors and notify the user - The ["too many redirects" issue](https://github.com/medic/medic-projects/issues/1668) was found again today due to the medic app being configured as "Admins Only" instead of "Public". This has been hit several times and it's not obvious what's going wrong (unless you've hit it before and can still remember the solution).
Work out some way to detect this issue and let users know. | priority | detect access configuration errors and notify the user the was found again today due to the medic app being configured as admins only instead of public this has been hit several times and it s not obvious what s going wrong unless you ve hit it before and can still remember the solution work out some way to detect this issue and let users know | 1 |
652,454 | 21,552,794,619 | IssuesEvent | 2022-04-30 00:25:46 | geopm/geopm | https://api.github.com/repos/geopm/geopm | closed | Improper handling of oneAPI Level Zero error codes | bug 2.0 bug-priority-high bug-exposure-low bug-quality-high | **Describe the bug**
In the Level Zero API wrapper (LevelZero.cpp), in the error handling code for API calls, when constructing error messages the code may throw an exception when converting error codes to strings if the error code is not found, which would result in a confusing error message for the user (as it would be an error message related to an error code not found in a map, as opposed to the intended error message that was being constructed).
**GEOPM version**
1.1.0+dev1968g621ab397
**Expected behavior**
The Level Zero wrapper code in GEOPM should be able to provide a relevant/meaningful/helpful error message when a call to a Level Zero API fails, even when it encounters an error code it's not familiar with.
**Actual behavior**
Unexpected Level Zero API error codes cause the Level Zero wrapper code in GEOPM to throw a mapping error (instead of the actual error that should be reported).
| 1.0 | Improper handling of oneAPI Level Zero error codes - **Describe the bug**
In the Level Zero API wrapper (LevelZero.cpp), in the error handling code for API calls, when constructing error messages the code may throw an exception when converting error codes to strings if the error code is not found, which would result in a confusing error message for the user (as it would be an error message related to an error code not found in a map, as opposed to the intended error message that was being constructed).
**GEOPM version**
1.1.0+dev1968g621ab397
**Expected behavior**
The Level Zero wrapper code in GEOPM should be able to provide a relevant/meaningful/helpful error message when a call to a Level Zero API fails, even when it encounters an error code it's not familiar with.
**Actual behavior**
Unexpected Level Zero API error codes cause the Level Zero wrapper code in GEOPM to throw a mapping error (instead of the actual error that should be reported).
| priority | improper handling of oneapi level zero error codes describe the bug in the level zero api wrapper levelzero cpp in the error handling code for api calls when constructing error messages the code may throw an exception when converting error codes to strings if the error code is not found which would result in a confusing error message for the user as it would be an error message related to an error code not found in a map as opposed to the intended error message that was being constructed geopm version expected behavior the level zero wrapper code in geopm should be able to provide a relevant meaningful helpful error message when a call to a level zero api fails even when it encounters an error code it s not familiar with actual behavior unexpected level zero api error codes cause the level zero wrapper code in geopm to throw a mapping error instead of the actual error that should be reported | 1 |
305,317 | 9,367,885,566 | IssuesEvent | 2019-04-03 07:14:53 | wso2/product-is | https://api.github.com/repos/wso2/product-is | closed | Internal server error occurs when try to recover username with a user who doesn't have email address claim configured | Affected/5.8.0-Alpha2 Complexity/Low Component/Identity Mgt Priority/High Severity/Critical Status/PR in Review Type/Bug | The server encountered an internal error. Please contact the administrator.
Ideally it shoudn't be a server error.

| 1.0 | Internal server error occurs when try to recover username with a user who doesn't have email address claim configured - The server encountered an internal error. Please contact the administrator.
Ideally it shoudn't be a server error.

| priority | internal server error occurs when try to recover username with a user who doesn t have email address claim configured the server encountered an internal error please contact the administrator ideally it shoudn t be a server error | 1 |
388,012 | 11,473,042,820 | IssuesEvent | 2020-02-09 20:48:26 | fac18/joy | https://api.github.com/repos/fac18/joy | opened | As a user, I would like to know how much average wellbeing across the site increased by in the past month. | E3 LOW PRIORITY | This could be calculated by looking at the difference between initial wellbeing and current wellbeing on an individual basis, then working out the mean difference across the site
I.e. Jim’s initial wellbeing is 3, his subsequent score is 6 = 100% increase
Sally’s initial wellbeing was 4, her subsequent score is also 6 = 50% increase
Both had their follow up assessment in the past month
This means an average score of 75%
NB: this is essentially writing a big DB query then writing logic to manipulate the information you fetch
| 1.0 | As a user, I would like to know how much average wellbeing across the site increased by in the past month. - This could be calculated by looking at the difference between initial wellbeing and current wellbeing on an individual basis, then working out the mean difference across the site
I.e. Jim’s initial wellbeing is 3, his subsequent score is 6 = 100% increase
Sally’s initial wellbeing was 4, her subsequent score is also 6 = 50% increase
Both had their follow up assessment in the past month
This means an average score of 75%
NB: this is essentially writing a big DB query then writing logic to manipulate the information you fetch
| priority | as a user i would like to know how much average wellbeing across the site increased by in the past month this could be calculated by looking at the difference between initial wellbeing and current wellbeing on an individual basis then working out the mean difference across the site i e jim’s initial wellbeing is his subsequent score is increase sally’s initial wellbeing was her subsequent score is also increase both had their follow up assessment in the past month this means an average score of nb this is essentially writing a big db query then writing logic to manipulate the information you fetch | 1 |
192,454 | 6,850,099,993 | IssuesEvent | 2017-11-14 01:16:34 | AffiliateWP/affiliatewp-allowed-products | https://api.github.com/repos/AffiliateWP/affiliatewp-allowed-products | closed | Per affiliate option | enhancement Priority: Low | It would be neat if certain affiliates can make referrals on certain products.
Ticket: https://secure.helpscout.net/conversation/466539400/70324?folderId=205529. | 1.0 | Per affiliate option - It would be neat if certain affiliates can make referrals on certain products.
Ticket: https://secure.helpscout.net/conversation/466539400/70324?folderId=205529. | priority | per affiliate option it would be neat if certain affiliates can make referrals on certain products ticket | 1 |
391,362 | 11,572,392,398 | IssuesEvent | 2020-02-20 23:56:27 | StrangeLoopGames/EcoIssues | https://api.github.com/repos/StrangeLoopGames/EcoIssues | closed | Exception Window closes as soon as it detects Left mouse click - that needs removing | Priority: Low | **Version:** 0.7.7.2 beta
I wanted to scroll down to read it all, but if mouse pointer is not close enough to drag bar it closes the window, i was hoping to drag the mouse over the text and CTRL-C it, so i could paste just this part, otherwise i have to HAVE all of it pasted into a blank Text file, then just Copy the part i want to show someone as he only wants the TOP part of exception (which is what normally shows in this window) to find out what was wrong with Mod change.
example i just wanted 10 Lines of text
i ended up with everthing including logfile | 1.0 | Exception Window closes as soon as it detects Left mouse click - that needs removing - **Version:** 0.7.7.2 beta
I wanted to scroll down to read it all, but if mouse pointer is not close enough to drag bar it closes the window, i was hoping to drag the mouse over the text and CTRL-C it, so i could paste just this part, otherwise i have to HAVE all of it pasted into a blank Text file, then just Copy the part i want to show someone as he only wants the TOP part of exception (which is what normally shows in this window) to find out what was wrong with Mod change.
example i just wanted 10 Lines of text
i ended up with everthing including logfile | priority | exception window closes as soon as it detects left mouse click that needs removing version beta i wanted to scroll down to read it all but if mouse pointer is not close enough to drag bar it closes the window i was hoping to drag the mouse over the text and ctrl c it so i could paste just this part otherwise i have to have all of it pasted into a blank text file then just copy the part i want to show someone as he only wants the top part of exception which is what normally shows in this window to find out what was wrong with mod change example i just wanted lines of text i ended up with everthing including logfile | 1 |
229,318 | 7,573,586,271 | IssuesEvent | 2018-04-23 18:13:54 | SparkDevNetwork/Rock | https://api.github.com/repos/SparkDevNetwork/Rock | closed | [EN] Group's Security Role option limited to Administrate privilege | Fixed in v7.4 Priority: Low Status: Available Status: Confirmed | I'm 100% aware that this is an extremely minor request 😉
### Prerequisites
* [x] Put an X between the brackets on this line if you have done all of the following:
* Can you reproduce the problem on a fresh install or the [demo site](http://rock.rocksolidchurchdemo.com/)?
* Did you include your Rock version number and [client culture](https://github.com/SparkDevNetwork/Rock/wiki/Environment-and-Diagnostics-Information) setting?
* Did you [perform a cursory search](https://github.com/issues?q=is%3Aissue+user%3ASparkDevNetwork+-repo%3ASparkDevNetwork%2FSlack) to see if your bug or enhancement is already reported?
### Description
I don't think that it is necessary or helpful to allow people with edit, but not Administration rights for a Group to toggle whether or not a Group should count as a Security Role.
When my staff have been making groups, they're **totally** unaware of what Security Role means, so they will check it if the volunteer position acts as security, or if the role requires that the person has a background check. Since they really don't have any context for what it actually means, it's really a toss-up for how they actually interpret it.
### Desired Behavior
I would prefer if staff non-admin members weren't allowed to toggle the Security Role option on a Group. This helps avoid confusion/frustration from admins and staff alike. Admins don't have to worry about security roles changing without reason or warning, and staffers don't have to act with confusion when it comes to setting up a Group. | 1.0 | [EN] Group's Security Role option limited to Administrate privilege - I'm 100% aware that this is an extremely minor request 😉
### Prerequisites
* [x] Put an X between the brackets on this line if you have done all of the following:
* Can you reproduce the problem on a fresh install or the [demo site](http://rock.rocksolidchurchdemo.com/)?
* Did you include your Rock version number and [client culture](https://github.com/SparkDevNetwork/Rock/wiki/Environment-and-Diagnostics-Information) setting?
* Did you [perform a cursory search](https://github.com/issues?q=is%3Aissue+user%3ASparkDevNetwork+-repo%3ASparkDevNetwork%2FSlack) to see if your bug or enhancement is already reported?
### Description
I don't think that it is necessary or helpful to allow people with edit, but not Administration rights for a Group to toggle whether or not a Group should count as a Security Role.
When my staff have been making groups, they're **totally** unaware of what Security Role means, so they will check it if the volunteer position acts as security, or if the role requires that the person has a background check. Since they really don't have any context for what it actually means, it's really a toss-up for how they actually interpret it.
### Desired Behavior
I would prefer if staff non-admin members weren't allowed to toggle the Security Role option on a Group. This helps avoid confusion/frustration from admins and staff alike. Admins don't have to worry about security roles changing without reason or warning, and staffers don't have to act with confusion when it comes to setting up a Group. | priority | group s security role option limited to administrate privilege i m aware that this is an extremely minor request 😉 prerequisites put an x between the brackets on this line if you have done all of the following can you reproduce the problem on a fresh install or the did you include your rock version number and setting did you to see if your bug or enhancement is already reported description i don t think that it is necessary or helpful to allow people with edit but not administration rights for a group to toggle whether or not a group should count as a security role when my staff have been making groups they re totally unaware of what security role means so they will check it if the volunteer position acts as security or if the role requires that the person has a background check since they really don t have any context for what it actually means it s really a toss up for how they actually interpret it desired behavior i would prefer if staff non admin members weren t allowed to toggle the security role option on a group this helps avoid confusion frustration from admins and staff alike admins don t have to worry about security roles changing without reason or warning and staffers don t have to act with confusion when it comes to setting up a group | 1 |
387,386 | 11,460,528,877 | IssuesEvent | 2020-02-07 09:56:05 | snowplow/snowplow-javascript-tracker | https://api.github.com/repos/snowplow/snowplow-javascript-tracker | closed | Change setup process to use Docker | category:setup priority:low status:completed type:internal | We currently use Vagrant for a quickstart to building the tracker however, this has proven to be hard to maintain and flaky. Switching to a Docker build process should make this less prone to issues and easier to maintain.
This will also make it easier in the future to link the build and test process to the Snowplow Micro tests to run them locally, although out of scope for this change. | 1.0 | Change setup process to use Docker - We currently use Vagrant for a quickstart to building the tracker however, this has proven to be hard to maintain and flaky. Switching to a Docker build process should make this less prone to issues and easier to maintain.
This will also make it easier in the future to link the build and test process to the Snowplow Micro tests to run them locally, although out of scope for this change. | priority | change setup process to use docker we currently use vagrant for a quickstart to building the tracker however this has proven to be hard to maintain and flaky switching to a docker build process should make this less prone to issues and easier to maintain this will also make it easier in the future to link the build and test process to the snowplow micro tests to run them locally although out of scope for this change | 1 |
325,483 | 9,924,744,500 | IssuesEvent | 2019-07-01 10:25:52 | getkirby/kirby | https://api.github.com/repos/getkirby/kirby | closed | [Panel] Font weight in date selectors | priority: low-hanging fruit 🍓 | **Describe the bug**
If you double-click one of the input fields of the date field, the dropdown will be displayed in bold whereas it is displayed in normal font weight when only clicking once.
**To Reproduce**
Double-click the year input of the date field. Might be necessary to select one of the other fields first.
**Expected behavior**
Font weight should always be normal.
**Screenshots**
<img width="467" alt="grafik" src="https://user-images.githubusercontent.com/25466/60252278-403bfe00-98ca-11e9-94da-2f98c92cab0e.png">
**Kirby Version**
Kirby 3.2, latest Firefox on macOS Mojave.
| 1.0 | [Panel] Font weight in date selectors - **Describe the bug**
If you double-click one of the input fields of the date field, the dropdown will be displayed in bold whereas it is displayed in normal font weight when only clicking once.
**To Reproduce**
Double-click the year input of the date field. Might be necessary to select one of the other fields first.
**Expected behavior**
Font weight should always be normal.
**Screenshots**
<img width="467" alt="grafik" src="https://user-images.githubusercontent.com/25466/60252278-403bfe00-98ca-11e9-94da-2f98c92cab0e.png">
**Kirby Version**
Kirby 3.2, latest Firefox on macOS Mojave.
| priority | font weight in date selectors describe the bug if you double click one of the input fields of the date field the dropdown will be displayed in bold whereas it is displayed in normal font weight when only clicking once to reproduce double click the year input of the date field might be necessary to select one of the other fields first expected behavior font weight should always be normal screenshots img width alt grafik src kirby version kirby latest firefox on macos mojave | 1 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.