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
757
labels
stringlengths
4
664
body
stringlengths
3
261k
index
stringclasses
10 values
text_combine
stringlengths
96
261k
label
stringclasses
2 values
text
stringlengths
96
232k
binary_label
int64
0
1
40,079
9,829,269,116
IssuesEvent
2019-06-15 19:08:39
textile/php-textile
https://api.github.com/repos/textile/php-textile
closed
Using @code span markup@ inside %regular span markup% gives unexpected results
Defect Feedback wanted Merged into branch
_(I apologise if this post is too verbose. I've tried to give as much background as I thought was necessary to illustrate the issue.)_ I use textile for a software documentation project and have realised the following Textile markup gives unexpected results: ``` %(classname)@generic code statement;@% %(classname)@[someObject someMethod]; // Objective C code statement 1@% %(classname)@int result = [someObject someMethod]; // Objective C code statement 2@% %(classname)@NSObject *newObject = [[NSObject alloc] init]; // Objective C code statement 3@% ``` I expect those markups to be parsed into HTML as follows (in order): ``` <span class="classname"><code>generic code statement;</code></span> <span class="classname"><code>[someObject someMethod]; // Objective C code statement 1</code></span> <span class="classname"><code>int result = [someObject someMethod]; // Objective C code statement 2</code></span> <span class="classname"><code>NSObject *newObject = [[NSObject alloc] init]; // Objective C code statement 3</code></span> ``` Instead, they are rendered as follows (the `<code>` tags are not generated): ``` <span class="classname">@generic code statement;@</span> <span class="classname">@[someObject someMethod]; // Objective C code statement 1@</span> <span class="classname">@int result = [someObject someMethod]; // Objective C code statement 2@</span> <span class="classname">@NSObject *newObject = [[NSObject alloc] init]; // Objective C code statement 3@</span> ``` I confirmed that this behavior applies to versions 2.4.1 - 2.5.4 as well as version 3.5.4 (current master at time of writing). I haven't tried any other versions. The Objective C examples might seem obsolete, but they are provided as context in a potential direction for a fix, discussed further below. I've tried a number of markup variations like wrapping parts of the markup in square brackets to work around this, but with no success. The only useable workaround I've found so far is adding an empty HTML comment tag `<!---->` or HTML5 'word break opportunity' tag `<wbr>` (2 characters less to type ;-) when generating HTML5 output) immediately in front of the opening `@` code span markup tag. I assume the '<' character of the HTML tag is interpreted as interpunction and allows the parsing rules to correctly interpret the `@` code span markup that follows. To illustrate, the Textile markup now looks like (`<wbr>` examples): ``` %(classname)<wbr>@generic code statement;@% %(classname)<wbr>@[someObject someMethod]; // Objective C code statement 1@% %(classname)<wbr>@int result = [someObject someMethod]; // Objective C code statement 2@% %(classname)<wbr>@NSObject *newObject = [[NSObject alloc] init]; // Objective C code statement 3@% ``` and yields: ``` <span class="classname"><wbr><code>generic code statement;</code></span> <span class="classname"><wbr><code>[someObject someMethod]; // Objective C code statement 1</code></span> <span class="classname"><wbr><code>int result = [someObject someMethod]; // Objective C code statement 2</code></span> <span class="classname"><wbr><code>NSObject *newObject = [[NSObject alloc] init]; // Objective C code statement 3</code></span> ``` In an effort to get more understanding of what was going "wrong" I added element `'@' => 'code'` to the `span_tags` array (on line 714 of the version 2.5.3 source code). That **partially** improved the results. The first set of examples provided above was now parsed into HTML as: ``` <span class="classname"><code>generic code statement;</code></span> <span class="classname"><code>; // Objective C code statement 1</code></span> <span class="classname"><code>int result = [someObject someMethod]; // Objective C code statement 2</code></span> <span class="classname"><code><span class="caps">NSO</span>bject *newObject = [[NSObject alloc] init]; // Objective C code statement 3</code></span> ``` As you can see Objective C code statements 1 and 3 are not parsed correctly. In the 1st statement the part that appears between the square brackets is removed, together with the square brackets. In the 3rd statement the `NSObject` is parsed into HTML as `<span class="caps">NSO</span>bject` even though it appears _inside_ the `@` code span markup.
1.0
Using @code span markup@ inside %regular span markup% gives unexpected results - _(I apologise if this post is too verbose. I've tried to give as much background as I thought was necessary to illustrate the issue.)_ I use textile for a software documentation project and have realised the following Textile markup gives unexpected results: ``` %(classname)@generic code statement;@% %(classname)@[someObject someMethod]; // Objective C code statement 1@% %(classname)@int result = [someObject someMethod]; // Objective C code statement 2@% %(classname)@NSObject *newObject = [[NSObject alloc] init]; // Objective C code statement 3@% ``` I expect those markups to be parsed into HTML as follows (in order): ``` <span class="classname"><code>generic code statement;</code></span> <span class="classname"><code>[someObject someMethod]; // Objective C code statement 1</code></span> <span class="classname"><code>int result = [someObject someMethod]; // Objective C code statement 2</code></span> <span class="classname"><code>NSObject *newObject = [[NSObject alloc] init]; // Objective C code statement 3</code></span> ``` Instead, they are rendered as follows (the `<code>` tags are not generated): ``` <span class="classname">@generic code statement;@</span> <span class="classname">@[someObject someMethod]; // Objective C code statement 1@</span> <span class="classname">@int result = [someObject someMethod]; // Objective C code statement 2@</span> <span class="classname">@NSObject *newObject = [[NSObject alloc] init]; // Objective C code statement 3@</span> ``` I confirmed that this behavior applies to versions 2.4.1 - 2.5.4 as well as version 3.5.4 (current master at time of writing). I haven't tried any other versions. The Objective C examples might seem obsolete, but they are provided as context in a potential direction for a fix, discussed further below. I've tried a number of markup variations like wrapping parts of the markup in square brackets to work around this, but with no success. The only useable workaround I've found so far is adding an empty HTML comment tag `<!---->` or HTML5 'word break opportunity' tag `<wbr>` (2 characters less to type ;-) when generating HTML5 output) immediately in front of the opening `@` code span markup tag. I assume the '<' character of the HTML tag is interpreted as interpunction and allows the parsing rules to correctly interpret the `@` code span markup that follows. To illustrate, the Textile markup now looks like (`<wbr>` examples): ``` %(classname)<wbr>@generic code statement;@% %(classname)<wbr>@[someObject someMethod]; // Objective C code statement 1@% %(classname)<wbr>@int result = [someObject someMethod]; // Objective C code statement 2@% %(classname)<wbr>@NSObject *newObject = [[NSObject alloc] init]; // Objective C code statement 3@% ``` and yields: ``` <span class="classname"><wbr><code>generic code statement;</code></span> <span class="classname"><wbr><code>[someObject someMethod]; // Objective C code statement 1</code></span> <span class="classname"><wbr><code>int result = [someObject someMethod]; // Objective C code statement 2</code></span> <span class="classname"><wbr><code>NSObject *newObject = [[NSObject alloc] init]; // Objective C code statement 3</code></span> ``` In an effort to get more understanding of what was going "wrong" I added element `'@' => 'code'` to the `span_tags` array (on line 714 of the version 2.5.3 source code). That **partially** improved the results. The first set of examples provided above was now parsed into HTML as: ``` <span class="classname"><code>generic code statement;</code></span> <span class="classname"><code>; // Objective C code statement 1</code></span> <span class="classname"><code>int result = [someObject someMethod]; // Objective C code statement 2</code></span> <span class="classname"><code><span class="caps">NSO</span>bject *newObject = [[NSObject alloc] init]; // Objective C code statement 3</code></span> ``` As you can see Objective C code statements 1 and 3 are not parsed correctly. In the 1st statement the part that appears between the square brackets is removed, together with the square brackets. In the 3rd statement the `NSObject` is parsed into HTML as `<span class="caps">NSO</span>bject` even though it appears _inside_ the `@` code span markup.
defect
using code span markup inside regular span markup gives unexpected results i apologise if this post is too verbose i ve tried to give as much background as i thought was necessary to illustrate the issue i use textile for a software documentation project and have realised the following textile markup gives unexpected results classname generic code statement classname objective c code statement classname int result objective c code statement classname nsobject newobject init objective c code statement i expect those markups to be parsed into html as follows in order generic code statement objective c code statement int result objective c code statement nsobject newobject init objective c code statement instead they are rendered as follows the tags are not generated generic code statement objective c code statement int result objective c code statement nsobject newobject init objective c code statement i confirmed that this behavior applies to versions as well as version current master at time of writing i haven t tried any other versions the objective c examples might seem obsolete but they are provided as context in a potential direction for a fix discussed further below i ve tried a number of markup variations like wrapping parts of the markup in square brackets to work around this but with no success the only useable workaround i ve found so far is adding an empty html comment tag or word break opportunity tag characters less to type when generating output immediately in front of the opening code span markup tag i assume the character of the html tag is interpreted as interpunction and allows the parsing rules to correctly interpret the code span markup that follows to illustrate the textile markup now looks like examples classname generic code statement classname objective c code statement classname int result objective c code statement classname nsobject newobject init objective c code statement and yields generic code statement objective c code statement int result objective c code statement nsobject newobject init objective c code statement in an effort to get more understanding of what was going wrong i added element code to the span tags array on line of the version source code that partially improved the results the first set of examples provided above was now parsed into html as generic code statement objective c code statement int result objective c code statement nso bject newobject init objective c code statement as you can see objective c code statements and are not parsed correctly in the statement the part that appears between the square brackets is removed together with the square brackets in the statement the nsobject is parsed into html as nso bject even though it appears inside the code span markup
1
22,536
3,663,924,942
IssuesEvent
2016-02-19 09:15:47
miracle091/transmission-remote-dotnet
https://api.github.com/repos/miracle091/transmission-remote-dotnet
closed
Network share... again
Priority-Medium Type-Defect
``` I've installed latest version from http://elbandi.net/transmission-remote-dotnet/transmission-remote-dotnet-r722-in staller.exe and set up some network settings for sharing i.e. samba folder for torrents. Although everything works fine i can't open network share thru TRD. It reminds me earlier issue nr 206. If You can please check it ``` Original issue reported on code.google.com by `ml.ci...@gmail.com` on 26 Jan 2011 at 10:40 Attachments: * [Schowek02.jpg](https://storage.googleapis.com/google-code-attachments/transmission-remote-dotnet/issue-366/comment-0/Schowek02.jpg)
1.0
Network share... again - ``` I've installed latest version from http://elbandi.net/transmission-remote-dotnet/transmission-remote-dotnet-r722-in staller.exe and set up some network settings for sharing i.e. samba folder for torrents. Although everything works fine i can't open network share thru TRD. It reminds me earlier issue nr 206. If You can please check it ``` Original issue reported on code.google.com by `ml.ci...@gmail.com` on 26 Jan 2011 at 10:40 Attachments: * [Schowek02.jpg](https://storage.googleapis.com/google-code-attachments/transmission-remote-dotnet/issue-366/comment-0/Schowek02.jpg)
defect
network share again i ve installed latest version from staller exe and set up some network settings for sharing i e samba folder for torrents although everything works fine i can t open network share thru trd it reminds me earlier issue nr if you can please check it original issue reported on code google com by ml ci gmail com on jan at attachments
1
60,423
17,023,422,020
IssuesEvent
2021-07-03 01:56:58
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Problems caused by Italian translation
Component: website Priority: critical Resolution: fixed Type: defect
**[Submitted to the original trac issue database at 5.27pm, Tuesday, 9th June 2009]** "Edit" and "Overlays Data" don't work using the Italian translation.
1.0
Problems caused by Italian translation - **[Submitted to the original trac issue database at 5.27pm, Tuesday, 9th June 2009]** "Edit" and "Overlays Data" don't work using the Italian translation.
defect
problems caused by italian translation edit and overlays data don t work using the italian translation
1
37,197
18,172,108,882
IssuesEvent
2021-09-27 21:18:13
lemurheavy/coveralls-public
https://api.github.com/repos/lemurheavy/coveralls-public
closed
DataTables warning: table id=DataTables_Table_0
site-performance
Hi, I'm getting an error `DataTables warning: table id=DataTables_Table_0 - Ajax error. For more information about this error, please see http://datatables.net/tn/7` For example, job: `https://coveralls.io/jobs/87199716` Perhaps, there are still some problems after db maintenance.
True
DataTables warning: table id=DataTables_Table_0 - Hi, I'm getting an error `DataTables warning: table id=DataTables_Table_0 - Ajax error. For more information about this error, please see http://datatables.net/tn/7` For example, job: `https://coveralls.io/jobs/87199716` Perhaps, there are still some problems after db maintenance.
non_defect
datatables warning table id datatables table hi i m getting an error datatables warning table id datatables table ajax error for more information about this error please see for example job perhaps there are still some problems after db maintenance
0
57,096
15,686,104,542
IssuesEvent
2021-03-25 12:05:39
scipy/scipy
https://api.github.com/repos/scipy/scipy
closed
Do not use numpy 1.20(conda-forge) if you are setting up a development environment on MacOSX
defect scipy.stats
I was setting up a development environment following the instructions in https://github.com/scipy/scipy/blob/a3762621acffe970fc50471acddb927253821ec5/doc/source/dev/contributor/quickstart_mac.rst. After I successfully built the package , I run the tests and found that I failed one case: ``` ===================================== FAILURES ===================================== ___________________ TestPareto.test_fit_MLE_comp_optimzer[5-2-1] ___________________ scipy/stats/tests/test_distributions.py:1220: in test_fit_MLE_comp_optimzer data = stats.pareto.rvs(size=100, b=rvs_shape, scale=rvs_scale, rvs_loc = 2 rvs_scale = 5 rvs_shape = 1 self = <scipy.stats.tests.test_distributions.TestPareto object at 0x7fbc0d0c5190> scipy/stats/_distn_infrastructure.py:1083: in rvs vals = self._rvs(*args, size=size, random_state=random_state) args = [array(1)] cond = True discrete = None kwds = {'b': 1, 'loc': 2, 'scale': 5, 'size': 100} loc = array(2) random_state = RandomState(MT19937) at 0x7FC916407340 rndm = None scale = array(5) self = <scipy.stats._continuous_distns.pareto_gen object at 0x7fc91cfba940> size = (100,) scipy/stats/_distn_infrastructure.py:1002: in _rvs Y = self._ppf(U, *args) U = array([0.67187408, 0.57133891, 0.35709936, 0.06427347, 0.70781964, 0.23479277, 0.78527427, 0.35995472, 0.071321...75, 0.69749849, 0.32637725, 0.30588742, 0.87462436, 0.86471158, 0.7347657 , 0.2771359 , 0.35753846, 0.27735148]) args = (array(1),) random_state = RandomState(MT19937) at 0x7FC916407340 self = <scipy.stats._continuous_distns.pareto_gen object at 0x7fc91cfba940> size = (100,) scipy/stats/_continuous_distns.py:6247: in _ppf return pow(1-q, -1.0/b) E RuntimeWarning: invalid value encountered in reciprocal b = array(1) q = array([0.67187408, 0.57133891, 0.35709936, 0.06427347, 0.70781964, 0.23479277, 0.78527427, 0.35995472, 0.071321...75, 0.69749849, 0.32637725, 0.30588742, 0.87462436, 0.86471158, 0.7347657 , 0.2771359 , 0.35753846, 0.27735148]) self = <scipy.stats._continuous_distns.pareto_gen object at 0x7fc91cfba940> ============================= short test summary info ============================== FAILED scipy/stats/tests/test_distributions.py::TestPareto::test_fit_MLE_comp_optimzer[5-2-1] = 1 failed, 31512 passed, 2070 skipped, 11112 deselected, 91 xfailed, 5 xpassed in 379.08s (0:06:19) = ``` I spent a lot of time debugging and I found this numpy issue: https://github.com/conda-forge/numpy-feedstock/issues/229 I found that when I installed pythran, it will update my numpy from 1.19(defaults) to 1.20.1(conda-forge) automatically. If I downgraded numpy to 1.19.5 (conda-forge)and rebuild it, I can pass all the tests.
1.0
Do not use numpy 1.20(conda-forge) if you are setting up a development environment on MacOSX - I was setting up a development environment following the instructions in https://github.com/scipy/scipy/blob/a3762621acffe970fc50471acddb927253821ec5/doc/source/dev/contributor/quickstart_mac.rst. After I successfully built the package , I run the tests and found that I failed one case: ``` ===================================== FAILURES ===================================== ___________________ TestPareto.test_fit_MLE_comp_optimzer[5-2-1] ___________________ scipy/stats/tests/test_distributions.py:1220: in test_fit_MLE_comp_optimzer data = stats.pareto.rvs(size=100, b=rvs_shape, scale=rvs_scale, rvs_loc = 2 rvs_scale = 5 rvs_shape = 1 self = <scipy.stats.tests.test_distributions.TestPareto object at 0x7fbc0d0c5190> scipy/stats/_distn_infrastructure.py:1083: in rvs vals = self._rvs(*args, size=size, random_state=random_state) args = [array(1)] cond = True discrete = None kwds = {'b': 1, 'loc': 2, 'scale': 5, 'size': 100} loc = array(2) random_state = RandomState(MT19937) at 0x7FC916407340 rndm = None scale = array(5) self = <scipy.stats._continuous_distns.pareto_gen object at 0x7fc91cfba940> size = (100,) scipy/stats/_distn_infrastructure.py:1002: in _rvs Y = self._ppf(U, *args) U = array([0.67187408, 0.57133891, 0.35709936, 0.06427347, 0.70781964, 0.23479277, 0.78527427, 0.35995472, 0.071321...75, 0.69749849, 0.32637725, 0.30588742, 0.87462436, 0.86471158, 0.7347657 , 0.2771359 , 0.35753846, 0.27735148]) args = (array(1),) random_state = RandomState(MT19937) at 0x7FC916407340 self = <scipy.stats._continuous_distns.pareto_gen object at 0x7fc91cfba940> size = (100,) scipy/stats/_continuous_distns.py:6247: in _ppf return pow(1-q, -1.0/b) E RuntimeWarning: invalid value encountered in reciprocal b = array(1) q = array([0.67187408, 0.57133891, 0.35709936, 0.06427347, 0.70781964, 0.23479277, 0.78527427, 0.35995472, 0.071321...75, 0.69749849, 0.32637725, 0.30588742, 0.87462436, 0.86471158, 0.7347657 , 0.2771359 , 0.35753846, 0.27735148]) self = <scipy.stats._continuous_distns.pareto_gen object at 0x7fc91cfba940> ============================= short test summary info ============================== FAILED scipy/stats/tests/test_distributions.py::TestPareto::test_fit_MLE_comp_optimzer[5-2-1] = 1 failed, 31512 passed, 2070 skipped, 11112 deselected, 91 xfailed, 5 xpassed in 379.08s (0:06:19) = ``` I spent a lot of time debugging and I found this numpy issue: https://github.com/conda-forge/numpy-feedstock/issues/229 I found that when I installed pythran, it will update my numpy from 1.19(defaults) to 1.20.1(conda-forge) automatically. If I downgraded numpy to 1.19.5 (conda-forge)and rebuild it, I can pass all the tests.
defect
do not use numpy conda forge if you are setting up a development environment on macosx i was setting up a development environment following the instructions in after i successfully built the package i run the tests and found that i failed one case failures testpareto test fit mle comp optimzer scipy stats tests test distributions py in test fit mle comp optimzer data stats pareto rvs size b rvs shape scale rvs scale rvs loc rvs scale rvs shape self scipy stats distn infrastructure py in rvs vals self rvs args size size random state random state args cond true discrete none kwds b loc scale size loc array random state randomstate at rndm none scale array self size scipy stats distn infrastructure py in rvs y self ppf u args u array args array random state randomstate at self size scipy stats continuous distns py in ppf return pow q b e runtimewarning invalid value encountered in reciprocal b array q array self short test summary info failed scipy stats tests test distributions py testpareto test fit mle comp optimzer failed passed skipped deselected xfailed xpassed in i spent a lot of time debugging and i found this numpy issue i found that when i installed pythran it will update my numpy from defaults to conda forge automatically if i downgraded numpy to conda forge and rebuild it i can pass all the tests
1
48,073
13,067,428,103
IssuesEvent
2020-07-31 00:25:21
icecube-trac/tix2
https://api.github.com/repos/icecube-trac/tix2
closed
[steamshovel] use of __all__ confuses sphinx documentation (Trac #1739)
Migrated from Trac combo core defect
`artists/__init__.py` uses `__all__` to specify the submodules in the package, but this confuses sphinx ```text /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute AngleClock /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Bubbles /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute CoordinateSystem /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute DOMLabel /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute DOMLaunchHistogram /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Ice /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute LEDPowerHouse /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute ParticleUncertainty /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute PhotonPaths /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute PlaneWave /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Position /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute RecoPulseWaveform /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute TextSummary /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute UserLabel /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Waveform ``` Migrated from https://code.icecube.wisc.edu/ticket/1739 ```json { "status": "closed", "changetime": "2019-02-13T14:12:38", "description": "`artists/__init__.py` uses `__all__` to specify the submodules in the package, but this confuses sphinx\n{{{\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute AngleClock\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Bubbles\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute CoordinateSystem\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute DOMLabel\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute DOMLaunchHistogram\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Ice\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute LEDPowerHouse\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute ParticleUncertainty\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute PhotonPaths\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute PlaneWave\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Position\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute RecoPulseWaveform\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute TextSummary\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute UserLabel\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Waveform\n\n}}}\n", "reporter": "kjmeagher", "cc": "", "resolution": "wontfix", "_ts": "1550067158057333", "component": "combo core", "summary": "[steamshovel] use of __all__ confuses sphinx documentation", "priority": "minor", "keywords": "documentation", "time": "2016-06-10T08:35:27", "milestone": "", "owner": "hdembinski", "type": "defect" } ```
1.0
[steamshovel] use of __all__ confuses sphinx documentation (Trac #1739) - `artists/__init__.py` uses `__all__` to specify the submodules in the package, but this confuses sphinx ```text /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute AngleClock /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Bubbles /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute CoordinateSystem /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute DOMLabel /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute DOMLaunchHistogram /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Ice /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute LEDPowerHouse /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute ParticleUncertainty /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute PhotonPaths /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute PlaneWave /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Position /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute RecoPulseWaveform /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute TextSummary /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute UserLabel /Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Waveform ``` Migrated from https://code.icecube.wisc.edu/ticket/1739 ```json { "status": "closed", "changetime": "2019-02-13T14:12:38", "description": "`artists/__init__.py` uses `__all__` to specify the submodules in the package, but this confuses sphinx\n{{{\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute AngleClock\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Bubbles\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute CoordinateSystem\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute DOMLabel\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute DOMLaunchHistogram\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Ice\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute LEDPowerHouse\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute ParticleUncertainty\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute PhotonPaths\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute PlaneWave\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Position\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute RecoPulseWaveform\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute TextSummary\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute UserLabel\n/Users/kmeagher/icecube/combo/release/sphinx_build/source/python/icecube.steamshovel.artists.rst:4: WARNING: missing attribute mentioned in :members: or __all__: module icecube.steamshovel.artists, attribute Waveform\n\n}}}\n", "reporter": "kjmeagher", "cc": "", "resolution": "wontfix", "_ts": "1550067158057333", "component": "combo core", "summary": "[steamshovel] use of __all__ confuses sphinx documentation", "priority": "minor", "keywords": "documentation", "time": "2016-06-10T08:35:27", "milestone": "", "owner": "hdembinski", "type": "defect" } ```
defect
use of all confuses sphinx documentation trac artists init py uses all to specify the submodules in the package but this confuses sphinx text users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute angleclock users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute bubbles users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute coordinatesystem users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute domlabel users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute domlaunchhistogram users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute ice users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute ledpowerhouse users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute particleuncertainty users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute photonpaths users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute planewave users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute position users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute recopulsewaveform users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute textsummary users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute userlabel users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute waveform migrated from json status closed changetime description artists init py uses all to specify the submodules in the package but this confuses sphinx n n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute angleclock n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute bubbles n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute coordinatesystem n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute domlabel n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute domlaunchhistogram n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute ice n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute ledpowerhouse n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute particleuncertainty n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute photonpaths n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute planewave n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute position n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute recopulsewaveform n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute textsummary n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute userlabel n users kmeagher icecube combo release sphinx build source python icecube steamshovel artists rst warning missing attribute mentioned in members or all module icecube steamshovel artists attribute waveform n n n reporter kjmeagher cc resolution wontfix ts component combo core summary use of all confuses sphinx documentation priority minor keywords documentation time milestone owner hdembinski type defect
1
41,302
10,375,189,249
IssuesEvent
2019-09-09 11:25:31
primefaces/primereact
https://api.github.com/repos/primefaces/primereact
closed
DataTable has null state under certain conditions
defect
### There is no guarantee in receiving an immediate response in GitHub Issue Tracker, If you'd like to secure our response, you may consider *PrimeReact PRO Support* where support is provided within 4 business hours **I'm submitting a ...** (check one with "x") ``` [ X] bug report [ ] feature request [ ] support request => Please do not submit support request here, instead see https://forum.primefaces.org/viewforum.php?f=57 ``` **Codesandbox Case (Bug Reports)** https://codesandbox.io/embed/primereact-test-5nlv3 **Current behavior** DataTable with onPage, onSort, onFilter and reorderable columns has null state when there's no state in current session storage. DataTable.js:1418 Uncaught TypeError: Cannot read property 'columnOrder' of null at DataTable.getColumns (DataTable.js:1418) at DataTable.render (DataTable.js:1546) **Expected behavior** Successful DataTable rendering. **Minimal reproduction of the problem with instructions** Create DataTable with onPage, onSort, onFilter methods and reorderable columns (lazy loading with sort and filter features). **Please tell us about your environment:** Fedora 30, IntelliJ Ultimate 2019.2, NPM 6.9.0 * **React version:** 16.8.6 * **PrimeReact version:** 3.1.9 * **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 ] <!-- All browsers where this could be reproduced --> Chrome, Firefox * **Language:** [all | TypeScript X.X | ES6/7 | ES5] ES6
1.0
DataTable has null state under certain conditions - ### There is no guarantee in receiving an immediate response in GitHub Issue Tracker, If you'd like to secure our response, you may consider *PrimeReact PRO Support* where support is provided within 4 business hours **I'm submitting a ...** (check one with "x") ``` [ X] bug report [ ] feature request [ ] support request => Please do not submit support request here, instead see https://forum.primefaces.org/viewforum.php?f=57 ``` **Codesandbox Case (Bug Reports)** https://codesandbox.io/embed/primereact-test-5nlv3 **Current behavior** DataTable with onPage, onSort, onFilter and reorderable columns has null state when there's no state in current session storage. DataTable.js:1418 Uncaught TypeError: Cannot read property 'columnOrder' of null at DataTable.getColumns (DataTable.js:1418) at DataTable.render (DataTable.js:1546) **Expected behavior** Successful DataTable rendering. **Minimal reproduction of the problem with instructions** Create DataTable with onPage, onSort, onFilter methods and reorderable columns (lazy loading with sort and filter features). **Please tell us about your environment:** Fedora 30, IntelliJ Ultimate 2019.2, NPM 6.9.0 * **React version:** 16.8.6 * **PrimeReact version:** 3.1.9 * **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 ] <!-- All browsers where this could be reproduced --> Chrome, Firefox * **Language:** [all | TypeScript X.X | ES6/7 | ES5] ES6
defect
datatable has null state under certain conditions there is no guarantee in receiving an immediate response in github issue tracker if you d like to secure our response you may consider primereact pro support where support is provided within business hours i m submitting a check one with x bug report feature request support request please do not submit support request here instead see codesandbox case bug reports current behavior datatable with onpage onsort onfilter and reorderable columns has null state when there s no state in current session storage datatable js uncaught typeerror cannot read property columnorder of null at datatable getcolumns datatable js at datatable render datatable js expected behavior successful datatable rendering minimal reproduction of the problem with instructions create datatable with onpage onsort onfilter methods and reorderable columns lazy loading with sort and filter features please tell us about your environment fedora intellij ultimate npm react version primereact version browser chrome firefox language
1
15,880
20,070,548,980
IssuesEvent
2022-02-04 05:56:40
swig/swig
https://api.github.com/repos/swig/swig
opened
-DFOO works different to a real compiler preprocessor
preprocessor
In a C/C++ compiler, `-DFOO` on the command line sets `FOO` to `1`. In SWIG it sets `FOO` to an empty value. (In both SWIG and compilers, `#define FOO` in a file sets `FOO` to an empty value.) Reproducer (same result with 4.0.2 and git master): ``` $ cat emptydefine.i #define EMPTY2 [EMPTY1] [EMPTY2] $ gcc -E -xc -DEMPTY1 emptydefine.i # 0 "emptydefine.i" # 0 "<built-in>" # 0 "<command-line>" # 1 "/usr/include/stdc-predef.h" 1 3 4 # 0 "<command-line>" 2 # 1 "emptydefine.i" [1] [] $ clang-13 -E -xc -DEMPTY1 emptydefine.i # 1 "emptydefine.i" # 1 "<built-in>" 1 # 1 "<built-in>" 3 # 343 "<built-in>" 3 # 1 "<command line>" 1 # 1 "<built-in>" 2 # 1 "emptydefine.i" 2 [1] [] $ swig -E -python -DEMPTY1 emptydefine.i |tail -n3 [] [] %endoffile ``` The only SWIG documentation for `-D` seems to be this which says nothing about the value (not even that `-DFOO=bar` is supported): > -D<symbol> - Define a symbol <symbol> (for conditional compilation) Overall it seems better to fix this to me. It goes have a slight potential to break existing use of SWIG, but it's easy to fix - `-DFOO=` if you really want an empty value works now and would continue to work), but it would mean expectations based on compilers would be met going forwards (this quirk just tripped me up while trying to test something). 4.1.0 seems a reasonable release to address this in.
1.0
-DFOO works different to a real compiler preprocessor - In a C/C++ compiler, `-DFOO` on the command line sets `FOO` to `1`. In SWIG it sets `FOO` to an empty value. (In both SWIG and compilers, `#define FOO` in a file sets `FOO` to an empty value.) Reproducer (same result with 4.0.2 and git master): ``` $ cat emptydefine.i #define EMPTY2 [EMPTY1] [EMPTY2] $ gcc -E -xc -DEMPTY1 emptydefine.i # 0 "emptydefine.i" # 0 "<built-in>" # 0 "<command-line>" # 1 "/usr/include/stdc-predef.h" 1 3 4 # 0 "<command-line>" 2 # 1 "emptydefine.i" [1] [] $ clang-13 -E -xc -DEMPTY1 emptydefine.i # 1 "emptydefine.i" # 1 "<built-in>" 1 # 1 "<built-in>" 3 # 343 "<built-in>" 3 # 1 "<command line>" 1 # 1 "<built-in>" 2 # 1 "emptydefine.i" 2 [1] [] $ swig -E -python -DEMPTY1 emptydefine.i |tail -n3 [] [] %endoffile ``` The only SWIG documentation for `-D` seems to be this which says nothing about the value (not even that `-DFOO=bar` is supported): > -D<symbol> - Define a symbol <symbol> (for conditional compilation) Overall it seems better to fix this to me. It goes have a slight potential to break existing use of SWIG, but it's easy to fix - `-DFOO=` if you really want an empty value works now and would continue to work), but it would mean expectations based on compilers would be met going forwards (this quirk just tripped me up while trying to test something). 4.1.0 seems a reasonable release to address this in.
non_defect
dfoo works different to a real compiler preprocessor in a c c compiler dfoo on the command line sets foo to in swig it sets foo to an empty value in both swig and compilers define foo in a file sets foo to an empty value reproducer same result with and git master cat emptydefine i define gcc e xc emptydefine i emptydefine i usr include stdc predef h emptydefine i clang e xc emptydefine i emptydefine i emptydefine i swig e python emptydefine i tail endoffile the only swig documentation for d seems to be this which says nothing about the value not even that dfoo bar is supported d define a symbol for conditional compilation overall it seems better to fix this to me it goes have a slight potential to break existing use of swig but it s easy to fix dfoo if you really want an empty value works now and would continue to work but it would mean expectations based on compilers would be met going forwards this quirk just tripped me up while trying to test something seems a reasonable release to address this in
0
3,638
6,670,944,583
IssuesEvent
2017-10-04 03:31:25
material-motion/material-motion-js
https://api.github.com/repos/material-motion/material-motion-js
closed
Investigate popmotion or anime.js for web tweens
Needs research Process
There are a [few motion libraries](https://material-motion.gitbooks.io/material-motion-starmap/content/community_index/web.html) for JS right now. They are usually DOMful, but may have already solved the transform overloading. Look into it, and see if we can use any of that logic (or the library wholesale) to solve #36.
1.0
Investigate popmotion or anime.js for web tweens - There are a [few motion libraries](https://material-motion.gitbooks.io/material-motion-starmap/content/community_index/web.html) for JS right now. They are usually DOMful, but may have already solved the transform overloading. Look into it, and see if we can use any of that logic (or the library wholesale) to solve #36.
non_defect
investigate popmotion or anime js for web tweens there are a for js right now they are usually domful but may have already solved the transform overloading look into it and see if we can use any of that logic or the library wholesale to solve
0
4,900
2,610,160,293
IssuesEvent
2015-02-26 18:50:52
chrsmith/republic-at-war
https://api.github.com/repos/chrsmith/republic-at-war
closed
Text
auto-migrated Priority-Medium Type-Defect
``` correct idig geonosians objective ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 31 Jan 2011 at 2:29
1.0
Text - ``` correct idig geonosians objective ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 31 Jan 2011 at 2:29
defect
text correct idig geonosians objective original issue reported on code google com by gmail com on jan at
1
11,030
2,622,955,757
IssuesEvent
2015-03-04 09:03:28
folded/carve
https://api.github.com/repos/folded/carve
opened
How does one communicate about this project? (And Windows build - where is the patch?)
auto-migrated Priority-Medium Type-Defect
``` subject says it all. But in particular I am interested in whether anyone knows where the patch for Windows build is... Thx..... ``` Original issue reported on code.google.com by `c...@txcorp.com` on 17 Dec 2012 at 11:56
1.0
How does one communicate about this project? (And Windows build - where is the patch?) - ``` subject says it all. But in particular I am interested in whether anyone knows where the patch for Windows build is... Thx..... ``` Original issue reported on code.google.com by `c...@txcorp.com` on 17 Dec 2012 at 11:56
defect
how does one communicate about this project and windows build where is the patch subject says it all but in particular i am interested in whether anyone knows where the patch for windows build is thx original issue reported on code google com by c txcorp com on dec at
1
24,167
3,922,117,519
IssuesEvent
2016-04-22 03:49:32
furushchev/alchemy-2
https://api.github.com/repos/furushchev/alchemy-2
closed
Assertion `typeId == vgt->typeId' failed."
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. learnwts: ../src/logic/clause.h:1186: static void Clause::addVarId(Term* const&, const int&, const Domain* const&, Array<VarsGroundedType*>*&): Assertion `typeId == vgt->typeId' failed. Aborted 2. 3. What is the expected output? What do you see instead? What version of the product are you using? On what operating system? Please provide any additional information below. ``` Original issue reported on code.google.com by `wyuanyua...@gmail.com` on 3 Dec 2013 at 2:15 Attachments: * [ontomap-train.db](https://storage.googleapis.com/google-code-attachments/alchemy-2/issue-5/comment-0/ontomap-train.db) * [ontomap.mln](https://storage.googleapis.com/google-code-attachments/alchemy-2/issue-5/comment-0/ontomap.mln)
1.0
Assertion `typeId == vgt->typeId' failed." - ``` What steps will reproduce the problem? 1. learnwts: ../src/logic/clause.h:1186: static void Clause::addVarId(Term* const&, const int&, const Domain* const&, Array<VarsGroundedType*>*&): Assertion `typeId == vgt->typeId' failed. Aborted 2. 3. What is the expected output? What do you see instead? What version of the product are you using? On what operating system? Please provide any additional information below. ``` Original issue reported on code.google.com by `wyuanyua...@gmail.com` on 3 Dec 2013 at 2:15 Attachments: * [ontomap-train.db](https://storage.googleapis.com/google-code-attachments/alchemy-2/issue-5/comment-0/ontomap-train.db) * [ontomap.mln](https://storage.googleapis.com/google-code-attachments/alchemy-2/issue-5/comment-0/ontomap.mln)
defect
assertion typeid vgt typeid failed what steps will reproduce the problem learnwts src logic clause h static void clause addvarid term const const int const domain const array assertion typeid vgt typeid failed aborted what is the expected output what do you see instead what version of the product are you using on what operating system please provide any additional information below original issue reported on code google com by wyuanyua gmail com on dec at attachments
1
24,218
3,925,711,411
IssuesEvent
2016-04-22 20:04:45
OpenMS/OpenMS
https://api.github.com/repos/OpenMS/OpenMS
closed
MapAlignerIdentification doesn't work if peptide scores are PEPs
defect major TOPP
MapAlignerIdentification has a parameter "algorithm:peptide_score_threshold" that can be used to filter which peptide IDs should be considered for the alignment based on their scores. The default value of this parameter is zero, which should indicate that no filtering should take place. Unfortunately this does not work if the peptide scores are posterior error probabilities (PEPs), which range from zero (best) to one (worst). The way the filtering is implemented, only peptides with scores at least as good as the threshold are considered - but for PEPs, zero is the best possible score, so (almost) all peptide IDs are removed by the filter. Is it possible to use "NaN" as the default value for a double variable in OpenMS? (That could be used to solve the problem.)
1.0
MapAlignerIdentification doesn't work if peptide scores are PEPs - MapAlignerIdentification has a parameter "algorithm:peptide_score_threshold" that can be used to filter which peptide IDs should be considered for the alignment based on their scores. The default value of this parameter is zero, which should indicate that no filtering should take place. Unfortunately this does not work if the peptide scores are posterior error probabilities (PEPs), which range from zero (best) to one (worst). The way the filtering is implemented, only peptides with scores at least as good as the threshold are considered - but for PEPs, zero is the best possible score, so (almost) all peptide IDs are removed by the filter. Is it possible to use "NaN" as the default value for a double variable in OpenMS? (That could be used to solve the problem.)
defect
mapaligneridentification doesn t work if peptide scores are peps mapaligneridentification has a parameter algorithm peptide score threshold that can be used to filter which peptide ids should be considered for the alignment based on their scores the default value of this parameter is zero which should indicate that no filtering should take place unfortunately this does not work if the peptide scores are posterior error probabilities peps which range from zero best to one worst the way the filtering is implemented only peptides with scores at least as good as the threshold are considered but for peps zero is the best possible score so almost all peptide ids are removed by the filter is it possible to use nan as the default value for a double variable in openms that could be used to solve the problem
1
53,597
13,261,958,014
IssuesEvent
2020-08-20 20:50:42
icecube-trac/tix4
https://api.github.com/repos/icecube-trac/tix4
closed
[tableio] named argument in class declaration (Trac #1733)
Migrated from Trac cmake defect
The sphinx build gives the following error: ```text Traceback (most recent call last): File "/private/var/folders/rc/g_4_lyp9039cj1586zzg88f40000gn/T/pip-build-A327aa/sphinx/sphinx/ext/autodoc.py", line 385, in import_object File "/Users/kmeagher/icecube/combo/release/lib/icecube/tableio/enum3.py", line 43 class enum(baseEnum, metaclass=metaEnum): ^ SyntaxError: invalid syntax ``` <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/1733">https://code.icecube.wisc.edu/projects/icecube/ticket/1733</a>, reported by kjmeagherand owned by jvansanten</em></summary> <p> ```json { "status": "closed", "changetime": "2016-06-10T16:08:49", "_ts": "1465574929009082", "description": "The sphinx build gives the following error:\n{{{\nTraceback (most recent call last):\n File \"/private/var/folders/rc/g_4_lyp9039cj1586zzg88f40000gn/T/pip-build-A327aa/sphinx/sphinx/ext/autodoc.py\", line 385, in import_object\n File \"/Users/kmeagher/icecube/combo/release/lib/icecube/tableio/enum3.py\", line 43\n class enum(baseEnum, metaclass=metaEnum):\n ^\nSyntaxError: invalid syntax\n}}}\n", "reporter": "kjmeagher", "cc": "", "resolution": "duplicate", "time": "2016-06-10T07:25:28", "component": "cmake", "summary": "[tableio] named argument in class declaration", "priority": "normal", "keywords": "", "milestone": "Long-Term Future", "owner": "jvansanten", "type": "defect" } ``` </p> </details>
1.0
[tableio] named argument in class declaration (Trac #1733) - The sphinx build gives the following error: ```text Traceback (most recent call last): File "/private/var/folders/rc/g_4_lyp9039cj1586zzg88f40000gn/T/pip-build-A327aa/sphinx/sphinx/ext/autodoc.py", line 385, in import_object File "/Users/kmeagher/icecube/combo/release/lib/icecube/tableio/enum3.py", line 43 class enum(baseEnum, metaclass=metaEnum): ^ SyntaxError: invalid syntax ``` <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/1733">https://code.icecube.wisc.edu/projects/icecube/ticket/1733</a>, reported by kjmeagherand owned by jvansanten</em></summary> <p> ```json { "status": "closed", "changetime": "2016-06-10T16:08:49", "_ts": "1465574929009082", "description": "The sphinx build gives the following error:\n{{{\nTraceback (most recent call last):\n File \"/private/var/folders/rc/g_4_lyp9039cj1586zzg88f40000gn/T/pip-build-A327aa/sphinx/sphinx/ext/autodoc.py\", line 385, in import_object\n File \"/Users/kmeagher/icecube/combo/release/lib/icecube/tableio/enum3.py\", line 43\n class enum(baseEnum, metaclass=metaEnum):\n ^\nSyntaxError: invalid syntax\n}}}\n", "reporter": "kjmeagher", "cc": "", "resolution": "duplicate", "time": "2016-06-10T07:25:28", "component": "cmake", "summary": "[tableio] named argument in class declaration", "priority": "normal", "keywords": "", "milestone": "Long-Term Future", "owner": "jvansanten", "type": "defect" } ``` </p> </details>
defect
named argument in class declaration trac the sphinx build gives the following error text traceback most recent call last file private var folders rc g t pip build sphinx sphinx ext autodoc py line in import object file users kmeagher icecube combo release lib icecube tableio py line class enum baseenum metaclass metaenum syntaxerror invalid syntax migrated from json status closed changetime ts description the sphinx build gives the following error n ntraceback most recent call last n file private var folders rc g t pip build sphinx sphinx ext autodoc py line in import object n file users kmeagher icecube combo release lib icecube tableio py line n class enum baseenum metaclass metaenum n nsyntaxerror invalid syntax n n reporter kjmeagher cc resolution duplicate time component cmake summary named argument in class declaration priority normal keywords milestone long term future owner jvansanten type defect
1
60,978
7,432,647,614
IssuesEvent
2018-03-26 02:31:13
eventbrite/britecharts
https://api.github.com/repos/eventbrite/britecharts
closed
Add option to draw permanent highlight points to line chart
design enhancement proposal
We want to allow users to keep the dots highlighted on the line chart. They should probably have a slightly different styling as when we show them when hovering. ![](https://user-images.githubusercontent.com/17017234/34381051-fc6d1598-eb40-11e7-996b-cf144e0da919.png)
1.0
Add option to draw permanent highlight points to line chart - We want to allow users to keep the dots highlighted on the line chart. They should probably have a slightly different styling as when we show them when hovering. ![](https://user-images.githubusercontent.com/17017234/34381051-fc6d1598-eb40-11e7-996b-cf144e0da919.png)
non_defect
add option to draw permanent highlight points to line chart we want to allow users to keep the dots highlighted on the line chart they should probably have a slightly different styling as when we show them when hovering
0
789,303
27,786,067,163
IssuesEvent
2023-03-17 03:23:16
megabluerecon/github-issue-template
https://api.github.com/repos/megabluerecon/github-issue-template
opened
Explorer tabs are not found. 404 error.
bug Severity 3 Priority 3
**Describe the bug** Clicking on any of the tabs under 'EXPLORERS' **To Reproduce** Steps to reproduce the behavior: 1. Go to the top of the page. 2. Hover over 'EXPLORERS' and click on any of the link. 3. See error **Expected behavior** Users should expect to navigate to the page they're clicking. However, it is not found. **Desktop (please complete the following information):** - OS: Windows 11 - Browser [firefox]
1.0
Explorer tabs are not found. 404 error. - **Describe the bug** Clicking on any of the tabs under 'EXPLORERS' **To Reproduce** Steps to reproduce the behavior: 1. Go to the top of the page. 2. Hover over 'EXPLORERS' and click on any of the link. 3. See error **Expected behavior** Users should expect to navigate to the page they're clicking. However, it is not found. **Desktop (please complete the following information):** - OS: Windows 11 - Browser [firefox]
non_defect
explorer tabs are not found error describe the bug clicking on any of the tabs under explorers to reproduce steps to reproduce the behavior go to the top of the page hover over explorers and click on any of the link see error expected behavior users should expect to navigate to the page they re clicking however it is not found desktop please complete the following information os windows browser
0
46,870
11,902,623,422
IssuesEvent
2020-03-30 14:13:35
servo/servo
https://api.github.com/repos/servo/servo
closed
Remove transitive dependency of script on surfman
A-build I-refactor
webxr-api depends on surfman_chains (which depends on surfman) and surfman::Surface. script depends on webxr-api. This means that making changes to surfman backends cause script to rebuild, and this is a productivity killer.
1.0
Remove transitive dependency of script on surfman - webxr-api depends on surfman_chains (which depends on surfman) and surfman::Surface. script depends on webxr-api. This means that making changes to surfman backends cause script to rebuild, and this is a productivity killer.
non_defect
remove transitive dependency of script on surfman webxr api depends on surfman chains which depends on surfman and surfman surface script depends on webxr api this means that making changes to surfman backends cause script to rebuild and this is a productivity killer
0
21,532
29,828,452,941
IssuesEvent
2023-06-18 00:42:02
devssa/onde-codar-em-salvador
https://api.github.com/repos/devssa/onde-codar-em-salvador
closed
[Hibrido / Belo Horizonte, Minas Gerais, Brazil] Office 365 Developer na Coodesh
SALVADOR FRONT-END PJ JAVASCRIPT FULL-STACK HTML REQUISITOS PROCESSOS GITHUB Sketch ADOBE XD UMA SHAREPOINT AUTOMAÇÃO DE PROCESSOS ALOCADO Stale
## Descrição da vaga: Esta é uma vaga de um parceiro da plataforma Coodesh, ao candidatar-se você terá acesso as informações completas sobre a empresa e benefícios. Fique atento ao redirecionamento que vai te levar para uma url [https://coodesh.com](https://coodesh.com/jobs/office-365-developer-194401047?utm_source=github&utm_medium=devssa-onde-codar-em-salvador&modal=open) com o pop-up personalizado de candidatura. 👋 <p>O TSX Group está em busca de Office 365 Developer com experiência em Sharepoint e design front-end para se juntar à nossa equipe.</p> <p>A especialização das Unidades de Negócio do TSX Group constitui o cerne do diferencial competitivo de suas atribuições empresariais com a geração de valor para clientes, parceiros e sociedade a partir de uma atuação multidisciplinar e integrada. 30 anos de experiência orientam processos lógicos e maduros para soluções e performance de resultados com alto grau de maturidade no tratamento sistêmico de projetos.</p> <p>O desafio é estruturar a intranet da empresa, sendo responsável por criar toda a estrutura da intranet, cuidar da gestão do Sharepoint e também da parte de design frontend.</p> ## TSX Group: <p>A especialização das Unidades de Negócio do TSX Group constitui o cerne do diferencial competitivo de suas atribuições empresariais com a geração de valor para clientes, parceiros e sociedade a partir de uma atuação multidisciplinar e integrada.</p> <p><strong>30 anos de experiência</strong> orientam processos lógicos e maduros para soluções e performance de resultados com alto grau de maturidade no tratamento sistêmico de projetos.</p><a href='https://coodesh.com/companies/tsx-group'>Veja mais no site</a> ## Habilidades: - SharePoint - HTML - CSS - Javascript - Adobe XD ## Local: Belo Horizonte, Minas Gerais, Brazil ## Requisitos: - Experiência comprovada em desenvolvimento de intranet usando ferramentas do Office 365, em especial o Sharepoint; - Conhecimento sólido em tecnologias front-end, como HTML, CSS, JavaScript; - Familiaridade com ferramentas de design, como Adobe XD ou Sketch; - Experiência em automação de processos usando o Microsoft Power Automate ou outras ferramentas de automação; - Habilidades de comunicação e trabalho em equipe; - Criatividade e proatividade são essenciais. ## Diferenciais: - Experiência em customização e desenvolvimento de soluções usando Sharepoint Framework (SPFx). ## Como se candidatar: Candidatar-se exclusivamente através da plataforma Coodesh no link a seguir: [Office 365 Developer na TSX Group](https://coodesh.com/jobs/office-365-developer-194401047?utm_source=github&utm_medium=devssa-onde-codar-em-salvador&modal=open) Após candidatar-se via plataforma Coodesh e validar o seu login, você poderá acompanhar e receber todas as interações do processo por lá. Utilize a opção **Pedir Feedback** entre uma etapa e outra na vaga que se candidatou. Isso fará com que a pessoa **Recruiter** responsável pelo processo na empresa receba a notificação. ## Labels #### Alocação Alocado #### Regime PJ #### Categoria Full-Stack
2.0
[Hibrido / Belo Horizonte, Minas Gerais, Brazil] Office 365 Developer na Coodesh - ## Descrição da vaga: Esta é uma vaga de um parceiro da plataforma Coodesh, ao candidatar-se você terá acesso as informações completas sobre a empresa e benefícios. Fique atento ao redirecionamento que vai te levar para uma url [https://coodesh.com](https://coodesh.com/jobs/office-365-developer-194401047?utm_source=github&utm_medium=devssa-onde-codar-em-salvador&modal=open) com o pop-up personalizado de candidatura. 👋 <p>O TSX Group está em busca de Office 365 Developer com experiência em Sharepoint e design front-end para se juntar à nossa equipe.</p> <p>A especialização das Unidades de Negócio do TSX Group constitui o cerne do diferencial competitivo de suas atribuições empresariais com a geração de valor para clientes, parceiros e sociedade a partir de uma atuação multidisciplinar e integrada. 30 anos de experiência orientam processos lógicos e maduros para soluções e performance de resultados com alto grau de maturidade no tratamento sistêmico de projetos.</p> <p>O desafio é estruturar a intranet da empresa, sendo responsável por criar toda a estrutura da intranet, cuidar da gestão do Sharepoint e também da parte de design frontend.</p> ## TSX Group: <p>A especialização das Unidades de Negócio do TSX Group constitui o cerne do diferencial competitivo de suas atribuições empresariais com a geração de valor para clientes, parceiros e sociedade a partir de uma atuação multidisciplinar e integrada.</p> <p><strong>30 anos de experiência</strong> orientam processos lógicos e maduros para soluções e performance de resultados com alto grau de maturidade no tratamento sistêmico de projetos.</p><a href='https://coodesh.com/companies/tsx-group'>Veja mais no site</a> ## Habilidades: - SharePoint - HTML - CSS - Javascript - Adobe XD ## Local: Belo Horizonte, Minas Gerais, Brazil ## Requisitos: - Experiência comprovada em desenvolvimento de intranet usando ferramentas do Office 365, em especial o Sharepoint; - Conhecimento sólido em tecnologias front-end, como HTML, CSS, JavaScript; - Familiaridade com ferramentas de design, como Adobe XD ou Sketch; - Experiência em automação de processos usando o Microsoft Power Automate ou outras ferramentas de automação; - Habilidades de comunicação e trabalho em equipe; - Criatividade e proatividade são essenciais. ## Diferenciais: - Experiência em customização e desenvolvimento de soluções usando Sharepoint Framework (SPFx). ## Como se candidatar: Candidatar-se exclusivamente através da plataforma Coodesh no link a seguir: [Office 365 Developer na TSX Group](https://coodesh.com/jobs/office-365-developer-194401047?utm_source=github&utm_medium=devssa-onde-codar-em-salvador&modal=open) Após candidatar-se via plataforma Coodesh e validar o seu login, você poderá acompanhar e receber todas as interações do processo por lá. Utilize a opção **Pedir Feedback** entre uma etapa e outra na vaga que se candidatou. Isso fará com que a pessoa **Recruiter** responsável pelo processo na empresa receba a notificação. ## Labels #### Alocação Alocado #### Regime PJ #### Categoria Full-Stack
non_defect
office developer na coodesh descrição da vaga esta é uma vaga de um parceiro da plataforma coodesh ao candidatar se você terá acesso as informações completas sobre a empresa e benefícios fique atento ao redirecionamento que vai te levar para uma url com o pop up personalizado de candidatura 👋 o tsx group está em busca de office developer com experiência em sharepoint e design front end para se juntar à nossa equipe a especialização das unidades de negócio do tsx group constitui o cerne do diferencial competitivo de suas atribuições empresariais com a geração de valor para clientes parceiros e sociedade a partir de uma atuação multidisciplinar e integrada anos de experiência orientam processos lógicos e maduros para soluções e performance de resultados com alto grau de maturidade no tratamento sistêmico de projetos o desafio é estruturar a intranet da empresa sendo responsável por criar toda a estrutura da intranet cuidar da gestão do sharepoint e também da parte de design frontend tsx group a especialização das unidades de negócio do tsx group constitui o cerne do diferencial competitivo de suas atribuições empresariais com a geração de valor para clientes parceiros e sociedade a partir de uma atuação multidisciplinar e integrada anos de experiência orientam processos lógicos e maduros para soluções e performance de resultados com alto grau de maturidade no tratamento sistêmico de projetos habilidades sharepoint html css javascript adobe xd local belo horizonte minas gerais brazil requisitos experiência comprovada em desenvolvimento de intranet usando ferramentas do office em especial o sharepoint conhecimento sólido em tecnologias front end como html css javascript familiaridade com ferramentas de design como adobe xd ou sketch experiência em automação de processos usando o microsoft power automate ou outras ferramentas de automação habilidades de comunicação e trabalho em equipe criatividade e proatividade são essenciais diferenciais experiência em customização e desenvolvimento de soluções usando sharepoint framework spfx como se candidatar candidatar se exclusivamente através da plataforma coodesh no link a seguir após candidatar se via plataforma coodesh e validar o seu login você poderá acompanhar e receber todas as interações do processo por lá utilize a opção pedir feedback entre uma etapa e outra na vaga que se candidatou isso fará com que a pessoa recruiter responsável pelo processo na empresa receba a notificação labels alocação alocado regime pj categoria full stack
0
12,925
2,730,212,238
IssuesEvent
2015-04-16 13:46:32
Cockatrice/Cockatrice
https://api.github.com/repos/Cockatrice/Cockatrice
closed
Cockatrice locks up on unknown tokens
Cockatrice Defect
I was recently watching some gameplay on the server. A player had a young pyromancer in play and was creating elemental tokens. They called it something else, and spit out blank red 1/1 token. I middle mouse clicked the tokens to see if it was just a translation error, but upon releasing the middle mouse button the pop up stayed visible. There was no way to close it. I had to go into task manager and manually kill it, whereupon it threw an error. Luckily the error doesn't appear to cause the program to crash.
1.0
Cockatrice locks up on unknown tokens - I was recently watching some gameplay on the server. A player had a young pyromancer in play and was creating elemental tokens. They called it something else, and spit out blank red 1/1 token. I middle mouse clicked the tokens to see if it was just a translation error, but upon releasing the middle mouse button the pop up stayed visible. There was no way to close it. I had to go into task manager and manually kill it, whereupon it threw an error. Luckily the error doesn't appear to cause the program to crash.
defect
cockatrice locks up on unknown tokens i was recently watching some gameplay on the server a player had a young pyromancer in play and was creating elemental tokens they called it something else and spit out blank red token i middle mouse clicked the tokens to see if it was just a translation error but upon releasing the middle mouse button the pop up stayed visible there was no way to close it i had to go into task manager and manually kill it whereupon it threw an error luckily the error doesn t appear to cause the program to crash
1
434
2,536,022,762
IssuesEvent
2015-01-26 10:13:00
GLab/ToMaTo
https://api.github.com/repos/GLab/ToMaTo
opened
Download Template Torrent: file names
complexity: simple component: webfrontend type: defect urgency: normal
the filename of a downloaded template torrent is just determined by its name. This means that templates with the same name but different techs have the same name.
1.0
Download Template Torrent: file names - the filename of a downloaded template torrent is just determined by its name. This means that templates with the same name but different techs have the same name.
defect
download template torrent file names the filename of a downloaded template torrent is just determined by its name this means that templates with the same name but different techs have the same name
1
18,528
2,615,172,883
IssuesEvent
2015-03-01 06:55:00
chrsmith/html5rocks
https://api.github.com/repos/chrsmith/html5rocks
closed
weird layout for slides page in opera
auto-migrated launch Priority-P2 Type-Bug
``` http://localhost:8080/en/slides ``` Original issue reported on code.google.com by `paulir...@google.com` on 13 Feb 2012 at 9:36
1.0
weird layout for slides page in opera - ``` http://localhost:8080/en/slides ``` Original issue reported on code.google.com by `paulir...@google.com` on 13 Feb 2012 at 9:36
non_defect
weird layout for slides page in opera original issue reported on code google com by paulir google com on feb at
0
8,796
2,612,276,217
IssuesEvent
2015-02-27 13:23:05
jOOQ/jOOQ
https://api.github.com/repos/jOOQ/jOOQ
closed
Use "&lt;" for "<" and "&gt;" for ">" in javadoc
C: Documentation P: Medium R: Fixed T: Defect
It's a bit confusing, when you write queries and see, for example, for **le** operation javadoc: ```java this = value``` instead of ```java this <= value```
1.0
Use "&lt;" for "<" and "&gt;" for ">" in javadoc - It's a bit confusing, when you write queries and see, for example, for **le** operation javadoc: ```java this = value``` instead of ```java this <= value```
defect
use lt for in javadoc it s a bit confusing when you write queries and see for example for le operation javadoc java this value instead of java this value
1
66,477
3,254,334,675
IssuesEvent
2015-10-19 23:26:02
EnvironmentOntology/envo
https://api.github.com/repos/EnvironmentOntology/envo
closed
NTR: population density
help wanted low priority New term
this would be an environmental quality. Not clear at all if ENVO is the right place. PCO? cc @rlwalls2008 We would use this neutral quality to define environmental exposures (of relevance to SDGIO type projects, public health, etc) as well as experimental treatments. The latter would be used to define GO response to X type terms, e.g. https://github.com/geneontology/go-ontology/issues/12100
1.0
NTR: population density - this would be an environmental quality. Not clear at all if ENVO is the right place. PCO? cc @rlwalls2008 We would use this neutral quality to define environmental exposures (of relevance to SDGIO type projects, public health, etc) as well as experimental treatments. The latter would be used to define GO response to X type terms, e.g. https://github.com/geneontology/go-ontology/issues/12100
non_defect
ntr population density this would be an environmental quality not clear at all if envo is the right place pco cc we would use this neutral quality to define environmental exposures of relevance to sdgio type projects public health etc as well as experimental treatments the latter would be used to define go response to x type terms e g
0
79,895
29,506,419,619
IssuesEvent
2023-06-03 11:18:51
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
opened
Cypress E2E test `sliding-sync.spec.ts` fails locally as well
T-Defect
### Steps to reproduce 1. Pull the latest develop branches of element-web, matrix-react-sdk, and matrix-js-sdk 2. Install 3. Run Cypress 4. Run `sliding-sync.spec.ts` ### Outcome #### What did you expect? The test should run successfully. #### What happened instead? It fails in the same way as the test fails on Cypress Cloud. Example: https://cloud.cypress.io/projects/ppvnzg/runs/4d536b2f-c345-4a32-9649-0552fe4c4a3c/test-results/931ac0d1-4535-41ac-86e7-7c9f28eec046 ![0](https://github.com/vector-im/element-web/assets/3362943/7d022043-2205-44ef-9565-927e7a2cadfc) ### Operating system Debian ### Browser information _No response_ ### URL for webapp _No response_ ### Application version _No response_ ### Homeserver _No response_ ### Will you send logs? No
1.0
Cypress E2E test `sliding-sync.spec.ts` fails locally as well - ### Steps to reproduce 1. Pull the latest develop branches of element-web, matrix-react-sdk, and matrix-js-sdk 2. Install 3. Run Cypress 4. Run `sliding-sync.spec.ts` ### Outcome #### What did you expect? The test should run successfully. #### What happened instead? It fails in the same way as the test fails on Cypress Cloud. Example: https://cloud.cypress.io/projects/ppvnzg/runs/4d536b2f-c345-4a32-9649-0552fe4c4a3c/test-results/931ac0d1-4535-41ac-86e7-7c9f28eec046 ![0](https://github.com/vector-im/element-web/assets/3362943/7d022043-2205-44ef-9565-927e7a2cadfc) ### Operating system Debian ### Browser information _No response_ ### URL for webapp _No response_ ### Application version _No response_ ### Homeserver _No response_ ### Will you send logs? No
defect
cypress test sliding sync spec ts fails locally as well steps to reproduce pull the latest develop branches of element web matrix react sdk and matrix js sdk install run cypress run sliding sync spec ts outcome what did you expect the test should run successfully what happened instead it fails in the same way as the test fails on cypress cloud example operating system debian browser information no response url for webapp no response application version no response homeserver no response will you send logs no
1
18,358
3,051,055,886
IssuesEvent
2015-08-12 05:05:39
canadainc/salat10
https://api.github.com/repos/canadainc/salat10
opened
If an Iqamah is set for Isha, and it is about to be Maghrib, then the Isha iqamah shows up instead of time
Component-Logic Priority-Critical Type-Defect
1. Set Isha iqamah. 2. Change time to be just before Maghrib. 3. Observe bug.
1.0
If an Iqamah is set for Isha, and it is about to be Maghrib, then the Isha iqamah shows up instead of time - 1. Set Isha iqamah. 2. Change time to be just before Maghrib. 3. Observe bug.
defect
if an iqamah is set for isha and it is about to be maghrib then the isha iqamah shows up instead of time set isha iqamah change time to be just before maghrib observe bug
1
400,761
27,298,953,839
IssuesEvent
2023-02-23 23:12:21
gbowne1/reactsocialnetwork
https://api.github.com/repos/gbowne1/reactsocialnetwork
closed
[CSS] Build Theme for light and dark mode
bug documentation enhancement help wanted good first issue question
**Describe the bug** [Theme] - [Done] Fix theme switch toggle [in nav bar next to user icon] or allow users default theme. Current theme coloring is dark mode. Edit: Dark Mode Colors: Black, Gray, White Light Mode Colors: Blue?? White?? **To Reproduce** Steps to reproduce the behavior: Run the dev server with npm start in the root dir. After the app loads in browser, Press Ctrl Shift J or otherwise load the browser console. 1. Go to 'Accessiblity' tab 2. Click on 'All issues' button next to "Check for issues:" 3. See errors which include Keyboard, Contrast and Text-leaf for the icons in the navbar and the **Expected behavior** Good color theme for dark and light mode which meets WCAG. **Desktop (please complete the following information):** - OS: [e.g. iOS] Linux, 64bit - Browser [e.g. chrome, safari] Firefox - Version [e.g. 22] 107 **Additional context** This is an accessibility and themeing issue.
1.0
[CSS] Build Theme for light and dark mode - **Describe the bug** [Theme] - [Done] Fix theme switch toggle [in nav bar next to user icon] or allow users default theme. Current theme coloring is dark mode. Edit: Dark Mode Colors: Black, Gray, White Light Mode Colors: Blue?? White?? **To Reproduce** Steps to reproduce the behavior: Run the dev server with npm start in the root dir. After the app loads in browser, Press Ctrl Shift J or otherwise load the browser console. 1. Go to 'Accessiblity' tab 2. Click on 'All issues' button next to "Check for issues:" 3. See errors which include Keyboard, Contrast and Text-leaf for the icons in the navbar and the **Expected behavior** Good color theme for dark and light mode which meets WCAG. **Desktop (please complete the following information):** - OS: [e.g. iOS] Linux, 64bit - Browser [e.g. chrome, safari] Firefox - Version [e.g. 22] 107 **Additional context** This is an accessibility and themeing issue.
non_defect
build theme for light and dark mode describe the bug fix theme switch toggle or allow users default theme current theme coloring is dark mode edit dark mode colors black gray white light mode colors blue white to reproduce steps to reproduce the behavior run the dev server with npm start in the root dir after the app loads in browser press ctrl shift j or otherwise load the browser console go to accessiblity tab click on all issues button next to check for issues see errors which include keyboard contrast and text leaf for the icons in the navbar and the expected behavior good color theme for dark and light mode which meets wcag desktop please complete the following information os linux browser firefox version additional context this is an accessibility and themeing issue
0
49,518
13,187,225,090
IssuesEvent
2020-08-13 02:44:42
icecube-trac/tix3
https://api.github.com/repos/icecube-trac/tix3
opened
documentation - The testing guide doesn't show how to use lcov/pycoverage for yourself (Trac #1582)
Incomplete Migration Migrated from Trac cmake defect
<details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/1582">https://code.icecube.wisc.edu/ticket/1582</a>, reported by nega and owned by nega</em></summary> <p> ```json { "status": "closed", "changetime": "2019-01-12T00:11:31", "description": "add that info to\n\nhttp://software.icecube.wisc.edu/icerec_trunk/complete_testing_guide.html", "reporter": "nega", "cc": "", "resolution": "fixed", "_ts": "1547251891330467", "component": "cmake", "summary": "documentation - The testing guide doesn't show how to use lcov/pycoverage for yourself", "priority": "normal", "keywords": "documentation", "time": "2016-03-08T01:25:15", "milestone": "", "owner": "nega", "type": "defect" } ``` </p> </details>
1.0
documentation - The testing guide doesn't show how to use lcov/pycoverage for yourself (Trac #1582) - <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/1582">https://code.icecube.wisc.edu/ticket/1582</a>, reported by nega and owned by nega</em></summary> <p> ```json { "status": "closed", "changetime": "2019-01-12T00:11:31", "description": "add that info to\n\nhttp://software.icecube.wisc.edu/icerec_trunk/complete_testing_guide.html", "reporter": "nega", "cc": "", "resolution": "fixed", "_ts": "1547251891330467", "component": "cmake", "summary": "documentation - The testing guide doesn't show how to use lcov/pycoverage for yourself", "priority": "normal", "keywords": "documentation", "time": "2016-03-08T01:25:15", "milestone": "", "owner": "nega", "type": "defect" } ``` </p> </details>
defect
documentation the testing guide doesn t show how to use lcov pycoverage for yourself trac migrated from json status closed changetime description add that info to n n reporter nega cc resolution fixed ts component cmake summary documentation the testing guide doesn t show how to use lcov pycoverage for yourself priority normal keywords documentation time milestone owner nega type defect
1
76,355
26,391,253,365
IssuesEvent
2023-01-12 15:50:31
DependencyTrack/dependency-track
https://api.github.com/repos/DependencyTrack/dependency-track
opened
relation "project_access_teams" does not exist at character 13
defect in triage
### Current Behavior We deployed Dependency-Track v4.7.0 via Helm chart on private Kubernetes cluster (chart repo https://github.com/evryfs/helm-charts/tree/master/charts/dependency-track). We have overridden parameters regarding dependency track application version (both frontend and apiserver), all LDAP connection parameters and Ingress definition, everything else is default. After everything was successfully deployed and started (Kubernetes said that liveness and readiness are OK, we did not investigate the logs of particular pod), we started configuring application. We added some teams successfully, added some AD users, uploaded some BOM for projects and everything was running smooth. After that we tried to delete some teams but received error, with stacktrace from apiserver below: <details> <summary>Stacktrace from apiserver</summary> 2023-01-12 15:16:37,707 ERROR [GlobalExceptionHandler] Uncaught internal server error javax.jdo.JDODataStoreException: Error executing SQL query "DELETE FROM PROJECT_ACCESS_TEAMS WHERE "PROJECT_ACCESS_TEAMS"."TEAM_ID" = ?". at org.datanucleus.api.jdo.JDOAdapter.getJDOExceptionForNucleusException(JDOAdapter.java:605) at org.datanucleus.api.jdo.JDOQuery.executeInternal(JDOQuery.java:456) at org.datanucleus.api.jdo.JDOQuery.executeWithArray(JDOQuery.java:318) at org.dependencytrack.persistence.QueryManager.recursivelyDeleteTeam(QueryManager.java:1278) at org.dependencytrack.resources.v1.TeamResource.deleteTeam(TeamResource.java:184) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) at java.base/jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) at java.base/java.lang.reflect.Method.invoke(Unknown Source) at org.glassfish.jersey.server.model.internal.ResourceMethodInvocationHandlerFactory.lambda$static$0(ResourceMethodInvocationHandlerFactory.java:52) at org.glassfish.jersey.server.model.internal.AbstractJavaResourceMethodDispatcher$1.run(AbstractJavaResourceMethodDispatcher.java:134) at org.glassfish.jersey.server.model.internal.AbstractJavaResourceMethodDispatcher.invoke(AbstractJavaResourceMethodDispatcher.java:177) at org.glassfish.jersey.server.model.internal.JavaResourceMethodDispatcherProvider$ResponseOutInvoker.doDispatch(JavaResourceMethodDispatcherProvider.java:176) at org.glassfish.jersey.server.model.internal.AbstractJavaResourceMethodDispatcher.dispatch(AbstractJavaResourceMethodDispatcher.java:81) at org.glassfish.jersey.server.model.ResourceMethodInvoker.invoke(ResourceMethodInvoker.java:478) at org.glassfish.jersey.server.model.ResourceMethodInvoker.apply(ResourceMethodInvoker.java:400) at org.glassfish.jersey.server.model.ResourceMethodInvoker.apply(ResourceMethodInvoker.java:81) at org.glassfish.jersey.server.ServerRuntime$1.run(ServerRuntime.java:255) at org.glassfish.jersey.internal.Errors$1.call(Errors.java:248) at org.glassfish.jersey.internal.Errors$1.call(Errors.java:244) at org.glassfish.jersey.internal.Errors.process(Errors.java:292) at org.glassfish.jersey.internal.Errors.process(Errors.java:274) at org.glassfish.jersey.internal.Errors.process(Errors.java:244) at org.glassfish.jersey.process.internal.RequestScope.runInScope(RequestScope.java:265) at org.glassfish.jersey.server.ServerRuntime.process(ServerRuntime.java:234) at org.glassfish.jersey.server.ApplicationHandler.handle(ApplicationHandler.java:684) at org.glassfish.jersey.servlet.WebComponent.serviceImpl(WebComponent.java:394) at org.glassfish.jersey.servlet.WebComponent.service(WebComponent.java:346) at org.glassfish.jersey.servlet.ServletContainer.service(ServletContainer.java:358) at org.glassfish.jersey.servlet.ServletContainer.service(ServletContainer.java:311) at org.glassfish.jersey.servlet.ServletContainer.service(ServletContainer.java:205) at org.eclipse.jetty.servlet.ServletHolder$NotAsync.service(ServletHolder.java:1419) at org.eclipse.jetty.servlet.ServletHolder.handle(ServletHolder.java:764) at org.eclipse.jetty.servlet.ServletHandler$ChainEnd.doFilter(ServletHandler.java:1665) at alpine.server.filters.ContentSecurityPolicyFilter.doFilter(ContentSecurityPolicyFilter.java:225) at org.eclipse.jetty.servlet.FilterHolder.doFilter(FilterHolder.java:202) at org.eclipse.jetty.servlet.ServletHandler$Chain.doFilter(ServletHandler.java:1635) at alpine.server.filters.ClickjackingFilter.doFilter(ClickjackingFilter.java:93) at org.eclipse.jetty.servlet.FilterHolder.doFilter(FilterHolder.java:202) at org.eclipse.jetty.servlet.ServletHandler$Chain.doFilter(ServletHandler.java:1635) at alpine.server.filters.WhitelistUrlFilter.doFilter(WhitelistUrlFilter.java:166) at org.eclipse.jetty.servlet.FilterHolder.doFilter(FilterHolder.java:210) at org.eclipse.jetty.servlet.ServletHandler$Chain.doFilter(ServletHandler.java:1635) at org.eclipse.jetty.servlet.ServletHandler.doHandle(ServletHandler.java:527) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:131) at org.eclipse.jetty.security.SecurityHandler.handle(SecurityHandler.java:578) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:122) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:223) at org.eclipse.jetty.server.session.SessionHandler.doHandle(SessionHandler.java:1571) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:221) at org.eclipse.jetty.server.handler.ContextHandler.doHandle(ContextHandler.java:1383) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:176) at org.eclipse.jetty.servlet.ServletHandler.doScope(ServletHandler.java:484) at org.eclipse.jetty.server.session.SessionHandler.doScope(SessionHandler.java:1544) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:174) at org.eclipse.jetty.server.handler.ContextHandler.doScope(ContextHandler.java:1305) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:129) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:122) at org.eclipse.jetty.server.Server.handle(Server.java:563) at org.eclipse.jetty.server.HttpChannel.lambda$handle$0(HttpChannel.java:505) at org.eclipse.jetty.server.HttpChannel.dispatch(HttpChannel.java:762) at org.eclipse.jetty.server.HttpChannel.handle(HttpChannel.java:497) at org.eclipse.jetty.server.HttpConnection.onFillable(HttpConnection.java:282) at org.eclipse.jetty.io.AbstractConnection$ReadCallback.succeeded(AbstractConnection.java:314) at org.eclipse.jetty.io.FillInterest.fillable(FillInterest.java:100) at org.eclipse.jetty.io.SelectableChannelEndPoint$1.run(SelectableChannelEndPoint.java:53) at org.eclipse.jetty.util.thread.strategy.AdaptiveExecutionStrategy.runTask(AdaptiveExecutionStrategy.java:421) at org.eclipse.jetty.util.thread.strategy.AdaptiveExecutionStrategy.consumeTask(AdaptiveExecutionStrategy.java:390) at org.eclipse.jetty.util.thread.strategy.AdaptiveExecutionStrategy.tryProduce(AdaptiveExecutionStrategy.java:277) at org.eclipse.jetty.util.thread.strategy.AdaptiveExecutionStrategy.lambda$new$0(AdaptiveExecutionStrategy.java:139) at org.eclipse.jetty.util.thread.ReservedThreadExecutor$ReservedThread.run(ReservedThreadExecutor.java:411) at org.eclipse.jetty.util.thread.QueuedThreadPool.runJob(QueuedThreadPool.java:933) at org.eclipse.jetty.util.thread.QueuedThreadPool$Runner.run(QueuedThreadPool.java:1077) at java.base/java.lang.Thread.run(Unknown Source) Caused by: org.postgresql.util.PSQLException: ERROR: relation "project_access_teams" does not exist Position: 13 at org.postgresql.core.v3.QueryExecutorImpl.receiveErrorResponse(QueryExecutorImpl.java:2676) at org.postgresql.core.v3.QueryExecutorImpl.processResults(QueryExecutorImpl.java:2366) at org.postgresql.core.v3.QueryExecutorImpl.execute(QueryExecutorImpl.java:356) at org.postgresql.jdbc.PgStatement.executeInternal(PgStatement.java:496) at org.postgresql.jdbc.PgStatement.execute(PgStatement.java:413) at org.postgresql.jdbc.PgPreparedStatement.executeWithFlags(PgPreparedStatement.java:190) at org.postgresql.jdbc.PgPreparedStatement.executeUpdate(PgPreparedStatement.java:152) at com.zaxxer.hikari.pool.ProxyPreparedStatement.executeUpdate(ProxyPreparedStatement.java:61) at com.zaxxer.hikari.pool.HikariProxyPreparedStatement.executeUpdate(HikariProxyPreparedStatement.java) at org.datanucleus.store.rdbms.SQLController.executeStatementUpdate(SQLController.java:430) at org.datanucleus.store.rdbms.query.SQLQuery.performExecute(SQLQuery.java:627) at org.datanucleus.store.query.Query.executeQuery(Query.java:2004) at org.datanucleus.store.rdbms.query.SQLQuery.executeWithArray(SQLQuery.java:824) at org.datanucleus.api.jdo.JDOQuery.executeInternal(JDOQuery.java:433) ... 72 common frames omitted </details> After this error occurred, I tried to create another deployment of Dependency Track on my local machine via Docker Compose. I did not change anything in configuration (so no LDAP, no different DB, etc., everything is default), just executed few commands that are defined on the web. On this local deployment I can create and delete teams without any error. ### Steps to Reproduce 1. Login with user that has ACCESS_MANAGEMENT permissions (we used initial admin user) 2. Navigate to Settings -> Access Management ->Teams 3. Select some team and try to delete it ### Expected Behavior Should be able to delete any team with user that has appropriate permissions. ### Dependency-Track Version 4.7.0 ### Dependency-Track Distribution Container Image ### Database Server PostgreSQL ### Database Server Version 11.13 ### Browser Google Chrome ### Checklist - [X] I have read and understand the [contributing guidelines](https://github.com/DependencyTrack/dependency-track/blob/master/CONTRIBUTING.md#filing-issues) - [X] I have checked the [existing issues](https://github.com/DependencyTrack/dependency-track/issues) for whether this defect was already reported
1.0
relation "project_access_teams" does not exist at character 13 - ### Current Behavior We deployed Dependency-Track v4.7.0 via Helm chart on private Kubernetes cluster (chart repo https://github.com/evryfs/helm-charts/tree/master/charts/dependency-track). We have overridden parameters regarding dependency track application version (both frontend and apiserver), all LDAP connection parameters and Ingress definition, everything else is default. After everything was successfully deployed and started (Kubernetes said that liveness and readiness are OK, we did not investigate the logs of particular pod), we started configuring application. We added some teams successfully, added some AD users, uploaded some BOM for projects and everything was running smooth. After that we tried to delete some teams but received error, with stacktrace from apiserver below: <details> <summary>Stacktrace from apiserver</summary> 2023-01-12 15:16:37,707 ERROR [GlobalExceptionHandler] Uncaught internal server error javax.jdo.JDODataStoreException: Error executing SQL query "DELETE FROM PROJECT_ACCESS_TEAMS WHERE "PROJECT_ACCESS_TEAMS"."TEAM_ID" = ?". at org.datanucleus.api.jdo.JDOAdapter.getJDOExceptionForNucleusException(JDOAdapter.java:605) at org.datanucleus.api.jdo.JDOQuery.executeInternal(JDOQuery.java:456) at org.datanucleus.api.jdo.JDOQuery.executeWithArray(JDOQuery.java:318) at org.dependencytrack.persistence.QueryManager.recursivelyDeleteTeam(QueryManager.java:1278) at org.dependencytrack.resources.v1.TeamResource.deleteTeam(TeamResource.java:184) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) at java.base/jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) at java.base/java.lang.reflect.Method.invoke(Unknown Source) at org.glassfish.jersey.server.model.internal.ResourceMethodInvocationHandlerFactory.lambda$static$0(ResourceMethodInvocationHandlerFactory.java:52) at org.glassfish.jersey.server.model.internal.AbstractJavaResourceMethodDispatcher$1.run(AbstractJavaResourceMethodDispatcher.java:134) at org.glassfish.jersey.server.model.internal.AbstractJavaResourceMethodDispatcher.invoke(AbstractJavaResourceMethodDispatcher.java:177) at org.glassfish.jersey.server.model.internal.JavaResourceMethodDispatcherProvider$ResponseOutInvoker.doDispatch(JavaResourceMethodDispatcherProvider.java:176) at org.glassfish.jersey.server.model.internal.AbstractJavaResourceMethodDispatcher.dispatch(AbstractJavaResourceMethodDispatcher.java:81) at org.glassfish.jersey.server.model.ResourceMethodInvoker.invoke(ResourceMethodInvoker.java:478) at org.glassfish.jersey.server.model.ResourceMethodInvoker.apply(ResourceMethodInvoker.java:400) at org.glassfish.jersey.server.model.ResourceMethodInvoker.apply(ResourceMethodInvoker.java:81) at org.glassfish.jersey.server.ServerRuntime$1.run(ServerRuntime.java:255) at org.glassfish.jersey.internal.Errors$1.call(Errors.java:248) at org.glassfish.jersey.internal.Errors$1.call(Errors.java:244) at org.glassfish.jersey.internal.Errors.process(Errors.java:292) at org.glassfish.jersey.internal.Errors.process(Errors.java:274) at org.glassfish.jersey.internal.Errors.process(Errors.java:244) at org.glassfish.jersey.process.internal.RequestScope.runInScope(RequestScope.java:265) at org.glassfish.jersey.server.ServerRuntime.process(ServerRuntime.java:234) at org.glassfish.jersey.server.ApplicationHandler.handle(ApplicationHandler.java:684) at org.glassfish.jersey.servlet.WebComponent.serviceImpl(WebComponent.java:394) at org.glassfish.jersey.servlet.WebComponent.service(WebComponent.java:346) at org.glassfish.jersey.servlet.ServletContainer.service(ServletContainer.java:358) at org.glassfish.jersey.servlet.ServletContainer.service(ServletContainer.java:311) at org.glassfish.jersey.servlet.ServletContainer.service(ServletContainer.java:205) at org.eclipse.jetty.servlet.ServletHolder$NotAsync.service(ServletHolder.java:1419) at org.eclipse.jetty.servlet.ServletHolder.handle(ServletHolder.java:764) at org.eclipse.jetty.servlet.ServletHandler$ChainEnd.doFilter(ServletHandler.java:1665) at alpine.server.filters.ContentSecurityPolicyFilter.doFilter(ContentSecurityPolicyFilter.java:225) at org.eclipse.jetty.servlet.FilterHolder.doFilter(FilterHolder.java:202) at org.eclipse.jetty.servlet.ServletHandler$Chain.doFilter(ServletHandler.java:1635) at alpine.server.filters.ClickjackingFilter.doFilter(ClickjackingFilter.java:93) at org.eclipse.jetty.servlet.FilterHolder.doFilter(FilterHolder.java:202) at org.eclipse.jetty.servlet.ServletHandler$Chain.doFilter(ServletHandler.java:1635) at alpine.server.filters.WhitelistUrlFilter.doFilter(WhitelistUrlFilter.java:166) at org.eclipse.jetty.servlet.FilterHolder.doFilter(FilterHolder.java:210) at org.eclipse.jetty.servlet.ServletHandler$Chain.doFilter(ServletHandler.java:1635) at org.eclipse.jetty.servlet.ServletHandler.doHandle(ServletHandler.java:527) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:131) at org.eclipse.jetty.security.SecurityHandler.handle(SecurityHandler.java:578) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:122) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:223) at org.eclipse.jetty.server.session.SessionHandler.doHandle(SessionHandler.java:1571) at org.eclipse.jetty.server.handler.ScopedHandler.nextHandle(ScopedHandler.java:221) at org.eclipse.jetty.server.handler.ContextHandler.doHandle(ContextHandler.java:1383) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:176) at org.eclipse.jetty.servlet.ServletHandler.doScope(ServletHandler.java:484) at org.eclipse.jetty.server.session.SessionHandler.doScope(SessionHandler.java:1544) at org.eclipse.jetty.server.handler.ScopedHandler.nextScope(ScopedHandler.java:174) at org.eclipse.jetty.server.handler.ContextHandler.doScope(ContextHandler.java:1305) at org.eclipse.jetty.server.handler.ScopedHandler.handle(ScopedHandler.java:129) at org.eclipse.jetty.server.handler.HandlerWrapper.handle(HandlerWrapper.java:122) at org.eclipse.jetty.server.Server.handle(Server.java:563) at org.eclipse.jetty.server.HttpChannel.lambda$handle$0(HttpChannel.java:505) at org.eclipse.jetty.server.HttpChannel.dispatch(HttpChannel.java:762) at org.eclipse.jetty.server.HttpChannel.handle(HttpChannel.java:497) at org.eclipse.jetty.server.HttpConnection.onFillable(HttpConnection.java:282) at org.eclipse.jetty.io.AbstractConnection$ReadCallback.succeeded(AbstractConnection.java:314) at org.eclipse.jetty.io.FillInterest.fillable(FillInterest.java:100) at org.eclipse.jetty.io.SelectableChannelEndPoint$1.run(SelectableChannelEndPoint.java:53) at org.eclipse.jetty.util.thread.strategy.AdaptiveExecutionStrategy.runTask(AdaptiveExecutionStrategy.java:421) at org.eclipse.jetty.util.thread.strategy.AdaptiveExecutionStrategy.consumeTask(AdaptiveExecutionStrategy.java:390) at org.eclipse.jetty.util.thread.strategy.AdaptiveExecutionStrategy.tryProduce(AdaptiveExecutionStrategy.java:277) at org.eclipse.jetty.util.thread.strategy.AdaptiveExecutionStrategy.lambda$new$0(AdaptiveExecutionStrategy.java:139) at org.eclipse.jetty.util.thread.ReservedThreadExecutor$ReservedThread.run(ReservedThreadExecutor.java:411) at org.eclipse.jetty.util.thread.QueuedThreadPool.runJob(QueuedThreadPool.java:933) at org.eclipse.jetty.util.thread.QueuedThreadPool$Runner.run(QueuedThreadPool.java:1077) at java.base/java.lang.Thread.run(Unknown Source) Caused by: org.postgresql.util.PSQLException: ERROR: relation "project_access_teams" does not exist Position: 13 at org.postgresql.core.v3.QueryExecutorImpl.receiveErrorResponse(QueryExecutorImpl.java:2676) at org.postgresql.core.v3.QueryExecutorImpl.processResults(QueryExecutorImpl.java:2366) at org.postgresql.core.v3.QueryExecutorImpl.execute(QueryExecutorImpl.java:356) at org.postgresql.jdbc.PgStatement.executeInternal(PgStatement.java:496) at org.postgresql.jdbc.PgStatement.execute(PgStatement.java:413) at org.postgresql.jdbc.PgPreparedStatement.executeWithFlags(PgPreparedStatement.java:190) at org.postgresql.jdbc.PgPreparedStatement.executeUpdate(PgPreparedStatement.java:152) at com.zaxxer.hikari.pool.ProxyPreparedStatement.executeUpdate(ProxyPreparedStatement.java:61) at com.zaxxer.hikari.pool.HikariProxyPreparedStatement.executeUpdate(HikariProxyPreparedStatement.java) at org.datanucleus.store.rdbms.SQLController.executeStatementUpdate(SQLController.java:430) at org.datanucleus.store.rdbms.query.SQLQuery.performExecute(SQLQuery.java:627) at org.datanucleus.store.query.Query.executeQuery(Query.java:2004) at org.datanucleus.store.rdbms.query.SQLQuery.executeWithArray(SQLQuery.java:824) at org.datanucleus.api.jdo.JDOQuery.executeInternal(JDOQuery.java:433) ... 72 common frames omitted </details> After this error occurred, I tried to create another deployment of Dependency Track on my local machine via Docker Compose. I did not change anything in configuration (so no LDAP, no different DB, etc., everything is default), just executed few commands that are defined on the web. On this local deployment I can create and delete teams without any error. ### Steps to Reproduce 1. Login with user that has ACCESS_MANAGEMENT permissions (we used initial admin user) 2. Navigate to Settings -> Access Management ->Teams 3. Select some team and try to delete it ### Expected Behavior Should be able to delete any team with user that has appropriate permissions. ### Dependency-Track Version 4.7.0 ### Dependency-Track Distribution Container Image ### Database Server PostgreSQL ### Database Server Version 11.13 ### Browser Google Chrome ### Checklist - [X] I have read and understand the [contributing guidelines](https://github.com/DependencyTrack/dependency-track/blob/master/CONTRIBUTING.md#filing-issues) - [X] I have checked the [existing issues](https://github.com/DependencyTrack/dependency-track/issues) for whether this defect was already reported
defect
relation project access teams does not exist at character current behavior we deployed dependency track via helm chart on private kubernetes cluster chart repo we have overridden parameters regarding dependency track application version both frontend and apiserver all ldap connection parameters and ingress definition everything else is default after everything was successfully deployed and started kubernetes said that liveness and readiness are ok we did not investigate the logs of particular pod we started configuring application we added some teams successfully added some ad users uploaded some bom for projects and everything was running smooth after that we tried to delete some teams but received error with stacktrace from apiserver below stacktrace from apiserver error uncaught internal server error javax jdo jdodatastoreexception error executing sql query delete from project access teams where project access teams team id at org datanucleus api jdo jdoadapter getjdoexceptionfornucleusexception jdoadapter java at org datanucleus api jdo jdoquery executeinternal jdoquery java at org datanucleus api jdo jdoquery executewitharray jdoquery java at org dependencytrack persistence querymanager recursivelydeleteteam querymanager java at org dependencytrack resources teamresource deleteteam teamresource java at java base jdk internal reflect nativemethodaccessorimpl native method at java base jdk internal reflect nativemethodaccessorimpl invoke unknown source at java base jdk internal reflect delegatingmethodaccessorimpl invoke unknown source at java base java lang reflect method invoke unknown source at org glassfish jersey server model internal resourcemethodinvocationhandlerfactory lambda static resourcemethodinvocationhandlerfactory java at org glassfish jersey server model internal abstractjavaresourcemethoddispatcher run abstractjavaresourcemethoddispatcher java at org glassfish jersey server model internal abstractjavaresourcemethoddispatcher invoke abstractjavaresourcemethoddispatcher java at org glassfish jersey server model internal javaresourcemethoddispatcherprovider responseoutinvoker dodispatch javaresourcemethoddispatcherprovider java at org glassfish jersey server model internal abstractjavaresourcemethoddispatcher dispatch abstractjavaresourcemethoddispatcher java at org glassfish jersey server model resourcemethodinvoker invoke resourcemethodinvoker java at org glassfish jersey server model resourcemethodinvoker apply resourcemethodinvoker java at org glassfish jersey server model resourcemethodinvoker apply resourcemethodinvoker java at org glassfish jersey server serverruntime run serverruntime java at org glassfish jersey internal errors call errors java at org glassfish jersey internal errors call errors java at org glassfish jersey internal errors process errors java at org glassfish jersey internal errors process errors java at org glassfish jersey internal errors process errors java at org glassfish jersey process internal requestscope runinscope requestscope java at org glassfish jersey server serverruntime process serverruntime java at org glassfish jersey server applicationhandler handle applicationhandler java at org glassfish jersey servlet webcomponent serviceimpl webcomponent java at org glassfish jersey servlet webcomponent service webcomponent java at org glassfish jersey servlet servletcontainer service servletcontainer java at org glassfish jersey servlet servletcontainer service servletcontainer java at org glassfish jersey servlet servletcontainer service servletcontainer java at org eclipse jetty servlet servletholder notasync service servletholder java at org eclipse jetty servlet servletholder handle servletholder java at org eclipse jetty servlet servlethandler chainend dofilter servlethandler java at alpine server filters contentsecuritypolicyfilter dofilter contentsecuritypolicyfilter java at org eclipse jetty servlet filterholder dofilter filterholder java at org eclipse jetty servlet servlethandler chain dofilter servlethandler java at alpine server filters clickjackingfilter dofilter clickjackingfilter java at org eclipse jetty servlet filterholder dofilter filterholder java at org eclipse jetty servlet servlethandler chain dofilter servlethandler java at alpine server filters whitelisturlfilter dofilter whitelisturlfilter java at org eclipse jetty servlet filterholder dofilter filterholder java at org eclipse jetty servlet servlethandler chain dofilter servlethandler java at org eclipse jetty servlet servlethandler dohandle servlethandler java at org eclipse jetty server handler scopedhandler handle scopedhandler java at org eclipse jetty security securityhandler handle securityhandler java at org eclipse jetty server handler handlerwrapper handle handlerwrapper java at org eclipse jetty server handler scopedhandler nexthandle scopedhandler java at org eclipse jetty server session sessionhandler dohandle sessionhandler java at org eclipse jetty server handler scopedhandler nexthandle scopedhandler java at org eclipse jetty server handler contexthandler dohandle contexthandler java at org eclipse jetty server handler scopedhandler nextscope scopedhandler java at org eclipse jetty servlet servlethandler doscope servlethandler java at org eclipse jetty server session sessionhandler doscope sessionhandler java at org eclipse jetty server handler scopedhandler nextscope scopedhandler java at org eclipse jetty server handler contexthandler doscope contexthandler java at org eclipse jetty server handler scopedhandler handle scopedhandler java at org eclipse jetty server handler handlerwrapper handle handlerwrapper java at org eclipse jetty server server handle server java at org eclipse jetty server httpchannel lambda handle httpchannel java at org eclipse jetty server httpchannel dispatch httpchannel java at org eclipse jetty server httpchannel handle httpchannel java at org eclipse jetty server httpconnection onfillable httpconnection java at org eclipse jetty io abstractconnection readcallback succeeded abstractconnection java at org eclipse jetty io fillinterest fillable fillinterest java at org eclipse jetty io selectablechannelendpoint run selectablechannelendpoint java at org eclipse jetty util thread strategy adaptiveexecutionstrategy runtask adaptiveexecutionstrategy java at org eclipse jetty util thread strategy adaptiveexecutionstrategy consumetask adaptiveexecutionstrategy java at org eclipse jetty util thread strategy adaptiveexecutionstrategy tryproduce adaptiveexecutionstrategy java at org eclipse jetty util thread strategy adaptiveexecutionstrategy lambda new adaptiveexecutionstrategy java at org eclipse jetty util thread reservedthreadexecutor reservedthread run reservedthreadexecutor java at org eclipse jetty util thread queuedthreadpool runjob queuedthreadpool java at org eclipse jetty util thread queuedthreadpool runner run queuedthreadpool java at java base java lang thread run unknown source caused by org postgresql util psqlexception error relation project access teams does not exist position at org postgresql core queryexecutorimpl receiveerrorresponse queryexecutorimpl java at org postgresql core queryexecutorimpl processresults queryexecutorimpl java at org postgresql core queryexecutorimpl execute queryexecutorimpl java at org postgresql jdbc pgstatement executeinternal pgstatement java at org postgresql jdbc pgstatement execute pgstatement java at org postgresql jdbc pgpreparedstatement executewithflags pgpreparedstatement java at org postgresql jdbc pgpreparedstatement executeupdate pgpreparedstatement java at com zaxxer hikari pool proxypreparedstatement executeupdate proxypreparedstatement java at com zaxxer hikari pool hikariproxypreparedstatement executeupdate hikariproxypreparedstatement java at org datanucleus store rdbms sqlcontroller executestatementupdate sqlcontroller java at org datanucleus store rdbms query sqlquery performexecute sqlquery java at org datanucleus store query query executequery query java at org datanucleus store rdbms query sqlquery executewitharray sqlquery java at org datanucleus api jdo jdoquery executeinternal jdoquery java common frames omitted after this error occurred i tried to create another deployment of dependency track on my local machine via docker compose i did not change anything in configuration so no ldap no different db etc everything is default just executed few commands that are defined on the web on this local deployment i can create and delete teams without any error steps to reproduce login with user that has access management permissions we used initial admin user navigate to settings access management teams select some team and try to delete it expected behavior should be able to delete any team with user that has appropriate permissions dependency track version dependency track distribution container image database server postgresql database server version browser google chrome checklist i have read and understand the i have checked the for whether this defect was already reported
1
7,061
2,610,324,670
IssuesEvent
2015-02-26 19:44:40
chrsmith/republic-at-war
https://api.github.com/repos/chrsmith/republic-at-war
closed
Typo
auto-migrated Priority-Low Type-Defect
``` A comma is needed after "ship" on Mace Windu's fighter ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 6 Jun 2011 at 10:25
1.0
Typo - ``` A comma is needed after "ship" on Mace Windu's fighter ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 6 Jun 2011 at 10:25
defect
typo a comma is needed after ship on mace windu s fighter original issue reported on code google com by gmail com on jun at
1
20,800
3,419,342,721
IssuesEvent
2015-12-08 09:17:26
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
closed
Missing com.hazelcast.client.impl.protocol.codec.CacheContainsKeyCodec
Team: Client Type: Defect
Latest code (master) seems miss this file, and build failed, is it intentionally and available for commercial version only or missed checked in? thanks
1.0
Missing com.hazelcast.client.impl.protocol.codec.CacheContainsKeyCodec - Latest code (master) seems miss this file, and build failed, is it intentionally and available for commercial version only or missed checked in? thanks
defect
missing com hazelcast client impl protocol codec cachecontainskeycodec latest code master seems miss this file and build failed is it intentionally and available for commercial version only or missed checked in thanks
1
72,697
7,309,120,086
IssuesEvent
2018-02-28 10:39:53
kubernetes/kubernetes
https://api.github.com/repos/kubernetes/kubernetes
closed
E2E failed because of failing to create ServiceAccount
area/node-e2e area/test-infra lifecycle/rotten sig/testing
I run my CI project.but i always failed here: /home/jenkins/workspace/PaaS-V2R1-Beethoven-Distributed-E2E-New/src/k8s.io/kubernetes/_output/local/go/src/k8s.io/kubernetes/test/e2e/framework/framework.go:685 testRecreateTimeoutAutoRollback should auto-rollback when timeout [Beethoven] [BeforeEach] Expected error: <*errors.errorString | 0xc8200d8070>: { s: "timed out waiting for the condition", } timed out waiting for the condition not to have occurred /home/jenkins/workspace/PaaS-V2R1-Beethoven-Distributed-E2E-New/src/k8s.io/kubernetes/_output/local/go/src/k8s.io/kubernetes/test/e2e/framework/framework.go:197 I think the problem root in AfterEach,they don't clear ServiceAccount as expect.If this is a bug,i am glad to fix it.THX.
2.0
E2E failed because of failing to create ServiceAccount - I run my CI project.but i always failed here: /home/jenkins/workspace/PaaS-V2R1-Beethoven-Distributed-E2E-New/src/k8s.io/kubernetes/_output/local/go/src/k8s.io/kubernetes/test/e2e/framework/framework.go:685 testRecreateTimeoutAutoRollback should auto-rollback when timeout [Beethoven] [BeforeEach] Expected error: <*errors.errorString | 0xc8200d8070>: { s: "timed out waiting for the condition", } timed out waiting for the condition not to have occurred /home/jenkins/workspace/PaaS-V2R1-Beethoven-Distributed-E2E-New/src/k8s.io/kubernetes/_output/local/go/src/k8s.io/kubernetes/test/e2e/framework/framework.go:197 I think the problem root in AfterEach,they don't clear ServiceAccount as expect.If this is a bug,i am glad to fix it.THX.
non_defect
failed because of failing to create serviceaccount i run my ci project but i always failed here home jenkins workspace paas beethoven distributed new src io kubernetes output local go src io kubernetes test framework framework go testrecreatetimeoutautorollback should auto rollback when timeout expected error s timed out waiting for the condition timed out waiting for the condition not to have occurred home jenkins workspace paas beethoven distributed new src io kubernetes output local go src io kubernetes test framework framework go i think the problem root in aftereach they don t clear serviceaccount as expect if this is a bug i am glad to fix it thx
0
24,488
3,992,259,530
IssuesEvent
2016-05-10 00:31:07
bridgedotnet/Bridge
https://api.github.com/repos/bridgedotnet/Bridge
opened
Incorrect setting-to-null of optional constructor argument when using named arguments
defect
Related forum thread: http://forums.bridge.net/forum/bridge-net-pro/bugs/2324-incorrect-setting-to-null-of-optional-constructor-argument-when-using-named-arguments ### Expected ```js var l2 = new Demo.Link2("url", "test"); // or, var l2 = new Demo.Link2("url", "test", void 0); ``` ### Actual ```js var l2 = new Demo.Link2("url", "test", null); ``` ### Steps To Reproduce http://live.bridge.net/#9709541e32e342b3697250c83ba7d408 ```csharp var l2 = new Link2(url: "url", text: "test"); public class Link2 { public Link2(string url, string text, Optional<string> name = new Optional<string>()) { } } ```
1.0
Incorrect setting-to-null of optional constructor argument when using named arguments - Related forum thread: http://forums.bridge.net/forum/bridge-net-pro/bugs/2324-incorrect-setting-to-null-of-optional-constructor-argument-when-using-named-arguments ### Expected ```js var l2 = new Demo.Link2("url", "test"); // or, var l2 = new Demo.Link2("url", "test", void 0); ``` ### Actual ```js var l2 = new Demo.Link2("url", "test", null); ``` ### Steps To Reproduce http://live.bridge.net/#9709541e32e342b3697250c83ba7d408 ```csharp var l2 = new Link2(url: "url", text: "test"); public class Link2 { public Link2(string url, string text, Optional<string> name = new Optional<string>()) { } } ```
defect
incorrect setting to null of optional constructor argument when using named arguments related forum thread expected js var new demo url test or var new demo url test void actual js var new demo url test null steps to reproduce csharp var new url url text test public class public string url string text optional name new optional
1
65,824
19,712,565,701
IssuesEvent
2022-01-13 07:39:31
martinrotter/rssguard
https://api.github.com/repos/martinrotter/rssguard
closed
[BUG], [MariaDB]: Failing to escape (quote, commas, Arabic/Urdu font, etc.) strings
Type-Defect Status-Not-Enough-Data
### Brief description of the issue A question mark is shown instead of Inverted commas and Arabic/Urdu font. Most probably these strings are not escaping properly. ### How to reproduce the bug? Self-explanatory: - It is shown in the article list ### What was the expected result? The expected result was to see the proper strings. ### What actually happened? The following Image is self-explanatory: ![image](https://user-images.githubusercontent.com/15247707/148934456-795c4a49-20df-445c-9844-c57fffc4f5ca.png) **EDIT: MORE DATA** URDU LANGUAGE: (**Before** clicking on URL Button in Browser ) ![image](https://user-images.githubusercontent.com/15247707/148981485-51baf61a-2f1c-4ddf-805e-f1db23f0acf1.png) URDU LANGUAGE: (**After** clicking on URL Button in Browser) ![image](https://user-images.githubusercontent.com/15247707/148981834-514162f8-b210-43c1-9571-4c79c04d8609.png) ### Other information Keep in mind that the **_website viewer_** also **cannot** escape the string **unless** you click on the "**URL**" then whole webpage is opened (which is the best feature in it). ### Operating system and version * OS: Windows 11 * RSS Guard version: 4.1.2
1.0
[BUG], [MariaDB]: Failing to escape (quote, commas, Arabic/Urdu font, etc.) strings - ### Brief description of the issue A question mark is shown instead of Inverted commas and Arabic/Urdu font. Most probably these strings are not escaping properly. ### How to reproduce the bug? Self-explanatory: - It is shown in the article list ### What was the expected result? The expected result was to see the proper strings. ### What actually happened? The following Image is self-explanatory: ![image](https://user-images.githubusercontent.com/15247707/148934456-795c4a49-20df-445c-9844-c57fffc4f5ca.png) **EDIT: MORE DATA** URDU LANGUAGE: (**Before** clicking on URL Button in Browser ) ![image](https://user-images.githubusercontent.com/15247707/148981485-51baf61a-2f1c-4ddf-805e-f1db23f0acf1.png) URDU LANGUAGE: (**After** clicking on URL Button in Browser) ![image](https://user-images.githubusercontent.com/15247707/148981834-514162f8-b210-43c1-9571-4c79c04d8609.png) ### Other information Keep in mind that the **_website viewer_** also **cannot** escape the string **unless** you click on the "**URL**" then whole webpage is opened (which is the best feature in it). ### Operating system and version * OS: Windows 11 * RSS Guard version: 4.1.2
defect
failing to escape quote commas arabic urdu font etc strings brief description of the issue a question mark is shown instead of inverted commas and arabic urdu font most probably these strings are not escaping properly how to reproduce the bug self explanatory it is shown in the article list what was the expected result the expected result was to see the proper strings what actually happened the following image is self explanatory edit more data urdu language before clicking on url button in browser urdu language after clicking on url button in browser other information keep in mind that the website viewer also cannot escape the string unless you click on the url then whole webpage is opened which is the best feature in it operating system and version os windows rss guard version
1
70,081
13,424,994,446
IssuesEvent
2020-09-06 08:14:05
e4exp/paper_manager_abstract
https://api.github.com/repos/e4exp/paper_manager_abstract
opened
Dynamic Web with Automatic Code Generation Using Deep Learning
2020 Code Generation GAN Pix2code Prototyping UI Design _read_later
* https://link.springer.com/chapter/10.1007/978-981-15-1286-5_61 * International Conference on Innovative Computing and Communications pp 687-697 デザイナーによって作成されたデザインのために開発者に割り当てられた典型的なタスクは、それがどのようなソフトウェアを構築することになると非常に重要です。 このプロセスでは、急速に変化するクライアントの要件に適応し、その結果、プロトタイプにそれらの変更を適応させるという退屈で反復的な手順が含まれます。 これがソフトウェア開発プロセスの障害となっています。 この問題の解決策として、ディープラーニング技術を活用して、手描きのワイヤーフレームからフロントエンドコードを生成するプロセスを自動化するモデルを紹介する。 モデルに入力されたGUIモックアップの画像特徴を抽出し、マークアップタグをトークンとして生成し、再利用可能なコンポーネントの形でレンダリングすることで、BLEUスコアは0.92を達成した。
2.0
Dynamic Web with Automatic Code Generation Using Deep Learning - * https://link.springer.com/chapter/10.1007/978-981-15-1286-5_61 * International Conference on Innovative Computing and Communications pp 687-697 デザイナーによって作成されたデザインのために開発者に割り当てられた典型的なタスクは、それがどのようなソフトウェアを構築することになると非常に重要です。 このプロセスでは、急速に変化するクライアントの要件に適応し、その結果、プロトタイプにそれらの変更を適応させるという退屈で反復的な手順が含まれます。 これがソフトウェア開発プロセスの障害となっています。 この問題の解決策として、ディープラーニング技術を活用して、手描きのワイヤーフレームからフロントエンドコードを生成するプロセスを自動化するモデルを紹介する。 モデルに入力されたGUIモックアップの画像特徴を抽出し、マークアップタグをトークンとして生成し、再利用可能なコンポーネントの形でレンダリングすることで、BLEUスコアは0.92を達成した。
non_defect
dynamic web with automatic code generation using deep learning international conference on innovative computing and communications pp デザイナーによって作成されたデザインのために開発者に割り当てられた典型的なタスクは、それがどのようなソフトウェアを構築することになると非常に重要です。 このプロセスでは、急速に変化するクライアントの要件に適応し、その結果、プロトタイプにそれらの変更を適応させるという退屈で反復的な手順が含まれます。 これがソフトウェア開発プロセスの障害となっています。 この問題の解決策として、ディープラーニング技術を活用して、手描きのワイヤーフレームからフロントエンドコードを生成するプロセスを自動化するモデルを紹介する。 モデルに入力されたguiモックアップの画像特徴を抽出し、マークアップタグをトークンとして生成し、再利用可能なコンポーネントの形でレンダリングすることで、 。
0
275,231
30,214,597,895
IssuesEvent
2023-07-05 14:48:09
amaybaum-dev/EasyBuggy2
https://api.github.com/repos/amaybaum-dev/EasyBuggy2
opened
antisamy-1.5.3.jar: 3 vulnerabilities (highest severity is: 6.1) reachable
Mend: dependency security vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>antisamy-1.5.3.jar</b></p></summary> <p>The OWASP AntiSamy project is a collection of APIs for safely allowing users to supply their own HTML and CSS without exposing the site to XSS vulnerabilities.</p> <p>Library home page: <a href="http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project">http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project</a></p> <p>Path to dependency file: /pom.xml</p> <p>Path to vulnerable library: /target/easybuggy-1-SNAPSHOT/WEB-INF/lib/antisamy-1.5.3.jar,/home/wss-scanner/.m2/repository/org/owasp/antisamy/antisamy/1.5.3/antisamy-1.5.3.jar</p> <p> <p>Found in HEAD commit: <a href="https://github.com/amaybaum-dev/EasyBuggy2/commit/925e7b95b9f4d369198fa40e6b14392536bcb113">925e7b95b9f4d369198fa40e6b14392536bcb113</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (antisamy version) | Remediation Available | Reachability | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | --- | | [CVE-2016-10006](https://www.mend.io/vulnerability-database/CVE-2016-10006) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> Medium | 6.1 | antisamy-1.5.3.jar | Direct | 1.5.5 | &#9989;|<p align="center"><a href="#">[<img src='https://whitesource-resources.whitesourcesoftware.com/viaRed.png' width=19 height=20>](## 'The vulnerability is likely to be reachable.')</a></p> | | [CVE-2017-14735](https://www.mend.io/vulnerability-database/CVE-2017-14735) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> Medium | 6.1 | antisamy-1.5.3.jar | Direct | 1.5.7 | &#9989;|<p align="center"><a href="#">[<img src='https://whitesource-resources.whitesourcesoftware.com/viaRed.png' width=19 height=20>](## 'The vulnerability is likely to be reachable.')</a></p> | | [CVE-2018-7273](https://www.mend.io/vulnerability-database/CVE-2018-7273) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> Medium | 5.5 | antisamy-1.5.3.jar | Direct | test | &#9989; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> <img src='https://whitesource-resources.whitesourcesoftware.com/viaRed.png' width=19 height=20> CVE-2016-10006</summary> ### Vulnerable Library - <b>antisamy-1.5.3.jar</b></p> <p>The OWASP AntiSamy project is a collection of APIs for safely allowing users to supply their own HTML and CSS without exposing the site to XSS vulnerabilities.</p> <p>Library home page: <a href="http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project">http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project</a></p> <p>Path to dependency file: /pom.xml</p> <p>Path to vulnerable library: /target/easybuggy-1-SNAPSHOT/WEB-INF/lib/antisamy-1.5.3.jar,/home/wss-scanner/.m2/repository/org/owasp/antisamy/antisamy/1.5.3/antisamy-1.5.3.jar</p> <p> Dependency Hierarchy: - :x: **antisamy-1.5.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/amaybaum-dev/EasyBuggy2/commit/925e7b95b9f4d369198fa40e6b14392536bcb113">925e7b95b9f4d369198fa40e6b14392536bcb113</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Reachability Analysis <p> This vulnerability is potentially used ``` org.t246osslab.easybuggy.core.servlets.AbstractServlet (Application) -> org.owasp.esapi.ESAPI (Extension) -> org.owasp.esapi.reference.DefaultValidator (Extension) -> org.owasp.esapi.reference.validation.HTMLValidationRule (Extension) -> org.owasp.validator.html.AntiSamy (Extension) -> org.owasp.validator.html.scan.AntiSamySAXScanner (Extension) -> ❌ org.owasp.validator.html.scan.MagicSAXFilter (Vulnerable Component) ``` </p> <p></p> ### Vulnerability Details <p> In OWASP AntiSamy before 1.5.5, by submitting a specially crafted input (a tag that supports style with active content), you could bypass the library protections and supply executable code. The impact is XSS. <p>Publish Date: 2016-12-24 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2016-10006>CVE-2016-10006</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2016-10006">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2016-10006</a></p> <p>Release Date: 2016-12-24</p> <p>Fix Resolution: 1.5.5</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> <img src='https://whitesource-resources.whitesourcesoftware.com/viaRed.png' width=19 height=20> CVE-2017-14735</summary> ### Vulnerable Library - <b>antisamy-1.5.3.jar</b></p> <p>The OWASP AntiSamy project is a collection of APIs for safely allowing users to supply their own HTML and CSS without exposing the site to XSS vulnerabilities.</p> <p>Library home page: <a href="http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project">http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project</a></p> <p>Path to dependency file: /pom.xml</p> <p>Path to vulnerable library: /target/easybuggy-1-SNAPSHOT/WEB-INF/lib/antisamy-1.5.3.jar,/home/wss-scanner/.m2/repository/org/owasp/antisamy/antisamy/1.5.3/antisamy-1.5.3.jar</p> <p> Dependency Hierarchy: - :x: **antisamy-1.5.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/amaybaum-dev/EasyBuggy2/commit/925e7b95b9f4d369198fa40e6b14392536bcb113">925e7b95b9f4d369198fa40e6b14392536bcb113</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Reachability Analysis <p> This vulnerability is potentially used ``` org.t246osslab.easybuggy.core.servlets.AbstractServlet (Application) -> org.owasp.esapi.ESAPI (Extension) -> org.owasp.esapi.reference.DefaultValidator (Extension) -> org.owasp.esapi.reference.validation.HTMLValidationRule (Extension) -> ❌ org.owasp.validator.html.Policy (Vulnerable Component) ``` </p> <p></p> ### Vulnerability Details <p> OWASP AntiSamy before 1.5.7 allows XSS via HTML5 entities, as demonstrated by use of &colon; to construct a javascript: URL. <p>Publish Date: 2017-09-25 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2017-14735>CVE-2017-14735</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-14735">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-14735</a></p> <p>Release Date: 2017-09-25</p> <p>Fix Resolution: 1.5.7</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> CVE-2018-7273</summary> ### Vulnerable Library - <b>antisamy-1.5.3.jar</b></p> <p>The OWASP AntiSamy project is a collection of APIs for safely allowing users to supply their own HTML and CSS without exposing the site to XSS vulnerabilities.</p> <p>Library home page: <a href="http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project">http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project</a></p> <p>Path to dependency file: /pom.xml</p> <p>Path to vulnerable library: /target/easybuggy-1-SNAPSHOT/WEB-INF/lib/antisamy-1.5.3.jar,/home/wss-scanner/.m2/repository/org/owasp/antisamy/antisamy/1.5.3/antisamy-1.5.3.jar</p> <p> Dependency Hierarchy: - :x: **antisamy-1.5.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/amaybaum-dev/EasyBuggy2/commit/925e7b95b9f4d369198fa40e6b14392536bcb113">925e7b95b9f4d369198fa40e6b14392536bcb113</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Vulnerability Details <p> In the Linux kernel through 4.15.4, the floppy driver reveals the addresses of kernel functions and global variables using printk calls within the function show_floppy in drivers/block/floppy.c. An attacker can read this information from dmesg and use the addresses to find the locations of kernel code and data and bypass kernel security protections such as KASLR. <p>Publish Date: 2018-02-21 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2018-7273>CVE-2018-7273</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>5.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: None - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="test">test</a></p> <p>Release Date: 2018-02-21</p> <p>Fix Resolution: test</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details> *** <p>:rescue_worker_helmet: Automatic Remediation is available for this issue.</p>
True
antisamy-1.5.3.jar: 3 vulnerabilities (highest severity is: 6.1) reachable - <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>antisamy-1.5.3.jar</b></p></summary> <p>The OWASP AntiSamy project is a collection of APIs for safely allowing users to supply their own HTML and CSS without exposing the site to XSS vulnerabilities.</p> <p>Library home page: <a href="http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project">http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project</a></p> <p>Path to dependency file: /pom.xml</p> <p>Path to vulnerable library: /target/easybuggy-1-SNAPSHOT/WEB-INF/lib/antisamy-1.5.3.jar,/home/wss-scanner/.m2/repository/org/owasp/antisamy/antisamy/1.5.3/antisamy-1.5.3.jar</p> <p> <p>Found in HEAD commit: <a href="https://github.com/amaybaum-dev/EasyBuggy2/commit/925e7b95b9f4d369198fa40e6b14392536bcb113">925e7b95b9f4d369198fa40e6b14392536bcb113</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (antisamy version) | Remediation Available | Reachability | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | --- | | [CVE-2016-10006](https://www.mend.io/vulnerability-database/CVE-2016-10006) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> Medium | 6.1 | antisamy-1.5.3.jar | Direct | 1.5.5 | &#9989;|<p align="center"><a href="#">[<img src='https://whitesource-resources.whitesourcesoftware.com/viaRed.png' width=19 height=20>](## 'The vulnerability is likely to be reachable.')</a></p> | | [CVE-2017-14735](https://www.mend.io/vulnerability-database/CVE-2017-14735) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> Medium | 6.1 | antisamy-1.5.3.jar | Direct | 1.5.7 | &#9989;|<p align="center"><a href="#">[<img src='https://whitesource-resources.whitesourcesoftware.com/viaRed.png' width=19 height=20>](## 'The vulnerability is likely to be reachable.')</a></p> | | [CVE-2018-7273](https://www.mend.io/vulnerability-database/CVE-2018-7273) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> Medium | 5.5 | antisamy-1.5.3.jar | Direct | test | &#9989; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> <img src='https://whitesource-resources.whitesourcesoftware.com/viaRed.png' width=19 height=20> CVE-2016-10006</summary> ### Vulnerable Library - <b>antisamy-1.5.3.jar</b></p> <p>The OWASP AntiSamy project is a collection of APIs for safely allowing users to supply their own HTML and CSS without exposing the site to XSS vulnerabilities.</p> <p>Library home page: <a href="http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project">http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project</a></p> <p>Path to dependency file: /pom.xml</p> <p>Path to vulnerable library: /target/easybuggy-1-SNAPSHOT/WEB-INF/lib/antisamy-1.5.3.jar,/home/wss-scanner/.m2/repository/org/owasp/antisamy/antisamy/1.5.3/antisamy-1.5.3.jar</p> <p> Dependency Hierarchy: - :x: **antisamy-1.5.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/amaybaum-dev/EasyBuggy2/commit/925e7b95b9f4d369198fa40e6b14392536bcb113">925e7b95b9f4d369198fa40e6b14392536bcb113</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Reachability Analysis <p> This vulnerability is potentially used ``` org.t246osslab.easybuggy.core.servlets.AbstractServlet (Application) -> org.owasp.esapi.ESAPI (Extension) -> org.owasp.esapi.reference.DefaultValidator (Extension) -> org.owasp.esapi.reference.validation.HTMLValidationRule (Extension) -> org.owasp.validator.html.AntiSamy (Extension) -> org.owasp.validator.html.scan.AntiSamySAXScanner (Extension) -> ❌ org.owasp.validator.html.scan.MagicSAXFilter (Vulnerable Component) ``` </p> <p></p> ### Vulnerability Details <p> In OWASP AntiSamy before 1.5.5, by submitting a specially crafted input (a tag that supports style with active content), you could bypass the library protections and supply executable code. The impact is XSS. <p>Publish Date: 2016-12-24 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2016-10006>CVE-2016-10006</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2016-10006">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2016-10006</a></p> <p>Release Date: 2016-12-24</p> <p>Fix Resolution: 1.5.5</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> <img src='https://whitesource-resources.whitesourcesoftware.com/viaRed.png' width=19 height=20> CVE-2017-14735</summary> ### Vulnerable Library - <b>antisamy-1.5.3.jar</b></p> <p>The OWASP AntiSamy project is a collection of APIs for safely allowing users to supply their own HTML and CSS without exposing the site to XSS vulnerabilities.</p> <p>Library home page: <a href="http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project">http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project</a></p> <p>Path to dependency file: /pom.xml</p> <p>Path to vulnerable library: /target/easybuggy-1-SNAPSHOT/WEB-INF/lib/antisamy-1.5.3.jar,/home/wss-scanner/.m2/repository/org/owasp/antisamy/antisamy/1.5.3/antisamy-1.5.3.jar</p> <p> Dependency Hierarchy: - :x: **antisamy-1.5.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/amaybaum-dev/EasyBuggy2/commit/925e7b95b9f4d369198fa40e6b14392536bcb113">925e7b95b9f4d369198fa40e6b14392536bcb113</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Reachability Analysis <p> This vulnerability is potentially used ``` org.t246osslab.easybuggy.core.servlets.AbstractServlet (Application) -> org.owasp.esapi.ESAPI (Extension) -> org.owasp.esapi.reference.DefaultValidator (Extension) -> org.owasp.esapi.reference.validation.HTMLValidationRule (Extension) -> ❌ org.owasp.validator.html.Policy (Vulnerable Component) ``` </p> <p></p> ### Vulnerability Details <p> OWASP AntiSamy before 1.5.7 allows XSS via HTML5 entities, as demonstrated by use of &colon; to construct a javascript: URL. <p>Publish Date: 2017-09-25 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2017-14735>CVE-2017-14735</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-14735">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-14735</a></p> <p>Release Date: 2017-09-25</p> <p>Fix Resolution: 1.5.7</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> CVE-2018-7273</summary> ### Vulnerable Library - <b>antisamy-1.5.3.jar</b></p> <p>The OWASP AntiSamy project is a collection of APIs for safely allowing users to supply their own HTML and CSS without exposing the site to XSS vulnerabilities.</p> <p>Library home page: <a href="http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project">http://www.owasp.org/index.php/Category:OWASP_AntiSamy_Project</a></p> <p>Path to dependency file: /pom.xml</p> <p>Path to vulnerable library: /target/easybuggy-1-SNAPSHOT/WEB-INF/lib/antisamy-1.5.3.jar,/home/wss-scanner/.m2/repository/org/owasp/antisamy/antisamy/1.5.3/antisamy-1.5.3.jar</p> <p> Dependency Hierarchy: - :x: **antisamy-1.5.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/amaybaum-dev/EasyBuggy2/commit/925e7b95b9f4d369198fa40e6b14392536bcb113">925e7b95b9f4d369198fa40e6b14392536bcb113</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Vulnerability Details <p> In the Linux kernel through 4.15.4, the floppy driver reveals the addresses of kernel functions and global variables using printk calls within the function show_floppy in drivers/block/floppy.c. An attacker can read this information from dmesg and use the addresses to find the locations of kernel code and data and bypass kernel security protections such as KASLR. <p>Publish Date: 2018-02-21 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2018-7273>CVE-2018-7273</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>5.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: None - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="test">test</a></p> <p>Release Date: 2018-02-21</p> <p>Fix Resolution: test</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details> *** <p>:rescue_worker_helmet: Automatic Remediation is available for this issue.</p>
non_defect
antisamy jar vulnerabilities highest severity is reachable vulnerable library antisamy jar the owasp antisamy project is a collection of apis for safely allowing users to supply their own html and css without exposing the site to xss vulnerabilities library home page a href path to dependency file pom xml path to vulnerable library target easybuggy snapshot web inf lib antisamy jar home wss scanner repository org owasp antisamy antisamy antisamy jar found in head commit a href vulnerabilities cve severity cvss dependency type fixed in antisamy version remediation available reachability medium antisamy jar direct the vulnerability is likely to be reachable medium antisamy jar direct the vulnerability is likely to be reachable medium antisamy jar direct test details cve vulnerable library antisamy jar the owasp antisamy project is a collection of apis for safely allowing users to supply their own html and css without exposing the site to xss vulnerabilities library home page a href path to dependency file pom xml path to vulnerable library target easybuggy snapshot web inf lib antisamy jar home wss scanner repository org owasp antisamy antisamy antisamy jar dependency hierarchy x antisamy jar vulnerable library found in head commit a href found in base branch master reachability analysis this vulnerability is potentially used org easybuggy core servlets abstractservlet application org owasp esapi esapi extension org owasp esapi reference defaultvalidator extension org owasp esapi reference validation htmlvalidationrule extension org owasp validator html antisamy extension org owasp validator html scan antisamysaxscanner extension ❌ org owasp validator html scan magicsaxfilter vulnerable component vulnerability details in owasp antisamy before by submitting a specially crafted input a tag that supports style with active content you could bypass the library protections and supply executable code the impact is xss publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope changed impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution rescue worker helmet automatic remediation is available for this issue cve vulnerable library antisamy jar the owasp antisamy project is a collection of apis for safely allowing users to supply their own html and css without exposing the site to xss vulnerabilities library home page a href path to dependency file pom xml path to vulnerable library target easybuggy snapshot web inf lib antisamy jar home wss scanner repository org owasp antisamy antisamy antisamy jar dependency hierarchy x antisamy jar vulnerable library found in head commit a href found in base branch master reachability analysis this vulnerability is potentially used org easybuggy core servlets abstractservlet application org owasp esapi esapi extension org owasp esapi reference defaultvalidator extension org owasp esapi reference validation htmlvalidationrule extension ❌ org owasp validator html policy vulnerable component vulnerability details owasp antisamy before allows xss via entities as demonstrated by use of colon to construct a javascript url publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope changed impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution rescue worker helmet automatic remediation is available for this issue cve vulnerable library antisamy jar the owasp antisamy project is a collection of apis for safely allowing users to supply their own html and css without exposing the site to xss vulnerabilities library home page a href path to dependency file pom xml path to vulnerable library target easybuggy snapshot web inf lib antisamy jar home wss scanner repository org owasp antisamy antisamy antisamy jar dependency hierarchy x antisamy jar vulnerable library found in head commit a href found in base branch master vulnerability details in the linux kernel through the floppy driver reveals the addresses of kernel functions and global variables using printk calls within the function show floppy in drivers block floppy c an attacker can read this information from dmesg and use the addresses to find the locations of kernel code and data and bypass kernel security protections such as kaslr publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required low user interaction none scope unchanged impact metrics confidentiality impact high integrity impact none availability impact none for more information on scores click a href suggested fix type upgrade version origin test release date fix resolution test rescue worker helmet automatic remediation is available for this issue rescue worker helmet automatic remediation is available for this issue
0
811,315
30,283,352,550
IssuesEvent
2023-07-08 10:59:00
GoogleCloudPlatform/python-docs-samples
https://api.github.com/repos/GoogleCloudPlatform/python-docs-samples
closed
jobs.v3.api_client.featured_job_search_sample_test: test_featured_job_search_sample failed
priority: p1 type: bug api: jobs samples flakybot: issue
Note: #10084 was also for this test, but it was closed more than 10 days ago. So, I didn't mark it flaky. ---- commit: bc0c7ecdcea51757473084d4bb49ab6d2701c714 buildURL: [Build Status](https://source.cloud.google.com/results/invocations/0e95a9d0-4dd1-43f2-8e21-f20a5b8eab8d), [Sponge](http://sponge2/0e95a9d0-4dd1-43f2-8e21-f20a5b8eab8d) status: failed <details><summary>Test output</summary><br><pre>Traceback (most recent call last): File "/workspace/jobs/v3/api_client/featured_job_search_sample_test.py", line 38, in test_featured_job_search_sample eventually_consistent_test() File "/workspace/jobs/v3/api_client/.nox/py-3-8/lib/python3.8/site-packages/backoff/_sync.py", line 105, in retry ret = target(*args, **kwargs) File "/workspace/jobs/v3/api_client/featured_job_search_sample_test.py", line 36, in eventually_consistent_test assert re.search(expected, out) AssertionError: assert None + where None = <function search at 0x7fb0ab956ee0>('.*matchingJobs.*', "{'metadata': {'requestId': 'a0d607b3-b008-41ab-a3b0-9c751f423da6:APAb7ITI59hYyycHJFhsIYQnBDzaHfF1eQ=='}}\n") + where <function search at 0x7fb0ab956ee0> = re.search</pre></details>
1.0
jobs.v3.api_client.featured_job_search_sample_test: test_featured_job_search_sample failed - Note: #10084 was also for this test, but it was closed more than 10 days ago. So, I didn't mark it flaky. ---- commit: bc0c7ecdcea51757473084d4bb49ab6d2701c714 buildURL: [Build Status](https://source.cloud.google.com/results/invocations/0e95a9d0-4dd1-43f2-8e21-f20a5b8eab8d), [Sponge](http://sponge2/0e95a9d0-4dd1-43f2-8e21-f20a5b8eab8d) status: failed <details><summary>Test output</summary><br><pre>Traceback (most recent call last): File "/workspace/jobs/v3/api_client/featured_job_search_sample_test.py", line 38, in test_featured_job_search_sample eventually_consistent_test() File "/workspace/jobs/v3/api_client/.nox/py-3-8/lib/python3.8/site-packages/backoff/_sync.py", line 105, in retry ret = target(*args, **kwargs) File "/workspace/jobs/v3/api_client/featured_job_search_sample_test.py", line 36, in eventually_consistent_test assert re.search(expected, out) AssertionError: assert None + where None = <function search at 0x7fb0ab956ee0>('.*matchingJobs.*', "{'metadata': {'requestId': 'a0d607b3-b008-41ab-a3b0-9c751f423da6:APAb7ITI59hYyycHJFhsIYQnBDzaHfF1eQ=='}}\n") + where <function search at 0x7fb0ab956ee0> = re.search</pre></details>
non_defect
jobs api client featured job search sample test test featured job search sample failed note was also for this test but it was closed more than days ago so i didn t mark it flaky commit buildurl status failed test output traceback most recent call last file workspace jobs api client featured job search sample test py line in test featured job search sample eventually consistent test file workspace jobs api client nox py lib site packages backoff sync py line in retry ret target args kwargs file workspace jobs api client featured job search sample test py line in eventually consistent test assert re search expected out assertionerror assert none where none matchingjobs metadata requestid n where re search
0
125,508
10,345,122,633
IssuesEvent
2019-09-04 12:50:41
ansgohar/urbanharmony
https://api.github.com/repos/ansgohar/urbanharmony
closed
FrontEnd - بحث متقدم is not working
State: Pending Testing bug
In "قوائم الحصر" and "تظلمات بحث متقدم is not working When clicking on " بحث متقدم" and adding all the data needed then click on "Search", it is not working and doesn't get any response
1.0
FrontEnd - بحث متقدم is not working - In "قوائم الحصر" and "تظلمات بحث متقدم is not working When clicking on " بحث متقدم" and adding all the data needed then click on "Search", it is not working and doesn't get any response
non_defect
frontend بحث متقدم is not working in قوائم الحصر and تظلمات بحث متقدم is not working when clicking on بحث متقدم and adding all the data needed then click on search it is not working and doesn t get any response
0
28,653
5,319,816,646
IssuesEvent
2017-02-14 08:37:21
hazelcast/hazelcast-csharp-client
https://api.github.com/repos/hazelcast/hazelcast-csharp-client
opened
Generic List other than List<Object> does not properly serialized
Type: Defect
writing from c# ```var map1 = client.GetMap<string, List<int>>("listTest"); map1.Set("vikTest", new List<int> {1, 2}); ``` can’t read it from java `Exception in thread "main" com.hazelcast.nio.serialization.HazelcastSerializationException: There is no suitable de-serializer for type -110. This exception is likely to be caused by differences in the serialization configuration between members or between clients and members.` but it should use `type -26` which is List
1.0
Generic List other than List<Object> does not properly serialized - writing from c# ```var map1 = client.GetMap<string, List<int>>("listTest"); map1.Set("vikTest", new List<int> {1, 2}); ``` can’t read it from java `Exception in thread "main" com.hazelcast.nio.serialization.HazelcastSerializationException: There is no suitable de-serializer for type -110. This exception is likely to be caused by differences in the serialization configuration between members or between clients and members.` but it should use `type -26` which is List
defect
generic list other than list does not properly serialized writing from c var client getmap listtest set viktest new list can’t read it from java exception in thread main com hazelcast nio serialization hazelcastserializationexception there is no suitable de serializer for type this exception is likely to be caused by differences in the serialization configuration between members or between clients and members but it should use type which is list
1
65,327
19,402,505,707
IssuesEvent
2021-12-19 12:45:02
vector-im/element-android
https://api.github.com/repos/vector-im/element-android
opened
Elements crash when i use the conversation shortcuts
T-Defect
### Steps to reproduce 1. i start the app 2. I use my 4G but not on my wifi where I have access to the server locally and when the elements app is closed on my laptop 3. I create a conversation shortcut on my homepage 4. i try to use it ### Outcome #### What did you expect? Juste use the conversation shortcut #### What happened instead? the app keep crashing ### Your phone model Samsung A70 ### Operating system version Android 11 One UI 3.1 ### Application version and app store 1.3.9 ### Homeserver classic installation of matrix on my home server ### Will you send logs? Yes
1.0
Elements crash when i use the conversation shortcuts - ### Steps to reproduce 1. i start the app 2. I use my 4G but not on my wifi where I have access to the server locally and when the elements app is closed on my laptop 3. I create a conversation shortcut on my homepage 4. i try to use it ### Outcome #### What did you expect? Juste use the conversation shortcut #### What happened instead? the app keep crashing ### Your phone model Samsung A70 ### Operating system version Android 11 One UI 3.1 ### Application version and app store 1.3.9 ### Homeserver classic installation of matrix on my home server ### Will you send logs? Yes
defect
elements crash when i use the conversation shortcuts steps to reproduce i start the app i use my but not on my wifi where i have access to the server locally and when the elements app is closed on my laptop i create a conversation shortcut on my homepage i try to use it outcome what did you expect juste use the conversation shortcut what happened instead the app keep crashing your phone model samsung operating system version android one ui application version and app store homeserver classic installation of matrix on my home server will you send logs yes
1
1,101
2,595,143,421
IssuesEvent
2015-02-20 11:52:10
keyboardsurfer/blinkendroid
https://api.github.com/repos/keyboardsurfer/blinkendroid
opened
Cliparea wieder verkleinern
auto-migrated Milestone-Release1.0 Performance Priority-High Type-Defect
``` wenn alle geräte aus der letzten zeile oder spalte entfernt worden sind, muss die cliparea wieder verkleinert werden ``` ----- Original issue reported on code.google.com by `lischke@gmail.com` on 25 May 2010 at 2:13
1.0
Cliparea wieder verkleinern - ``` wenn alle geräte aus der letzten zeile oder spalte entfernt worden sind, muss die cliparea wieder verkleinert werden ``` ----- Original issue reported on code.google.com by `lischke@gmail.com` on 25 May 2010 at 2:13
defect
cliparea wieder verkleinern wenn alle geräte aus der letzten zeile oder spalte entfernt worden sind muss die cliparea wieder verkleinert werden original issue reported on code google com by lischke gmail com on may at
1
59,887
17,023,279,575
IssuesEvent
2021-07-03 01:12:05
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Buildings rendered beneath tunnels, despite layer tag
Component: mapnik Priority: trivial Resolution: fixed Type: defect
**[Submitted to the original trac issue database at 8.43am, Monday, 28th July 2008]** http://www.openstreetmap.org/?lat=53.405749&lon=-2.995759&zoom=18&layers=B00FTF I believe I have everything tagged correctly - the tunnel is -1, and the building is 1.
1.0
Buildings rendered beneath tunnels, despite layer tag - **[Submitted to the original trac issue database at 8.43am, Monday, 28th July 2008]** http://www.openstreetmap.org/?lat=53.405749&lon=-2.995759&zoom=18&layers=B00FTF I believe I have everything tagged correctly - the tunnel is -1, and the building is 1.
defect
buildings rendered beneath tunnels despite layer tag i believe i have everything tagged correctly the tunnel is and the building is
1
30,703
7,244,798,268
IssuesEvent
2018-02-14 16:08:09
Fake-Api/FakeApi
https://api.github.com/repos/Fake-Api/FakeApi
opened
Remove duplicated validation
code duplicate
Similar blocks of code found in 2 locations. Consider refactoring. https://codeclimate.com/github/wnascimento/FakeApi/server/app/requests/Request.js#issue_5a787a3224cbe00001000051
1.0
Remove duplicated validation - Similar blocks of code found in 2 locations. Consider refactoring. https://codeclimate.com/github/wnascimento/FakeApi/server/app/requests/Request.js#issue_5a787a3224cbe00001000051
non_defect
remove duplicated validation similar blocks of code found in locations consider refactoring
0
61,504
17,023,710,374
IssuesEvent
2021-07-03 03:25:48
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
nodes without tags should have a different color than nodes with unknown tags
Component: potlatch2 Priority: major Resolution: fixed Type: defect
**[Submitted to the original trac issue database at 4.45pm, Sunday, 8th May 2011]** i consider this a bug, because it led to unintentional vandalism more than once in my region by different users: nodes with tags, that potlatch 2 doesn't know are displayed in exactly the same color (green) as nodes without any tags. this leads users to believe, that they can delete those, because they think that they are empty anyway. please change the way nodes with unknown tags are displayed as soon as possible to avoid further damages. i suggest to use light blue for tags with unknown tags instead of green. same goes for empty nodes, but which are part of a relation (for example the label nodes of site relations). those should have a different color too. programmatically it can't be too difficult. do a "count" on the node and if it is greater than 0 use a different color.
1.0
nodes without tags should have a different color than nodes with unknown tags - **[Submitted to the original trac issue database at 4.45pm, Sunday, 8th May 2011]** i consider this a bug, because it led to unintentional vandalism more than once in my region by different users: nodes with tags, that potlatch 2 doesn't know are displayed in exactly the same color (green) as nodes without any tags. this leads users to believe, that they can delete those, because they think that they are empty anyway. please change the way nodes with unknown tags are displayed as soon as possible to avoid further damages. i suggest to use light blue for tags with unknown tags instead of green. same goes for empty nodes, but which are part of a relation (for example the label nodes of site relations). those should have a different color too. programmatically it can't be too difficult. do a "count" on the node and if it is greater than 0 use a different color.
defect
nodes without tags should have a different color than nodes with unknown tags i consider this a bug because it led to unintentional vandalism more than once in my region by different users nodes with tags that potlatch doesn t know are displayed in exactly the same color green as nodes without any tags this leads users to believe that they can delete those because they think that they are empty anyway please change the way nodes with unknown tags are displayed as soon as possible to avoid further damages i suggest to use light blue for tags with unknown tags instead of green same goes for empty nodes but which are part of a relation for example the label nodes of site relations those should have a different color too programmatically it can t be too difficult do a count on the node and if it is greater than use a different color
1
526,517
15,294,866,562
IssuesEvent
2021-02-24 03:26:59
InfiniteFlightAirportEditing/Airports
https://api.github.com/repos/InfiniteFlightAirportEditing/Airports
reopened
UUDD-Moscow Domodedovo Airport-MOSKVA-RUSSIA
Being Redone Priority 2
Narita International - Global Priority 1 A380 - Non-region - Being Redone
1.0
UUDD-Moscow Domodedovo Airport-MOSKVA-RUSSIA - Narita International - Global Priority 1 A380 - Non-region - Being Redone
non_defect
uudd moscow domodedovo airport moskva russia narita international global priority non region being redone
0
53,975
13,262,597,382
IssuesEvent
2020-08-20 22:08:28
icecube-trac/tix4
https://api.github.com/repos/icecube-trac/tix4
closed
[tableio/rootwriter] Root file "master tree" comes out empty (Trac #2419)
Migrated from Trac combo core defect
"rootwriter" master tree is empty (although individual branches seem to be filled). The master tree also cannot be used to access the branches through SetBranchAddress. How to reproduce it: run the script "book_data.py" in rootwriter/resources/examples, like this: ./book_data.py myoutput.root ${I3_TESTDATA}/sim/Level2_IC86.2011_corsika.010281.001664.00.i3.bz2 Then, open up the root file with "root myoutput.root". Test 1: FullTree->GetEntries() <--- gives zero, whereas is should be 2229, which is the number of entries in the other two branches (SPEFit2 and SPEFitSimple). Test 2: double x FullTree->SetBranchAddress("SPEFit2.x", &x) FullTree->GetEntry(0) <--- supposed to fill the variable "x" with the first value in the branch x <--- gives still zero, instead of a nice x-coordinate from the branch Strangely, doing this: FullTree->Scan("SPEFit2.x") <--- correctly spits out a bunch of x-coordiantes! Problem appears in combo_stable, compiled with either py2_v3.1.1 and py3_v4.1.0. Problem does not appear in combo_V00-00-01. <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/2419">https://code.icecube.wisc.edu/projects/icecube/ticket/2419</a>, reported by kath</summary> <p> ```json { "status": "closed", "changetime": "2020-06-24T12:31:42", "_ts": "1593001902142004", "description": "\"rootwriter\" master tree is empty (although individual branches seem to be filled).\nThe master tree also cannot be used to access the branches through SetBranchAddress.\n\nHow to reproduce it: run the script \"book_data.py\" in rootwriter/resources/examples, like this:\n./book_data.py myoutput.root ${I3_TESTDATA}/sim/Level2_IC86.2011_corsika.010281.001664.00.i3.bz2\nThen, open up the root file with \"root myoutput.root\".\n\nTest 1:\nFullTree->GetEntries() <--- gives zero, whereas is should be 2229, which is the number of entries in the other two branches (SPEFit2 and SPEFitSimple).\n\nTest 2:\ndouble x\nFullTree->SetBranchAddress(\"SPEFit2.x\", &x)\nFullTree->GetEntry(0) <--- supposed to fill the variable \"x\" with the first value in the branch\nx <--- gives still zero, instead of a nice x-coordinate from the branch\n\nStrangely, doing this:\nFullTree->Scan(\"SPEFit2.x\") <--- correctly spits out a bunch of x-coordiantes! \n\nProblem appears in combo_stable, compiled with either py2_v3.1.1 and py3_v4.1.0.\nProblem does not appear in combo_V00-00-01.\n", "reporter": "kath", "cc": "", "resolution": "fixed", "time": "2020-03-17T21:07:03", "component": "combo core", "summary": "[tableio/rootwriter] Root file \"master tree\" comes out empty", "priority": "major", "keywords": "", "milestone": "Autumnal Equinox 2020", "owner": "", "type": "defect" } ``` </p> </details>
1.0
[tableio/rootwriter] Root file "master tree" comes out empty (Trac #2419) - "rootwriter" master tree is empty (although individual branches seem to be filled). The master tree also cannot be used to access the branches through SetBranchAddress. How to reproduce it: run the script "book_data.py" in rootwriter/resources/examples, like this: ./book_data.py myoutput.root ${I3_TESTDATA}/sim/Level2_IC86.2011_corsika.010281.001664.00.i3.bz2 Then, open up the root file with "root myoutput.root". Test 1: FullTree->GetEntries() <--- gives zero, whereas is should be 2229, which is the number of entries in the other two branches (SPEFit2 and SPEFitSimple). Test 2: double x FullTree->SetBranchAddress("SPEFit2.x", &x) FullTree->GetEntry(0) <--- supposed to fill the variable "x" with the first value in the branch x <--- gives still zero, instead of a nice x-coordinate from the branch Strangely, doing this: FullTree->Scan("SPEFit2.x") <--- correctly spits out a bunch of x-coordiantes! Problem appears in combo_stable, compiled with either py2_v3.1.1 and py3_v4.1.0. Problem does not appear in combo_V00-00-01. <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/2419">https://code.icecube.wisc.edu/projects/icecube/ticket/2419</a>, reported by kath</summary> <p> ```json { "status": "closed", "changetime": "2020-06-24T12:31:42", "_ts": "1593001902142004", "description": "\"rootwriter\" master tree is empty (although individual branches seem to be filled).\nThe master tree also cannot be used to access the branches through SetBranchAddress.\n\nHow to reproduce it: run the script \"book_data.py\" in rootwriter/resources/examples, like this:\n./book_data.py myoutput.root ${I3_TESTDATA}/sim/Level2_IC86.2011_corsika.010281.001664.00.i3.bz2\nThen, open up the root file with \"root myoutput.root\".\n\nTest 1:\nFullTree->GetEntries() <--- gives zero, whereas is should be 2229, which is the number of entries in the other two branches (SPEFit2 and SPEFitSimple).\n\nTest 2:\ndouble x\nFullTree->SetBranchAddress(\"SPEFit2.x\", &x)\nFullTree->GetEntry(0) <--- supposed to fill the variable \"x\" with the first value in the branch\nx <--- gives still zero, instead of a nice x-coordinate from the branch\n\nStrangely, doing this:\nFullTree->Scan(\"SPEFit2.x\") <--- correctly spits out a bunch of x-coordiantes! \n\nProblem appears in combo_stable, compiled with either py2_v3.1.1 and py3_v4.1.0.\nProblem does not appear in combo_V00-00-01.\n", "reporter": "kath", "cc": "", "resolution": "fixed", "time": "2020-03-17T21:07:03", "component": "combo core", "summary": "[tableio/rootwriter] Root file \"master tree\" comes out empty", "priority": "major", "keywords": "", "milestone": "Autumnal Equinox 2020", "owner": "", "type": "defect" } ``` </p> </details>
defect
root file master tree comes out empty trac rootwriter master tree is empty although individual branches seem to be filled the master tree also cannot be used to access the branches through setbranchaddress how to reproduce it run the script book data py in rootwriter resources examples like this book data py myoutput root testdata sim corsika then open up the root file with root myoutput root test fulltree getentries gives zero whereas is should be which is the number of entries in the other two branches and spefitsimple test double x fulltree setbranchaddress x x fulltree getentry supposed to fill the variable x with the first value in the branch x gives still zero instead of a nice x coordinate from the branch strangely doing this fulltree scan x correctly spits out a bunch of x coordiantes problem appears in combo stable compiled with either and problem does not appear in combo migrated from json status closed changetime ts description rootwriter master tree is empty although individual branches seem to be filled nthe master tree also cannot be used to access the branches through setbranchaddress n nhow to reproduce it run the script book data py in rootwriter resources examples like this n book data py myoutput root testdata sim corsika nthen open up the root file with root myoutput root n ntest nfulltree getentries setbranchaddress x x nfulltree getentry scan x correctly spits out a bunch of x coordiantes n nproblem appears in combo stable compiled with either and nproblem does not appear in combo n reporter kath cc resolution fixed time component combo core summary root file master tree comes out empty priority major keywords milestone autumnal equinox owner type defect
1
52,389
13,224,710,416
IssuesEvent
2020-08-17 19:41:21
icecube-trac/tix4
https://api.github.com/repos/icecube-trac/tix4
opened
L1/L2 Keep modules appear to delete TrayInfo (Trac #2146)
Incomplete Migration Migrated from Trac combo reconstruction defect
<details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/2146">https://code.icecube.wisc.edu/projects/icecube/ticket/2146</a>, reported by cweaverand owned by mjl5147</em></summary> <p> ```json { "status": "closed", "changetime": "2019-02-13T14:15:23", "_ts": "1550067323910946", "description": "Recently when investigating possible bugs in custom simulation I was examining the recorded I3TrayInfo objects, but hit a wall at L1/L2, as the `I` frames from previous levels existed but were empty. This looks like the work of the `Keep` module, so I propose that \"I3TrayInfo\" should be added to the whitelists used in the processing scripts to prevent this kind of information loss. ", "reporter": "cweaver", "cc": "", "resolution": "fixed", "time": "2018-04-19T15:35:17", "component": "combo reconstruction", "summary": "L1/L2 Keep modules appear to delete TrayInfo", "priority": "minor", "keywords": "", "milestone": "", "owner": "mjl5147", "type": "defect" } ``` </p> </details>
1.0
L1/L2 Keep modules appear to delete TrayInfo (Trac #2146) - <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/2146">https://code.icecube.wisc.edu/projects/icecube/ticket/2146</a>, reported by cweaverand owned by mjl5147</em></summary> <p> ```json { "status": "closed", "changetime": "2019-02-13T14:15:23", "_ts": "1550067323910946", "description": "Recently when investigating possible bugs in custom simulation I was examining the recorded I3TrayInfo objects, but hit a wall at L1/L2, as the `I` frames from previous levels existed but were empty. This looks like the work of the `Keep` module, so I propose that \"I3TrayInfo\" should be added to the whitelists used in the processing scripts to prevent this kind of information loss. ", "reporter": "cweaver", "cc": "", "resolution": "fixed", "time": "2018-04-19T15:35:17", "component": "combo reconstruction", "summary": "L1/L2 Keep modules appear to delete TrayInfo", "priority": "minor", "keywords": "", "milestone": "", "owner": "mjl5147", "type": "defect" } ``` </p> </details>
defect
keep modules appear to delete trayinfo trac migrated from json status closed changetime ts description recently when investigating possible bugs in custom simulation i was examining the recorded objects but hit a wall at as the i frames from previous levels existed but were empty this looks like the work of the keep module so i propose that should be added to the whitelists used in the processing scripts to prevent this kind of information loss reporter cweaver cc resolution fixed time component combo reconstruction summary keep modules appear to delete trayinfo priority minor keywords milestone owner type defect
1
59,461
17,023,134,858
IssuesEvent
2021-07-03 00:31:43
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Render amenity=public_building
Component: mapnik Priority: minor Resolution: wontfix Type: defect
**[Submitted to the original trac issue database at 2.25pm, Wednesday, 29th November 2006]** in this location [http://labs.metacarta.com/osm/?lat=5620435.6257&lon=638756.35021&zoom=14&layers=B] there should be one "Parc Paul Mistral" displayed, and "mairie" is defined as amenity="public_building" and thus should be drawn in some shade of brown whith 'mairie' written at the centroid in this location [http://labs.metacarta.com/osm/?lat=5620896.63643&lon=642717.93721&zoom=15&layers=B] the parking lot is the irregular shape. this should be drawn as a filled polygon with the 'P' symbol at the centroid
1.0
Render amenity=public_building - **[Submitted to the original trac issue database at 2.25pm, Wednesday, 29th November 2006]** in this location [http://labs.metacarta.com/osm/?lat=5620435.6257&lon=638756.35021&zoom=14&layers=B] there should be one "Parc Paul Mistral" displayed, and "mairie" is defined as amenity="public_building" and thus should be drawn in some shade of brown whith 'mairie' written at the centroid in this location [http://labs.metacarta.com/osm/?lat=5620896.63643&lon=642717.93721&zoom=15&layers=B] the parking lot is the irregular shape. this should be drawn as a filled polygon with the 'P' symbol at the centroid
defect
render amenity public building in this location there should be one parc paul mistral displayed and mairie is defined as amenity public building and thus should be drawn in some shade of brown whith mairie written at the centroid in this location the parking lot is the irregular shape this should be drawn as a filled polygon with the p symbol at the centroid
1
45,248
9,696,742,518
IssuesEvent
2019-05-25 10:31:29
AdAway/AdAway
https://api.github.com/repos/AdAway/AdAway
closed
Goal.com app
Priority-Medium imported-from-googlecode specific-app-related
_Original author: thleng...@gmail.com (March 05, 2013 14:49:31)_ <b>What steps will reproduce the problem?</b> 1. Install the Goal.com app from Market 2. Launch and go to tue home page 3. wait a few seconds, then adverts will be shown <b>What is the expected output? What do you see instead?</b> Adverts blocked, but they are displayed. <b>Please enable Debug Logging in preferences of AdAway, install aLogcat and</b> <b>save a logfile while reproducing the problem. The logfile can be attached</b> <b>to this issue.</b> <b>What version of AdAway are you using? What Android version? What custom</b> <b>rom?</b> AdAway Version: 2.1 Android Version: 4.1.1 Rom: Stock rooted Rom Device: Samsung Galaxy Note II <b>Please provide any additional information below.</b> _Original issue: http://code.google.com/p/ad-away/issues/detail?id=401_
1.0
Goal.com app - _Original author: thleng...@gmail.com (March 05, 2013 14:49:31)_ <b>What steps will reproduce the problem?</b> 1. Install the Goal.com app from Market 2. Launch and go to tue home page 3. wait a few seconds, then adverts will be shown <b>What is the expected output? What do you see instead?</b> Adverts blocked, but they are displayed. <b>Please enable Debug Logging in preferences of AdAway, install aLogcat and</b> <b>save a logfile while reproducing the problem. The logfile can be attached</b> <b>to this issue.</b> <b>What version of AdAway are you using? What Android version? What custom</b> <b>rom?</b> AdAway Version: 2.1 Android Version: 4.1.1 Rom: Stock rooted Rom Device: Samsung Galaxy Note II <b>Please provide any additional information below.</b> _Original issue: http://code.google.com/p/ad-away/issues/detail?id=401_
non_defect
goal com app original author thleng gmail com march what steps will reproduce the problem install the goal com app from market launch and go to tue home page wait a few seconds then adverts will be shown what is the expected output what do you see instead adverts blocked but they are displayed please enable debug logging in preferences of adaway install alogcat and save a logfile while reproducing the problem the logfile can be attached to this issue what version of adaway are you using what android version what custom rom adaway version android version rom stock rooted rom device samsung galaxy note ii please provide any additional information below original issue
0
16,682
3,549,596,381
IssuesEvent
2016-01-20 18:38:27
MajkiIT/polish-ads-filter
https://api.github.com/repos/MajkiIT/polish-ads-filter
closed
uploaduj.com
reguły gotowe/testowanie reklama
reklamy textowe na dole kasyno internetowe wiadomości ze świata gier hazardowych na bieżąco aktualizowane bonusy z kasyn online wszystkie kasyna w władysławowo nocleg władysławowo pensjonat wojciech zaprasza na wczasy z dzieckiem weekendy i wypoczynek nad morze do władysławowa komfortowe pokoje domkiletniskowe-wladyslawowo.pl www.ksiegowa-poznan.c0.pl płacowa podmiotów gospodarczych. aktualne oferty pracy na pl. ksiegowa-poznan.c0.pl
1.0
uploaduj.com - reklamy textowe na dole kasyno internetowe wiadomości ze świata gier hazardowych na bieżąco aktualizowane bonusy z kasyn online wszystkie kasyna w władysławowo nocleg władysławowo pensjonat wojciech zaprasza na wczasy z dzieckiem weekendy i wypoczynek nad morze do władysławowa komfortowe pokoje domkiletniskowe-wladyslawowo.pl www.ksiegowa-poznan.c0.pl płacowa podmiotów gospodarczych. aktualne oferty pracy na pl. ksiegowa-poznan.c0.pl
non_defect
uploaduj com reklamy textowe na dole kasyno internetowe wiadomości ze świata gier hazardowych na bieżąco aktualizowane bonusy z kasyn online wszystkie kasyna w władysławowo nocleg władysławowo pensjonat wojciech zaprasza na wczasy z dzieckiem weekendy i wypoczynek nad morze do władysławowa komfortowe pokoje domkiletniskowe wladyslawowo pl płacowa podmiotów gospodarczych aktualne oferty pracy na pl ksiegowa poznan pl
0
54,512
7,890,867,580
IssuesEvent
2018-06-28 10:07:33
mysociety/verification-pages
https://api.github.com/repos/mysociety/verification-pages
opened
Make the "loading" spinner more informative
explanation and documentation verification via wikipedia
When the JS first kicks in, there's quite a long delay when all we have is a "loading" image: ![screen shot 2018-06-28 at 11 04 59](https://user-images.githubusercontent.com/57483/42028071-2c335afa-7ac3-11e8-9a6b-d11f53f07d52.png) It would be good give more of an indication here of what's happening, especially for new users who don't really know what's going on.
1.0
Make the "loading" spinner more informative - When the JS first kicks in, there's quite a long delay when all we have is a "loading" image: ![screen shot 2018-06-28 at 11 04 59](https://user-images.githubusercontent.com/57483/42028071-2c335afa-7ac3-11e8-9a6b-d11f53f07d52.png) It would be good give more of an indication here of what's happening, especially for new users who don't really know what's going on.
non_defect
make the loading spinner more informative when the js first kicks in there s quite a long delay when all we have is a loading image it would be good give more of an indication here of what s happening especially for new users who don t really know what s going on
0
28,457
5,277,443,881
IssuesEvent
2017-02-07 03:11:48
OpenMap-java/openmap
https://api.github.com/repos/OpenMap-java/openmap
closed
Trying to import .SHP files from a previously exported ArcGIS map into a graphics layer on Android
auto-migrated Priority-Medium Type-Defect
``` The task I wish to perform seems so absurdly simple! Somebody on one of the ArcGIS forums recommended this product. The code I've written is very simple (see below). The first record I read returns the error: Unknown shape type: 13. Here's my code (and I'm attaching my .shp file): SpatialReference lSR = mapView.getSpatialReference(); Envelope lEnvolope = mapView.getLayer(0).getFullExtent(); GraphicsLayer graphicLayer = new GraphicsLayer(lSR, lEnvolope); try { File file = new File(shpfile); ShapeFile shp = new ShapeFile(file); SimpleMarkerSymbol c_point = new SimpleMarkerSymbol(Color.RED, 2, SimpleMarkerSymbol.STYLE.CIRCLE); ESRIPointRecord e=null; boolean failed=false; boolean weredone=false; try { e = (ESRIPointRecord) shp.getNextRecord(); } catch (Exception ee) { failed=true; } while (!weredone) { if(!failed) { graphicLayer.addGraphic(new Graphic(new Point(e.getX(), e.getY()), c_point)); } failed=false; try { e = (ESRIPointRecord) shp.getNextRecord(); if (e==null) { weredone=true; } } catch (Exception ee2) { failed=true; } } shp.close(); } catch (IOException e1) { e1.printStackTrace(); } return graphicLayer; } ``` Original issue reported on code.google.com by `diamonds...@gmail.com` on 25 Mar 2014 at 1:46 Attachments: - [SunriverBikePaths2010.shp](https://storage.googleapis.com/google-code-attachments/openmap/issue-4/comment-0/SunriverBikePaths2010.shp)
1.0
Trying to import .SHP files from a previously exported ArcGIS map into a graphics layer on Android - ``` The task I wish to perform seems so absurdly simple! Somebody on one of the ArcGIS forums recommended this product. The code I've written is very simple (see below). The first record I read returns the error: Unknown shape type: 13. Here's my code (and I'm attaching my .shp file): SpatialReference lSR = mapView.getSpatialReference(); Envelope lEnvolope = mapView.getLayer(0).getFullExtent(); GraphicsLayer graphicLayer = new GraphicsLayer(lSR, lEnvolope); try { File file = new File(shpfile); ShapeFile shp = new ShapeFile(file); SimpleMarkerSymbol c_point = new SimpleMarkerSymbol(Color.RED, 2, SimpleMarkerSymbol.STYLE.CIRCLE); ESRIPointRecord e=null; boolean failed=false; boolean weredone=false; try { e = (ESRIPointRecord) shp.getNextRecord(); } catch (Exception ee) { failed=true; } while (!weredone) { if(!failed) { graphicLayer.addGraphic(new Graphic(new Point(e.getX(), e.getY()), c_point)); } failed=false; try { e = (ESRIPointRecord) shp.getNextRecord(); if (e==null) { weredone=true; } } catch (Exception ee2) { failed=true; } } shp.close(); } catch (IOException e1) { e1.printStackTrace(); } return graphicLayer; } ``` Original issue reported on code.google.com by `diamonds...@gmail.com` on 25 Mar 2014 at 1:46 Attachments: - [SunriverBikePaths2010.shp](https://storage.googleapis.com/google-code-attachments/openmap/issue-4/comment-0/SunriverBikePaths2010.shp)
defect
trying to import shp files from a previously exported arcgis map into a graphics layer on android the task i wish to perform seems so absurdly simple somebody on one of the arcgis forums recommended this product the code i ve written is very simple see below the first record i read returns the error unknown shape type here s my code and i m attaching my shp file spatialreference lsr mapview getspatialreference envelope lenvolope mapview getlayer getfullextent graphicslayer graphiclayer new graphicslayer lsr lenvolope try file file new file shpfile shapefile shp new shapefile file simplemarkersymbol c point new simplemarkersymbol color red simplemarkersymbol style circle esripointrecord e null boolean failed false boolean weredone false try e esripointrecord shp getnextrecord catch exception ee failed true while weredone if failed graphiclayer addgraphic new graphic new point e getx e gety c point failed false try e esripointrecord shp getnextrecord if e null weredone true catch exception failed true shp close catch ioexception printstacktrace return graphiclayer original issue reported on code google com by diamonds gmail com on mar at attachments
1
301,963
26,113,058,638
IssuesEvent
2022-12-27 23:53:00
littlewhitecloud/CustomTkinterTitlebar
https://api.github.com/repos/littlewhitecloud/CustomTkinterTitlebar
reopened
Can't maxsize correctly
bug enhancement help wanted invalid question need more test
![image](https://user-images.githubusercontent.com/71159641/209413716-f0f89d99-9275-4f33-be1f-f79b37da15bb.png) 关闭按钮仅显示一半。我不知道为什么会这样? The close button only shows half. I don't know why it will happen?
1.0
Can't maxsize correctly - ![image](https://user-images.githubusercontent.com/71159641/209413716-f0f89d99-9275-4f33-be1f-f79b37da15bb.png) 关闭按钮仅显示一半。我不知道为什么会这样? The close button only shows half. I don't know why it will happen?
non_defect
can t maxsize correctly 关闭按钮仅显示一半。我不知道为什么会这样? the close button only shows half i don t know why it will happen
0
154,671
19,751,426,495
IssuesEvent
2022-01-15 05:08:52
b-tomi/100DaysOfCode
https://api.github.com/repos/b-tomi/100DaysOfCode
opened
CVE-2021-23343 (High) detected in path-parse-1.0.6.tgz
security vulnerability
## CVE-2021-23343 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>path-parse-1.0.6.tgz</b></p></summary> <p>Node.js path.parse() ponyfill</p> <p>Library home page: <a href="https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz">https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz</a></p> <p> Dependency Hierarchy: - gulp-4.0.2.tgz (Root Library) - gulp-cli-2.2.0.tgz - liftoff-3.1.0.tgz - resolve-1.11.0.tgz - :x: **path-parse-1.0.6.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/b-tomi/100DaysOfCode/commit/c88b9429eb68a85b22f0e39cac7bf20b89cb6709">c88b9429eb68a85b22f0e39cac7bf20b89cb6709</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> All versions of package path-parse are vulnerable to Regular Expression Denial of Service (ReDoS) via splitDeviceRe, splitTailRe, and splitPathRe regular expressions. ReDoS exhibits polynomial worst-case time complexity. <p>Publish Date: 2021-05-04 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-23343>CVE-2021-23343</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/jbgutierrez/path-parse/issues/8">https://github.com/jbgutierrez/path-parse/issues/8</a></p> <p>Release Date: 2021-05-04</p> <p>Fix Resolution: path-parse - 1.0.7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2021-23343 (High) detected in path-parse-1.0.6.tgz - ## CVE-2021-23343 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>path-parse-1.0.6.tgz</b></p></summary> <p>Node.js path.parse() ponyfill</p> <p>Library home page: <a href="https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz">https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz</a></p> <p> Dependency Hierarchy: - gulp-4.0.2.tgz (Root Library) - gulp-cli-2.2.0.tgz - liftoff-3.1.0.tgz - resolve-1.11.0.tgz - :x: **path-parse-1.0.6.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/b-tomi/100DaysOfCode/commit/c88b9429eb68a85b22f0e39cac7bf20b89cb6709">c88b9429eb68a85b22f0e39cac7bf20b89cb6709</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> All versions of package path-parse are vulnerable to Regular Expression Denial of Service (ReDoS) via splitDeviceRe, splitTailRe, and splitPathRe regular expressions. ReDoS exhibits polynomial worst-case time complexity. <p>Publish Date: 2021-05-04 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-23343>CVE-2021-23343</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/jbgutierrez/path-parse/issues/8">https://github.com/jbgutierrez/path-parse/issues/8</a></p> <p>Release Date: 2021-05-04</p> <p>Fix Resolution: path-parse - 1.0.7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve high detected in path parse tgz cve high severity vulnerability vulnerable library path parse tgz node js path parse ponyfill library home page a href dependency hierarchy gulp tgz root library gulp cli tgz liftoff tgz resolve tgz x path parse tgz vulnerable library found in head commit a href found in base branch master vulnerability details all versions of package path parse are vulnerable to regular expression denial of service redos via splitdevicere splittailre and splitpathre regular expressions redos exhibits polynomial worst case time complexity publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution path parse step up your open source security game with whitesource
0
60,375
17,023,409,221
IssuesEvent
2021-07-03 01:52:52
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Problem with upload on edit with save Potlatch v1.0
Component: potlatch (flash editor) Priority: critical Resolution: fixed Type: defect
**[Submitted to the original trac issue database at 10.41am, Tuesday, 26th May 2009]** I've just lost more than an hour's work due to this bug :'( There are two different behaviours with the same effect seen this morning: 1) When you try to save, the upload box pops up but it never finished. Eventually you see the red triangle in the bottom left. After cancelling the upload (cos nothing's happened in a very long time!) Clicking on the red triangle, and clicking retry, then clicking save again, it flashed up "deleting POIs" (I didn't delete any POIs!) and then says that it's uploaded ok. Problem is, it hasn't uploaded anything. Clearing the cache and reloading the edit page shows this. DOH! 2) When you try to save, again, the upload box appears but never finishes. Eventually you cancel and try again, and it says there's nothing to upload. Again, nothing has been uploaded. I understand these problems are probably related to heavy server load, but we need a better way of dealing with this.
1.0
Problem with upload on edit with save Potlatch v1.0 - **[Submitted to the original trac issue database at 10.41am, Tuesday, 26th May 2009]** I've just lost more than an hour's work due to this bug :'( There are two different behaviours with the same effect seen this morning: 1) When you try to save, the upload box pops up but it never finished. Eventually you see the red triangle in the bottom left. After cancelling the upload (cos nothing's happened in a very long time!) Clicking on the red triangle, and clicking retry, then clicking save again, it flashed up "deleting POIs" (I didn't delete any POIs!) and then says that it's uploaded ok. Problem is, it hasn't uploaded anything. Clearing the cache and reloading the edit page shows this. DOH! 2) When you try to save, again, the upload box appears but never finishes. Eventually you cancel and try again, and it says there's nothing to upload. Again, nothing has been uploaded. I understand these problems are probably related to heavy server load, but we need a better way of dealing with this.
defect
problem with upload on edit with save potlatch i ve just lost more than an hour s work due to this bug there are two different behaviours with the same effect seen this morning when you try to save the upload box pops up but it never finished eventually you see the red triangle in the bottom left after cancelling the upload cos nothing s happened in a very long time clicking on the red triangle and clicking retry then clicking save again it flashed up deleting pois i didn t delete any pois and then says that it s uploaded ok problem is it hasn t uploaded anything clearing the cache and reloading the edit page shows this doh when you try to save again the upload box appears but never finishes eventually you cancel and try again and it says there s nothing to upload again nothing has been uploaded i understand these problems are probably related to heavy server load but we need a better way of dealing with this
1
58,503
16,566,776,807
IssuesEvent
2021-05-29 15:24:40
Questie/Questie
https://api.github.com/repos/Questie/Questie
opened
Curseforge always shows Questie as "Modified"
Type - Defect
Questie v6.3.13-TBC Always shows as modified in Curseforge. Uninstalling/reinstalling doesn't fix. Seems to be functioning okay in game, but this bugs me because when Curseforge shows this it indicates a problem. ![2021-05-29](https://user-images.githubusercontent.com/85028326/120075724-719e4500-c070-11eb-8dde-0450a464f0c3.png) <!-- READ THIS FIRST Hello, thanks for taking the time to report a bug! Before you proceed, please verify that you're running the latest version of Questie. The easiest way to do this is via the Twitch client, but you can also download the latest version here: https://www.curseforge.com/wow/addons/questie Questie is one of the most popular Classic WoW addons, with over 22M downloads. However, like almost all WoW addons, it's built and maintained by a team of volunteers. The current Questie team is: * @AeroScripts / Aero#1357 (Discord) * @BreakBB / TheCrux#1702 (Discord) * @drejjmit / Drejjmit#8241 (Discord) * @Dyaxler / Dyaxler#0086 (Discord) * @gogo1951 / Gogo#0298 (Discord) If you'd like to help, please consider making a donation. You can do so here: https://www.paypal.com/cgi-bin/webscr?cmd=_donations&business=aero1861%40gmail%2ecom&lc=CA&item_name=Questie%20Devs&currency_code=USD&bn=PP%2dDonationsBF%3abtn_donate_LG%2egif%3aNonHosted You can also help as a tester, developer or translator, please join the Questie Discord here https://discord.gg/fYcQfv7 --> ## Bug description <!-- Explain in detail what the bug is and how you encountered it. If possible explain how it can be reproduced. --> ## Screenshots <!-- If you can, add a screenshot to help explaining the bug. Simply drag and drop the image in this input field, no need to upload it to any other image platform. --> ## Questie version <!-- Which version of Questie are you using? You can find it by: - 1. Hovering over the Questie Minimap Icon - 2. looking at your Questie.toc file (open it with any text editor). It looks something like this: "v5.9.0" or "## Version: 5.9.0". -->
1.0
Curseforge always shows Questie as "Modified" - Questie v6.3.13-TBC Always shows as modified in Curseforge. Uninstalling/reinstalling doesn't fix. Seems to be functioning okay in game, but this bugs me because when Curseforge shows this it indicates a problem. ![2021-05-29](https://user-images.githubusercontent.com/85028326/120075724-719e4500-c070-11eb-8dde-0450a464f0c3.png) <!-- READ THIS FIRST Hello, thanks for taking the time to report a bug! Before you proceed, please verify that you're running the latest version of Questie. The easiest way to do this is via the Twitch client, but you can also download the latest version here: https://www.curseforge.com/wow/addons/questie Questie is one of the most popular Classic WoW addons, with over 22M downloads. However, like almost all WoW addons, it's built and maintained by a team of volunteers. The current Questie team is: * @AeroScripts / Aero#1357 (Discord) * @BreakBB / TheCrux#1702 (Discord) * @drejjmit / Drejjmit#8241 (Discord) * @Dyaxler / Dyaxler#0086 (Discord) * @gogo1951 / Gogo#0298 (Discord) If you'd like to help, please consider making a donation. You can do so here: https://www.paypal.com/cgi-bin/webscr?cmd=_donations&business=aero1861%40gmail%2ecom&lc=CA&item_name=Questie%20Devs&currency_code=USD&bn=PP%2dDonationsBF%3abtn_donate_LG%2egif%3aNonHosted You can also help as a tester, developer or translator, please join the Questie Discord here https://discord.gg/fYcQfv7 --> ## Bug description <!-- Explain in detail what the bug is and how you encountered it. If possible explain how it can be reproduced. --> ## Screenshots <!-- If you can, add a screenshot to help explaining the bug. Simply drag and drop the image in this input field, no need to upload it to any other image platform. --> ## Questie version <!-- Which version of Questie are you using? You can find it by: - 1. Hovering over the Questie Minimap Icon - 2. looking at your Questie.toc file (open it with any text editor). It looks something like this: "v5.9.0" or "## Version: 5.9.0". -->
defect
curseforge always shows questie as modified questie tbc always shows as modified in curseforge uninstalling reinstalling doesn t fix seems to be functioning okay in game but this bugs me because when curseforge shows this it indicates a problem read this first hello thanks for taking the time to report a bug before you proceed please verify that you re running the latest version of questie the easiest way to do this is via the twitch client but you can also download the latest version here questie is one of the most popular classic wow addons with over downloads however like almost all wow addons it s built and maintained by a team of volunteers the current questie team is aeroscripts aero discord breakbb thecrux discord drejjmit drejjmit discord dyaxler dyaxler discord gogo discord if you d like to help please consider making a donation you can do so here you can also help as a tester developer or translator please join the questie discord here bug description screenshots questie version which version of questie are you using you can find it by hovering over the questie minimap icon looking at your questie toc file open it with any text editor it looks something like this or version
1
191,709
22,215,832,899
IssuesEvent
2022-06-08 01:28:16
ShaikUsaf/linux-3.0.35
https://api.github.com/repos/ShaikUsaf/linux-3.0.35
opened
CVE-2014-2706 (Medium) detected in linux-stable-rtv3.8.6
security vulnerability
## CVE-2014-2706 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linux-stable-rtv3.8.6</b></p></summary> <p> <p>Julia Cartwright's fork of linux-stable-rt.git</p> <p>Library home page: <a href=https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git>https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (1)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/net/mac80211/sta_info.h</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Race condition in the mac80211 subsystem in the Linux kernel before 3.13.7 allows remote attackers to cause a denial of service (system crash) via network traffic that improperly interacts with the WLAN_STA_PS_STA state (aka power-save mode), related to sta_info.c and tx.c. <p>Publish Date: 2014-04-14 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2014-2706>CVE-2014-2706</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.9</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2014-2706">https://nvd.nist.gov/vuln/detail/CVE-2014-2706</a></p> <p>Release Date: 2014-04-14</p> <p>Fix Resolution: 3.13.7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2014-2706 (Medium) detected in linux-stable-rtv3.8.6 - ## CVE-2014-2706 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linux-stable-rtv3.8.6</b></p></summary> <p> <p>Julia Cartwright's fork of linux-stable-rt.git</p> <p>Library home page: <a href=https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git>https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (1)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/net/mac80211/sta_info.h</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Race condition in the mac80211 subsystem in the Linux kernel before 3.13.7 allows remote attackers to cause a denial of service (system crash) via network traffic that improperly interacts with the WLAN_STA_PS_STA state (aka power-save mode), related to sta_info.c and tx.c. <p>Publish Date: 2014-04-14 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2014-2706>CVE-2014-2706</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.9</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2014-2706">https://nvd.nist.gov/vuln/detail/CVE-2014-2706</a></p> <p>Release Date: 2014-04-14</p> <p>Fix Resolution: 3.13.7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve medium detected in linux stable cve medium severity vulnerability vulnerable library linux stable julia cartwright s fork of linux stable rt git library home page a href found in base branch master vulnerable source files net sta info h vulnerability details race condition in the subsystem in the linux kernel before allows remote attackers to cause a denial of service system crash via network traffic that improperly interacts with the wlan sta ps sta state aka power save mode related to sta info c and tx c publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity high privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with mend
0
106,238
9,125,261,492
IssuesEvent
2019-02-24 12:13:31
eclipse/openj9
https://api.github.com/repos/eclipse/openj9
opened
jdk12 intermittent test build failure os.name property value ${java8.os.name} not recognised
test failure
https://ci.eclipse.org/openj9/job/Test-extended.system-JDK12-linux_390-64_cmprssptrs/3 ``` 06:01:45 /home/jenkins/jenkins-agent/workspace/Test-extended.system-JDK12-linux_390-64_cmprssptrs/openjdk-tests/systemtest/openj9-systemtest/openj9.build/include/top.xml:469: java os.name property value ${java8.os.name} not recognised. Update the get-platform-prefix macrodef in openj9.build/include/top.xml ```
1.0
jdk12 intermittent test build failure os.name property value ${java8.os.name} not recognised - https://ci.eclipse.org/openj9/job/Test-extended.system-JDK12-linux_390-64_cmprssptrs/3 ``` 06:01:45 /home/jenkins/jenkins-agent/workspace/Test-extended.system-JDK12-linux_390-64_cmprssptrs/openjdk-tests/systemtest/openj9-systemtest/openj9.build/include/top.xml:469: java os.name property value ${java8.os.name} not recognised. Update the get-platform-prefix macrodef in openj9.build/include/top.xml ```
non_defect
intermittent test build failure os name property value os name not recognised home jenkins jenkins agent workspace test extended system linux cmprssptrs openjdk tests systemtest systemtest build include top xml java os name property value os name not recognised update the get platform prefix macrodef in build include top xml
0
212,163
23,860,819,770
IssuesEvent
2022-09-07 06:51:14
elastic/kibana
https://api.github.com/repos/elastic/kibana
opened
[Security Solution]Firefox :Wrapping of default data view index not done under rule details page
bug triage_needed impact:low Team: SecuritySolution
**Describe the bug** Firefox :Wrapping of default data view index not done under rule details page **Build Details:** ``` VERSION: 8.5.0-SNAPSHOT commit:a93f5d9986a19277826c9e35a37ccb984caeabcc build:56016 Firefox:104.0.1 ``` **Steps** - Login to kibana deployment - Go to Rule page - Create rule with default data view - Fill in all the steps of rule creation - Observed the index names not wraps under Firefox browser Notes: - Issue is not occuring on Chrome browser **Screen-Shoot:** ![image](https://user-images.githubusercontent.com/59917825/188808813-ac19a533-373d-4e4c-bb61-f9ad7d28170f.png) ![image](https://user-images.githubusercontent.com/59917825/188808847-22f7837a-8464-4f5d-93e2-9ccb57f6ac11.png)
True
[Security Solution]Firefox :Wrapping of default data view index not done under rule details page - **Describe the bug** Firefox :Wrapping of default data view index not done under rule details page **Build Details:** ``` VERSION: 8.5.0-SNAPSHOT commit:a93f5d9986a19277826c9e35a37ccb984caeabcc build:56016 Firefox:104.0.1 ``` **Steps** - Login to kibana deployment - Go to Rule page - Create rule with default data view - Fill in all the steps of rule creation - Observed the index names not wraps under Firefox browser Notes: - Issue is not occuring on Chrome browser **Screen-Shoot:** ![image](https://user-images.githubusercontent.com/59917825/188808813-ac19a533-373d-4e4c-bb61-f9ad7d28170f.png) ![image](https://user-images.githubusercontent.com/59917825/188808847-22f7837a-8464-4f5d-93e2-9ccb57f6ac11.png)
non_defect
firefox wrapping of default data view index not done under rule details page describe the bug firefox wrapping of default data view index not done under rule details page build details version snapshot commit build firefox steps login to kibana deployment go to rule page create rule with default data view fill in all the steps of rule creation observed the index names not wraps under firefox browser notes issue is not occuring on chrome browser screen shoot
0
20,641
3,391,108,753
IssuesEvent
2015-11-30 14:14:33
NREL/EnergyPlus
https://api.github.com/repos/NREL/EnergyPlus
closed
Follow-up check/issue from #5107
unconfirmed defect
That PR is being merged, but there was one very small issue to be checked on. From @rraustad: >This can go in, but I still want to check to see why the supp heater didn't size the same as the cooling coil. It may be correct now, I just wanted to double-check. I can update this anytime using any other branch.
1.0
Follow-up check/issue from #5107 - That PR is being merged, but there was one very small issue to be checked on. From @rraustad: >This can go in, but I still want to check to see why the supp heater didn't size the same as the cooling coil. It may be correct now, I just wanted to double-check. I can update this anytime using any other branch.
defect
follow up check issue from that pr is being merged but there was one very small issue to be checked on from rraustad this can go in but i still want to check to see why the supp heater didn t size the same as the cooling coil it may be correct now i just wanted to double check i can update this anytime using any other branch
1
4,926
2,610,161,286
IssuesEvent
2015-02-26 18:51:11
chrsmith/republic-at-war
https://api.github.com/repos/chrsmith/republic-at-war
closed
Text
auto-migrated Priority-Medium Type-Defect
``` Ryloth tactical info missing ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 12 Feb 2011 at 5:56
1.0
Text - ``` Ryloth tactical info missing ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 12 Feb 2011 at 5:56
defect
text ryloth tactical info missing original issue reported on code google com by gmail com on feb at
1
81,551
23,491,942,751
IssuesEvent
2022-08-17 19:41:16
acxz/gazebo-arch
https://api.github.com/repos/acxz/gazebo-arch
closed
[gazebo] build fail due to graphviz-4.0.0
build error need sync
Install gazebo with `paru -S gazebo` failed. ![image](https://user-images.githubusercontent.com/43972734/173128998-5bcda7ad-d622-4084-be5a-90ff31f527cb.png) <details> <summary>Log</summary> <p> ``` /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/EditorView.cc: In member function ‘virtual void gazebo::gui::EditorView::wheelEvent(QWheelEvent*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/EditorView.cc:219:23: warning: ‘QMatrix QGraphicsView::matrix() const’ is deprecated: Use transform() [-Wdeprecated-declarations] 219 | QMatrix mat = matrix(); | ~~~~~~^~ In file included from /usr/include/qt/QtWidgets/QGraphicsView:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:54, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/Conversions.hh:24, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/EditorView.cc:25: /usr/include/qt/QtWidgets/qgraphicsview.h:169:48: note: declared here 169 | QT_DEPRECATED_X("Use transform()") QMatrix matrix() const; | ^~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/EditorView.cc:220:38: warning: ‘QPoint QWheelEvent::pos() const’ is deprecated: Use position() [-Wdeprecated-declarations] 220 | QPointF mousePosition = _event->pos(); | ~~~~~~~~~~~^~ In file included from /usr/include/qt/QtGui/QResizeEvent:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:34: /usr/include/qt/QtGui/qevent.h:225:19: note: declared here 225 | inline QPoint pos() const { return p.toPoint(); } | ^~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/EditorView.cc:239:18: warning: ‘void QGraphicsView::setMatrix(const QMatrix&, bool)’ is deprecated: Use setTransform() [-Wdeprecated-declarations] 239 | this->setMatrix(mat); | ~~~~~~~~~~~~~~~^~~~~ /usr/include/qt/QtWidgets/qgraphicsview.h:170:48: note: declared here 170 | QT_DEPRECATED_X("Use setTransform()") void setMatrix(const QMatrix &matrix, bool combine = false); | ^~~~~~~~~ [ 69%] Automatic MOC for target ActuatorPlugin [ 69%] Built target ActuatorPlugin_autogen [ 69%] Automatic MOC for target AmbientOcclusionVisualPlugin [ 69%] Built target AmbientOcclusionVisualPlugin_autogen [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/GrabberHandle.cc.o In file included from /usr/include/OGRE/OgreMeshSerializerImpl.h:37, from /usr/include/OGRE/OgreMeshSerializer.h:34, from /usr/include/OGRE/Ogre.h:75, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/ogre_gazebo.h:26, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/Conversions.hh:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/Camera.hh:47, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/build/gazebo/rendering/rendering.hh:5, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixture.hh:53, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixture.cc:26: /usr/include/OGRE/OgreEdgeListBuilder.h: In member function ‘bool Ogre::EdgeListBuilder::geometryLess::operator()(const Ogre::EdgeListBuilder::Geometry&, const Ogre::EdgeListBuilder::Geometry&) const’: /usr/include/OGRE/OgreEdgeListBuilder.h:227: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 227 | if (a.vertexSet < b.vertexSet) return true; | /usr/include/OGRE/OgreEdgeListBuilder.h:227: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory In file included from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/sensors/SensorTypes.hh:23, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/sensors/Sensor.hh:31, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/sensors/AltimeterSensor.hh:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/build/gazebo/sensors/sensors.hh:2, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixture.hh:52, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixtureRecord.cc:21: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/common/EnumIface.hh:180:12: warning: ‘template<class _Category, class _Tp, class _Distance, class _Pointer, class _Reference> struct std::iterator’ is deprecated [-Wdeprecated-declarations] 180 | : std::iterator<std::bidirectional_iterator_tag, Enum> | ^~~~~~~~ In file included from /usr/include/c++/12.1.0/string:45, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixtureRecord.cc:17: /usr/include/c++/12.1.0/bits/stl_iterator_base_types.h:127:34: note: declared here 127 | struct _GLIBCXX17_DEPRECATED iterator | ^~~~~~~~ [ 69%] Linking CXX executable gzserver In file included from /usr/include/ignition/msgs5/ignition/msgs/MessageTypes.hh:119, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/Visual.hh:32, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/BuildingMaker.cc:36: /usr/include/ignition/msgs5/ignition/msgs/model_configuration.pb.h: In member function ‘ignition::msgs::ModelConfiguration& ignition::msgs::ModelConfiguration::operator=(ignition::msgs::ModelConfiguration&&)’: /usr/include/ignition/msgs5/ignition/msgs/model_configuration.pb.h:94: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 94 | if (this == &from) return *this; | /usr/include/ignition/msgs5/ignition/msgs/model_configuration.pb.h:94: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory [ 69%] Built target gzserver [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/GridLines.cc.o [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/ImportImageDialog.cc.o [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/ImportImageView.cc.o [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/LevelInspectorDialog.cc.o [ 69%] Automatic MOC for target ArduCopterPlugin [ 69%] Built target ArduCopterPlugin_autogen [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/LevelWidget.cc.o [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/MeasureItem.cc.o [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/RectItem.cc.o In file included from /usr/include/OGRE/Terrain/OgreTerrainMaterialGeneratorA.h:33, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/ogre_gazebo.h:62, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/Conversions.hh:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/Camera.hh:47, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/build/gazebo/rendering/rendering.hh:5, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixture.hh:53: /usr/include/OGRE/Terrain/OgreTerrainMaterialGenerator.h: In member function ‘Ogre::TerrainMaterialGenerator::Profile* Ogre::TerrainMaterialGenerator::getActiveProfile() const’: /usr/include/OGRE/Terrain/OgreTerrainMaterialGenerator.h:248: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 248 | if (!mActiveProfile && !mProfiles.empty()) | /usr/include/OGRE/Terrain/OgreTerrainMaterialGenerator.h:248: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/MeasureItem.cc: In member function ‘virtual void gazebo::gui::MeasureItem::paint(QPainter*, const QStyleOptionGraphicsItem*, QWidget*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/MeasureItem.cc:87:50: warning: ‘int QFontMetrics::width(const QString&, int) const’ is deprecated: Use QFontMetrics::horizontalAdvance [-Wdeprecated-declarations] 87 | float textWidth = _painter->fontMetrics().width(stream.str().c_str()); | ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~ In file included from /usr/include/qt/QtGui/qpainter.h:59, from /usr/include/qt/QtGui/QPainter:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:33, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/MeasureItem.hh:24, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/MeasureItem.cc:23: /usr/include/qt/QtGui/qfontmetrics.h:106:9: note: declared here 106 | int width(const QString &, int len = -1) const; | ^~~~~ [ 69%] Automatic MOC for target ArrangePlugin [ 69%] Built target ArrangePlugin_autogen [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/RotateHandle.cc.o [ 71%] Automatic MOC for target AttachLightPlugin [ 71%] Built target AttachLightPlugin_autogen [ 71%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/ScaleWidget.cc.o [ 71%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/SegmentItem.cc.o [ 71%] Automatic MOC for target BlinkVisualPlugin [ 71%] Built target BlinkVisualPlugin_autogen [ 71%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/StairsInspectorDialog.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/StairsItem.cc.o [ 73%] Automatic MOC for target BreakableJointPlugin [ 73%] Built target BreakableJointPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/WallInspectorDialog.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/WallSegmentItem.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/WindowDoorInspectorDialog.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/WindowItem.cc.o [ 73%] Linking CXX static library libgazebo_test_fixture.a [ 73%] Built target gazebo_test_fixture [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/CollisionConfig.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/EditorMaterialSwitcher.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ExtrudeDialog.cc.o [ 73%] Automatic MOC for target BuoyancyPlugin [ 73%] Built target BuoyancyPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ImportDialog.cc.o [ 73%] Automatic MOC for target CameraPlugin [ 73%] Built target CameraPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/JointCreationDialog.cc.o [ 73%] Automatic MOC for target CartDemoPlugin [ 73%] Built target CartDemoPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/JointInspector.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/JointMaker.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/LinkConfig.cc.o [ 73%] Automatic MOC for target CessnaPlugin [ 73%] Built target CessnaPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/LinkInspector.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/MEUserCmdManager.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelCreator.cc.o [ 73%] Automatic MOC for target ContactPlugin [ 73%] Built target ContactPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelData.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/EditorMaterialSwitcher.cc: In member function ‘void gazebo::gui::EditorMaterialSwitcher::SetMaterialScheme(const std::string&)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/EditorMaterialSwitcher.cc:54: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 54 | if (!this->camera || !this->camera->OgreViewport()) | /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/EditorMaterialSwitcher.cc:54: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelEditor.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelEditorEvents.cc.o In file included from /usr/include/boost/multi_index/detail/ord_index_impl.hpp:65, from /usr/include/boost/multi_index/ordered_index.hpp:17, from /usr/include/boost/property_tree/ptree.hpp:24, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/GuiIface.hh:21, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/JointMaker.cc:33: /usr/include/boost/multi_index/detail/ord_index_node.hpp: In static member function ‘static void boost::multi_index::detail::ordered_index_node_impl<AugmentPolicy, Allocator>::decrement(pointer&)’: /usr/include/boost/multi_index/detail/ord_index_node.hpp:289: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 289 | while(y->right()!=pointer(0))y=y->right(); | /usr/include/boost/multi_index/detail/ord_index_node.hpp:289: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelEditorPalette.cc.o [ 73%] Automatic MOC for target ContainPlugin [ 73%] Built target ContainPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelPluginInspector.cc.o [ 73%] Automatic MOC for target DepthCameraPlugin [ 73%] Built target DepthCameraPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelTreeWidget.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/ModelEditorPalette.cc: In constructor ‘gazebo::gui::ModelEditorPalette::ModelEditorPalette(QWidget*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/ModelEditorPalette.cc:130:26: warning: ‘constexpr QFlags<T>::QFlags(Zero) [with Enum = Qt::AlignmentFlag; Zero = int QFlags<Qt::AlignmentFlag>::Private::*]’ is deprecated: Use default constructor instead [-Wdeprecated-declarations] 130 | customLayout->addWidget(customButton, 0, 0); | ~~~~~~~~~~~~~~~~~~~~~~~^~~~~~~~~~~~~~~~~~~~ In file included from /usr/include/qt/QtCore/qglobal.h:1299, from /usr/include/qt/QtCore/QtCore:4, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/Actions.hh:22, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/ModelEditorPalette.cc:22: /usr/include/qt/QtCore/qflags.h:123:80: note: declared here 123 | QT_DEPRECATED_X("Use default constructor instead") Q_DECL_CONSTEXPR inline QFlags(Zero) noexcept : i(0) {} | ^~~~~~ [ 73%] Automatic MOC for target DiffDrivePlugin [ 73%] Built target DiffDrivePlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/VisualConfig.cc.o In file included from /usr/include/qt/QtCore/qobject.h:49, from /usr/include/qt/QtCore/qabstractanimation.h:43, from /usr/include/qt/QtCore/QtCore:6, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/Actions.hh:22, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/ModelCreator.cc:40: /usr/include/qt/QtCore/qlist.h: In member function ‘void QList<T>::setSharable(bool)’: /usr/include/qt/QtCore/qlist.h:191: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 191 | if (sharable == d->ref.isSharable()) | /usr/include/qt/QtCore/qlist.h:191: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/GraphScene.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/GraphView.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/SchematicViewWidget.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.cc: In member function ‘virtual void gazebo::gui::GraphView::wheelEvent(QWheelEvent*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.cc:77:23: warning: ‘QMatrix QGraphicsView::matrix() const’ is deprecated: Use transform() [-Wdeprecated-declarations] 77 | QMatrix mat = matrix(); | ~~~~~~^~ In file included from /usr/include/qt/QtWidgets/QGraphicsView:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:54, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.hh:20, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.cc:22: /usr/include/qt/QtWidgets/qgraphicsview.h:169:48: note: declared here 169 | QT_DEPRECATED_X("Use transform()") QMatrix matrix() const; | ^~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.cc:78:38: warning: ‘QPoint QWheelEvent::pos() const’ is deprecated: Use position() [-Wdeprecated-declarations] 78 | QPointF mousePosition = _event->pos(); | ~~~~~~~~~~~^~ In file included from /usr/include/qt/QtGui/QResizeEvent:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:34: /usr/include/qt/QtGui/qevent.h:225:19: note: declared here 225 | inline QPoint pos() const { return p.toPoint(); } | ^~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.cc:97:18: warning: ‘void QGraphicsView::setMatrix(const QMatrix&, bool)’ is deprecated: Use setTransform() [-Wdeprecated-declarations] 97 | this->setMatrix(mat); | ~~~~~~~~~~~~~~~^~~~~ /usr/include/qt/QtWidgets/qgraphicsview.h:170:48: note: declared here 170 | QT_DEPRECATED_X("Use setTransform()") void setMatrix(const QMatrix &matrix, bool combine = false); | ^~~~~~~~~ [ 76%] Automatic MOC for target FiducialCameraPlugin [ 76%] Built target FiducialCameraPlugin_autogen [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/EditableLabel.cc.o [ 76%] Automatic MOC for target FlashLightPlugin [ 76%] Built target FlashLightPlugin_autogen [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/ExportDialog.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/IncrementalPlot.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/IntrospectionCurveHandler.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/Palette.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc: In member function ‘virtual void PlotViewDelegate::paint(QPainter*, const QStyleOptionViewItem&, const QModelIndex&) const’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc:104:43: warning: ‘int QFontMetrics::width(const QString&, int) const’ is deprecated: Use QFontMetrics::horizontalAdvance [-Wdeprecated-declarations] 104 | int checkTitleWidth = fm.width(title) + checkSize + checkMargin; | ~~~~~~~~^~~~~~~ In file included from /usr/include/qt/QtGui/qpainter.h:59, from /usr/include/qt/QtGui/QPainter:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:33, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.hh:23, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc:20: /usr/include/qt/QtGui/qfontmetrics.h:106:9: note: declared here 106 | int width(const QString &, int len = -1) const; | ^~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc: In constructor ‘gazebo::gui::ExportDialog::ExportDialog(QWidget*, const std::__cxx11::list<gazebo::gui::PlotCanvas*>&)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc:239:35: warning: ‘static QPixmap QPixmap::grabWindow(WId, int, int, int, int)’ is deprecated: Use QScreen::grabWindow() instead [-Wdeprecated-declarations] 239 | QIcon icon(QPixmap::grabWindow(plot->winId())); | ~~~~~~~~~~~~~~~~~~~^~~~~~~~~~~~~~~ In file included from /usr/include/qt/QtGui/qbitmap.h:44, from /usr/include/qt/QtGui/QBitmap:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:31: /usr/include/qt/QtGui/qpixmap.h:118:20: note: declared here 118 | static QPixmap grabWindow(WId, int x = 0, int y = 0, int w = -1, int h = -1); | ^~~~~~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc: In member function ‘void gazebo::gui::ExportDialog::OnExport(gazebo::gui::FileType)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc:315:39: warning: ‘QFileDialog::DirectoryOnly’ is deprecated: Use setOption(ShowDirsOnly, true) instead [-Wdeprecated-declarations] 315 | fileDialog.setFileMode(QFileDialog::DirectoryOnly); | ^~~~~~~~~~~~~ In file included from /usr/include/qt/QtWidgets/QFileDialog:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:48: /usr/include/qt/QtWidgets/qfiledialog.h:84:21: note: declared here 84 | DirectoryOnly Q_DECL_ENUMERATOR_DEPRECATED_X("Use setOption(ShowDirsOnly, true) instead")}; | ^~~~~~~~~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc:315:39: warning: ‘QFileDialog::DirectoryOnly’ is deprecated: Use setOption(ShowDirsOnly, true) instead [-Wdeprecated-declarations] 315 | fileDialog.setFileMode(QFileDialog::DirectoryOnly); | ^~~~~~~~~~~~~ /usr/include/qt/QtWidgets/qfiledialog.h:84:21: note: declared here 84 | DirectoryOnly Q_DECL_ENUMERATOR_DEPRECATED_X("Use setOption(ShowDirsOnly, true) instead")}; | ^~~~~~~~~~~~~ [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/PlotCanvas.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/PlotCurve.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/IncrementalPlot.cc: In member function ‘virtual void gazebo::gui::PlotMagnifier::widgetWheelEvent(QWheelEvent*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/IncrementalPlot.cc:58:50: warning: ‘QPoint QWheelEvent::pos() const’ is deprecated: Use position() [-Wdeprecated-declarations] 58 | this->mousePos = _wheelEvent->pos(); | ~~~~~~~~~~~~~~~~^~ In file included from /usr/include/qt/QtGui/QResizeEvent:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:34, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/PlotCurve.hh:26, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/IncrementalPlot.cc:25: /usr/include/qt/QtGui/qevent.h:225:19: note: declared here 225 | inline QPoint pos() const { return p.toPoint(); } | ^~~ [ 76%] Automatic MOC for target FollowerPlugin [ 76%] Built target FollowerPlugin_autogen [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/PlotManager.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/PlotTracker.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/PlotWindow.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/TopicCurveHandler.cc.o [ 76%] Automatic MOC for target ForceTorquePlugin [ 76%] Built target ForceTorquePlugin_autogen [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/VariablePill.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/PlotTracker.cc: In member function ‘QString gazebo::gui::PlotTracker::CurveInfoAt(const QwtPlotCurve*, const QPointF&) const’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/PlotTracker.cc:242:21: warning: ‘QString::null’ is deprecated: use QString() [-Wdeprecated-declarations] 242 | return QString::null; | ^~~~ In file included from /usr/include/qt/QtCore/qobject.h:47, from /usr/include/qt/QtCore/qabstractanimation.h:43, from /usr/include/qt/QtCore/QtCore:6, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/PlotTracker.cc:20: /usr/include/qt/QtCore/qstring.h:954:23: note: declared here 954 | static const Null null; | ^~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/PlotTracker.cc:242:21: warning: ‘QString::null’ is deprecated: use QString() [-Wdeprecated-declarations] 242 | return QString::null; | ^~~~ /usr/include/qt/QtCore/qstring.h:954:23: note: declared here 954 | static const Null null; | ^~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc: In member function ‘virtual void PlotItemDelegate::paint(QPainter*, const QStyleOptionViewItem&, const QModelIndex&) const’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc:237:40: warning: ‘int QFontMetrics::width(const QString&, int) const’ is deprecated: Use QFontMetrics::horizontalAdvance [-Wdeprecated-declarations] 237 | textRect.adjust(fmRegular.width(textStr), 0, 0, 0); | ~~~~~~~~~~~~~~~^~~~~~~~~ In file included from /usr/include/qt/QtGui/qpainter.h:59, from /usr/include/qt/QtGui/QPainter:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:33, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/ConfigWidget.hh:30, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc:30: /usr/include/qt/QtGui/qfontmetrics.h:106:9: note: declared here 106 | int width(const QString &, int len = -1) const; | ^~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc:247:37: warning: ‘int QFontMetrics::width(const QString&, int) const’ is deprecated: Use QFontMetrics::horizontalAdvance [-Wdeprecated-declarations] 247 | textRect.adjust(fmBold.width(textStr), 0, 0, 0); | ~~~~~~~~~~~~^~~~~~~~~ /usr/include/qt/QtGui/qfontmetrics.h:106:9: note: declared here 106 | int width(const QString &, int len = -1) const; | ^~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc: In member function ‘void gazebo::gui::SearchModel::SetSearch(const QString&)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc:439:22: warning: ‘void QSortFilterProxyModel::filterChanged()’ is deprecated: Use QSortFilterProxyModel::invalidateFilter [-Wdeprecated-declarations] 439 | this->filterChanged(); | ~~~~~~~~~~~~~~~~~~~^~ In file included from /usr/include/qt/QtCore/QtCore:214, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:25: /usr/include/qt/QtCore/qsortfilterproxymodel.h:143:73: note: declared here 143 | QT_DEPRECATED_X("Use QSortFilterProxyModel::invalidateFilter") void filterChanged(); | ^~~~~~~~~~~~~ [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/VariablePillContainer.cc.o [ 76%] Automatic MOC for target GimbalSmall2dPlugin [ 76%] Built target GimbalSmall2dPlugin_autogen [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVCore.cpp.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVGraphPrivate.cpp.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVEdgePrivate.cpp.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVGvcPrivate.cpp.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVNodePrivate.cpp.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/QGVEdge.cpp.o In file included from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.cpp:19: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h: In static member function ‘static Agraph_t* QGVCore::agmemread2(const char*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h:99:17: error: ‘Agiodisc_t’ {aka ‘struct Agiodisc_s’} has no member named ‘putstr’ 99 | memIoDisc.putstr = AgIoDisc.putstr; | ^~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h:99:35: error: ‘Agiodisc_t’ {aka ‘struct Agiodisc_s’} has no member named ‘putstr’ 99 | memIoDisc.putstr = AgIoDisc.putstr; | ^~~~~~ make[2]: *** [gazebo/gui/CMakeFiles/gazebo_gui.dir/build.make:1734: gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVCore.cpp.o] Error 1 make[2]: *** Waiting for unfinished jobs.... [ 76%] Automatic MOC for target GpuRayPlugin [ 76%] Built target GpuRayPlugin_autogen [ 76%] Automatic MOC for target HarnessPlugin [ 76%] Built target HarnessPlugin_autogen [ 76%] Automatic MOC for target HeightmapLODPlugin [ 76%] Built target HeightmapLODPlugin_autogen [ 76%] Automatic MOC for target ImuSensorPlugin [ 76%] Built target ImuSensorPlugin_autogen [ 76%] Automatic MOC for target InitialVelocityPlugin [ 76%] Built target InitialVelocityPlugin_autogen [ 76%] Automatic MOC for target JointControlPlugin [ 76%] Built target JointControlPlugin_autogen [ 76%] Automatic MOC for target JointTrajectoryPlugin [ 76%] Built target JointTrajectoryPlugin_autogen [ 76%] Automatic MOC for target KeysToCmdVelPlugin [ 76%] Built target KeysToCmdVelPlugin_autogen [ 76%] Automatic MOC for target KeysToJointsPlugin [ 76%] Built target KeysToJointsPlugin_autogen [ 76%] Automatic MOC for target LensFlareSensorPlugin [ 76%] Built target LensFlareSensorPlugin_autogen [ 76%] Automatic MOC for target LiftDragPlugin [ 76%] Built target LiftDragPlugin_autogen [ 76%] Automatic MOC for target LinearBatteryConsumerPlugin [ 76%] Built target LinearBatteryConsumerPlugin_autogen [ 76%] Automatic MOC for target LinearBatteryPlugin [ 76%] Built target LinearBatteryPlugin_autogen [ 76%] Automatic MOC for target LinkPlot3DPlugin In file included from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/QGVEdge.cpp:20: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h: In static member function ‘static Agraph_t* QGVCore::agmemread2(const char*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h:99:17: error: ‘Agiodisc_t’ {aka ‘struct Agiodisc_s’} has no member named ‘putstr’ 99 | memIoDisc.putstr = AgIoDisc.putstr; | ^~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h:99:35: error: ‘Agiodisc_t’ {aka ‘struct Agiodisc_s’} has no member named ‘putstr’ 99 | memIoDisc.putstr = AgIoDisc.putstr; | ^~~~~~ [ 76%] Built target LinkPlot3DPlugin_autogen [ 76%] Automatic MOC for target MisalignmentPlugin [ 76%] Built target MisalignmentPlugin_autogen [ 76%] Automatic MOC for target ModelPropShop [ 76%] Built target ModelPropShop_autogen [ 76%] Automatic MOC for target MudPlugin [ 76%] Built target MudPlugin_autogen [ 76%] Automatic MOC for target PlaneDemoPlugin [ 76%] Built target PlaneDemoPlugin_autogen [ 76%] Automatic MOC for target PressurePlugin [ 76%] Built target PressurePlugin_autogen [ 76%] Automatic MOC for target RayPlugin make[2]: *** [gazebo/gui/CMakeFiles/gazebo_gui.dir/build.make:1804: gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/QGVEdge.cpp.o] Error 1 [ 76%] Built target RayPlugin_autogen [ 76%] Automatic MOC for target RaySensorNoisePlugin [ 76%] Automatic MOC for target ReflectancePlugin [ 76%] Built target RaySensorNoisePlugin_autogen [ 76%] Built target ReflectancePlugin_autogen [ 76%] Automatic MOC for target RubblePlugin [ 78%] Automatic MOC for target ShaderParamVisualPlugin [ 78%] Built target RubblePlugin_autogen [ 78%] Automatic MOC for target SkidSteerDrivePlugin [ 78%] Built target ShaderParamVisualPlugin_autogen [ 78%] Automatic MOC for target SonarPlugin [ 78%] Built target SkidSteerDrivePlugin_autogen [ 78%] Automatic MOC for target SphereAtlasDemoPlugin [ 78%] Built target SonarPlugin_autogen [ 78%] Automatic MOC for target StaticMapPlugin [ 78%] Built target SphereAtlasDemoPlugin_autogen [ 78%] Automatic MOC for target StopWorldPlugin [ 78%] Built target StaticMapPlugin_autogen [ 78%] Built target StopWorldPlugin_autogen [ 78%] Automatic MOC for target TouchPlugin [ 78%] Automatic MOC for target VariableGearboxPlugin [ 78%] Built target TouchPlugin_autogen [ 78%] Automatic MOC for target VehiclePlugin [ 78%] Built target VariableGearboxPlugin_autogen [ 78%] Automatic MOC for target WheelSlipPlugin [ 78%] Built target VehiclePlugin_autogen [ 78%] Built target WheelSlipPlugin_autogen [ 78%] Automatic MOC for target WindPlugin [ 78%] Automatic MOC for target HydraPlugin [ 78%] Built target WindPlugin_autogen [ 78%] Built target HydraPlugin_autogen [ 78%] Automatic MOC for target HydraDemoPlugin [ 78%] Automatic MOC for target JoyPlugin [ 78%] Built target HydraDemoPlugin_autogen [ 78%] Built target JoyPlugin_autogen [ 78%] Automatic MOC for target ElevatorPlugin [ 78%] Automatic MOC for target RandomVelocityPlugin [ 78%] Built target ElevatorPlugin_autogen [ 78%] Automatic MOC for target TransporterPlugin [ 78%] Built target RandomVelocityPlugin_autogen [ 78%] Building CXX object plugins/CMakeFiles/TrackedVehiclePlugin.dir/TrackedVehiclePlugin_autogen/mocs_compilation.cpp.o [ 78%] Built target TransporterPlugin_autogen [ 78%] Building CXX object plugins/CMakeFiles/TrackedVehiclePlugin.dir/TrackedVehiclePlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/ActorPlugin.dir/ActorPlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/ActorPlugin.dir/ActorPlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/ActuatorPlugin.dir/ActuatorPlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/ActuatorPlugin.dir/ActuatorPlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/AmbientOcclusionVisualPlugin.dir/AmbientOcclusionVisualPlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/AmbientOcclusionVisualPlugin.dir/AmbientOcclusionVisualPlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/ArrangePlugin.dir/ArrangePlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/ArduCopterPlugin.dir/ArduCopterPlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/ArrangePlugin.dir/ArrangePlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/ArduCopterPlugin.dir/ArduCopterPlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/AttachLightPlugin.dir/AttachLightPlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/AttachLightPlugin.dir/AttachLightPlugin.cc.o make[1]: *** [CMakeFiles/Makefile2:6135: gazebo/gui/CMakeFiles/gazebo_gui.dir/all] Error 2 make[1]: *** Waiting for unfinished jobs.... [ 78%] Linking CXX shared library libActorPlugin.so [ 78%] Built target ActorPlugin [ 78%] Linking CXX shared library libActuatorPlugin.so [ 78%] Built target ActuatorPlugin [ 78%] Linking CXX shared library libTrackedVehiclePlugin.so [ 78%] Built target TrackedVehiclePlugin [ 78%] Linking CXX shared library libAmbientOcclusionVisualPlugin.so [ 78%] Linking CXX shared library libArrangePlugin.so [ 78%] Built target AmbientOcclusionVisualPlugin [ 78%] Built target ArrangePlugin [ 78%] Linking CXX shared library libArduCopterPlugin.so [ 78%] Built target ArduCopterPlugin [ 78%] Linking CXX shared library libAttachLightPlugin.so [ 78%] Built target AttachLightPlugin make: *** [Makefile:146: all] Error 2 ==> ERROR: A failure occurred in build(). Aborting... error: failed to build 'gazebo-11.10.2-3': error: packages failed to build: gazebo-11.10.2-3 ⏎ ``` </p></details>
1.0
[gazebo] build fail due to graphviz-4.0.0 - Install gazebo with `paru -S gazebo` failed. ![image](https://user-images.githubusercontent.com/43972734/173128998-5bcda7ad-d622-4084-be5a-90ff31f527cb.png) <details> <summary>Log</summary> <p> ``` /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/EditorView.cc: In member function ‘virtual void gazebo::gui::EditorView::wheelEvent(QWheelEvent*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/EditorView.cc:219:23: warning: ‘QMatrix QGraphicsView::matrix() const’ is deprecated: Use transform() [-Wdeprecated-declarations] 219 | QMatrix mat = matrix(); | ~~~~~~^~ In file included from /usr/include/qt/QtWidgets/QGraphicsView:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:54, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/Conversions.hh:24, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/EditorView.cc:25: /usr/include/qt/QtWidgets/qgraphicsview.h:169:48: note: declared here 169 | QT_DEPRECATED_X("Use transform()") QMatrix matrix() const; | ^~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/EditorView.cc:220:38: warning: ‘QPoint QWheelEvent::pos() const’ is deprecated: Use position() [-Wdeprecated-declarations] 220 | QPointF mousePosition = _event->pos(); | ~~~~~~~~~~~^~ In file included from /usr/include/qt/QtGui/QResizeEvent:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:34: /usr/include/qt/QtGui/qevent.h:225:19: note: declared here 225 | inline QPoint pos() const { return p.toPoint(); } | ^~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/EditorView.cc:239:18: warning: ‘void QGraphicsView::setMatrix(const QMatrix&, bool)’ is deprecated: Use setTransform() [-Wdeprecated-declarations] 239 | this->setMatrix(mat); | ~~~~~~~~~~~~~~~^~~~~ /usr/include/qt/QtWidgets/qgraphicsview.h:170:48: note: declared here 170 | QT_DEPRECATED_X("Use setTransform()") void setMatrix(const QMatrix &matrix, bool combine = false); | ^~~~~~~~~ [ 69%] Automatic MOC for target ActuatorPlugin [ 69%] Built target ActuatorPlugin_autogen [ 69%] Automatic MOC for target AmbientOcclusionVisualPlugin [ 69%] Built target AmbientOcclusionVisualPlugin_autogen [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/GrabberHandle.cc.o In file included from /usr/include/OGRE/OgreMeshSerializerImpl.h:37, from /usr/include/OGRE/OgreMeshSerializer.h:34, from /usr/include/OGRE/Ogre.h:75, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/ogre_gazebo.h:26, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/Conversions.hh:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/Camera.hh:47, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/build/gazebo/rendering/rendering.hh:5, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixture.hh:53, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixture.cc:26: /usr/include/OGRE/OgreEdgeListBuilder.h: In member function ‘bool Ogre::EdgeListBuilder::geometryLess::operator()(const Ogre::EdgeListBuilder::Geometry&, const Ogre::EdgeListBuilder::Geometry&) const’: /usr/include/OGRE/OgreEdgeListBuilder.h:227: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 227 | if (a.vertexSet < b.vertexSet) return true; | /usr/include/OGRE/OgreEdgeListBuilder.h:227: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory In file included from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/sensors/SensorTypes.hh:23, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/sensors/Sensor.hh:31, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/sensors/AltimeterSensor.hh:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/build/gazebo/sensors/sensors.hh:2, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixture.hh:52, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixtureRecord.cc:21: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/common/EnumIface.hh:180:12: warning: ‘template<class _Category, class _Tp, class _Distance, class _Pointer, class _Reference> struct std::iterator’ is deprecated [-Wdeprecated-declarations] 180 | : std::iterator<std::bidirectional_iterator_tag, Enum> | ^~~~~~~~ In file included from /usr/include/c++/12.1.0/string:45, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixtureRecord.cc:17: /usr/include/c++/12.1.0/bits/stl_iterator_base_types.h:127:34: note: declared here 127 | struct _GLIBCXX17_DEPRECATED iterator | ^~~~~~~~ [ 69%] Linking CXX executable gzserver In file included from /usr/include/ignition/msgs5/ignition/msgs/MessageTypes.hh:119, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/Visual.hh:32, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/BuildingMaker.cc:36: /usr/include/ignition/msgs5/ignition/msgs/model_configuration.pb.h: In member function ‘ignition::msgs::ModelConfiguration& ignition::msgs::ModelConfiguration::operator=(ignition::msgs::ModelConfiguration&&)’: /usr/include/ignition/msgs5/ignition/msgs/model_configuration.pb.h:94: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 94 | if (this == &from) return *this; | /usr/include/ignition/msgs5/ignition/msgs/model_configuration.pb.h:94: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory [ 69%] Built target gzserver [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/GridLines.cc.o [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/ImportImageDialog.cc.o [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/ImportImageView.cc.o [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/LevelInspectorDialog.cc.o [ 69%] Automatic MOC for target ArduCopterPlugin [ 69%] Built target ArduCopterPlugin_autogen [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/LevelWidget.cc.o [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/MeasureItem.cc.o [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/RectItem.cc.o In file included from /usr/include/OGRE/Terrain/OgreTerrainMaterialGeneratorA.h:33, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/ogre_gazebo.h:62, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/Conversions.hh:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/rendering/Camera.hh:47, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/build/gazebo/rendering/rendering.hh:5, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/test/ServerFixture.hh:53: /usr/include/OGRE/Terrain/OgreTerrainMaterialGenerator.h: In member function ‘Ogre::TerrainMaterialGenerator::Profile* Ogre::TerrainMaterialGenerator::getActiveProfile() const’: /usr/include/OGRE/Terrain/OgreTerrainMaterialGenerator.h:248: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 248 | if (!mActiveProfile && !mProfiles.empty()) | /usr/include/OGRE/Terrain/OgreTerrainMaterialGenerator.h:248: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/MeasureItem.cc: In member function ‘virtual void gazebo::gui::MeasureItem::paint(QPainter*, const QStyleOptionGraphicsItem*, QWidget*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/MeasureItem.cc:87:50: warning: ‘int QFontMetrics::width(const QString&, int) const’ is deprecated: Use QFontMetrics::horizontalAdvance [-Wdeprecated-declarations] 87 | float textWidth = _painter->fontMetrics().width(stream.str().c_str()); | ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~ In file included from /usr/include/qt/QtGui/qpainter.h:59, from /usr/include/qt/QtGui/QPainter:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:33, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/MeasureItem.hh:24, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/building/MeasureItem.cc:23: /usr/include/qt/QtGui/qfontmetrics.h:106:9: note: declared here 106 | int width(const QString &, int len = -1) const; | ^~~~~ [ 69%] Automatic MOC for target ArrangePlugin [ 69%] Built target ArrangePlugin_autogen [ 69%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/RotateHandle.cc.o [ 71%] Automatic MOC for target AttachLightPlugin [ 71%] Built target AttachLightPlugin_autogen [ 71%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/ScaleWidget.cc.o [ 71%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/SegmentItem.cc.o [ 71%] Automatic MOC for target BlinkVisualPlugin [ 71%] Built target BlinkVisualPlugin_autogen [ 71%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/StairsInspectorDialog.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/StairsItem.cc.o [ 73%] Automatic MOC for target BreakableJointPlugin [ 73%] Built target BreakableJointPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/WallInspectorDialog.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/WallSegmentItem.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/WindowDoorInspectorDialog.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/building/WindowItem.cc.o [ 73%] Linking CXX static library libgazebo_test_fixture.a [ 73%] Built target gazebo_test_fixture [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/CollisionConfig.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/EditorMaterialSwitcher.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ExtrudeDialog.cc.o [ 73%] Automatic MOC for target BuoyancyPlugin [ 73%] Built target BuoyancyPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ImportDialog.cc.o [ 73%] Automatic MOC for target CameraPlugin [ 73%] Built target CameraPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/JointCreationDialog.cc.o [ 73%] Automatic MOC for target CartDemoPlugin [ 73%] Built target CartDemoPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/JointInspector.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/JointMaker.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/LinkConfig.cc.o [ 73%] Automatic MOC for target CessnaPlugin [ 73%] Built target CessnaPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/LinkInspector.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/MEUserCmdManager.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelCreator.cc.o [ 73%] Automatic MOC for target ContactPlugin [ 73%] Built target ContactPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelData.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/EditorMaterialSwitcher.cc: In member function ‘void gazebo::gui::EditorMaterialSwitcher::SetMaterialScheme(const std::string&)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/EditorMaterialSwitcher.cc:54: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 54 | if (!this->camera || !this->camera->OgreViewport()) | /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/EditorMaterialSwitcher.cc:54: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelEditor.cc.o [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelEditorEvents.cc.o In file included from /usr/include/boost/multi_index/detail/ord_index_impl.hpp:65, from /usr/include/boost/multi_index/ordered_index.hpp:17, from /usr/include/boost/property_tree/ptree.hpp:24, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/GuiIface.hh:21, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/JointMaker.cc:33: /usr/include/boost/multi_index/detail/ord_index_node.hpp: In static member function ‘static void boost::multi_index::detail::ordered_index_node_impl<AugmentPolicy, Allocator>::decrement(pointer&)’: /usr/include/boost/multi_index/detail/ord_index_node.hpp:289: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 289 | while(y->right()!=pointer(0))y=y->right(); | /usr/include/boost/multi_index/detail/ord_index_node.hpp:289: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelEditorPalette.cc.o [ 73%] Automatic MOC for target ContainPlugin [ 73%] Built target ContainPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelPluginInspector.cc.o [ 73%] Automatic MOC for target DepthCameraPlugin [ 73%] Built target DepthCameraPlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/ModelTreeWidget.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/ModelEditorPalette.cc: In constructor ‘gazebo::gui::ModelEditorPalette::ModelEditorPalette(QWidget*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/ModelEditorPalette.cc:130:26: warning: ‘constexpr QFlags<T>::QFlags(Zero) [with Enum = Qt::AlignmentFlag; Zero = int QFlags<Qt::AlignmentFlag>::Private::*]’ is deprecated: Use default constructor instead [-Wdeprecated-declarations] 130 | customLayout->addWidget(customButton, 0, 0); | ~~~~~~~~~~~~~~~~~~~~~~~^~~~~~~~~~~~~~~~~~~~ In file included from /usr/include/qt/QtCore/qglobal.h:1299, from /usr/include/qt/QtCore/QtCore:4, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/Actions.hh:22, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/ModelEditorPalette.cc:22: /usr/include/qt/QtCore/qflags.h:123:80: note: declared here 123 | QT_DEPRECATED_X("Use default constructor instead") Q_DECL_CONSTEXPR inline QFlags(Zero) noexcept : i(0) {} | ^~~~~~ [ 73%] Automatic MOC for target DiffDrivePlugin [ 73%] Built target DiffDrivePlugin_autogen [ 73%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/VisualConfig.cc.o In file included from /usr/include/qt/QtCore/qobject.h:49, from /usr/include/qt/QtCore/qabstractanimation.h:43, from /usr/include/qt/QtCore/QtCore:6, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/Actions.hh:22, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/ModelCreator.cc:40: /usr/include/qt/QtCore/qlist.h: In member function ‘void QList<T>::setSharable(bool)’: /usr/include/qt/QtCore/qlist.h:191: note: ‘-Wmisleading-indentation’ is disabled from this point onwards, since column-tracking was disabled due to the size of the code/headers 191 | if (sharable == d->ref.isSharable()) | /usr/include/qt/QtCore/qlist.h:191: note: adding ‘-flarge-source-files’ will allow for more column-tracking support, at the expense of compilation time and memory [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/GraphScene.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/GraphView.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/model/SchematicViewWidget.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.cc: In member function ‘virtual void gazebo::gui::GraphView::wheelEvent(QWheelEvent*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.cc:77:23: warning: ‘QMatrix QGraphicsView::matrix() const’ is deprecated: Use transform() [-Wdeprecated-declarations] 77 | QMatrix mat = matrix(); | ~~~~~~^~ In file included from /usr/include/qt/QtWidgets/QGraphicsView:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:54, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.hh:20, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.cc:22: /usr/include/qt/QtWidgets/qgraphicsview.h:169:48: note: declared here 169 | QT_DEPRECATED_X("Use transform()") QMatrix matrix() const; | ^~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.cc:78:38: warning: ‘QPoint QWheelEvent::pos() const’ is deprecated: Use position() [-Wdeprecated-declarations] 78 | QPointF mousePosition = _event->pos(); | ~~~~~~~~~~~^~ In file included from /usr/include/qt/QtGui/QResizeEvent:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:34: /usr/include/qt/QtGui/qevent.h:225:19: note: declared here 225 | inline QPoint pos() const { return p.toPoint(); } | ^~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/model/GraphView.cc:97:18: warning: ‘void QGraphicsView::setMatrix(const QMatrix&, bool)’ is deprecated: Use setTransform() [-Wdeprecated-declarations] 97 | this->setMatrix(mat); | ~~~~~~~~~~~~~~~^~~~~ /usr/include/qt/QtWidgets/qgraphicsview.h:170:48: note: declared here 170 | QT_DEPRECATED_X("Use setTransform()") void setMatrix(const QMatrix &matrix, bool combine = false); | ^~~~~~~~~ [ 76%] Automatic MOC for target FiducialCameraPlugin [ 76%] Built target FiducialCameraPlugin_autogen [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/EditableLabel.cc.o [ 76%] Automatic MOC for target FlashLightPlugin [ 76%] Built target FlashLightPlugin_autogen [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/ExportDialog.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/IncrementalPlot.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/IntrospectionCurveHandler.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/Palette.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc: In member function ‘virtual void PlotViewDelegate::paint(QPainter*, const QStyleOptionViewItem&, const QModelIndex&) const’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc:104:43: warning: ‘int QFontMetrics::width(const QString&, int) const’ is deprecated: Use QFontMetrics::horizontalAdvance [-Wdeprecated-declarations] 104 | int checkTitleWidth = fm.width(title) + checkSize + checkMargin; | ~~~~~~~~^~~~~~~ In file included from /usr/include/qt/QtGui/qpainter.h:59, from /usr/include/qt/QtGui/QPainter:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:33, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.hh:23, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc:20: /usr/include/qt/QtGui/qfontmetrics.h:106:9: note: declared here 106 | int width(const QString &, int len = -1) const; | ^~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc: In constructor ‘gazebo::gui::ExportDialog::ExportDialog(QWidget*, const std::__cxx11::list<gazebo::gui::PlotCanvas*>&)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc:239:35: warning: ‘static QPixmap QPixmap::grabWindow(WId, int, int, int, int)’ is deprecated: Use QScreen::grabWindow() instead [-Wdeprecated-declarations] 239 | QIcon icon(QPixmap::grabWindow(plot->winId())); | ~~~~~~~~~~~~~~~~~~~^~~~~~~~~~~~~~~ In file included from /usr/include/qt/QtGui/qbitmap.h:44, from /usr/include/qt/QtGui/QBitmap:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:31: /usr/include/qt/QtGui/qpixmap.h:118:20: note: declared here 118 | static QPixmap grabWindow(WId, int x = 0, int y = 0, int w = -1, int h = -1); | ^~~~~~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc: In member function ‘void gazebo::gui::ExportDialog::OnExport(gazebo::gui::FileType)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc:315:39: warning: ‘QFileDialog::DirectoryOnly’ is deprecated: Use setOption(ShowDirsOnly, true) instead [-Wdeprecated-declarations] 315 | fileDialog.setFileMode(QFileDialog::DirectoryOnly); | ^~~~~~~~~~~~~ In file included from /usr/include/qt/QtWidgets/QFileDialog:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:48: /usr/include/qt/QtWidgets/qfiledialog.h:84:21: note: declared here 84 | DirectoryOnly Q_DECL_ENUMERATOR_DEPRECATED_X("Use setOption(ShowDirsOnly, true) instead")}; | ^~~~~~~~~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/ExportDialog.cc:315:39: warning: ‘QFileDialog::DirectoryOnly’ is deprecated: Use setOption(ShowDirsOnly, true) instead [-Wdeprecated-declarations] 315 | fileDialog.setFileMode(QFileDialog::DirectoryOnly); | ^~~~~~~~~~~~~ /usr/include/qt/QtWidgets/qfiledialog.h:84:21: note: declared here 84 | DirectoryOnly Q_DECL_ENUMERATOR_DEPRECATED_X("Use setOption(ShowDirsOnly, true) instead")}; | ^~~~~~~~~~~~~ [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/PlotCanvas.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/PlotCurve.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/IncrementalPlot.cc: In member function ‘virtual void gazebo::gui::PlotMagnifier::widgetWheelEvent(QWheelEvent*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/IncrementalPlot.cc:58:50: warning: ‘QPoint QWheelEvent::pos() const’ is deprecated: Use position() [-Wdeprecated-declarations] 58 | this->mousePos = _wheelEvent->pos(); | ~~~~~~~~~~~~~~~~^~ In file included from /usr/include/qt/QtGui/QResizeEvent:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:34, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/PlotCurve.hh:26, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/IncrementalPlot.cc:25: /usr/include/qt/QtGui/qevent.h:225:19: note: declared here 225 | inline QPoint pos() const { return p.toPoint(); } | ^~~ [ 76%] Automatic MOC for target FollowerPlugin [ 76%] Built target FollowerPlugin_autogen [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/PlotManager.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/PlotTracker.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/PlotWindow.cc.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/TopicCurveHandler.cc.o [ 76%] Automatic MOC for target ForceTorquePlugin [ 76%] Built target ForceTorquePlugin_autogen [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/VariablePill.cc.o /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/PlotTracker.cc: In member function ‘QString gazebo::gui::PlotTracker::CurveInfoAt(const QwtPlotCurve*, const QPointF&) const’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/PlotTracker.cc:242:21: warning: ‘QString::null’ is deprecated: use QString() [-Wdeprecated-declarations] 242 | return QString::null; | ^~~~ In file included from /usr/include/qt/QtCore/qobject.h:47, from /usr/include/qt/QtCore/qabstractanimation.h:43, from /usr/include/qt/QtCore/QtCore:6, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:25, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/PlotTracker.cc:20: /usr/include/qt/QtCore/qstring.h:954:23: note: declared here 954 | static const Null null; | ^~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/PlotTracker.cc:242:21: warning: ‘QString::null’ is deprecated: use QString() [-Wdeprecated-declarations] 242 | return QString::null; | ^~~~ /usr/include/qt/QtCore/qstring.h:954:23: note: declared here 954 | static const Null null; | ^~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc: In member function ‘virtual void PlotItemDelegate::paint(QPainter*, const QStyleOptionViewItem&, const QModelIndex&) const’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc:237:40: warning: ‘int QFontMetrics::width(const QString&, int) const’ is deprecated: Use QFontMetrics::horizontalAdvance [-Wdeprecated-declarations] 237 | textRect.adjust(fmRegular.width(textStr), 0, 0, 0); | ~~~~~~~~~~~~~~~^~~~~~~~~ In file included from /usr/include/qt/QtGui/qpainter.h:59, from /usr/include/qt/QtGui/QPainter:1, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:33, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/ConfigWidget.hh:30, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc:30: /usr/include/qt/QtGui/qfontmetrics.h:106:9: note: declared here 106 | int width(const QString &, int len = -1) const; | ^~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc:247:37: warning: ‘int QFontMetrics::width(const QString&, int) const’ is deprecated: Use QFontMetrics::horizontalAdvance [-Wdeprecated-declarations] 247 | textRect.adjust(fmBold.width(textStr), 0, 0, 0); | ~~~~~~~~~~~~^~~~~~~~~ /usr/include/qt/QtGui/qfontmetrics.h:106:9: note: declared here 106 | int width(const QString &, int len = -1) const; | ^~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc: In member function ‘void gazebo::gui::SearchModel::SetSearch(const QString&)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/plot/Palette.cc:439:22: warning: ‘void QSortFilterProxyModel::filterChanged()’ is deprecated: Use QSortFilterProxyModel::invalidateFilter [-Wdeprecated-declarations] 439 | this->filterChanged(); | ~~~~~~~~~~~~~~~~~~~^~ In file included from /usr/include/qt/QtCore/QtCore:214, from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qt.h:25: /usr/include/qt/QtCore/qsortfilterproxymodel.h:143:73: note: declared here 143 | QT_DEPRECATED_X("Use QSortFilterProxyModel::invalidateFilter") void filterChanged(); | ^~~~~~~~~~~~~ [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/plot/VariablePillContainer.cc.o [ 76%] Automatic MOC for target GimbalSmall2dPlugin [ 76%] Built target GimbalSmall2dPlugin_autogen [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVCore.cpp.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVGraphPrivate.cpp.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVEdgePrivate.cpp.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVGvcPrivate.cpp.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVNodePrivate.cpp.o [ 76%] Building CXX object gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/QGVEdge.cpp.o In file included from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.cpp:19: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h: In static member function ‘static Agraph_t* QGVCore::agmemread2(const char*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h:99:17: error: ‘Agiodisc_t’ {aka ‘struct Agiodisc_s’} has no member named ‘putstr’ 99 | memIoDisc.putstr = AgIoDisc.putstr; | ^~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h:99:35: error: ‘Agiodisc_t’ {aka ‘struct Agiodisc_s’} has no member named ‘putstr’ 99 | memIoDisc.putstr = AgIoDisc.putstr; | ^~~~~~ make[2]: *** [gazebo/gui/CMakeFiles/gazebo_gui.dir/build.make:1734: gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/private/QGVCore.cpp.o] Error 1 make[2]: *** Waiting for unfinished jobs.... [ 76%] Automatic MOC for target GpuRayPlugin [ 76%] Built target GpuRayPlugin_autogen [ 76%] Automatic MOC for target HarnessPlugin [ 76%] Built target HarnessPlugin_autogen [ 76%] Automatic MOC for target HeightmapLODPlugin [ 76%] Built target HeightmapLODPlugin_autogen [ 76%] Automatic MOC for target ImuSensorPlugin [ 76%] Built target ImuSensorPlugin_autogen [ 76%] Automatic MOC for target InitialVelocityPlugin [ 76%] Built target InitialVelocityPlugin_autogen [ 76%] Automatic MOC for target JointControlPlugin [ 76%] Built target JointControlPlugin_autogen [ 76%] Automatic MOC for target JointTrajectoryPlugin [ 76%] Built target JointTrajectoryPlugin_autogen [ 76%] Automatic MOC for target KeysToCmdVelPlugin [ 76%] Built target KeysToCmdVelPlugin_autogen [ 76%] Automatic MOC for target KeysToJointsPlugin [ 76%] Built target KeysToJointsPlugin_autogen [ 76%] Automatic MOC for target LensFlareSensorPlugin [ 76%] Built target LensFlareSensorPlugin_autogen [ 76%] Automatic MOC for target LiftDragPlugin [ 76%] Built target LiftDragPlugin_autogen [ 76%] Automatic MOC for target LinearBatteryConsumerPlugin [ 76%] Built target LinearBatteryConsumerPlugin_autogen [ 76%] Automatic MOC for target LinearBatteryPlugin [ 76%] Built target LinearBatteryPlugin_autogen [ 76%] Automatic MOC for target LinkPlot3DPlugin In file included from /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/QGVEdge.cpp:20: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h: In static member function ‘static Agraph_t* QGVCore::agmemread2(const char*)’: /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h:99:17: error: ‘Agiodisc_t’ {aka ‘struct Agiodisc_s’} has no member named ‘putstr’ 99 | memIoDisc.putstr = AgIoDisc.putstr; | ^~~~~~ /home/dh/.cache/paru/clone/gazebo/src/gazebo-gazebo11_11.10.2/gazebo/gui/qgv/private/QGVCore.h:99:35: error: ‘Agiodisc_t’ {aka ‘struct Agiodisc_s’} has no member named ‘putstr’ 99 | memIoDisc.putstr = AgIoDisc.putstr; | ^~~~~~ [ 76%] Built target LinkPlot3DPlugin_autogen [ 76%] Automatic MOC for target MisalignmentPlugin [ 76%] Built target MisalignmentPlugin_autogen [ 76%] Automatic MOC for target ModelPropShop [ 76%] Built target ModelPropShop_autogen [ 76%] Automatic MOC for target MudPlugin [ 76%] Built target MudPlugin_autogen [ 76%] Automatic MOC for target PlaneDemoPlugin [ 76%] Built target PlaneDemoPlugin_autogen [ 76%] Automatic MOC for target PressurePlugin [ 76%] Built target PressurePlugin_autogen [ 76%] Automatic MOC for target RayPlugin make[2]: *** [gazebo/gui/CMakeFiles/gazebo_gui.dir/build.make:1804: gazebo/gui/CMakeFiles/gazebo_gui.dir/qgv/QGVEdge.cpp.o] Error 1 [ 76%] Built target RayPlugin_autogen [ 76%] Automatic MOC for target RaySensorNoisePlugin [ 76%] Automatic MOC for target ReflectancePlugin [ 76%] Built target RaySensorNoisePlugin_autogen [ 76%] Built target ReflectancePlugin_autogen [ 76%] Automatic MOC for target RubblePlugin [ 78%] Automatic MOC for target ShaderParamVisualPlugin [ 78%] Built target RubblePlugin_autogen [ 78%] Automatic MOC for target SkidSteerDrivePlugin [ 78%] Built target ShaderParamVisualPlugin_autogen [ 78%] Automatic MOC for target SonarPlugin [ 78%] Built target SkidSteerDrivePlugin_autogen [ 78%] Automatic MOC for target SphereAtlasDemoPlugin [ 78%] Built target SonarPlugin_autogen [ 78%] Automatic MOC for target StaticMapPlugin [ 78%] Built target SphereAtlasDemoPlugin_autogen [ 78%] Automatic MOC for target StopWorldPlugin [ 78%] Built target StaticMapPlugin_autogen [ 78%] Built target StopWorldPlugin_autogen [ 78%] Automatic MOC for target TouchPlugin [ 78%] Automatic MOC for target VariableGearboxPlugin [ 78%] Built target TouchPlugin_autogen [ 78%] Automatic MOC for target VehiclePlugin [ 78%] Built target VariableGearboxPlugin_autogen [ 78%] Automatic MOC for target WheelSlipPlugin [ 78%] Built target VehiclePlugin_autogen [ 78%] Built target WheelSlipPlugin_autogen [ 78%] Automatic MOC for target WindPlugin [ 78%] Automatic MOC for target HydraPlugin [ 78%] Built target WindPlugin_autogen [ 78%] Built target HydraPlugin_autogen [ 78%] Automatic MOC for target HydraDemoPlugin [ 78%] Automatic MOC for target JoyPlugin [ 78%] Built target HydraDemoPlugin_autogen [ 78%] Built target JoyPlugin_autogen [ 78%] Automatic MOC for target ElevatorPlugin [ 78%] Automatic MOC for target RandomVelocityPlugin [ 78%] Built target ElevatorPlugin_autogen [ 78%] Automatic MOC for target TransporterPlugin [ 78%] Built target RandomVelocityPlugin_autogen [ 78%] Building CXX object plugins/CMakeFiles/TrackedVehiclePlugin.dir/TrackedVehiclePlugin_autogen/mocs_compilation.cpp.o [ 78%] Built target TransporterPlugin_autogen [ 78%] Building CXX object plugins/CMakeFiles/TrackedVehiclePlugin.dir/TrackedVehiclePlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/ActorPlugin.dir/ActorPlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/ActorPlugin.dir/ActorPlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/ActuatorPlugin.dir/ActuatorPlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/ActuatorPlugin.dir/ActuatorPlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/AmbientOcclusionVisualPlugin.dir/AmbientOcclusionVisualPlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/AmbientOcclusionVisualPlugin.dir/AmbientOcclusionVisualPlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/ArrangePlugin.dir/ArrangePlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/ArduCopterPlugin.dir/ArduCopterPlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/ArrangePlugin.dir/ArrangePlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/ArduCopterPlugin.dir/ArduCopterPlugin.cc.o [ 78%] Building CXX object plugins/CMakeFiles/AttachLightPlugin.dir/AttachLightPlugin_autogen/mocs_compilation.cpp.o [ 78%] Building CXX object plugins/CMakeFiles/AttachLightPlugin.dir/AttachLightPlugin.cc.o make[1]: *** [CMakeFiles/Makefile2:6135: gazebo/gui/CMakeFiles/gazebo_gui.dir/all] Error 2 make[1]: *** Waiting for unfinished jobs.... [ 78%] Linking CXX shared library libActorPlugin.so [ 78%] Built target ActorPlugin [ 78%] Linking CXX shared library libActuatorPlugin.so [ 78%] Built target ActuatorPlugin [ 78%] Linking CXX shared library libTrackedVehiclePlugin.so [ 78%] Built target TrackedVehiclePlugin [ 78%] Linking CXX shared library libAmbientOcclusionVisualPlugin.so [ 78%] Linking CXX shared library libArrangePlugin.so [ 78%] Built target AmbientOcclusionVisualPlugin [ 78%] Built target ArrangePlugin [ 78%] Linking CXX shared library libArduCopterPlugin.so [ 78%] Built target ArduCopterPlugin [ 78%] Linking CXX shared library libAttachLightPlugin.so [ 78%] Built target AttachLightPlugin make: *** [Makefile:146: all] Error 2 ==> ERROR: A failure occurred in build(). Aborting... error: failed to build 'gazebo-11.10.2-3': error: packages failed to build: gazebo-11.10.2-3 ⏎ ``` </p></details>
non_defect
build fail due to graphviz install gazebo with paru s gazebo failed log home dh cache paru clone gazebo src gazebo gazebo gui building editorview cc in member function ‘virtual void gazebo gui editorview wheelevent qwheelevent ’ home dh cache paru clone gazebo src gazebo gazebo gui building editorview cc warning ‘qmatrix qgraphicsview matrix const’ is deprecated use transform qmatrix mat matrix in file included from usr include qt qtwidgets qgraphicsview from home dh cache paru clone gazebo src gazebo gazebo gui qt h from home dh cache paru clone gazebo src gazebo gazebo gui conversions hh from home dh cache paru clone gazebo src gazebo gazebo gui building editorview cc usr include qt qtwidgets qgraphicsview h note declared here qt deprecated x use transform qmatrix matrix const home dh cache paru clone gazebo src gazebo gazebo gui building editorview cc warning ‘qpoint qwheelevent pos const’ is deprecated use position qpointf mouseposition event pos in file included from usr include qt qtgui qresizeevent from home dh cache paru clone gazebo src gazebo gazebo gui qt h usr include qt qtgui qevent h note declared here inline qpoint pos const return p topoint home dh cache paru clone gazebo src gazebo gazebo gui building editorview cc warning ‘void qgraphicsview setmatrix const qmatrix bool ’ is deprecated use settransform this setmatrix mat usr include qt qtwidgets qgraphicsview h note declared here qt deprecated x use settransform void setmatrix const qmatrix matrix bool combine false automatic moc for target actuatorplugin built target actuatorplugin autogen automatic moc for target ambientocclusionvisualplugin built target ambientocclusionvisualplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir building grabberhandle cc o in file included from usr include ogre ogremeshserializerimpl h from usr include ogre ogremeshserializer h from usr include ogre ogre h from home dh cache paru clone gazebo src gazebo gazebo rendering ogre gazebo h from home dh cache paru clone gazebo src gazebo gazebo rendering conversions hh from home dh cache paru clone gazebo src gazebo gazebo rendering camera hh from home dh cache paru clone gazebo src gazebo build gazebo rendering rendering hh from home dh cache paru clone gazebo src gazebo gazebo test serverfixture hh from home dh cache paru clone gazebo src gazebo gazebo test serverfixture cc usr include ogre ogreedgelistbuilder h in member function ‘bool ogre edgelistbuilder geometryless operator const ogre edgelistbuilder geometry const ogre edgelistbuilder geometry const’ usr include ogre ogreedgelistbuilder h note ‘ wmisleading indentation’ is disabled from this point onwards since column tracking was disabled due to the size of the code headers if a vertexset b vertexset return true usr include ogre ogreedgelistbuilder h note adding ‘ flarge source files’ will allow for more column tracking support at the expense of compilation time and memory in file included from home dh cache paru clone gazebo src gazebo gazebo sensors sensortypes hh from home dh cache paru clone gazebo src gazebo gazebo sensors sensor hh from home dh cache paru clone gazebo src gazebo gazebo sensors altimetersensor hh from home dh cache paru clone gazebo src gazebo build gazebo sensors sensors hh from home dh cache paru clone gazebo src gazebo gazebo test serverfixture hh from home dh cache paru clone gazebo src gazebo gazebo test serverfixturerecord cc home dh cache paru clone gazebo src gazebo gazebo common enumiface hh warning ‘template struct std iterator’ is deprecated std iterator in file included from usr include c string from home dh cache paru clone gazebo src gazebo gazebo test serverfixturerecord cc usr include c bits stl iterator base types h note declared here struct deprecated iterator linking cxx executable gzserver in file included from usr include ignition ignition msgs messagetypes hh from home dh cache paru clone gazebo src gazebo gazebo rendering visual hh from home dh cache paru clone gazebo src gazebo gazebo gui building buildingmaker cc usr include ignition ignition msgs model configuration pb h in member function ‘ignition msgs modelconfiguration ignition msgs modelconfiguration operator ignition msgs modelconfiguration ’ usr include ignition ignition msgs model configuration pb h note ‘ wmisleading indentation’ is disabled from this point onwards since column tracking was disabled due to the size of the code headers if this from return this usr include ignition ignition msgs model configuration pb h note adding ‘ flarge source files’ will allow for more column tracking support at the expense of compilation time and memory built target gzserver building cxx object gazebo gui cmakefiles gazebo gui dir building gridlines cc o building cxx object gazebo gui cmakefiles gazebo gui dir building importimagedialog cc o building cxx object gazebo gui cmakefiles gazebo gui dir building importimageview cc o building cxx object gazebo gui cmakefiles gazebo gui dir building levelinspectordialog cc o automatic moc for target arducopterplugin built target arducopterplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir building levelwidget cc o building cxx object gazebo gui cmakefiles gazebo gui dir building measureitem cc o building cxx object gazebo gui cmakefiles gazebo gui dir building rectitem cc o in file included from usr include ogre terrain ogreterrainmaterialgeneratora h from home dh cache paru clone gazebo src gazebo gazebo rendering ogre gazebo h from home dh cache paru clone gazebo src gazebo gazebo rendering conversions hh from home dh cache paru clone gazebo src gazebo gazebo rendering camera hh from home dh cache paru clone gazebo src gazebo build gazebo rendering rendering hh from home dh cache paru clone gazebo src gazebo gazebo test serverfixture hh usr include ogre terrain ogreterrainmaterialgenerator h in member function ‘ogre terrainmaterialgenerator profile ogre terrainmaterialgenerator getactiveprofile const’ usr include ogre terrain ogreterrainmaterialgenerator h note ‘ wmisleading indentation’ is disabled from this point onwards since column tracking was disabled due to the size of the code headers if mactiveprofile mprofiles empty usr include ogre terrain ogreterrainmaterialgenerator h note adding ‘ flarge source files’ will allow for more column tracking support at the expense of compilation time and memory home dh cache paru clone gazebo src gazebo gazebo gui building measureitem cc in member function ‘virtual void gazebo gui measureitem paint qpainter const qstyleoptiongraphicsitem qwidget ’ home dh cache paru clone gazebo src gazebo gazebo gui building measureitem cc warning ‘int qfontmetrics width const qstring int const’ is deprecated use qfontmetrics horizontaladvance float textwidth painter fontmetrics width stream str c str in file included from usr include qt qtgui qpainter h from usr include qt qtgui qpainter from home dh cache paru clone gazebo src gazebo gazebo gui qt h from home dh cache paru clone gazebo src gazebo gazebo gui building measureitem hh from home dh cache paru clone gazebo src gazebo gazebo gui building measureitem cc usr include qt qtgui qfontmetrics h note declared here int width const qstring int len const automatic moc for target arrangeplugin built target arrangeplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir building rotatehandle cc o automatic moc for target attachlightplugin built target attachlightplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir building scalewidget cc o building cxx object gazebo gui cmakefiles gazebo gui dir building segmentitem cc o automatic moc for target blinkvisualplugin built target blinkvisualplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir building stairsinspectordialog cc o building cxx object gazebo gui cmakefiles gazebo gui dir building stairsitem cc o automatic moc for target breakablejointplugin built target breakablejointplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir building wallinspectordialog cc o building cxx object gazebo gui cmakefiles gazebo gui dir building wallsegmentitem cc o building cxx object gazebo gui cmakefiles gazebo gui dir building windowdoorinspectordialog cc o building cxx object gazebo gui cmakefiles gazebo gui dir building windowitem cc o linking cxx static library libgazebo test fixture a built target gazebo test fixture building cxx object gazebo gui cmakefiles gazebo gui dir model collisionconfig cc o building cxx object gazebo gui cmakefiles gazebo gui dir model editormaterialswitcher cc o building cxx object gazebo gui cmakefiles gazebo gui dir model extrudedialog cc o automatic moc for target buoyancyplugin built target buoyancyplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir model importdialog cc o automatic moc for target cameraplugin built target cameraplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir model jointcreationdialog cc o automatic moc for target cartdemoplugin built target cartdemoplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir model jointinspector cc o building cxx object gazebo gui cmakefiles gazebo gui dir model jointmaker cc o building cxx object gazebo gui cmakefiles gazebo gui dir model linkconfig cc o automatic moc for target cessnaplugin built target cessnaplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir model linkinspector cc o building cxx object gazebo gui cmakefiles gazebo gui dir model meusercmdmanager cc o building cxx object gazebo gui cmakefiles gazebo gui dir model modelcreator cc o automatic moc for target contactplugin built target contactplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir model modeldata cc o home dh cache paru clone gazebo src gazebo gazebo gui model editormaterialswitcher cc in member function ‘void gazebo gui editormaterialswitcher setmaterialscheme const std string ’ home dh cache paru clone gazebo src gazebo gazebo gui model editormaterialswitcher cc note ‘ wmisleading indentation’ is disabled from this point onwards since column tracking was disabled due to the size of the code headers if this camera this camera ogreviewport home dh cache paru clone gazebo src gazebo gazebo gui model editormaterialswitcher cc note adding ‘ flarge source files’ will allow for more column tracking support at the expense of compilation time and memory building cxx object gazebo gui cmakefiles gazebo gui dir model modeleditor cc o building cxx object gazebo gui cmakefiles gazebo gui dir model modeleditorevents cc o in file included from usr include boost multi index detail ord index impl hpp from usr include boost multi index ordered index hpp from usr include boost property tree ptree hpp from home dh cache paru clone gazebo src gazebo gazebo gui guiiface hh from home dh cache paru clone gazebo src gazebo gazebo gui model jointmaker cc usr include boost multi index detail ord index node hpp in static member function ‘static void boost multi index detail ordered index node impl decrement pointer ’ usr include boost multi index detail ord index node hpp note ‘ wmisleading indentation’ is disabled from this point onwards since column tracking was disabled due to the size of the code headers while y right pointer y y right usr include boost multi index detail ord index node hpp note adding ‘ flarge source files’ will allow for more column tracking support at the expense of compilation time and memory building cxx object gazebo gui cmakefiles gazebo gui dir model modeleditorpalette cc o automatic moc for target containplugin built target containplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir model modelplugininspector cc o automatic moc for target depthcameraplugin built target depthcameraplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir model modeltreewidget cc o home dh cache paru clone gazebo src gazebo gazebo gui model modeleditorpalette cc in constructor ‘gazebo gui modeleditorpalette modeleditorpalette qwidget ’ home dh cache paru clone gazebo src gazebo gazebo gui model modeleditorpalette cc warning ‘constexpr qflags qflags zero ’ is deprecated use default constructor instead customlayout addwidget custombutton in file included from usr include qt qtcore qglobal h from usr include qt qtcore qtcore from home dh cache paru clone gazebo src gazebo gazebo gui qt h from home dh cache paru clone gazebo src gazebo gazebo gui actions hh from home dh cache paru clone gazebo src gazebo gazebo gui model modeleditorpalette cc usr include qt qtcore qflags h note declared here qt deprecated x use default constructor instead q decl constexpr inline qflags zero noexcept i automatic moc for target diffdriveplugin built target diffdriveplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir model visualconfig cc o in file included from usr include qt qtcore qobject h from usr include qt qtcore qabstractanimation h from usr include qt qtcore qtcore from home dh cache paru clone gazebo src gazebo gazebo gui qt h from home dh cache paru clone gazebo src gazebo gazebo gui actions hh from home dh cache paru clone gazebo src gazebo gazebo gui model modelcreator cc usr include qt qtcore qlist h in member function ‘void qlist setsharable bool ’ usr include qt qtcore qlist h note ‘ wmisleading indentation’ is disabled from this point onwards since column tracking was disabled due to the size of the code headers if sharable d ref issharable usr include qt qtcore qlist h note adding ‘ flarge source files’ will allow for more column tracking support at the expense of compilation time and memory building cxx object gazebo gui cmakefiles gazebo gui dir model graphscene cc o building cxx object gazebo gui cmakefiles gazebo gui dir model graphview cc o building cxx object gazebo gui cmakefiles gazebo gui dir model schematicviewwidget cc o home dh cache paru clone gazebo src gazebo gazebo gui model graphview cc in member function ‘virtual void gazebo gui graphview wheelevent qwheelevent ’ home dh cache paru clone gazebo src gazebo gazebo gui model graphview cc warning ‘qmatrix qgraphicsview matrix const’ is deprecated use transform qmatrix mat matrix in file included from usr include qt qtwidgets qgraphicsview from home dh cache paru clone gazebo src gazebo gazebo gui qt h from home dh cache paru clone gazebo src gazebo gazebo gui model graphview hh from home dh cache paru clone gazebo src gazebo gazebo gui model graphview cc usr include qt qtwidgets qgraphicsview h note declared here qt deprecated x use transform qmatrix matrix const home dh cache paru clone gazebo src gazebo gazebo gui model graphview cc warning ‘qpoint qwheelevent pos const’ is deprecated use position qpointf mouseposition event pos in file included from usr include qt qtgui qresizeevent from home dh cache paru clone gazebo src gazebo gazebo gui qt h usr include qt qtgui qevent h note declared here inline qpoint pos const return p topoint home dh cache paru clone gazebo src gazebo gazebo gui model graphview cc warning ‘void qgraphicsview setmatrix const qmatrix bool ’ is deprecated use settransform this setmatrix mat usr include qt qtwidgets qgraphicsview h note declared here qt deprecated x use settransform void setmatrix const qmatrix matrix bool combine false automatic moc for target fiducialcameraplugin built target fiducialcameraplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir plot editablelabel cc o automatic moc for target flashlightplugin built target flashlightplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir plot exportdialog cc o building cxx object gazebo gui cmakefiles gazebo gui dir plot incrementalplot cc o building cxx object gazebo gui cmakefiles gazebo gui dir plot introspectioncurvehandler cc o building cxx object gazebo gui cmakefiles gazebo gui dir plot palette cc o home dh cache paru clone gazebo src gazebo gazebo gui plot exportdialog cc in member function ‘virtual void plotviewdelegate paint qpainter const qstyleoptionviewitem const qmodelindex const’ home dh cache paru clone gazebo src gazebo gazebo gui plot exportdialog cc warning ‘int qfontmetrics width const qstring int const’ is deprecated use qfontmetrics horizontaladvance int checktitlewidth fm width title checksize checkmargin in file included from usr include qt qtgui qpainter h from usr include qt qtgui qpainter from home dh cache paru clone gazebo src gazebo gazebo gui qt h from home dh cache paru clone gazebo src gazebo gazebo gui plot exportdialog hh from home dh cache paru clone gazebo src gazebo gazebo gui plot exportdialog cc usr include qt qtgui qfontmetrics h note declared here int width const qstring int len const home dh cache paru clone gazebo src gazebo gazebo gui plot exportdialog cc in constructor ‘gazebo gui exportdialog exportdialog qwidget const std list ’ home dh cache paru clone gazebo src gazebo gazebo gui plot exportdialog cc warning ‘static qpixmap qpixmap grabwindow wid int int int int ’ is deprecated use qscreen grabwindow instead qicon icon qpixmap grabwindow plot winid in file included from usr include qt qtgui qbitmap h from usr include qt qtgui qbitmap from home dh cache paru clone gazebo src gazebo gazebo gui qt h usr include qt qtgui qpixmap h note declared here static qpixmap grabwindow wid int x int y int w int h home dh cache paru clone gazebo src gazebo gazebo gui plot exportdialog cc in member function ‘void gazebo gui exportdialog onexport gazebo gui filetype ’ home dh cache paru clone gazebo src gazebo gazebo gui plot exportdialog cc warning ‘qfiledialog directoryonly’ is deprecated use setoption showdirsonly true instead filedialog setfilemode qfiledialog directoryonly in file included from usr include qt qtwidgets qfiledialog from home dh cache paru clone gazebo src gazebo gazebo gui qt h usr include qt qtwidgets qfiledialog h note declared here directoryonly q decl enumerator deprecated x use setoption showdirsonly true instead home dh cache paru clone gazebo src gazebo gazebo gui plot exportdialog cc warning ‘qfiledialog directoryonly’ is deprecated use setoption showdirsonly true instead filedialog setfilemode qfiledialog directoryonly usr include qt qtwidgets qfiledialog h note declared here directoryonly q decl enumerator deprecated x use setoption showdirsonly true instead building cxx object gazebo gui cmakefiles gazebo gui dir plot plotcanvas cc o building cxx object gazebo gui cmakefiles gazebo gui dir plot plotcurve cc o home dh cache paru clone gazebo src gazebo gazebo gui plot incrementalplot cc in member function ‘virtual void gazebo gui plotmagnifier widgetwheelevent qwheelevent ’ home dh cache paru clone gazebo src gazebo gazebo gui plot incrementalplot cc warning ‘qpoint qwheelevent pos const’ is deprecated use position this mousepos wheelevent pos in file included from usr include qt qtgui qresizeevent from home dh cache paru clone gazebo src gazebo gazebo gui qt h from home dh cache paru clone gazebo src gazebo gazebo gui plot plotcurve hh from home dh cache paru clone gazebo src gazebo gazebo gui plot incrementalplot cc usr include qt qtgui qevent h note declared here inline qpoint pos const return p topoint automatic moc for target followerplugin built target followerplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir plot plotmanager cc o building cxx object gazebo gui cmakefiles gazebo gui dir plot plottracker cc o building cxx object gazebo gui cmakefiles gazebo gui dir plot plotwindow cc o building cxx object gazebo gui cmakefiles gazebo gui dir plot topiccurvehandler cc o automatic moc for target forcetorqueplugin built target forcetorqueplugin autogen building cxx object gazebo gui cmakefiles gazebo gui dir plot variablepill cc o home dh cache paru clone gazebo src gazebo gazebo gui plot plottracker cc in member function ‘qstring gazebo gui plottracker curveinfoat const qwtplotcurve const qpointf const’ home dh cache paru clone gazebo src gazebo gazebo gui plot plottracker cc warning ‘qstring null’ is deprecated use qstring return qstring null in file included from usr include qt qtcore qobject h from usr include qt qtcore qabstractanimation h from usr include qt qtcore qtcore from home dh cache paru clone gazebo src gazebo gazebo gui qt h from home dh cache paru clone gazebo src gazebo gazebo gui plot plottracker cc usr include qt qtcore qstring h note declared here static const null null home dh cache paru clone gazebo src gazebo gazebo gui plot plottracker cc warning ‘qstring null’ is deprecated use qstring return qstring null usr include qt qtcore qstring h note declared here static const null null home dh cache paru clone gazebo src gazebo gazebo gui plot palette cc in member function ‘virtual void plotitemdelegate paint qpainter const qstyleoptionviewitem const qmodelindex const’ home dh cache paru clone gazebo src gazebo gazebo gui plot palette cc warning ‘int qfontmetrics width const qstring int const’ is deprecated use qfontmetrics horizontaladvance textrect adjust fmregular width textstr in file included from usr include qt qtgui qpainter h from usr include qt qtgui qpainter from home dh cache paru clone gazebo src gazebo gazebo gui qt h from home dh cache paru clone gazebo src gazebo gazebo gui configwidget hh from home dh cache paru clone gazebo src gazebo gazebo gui plot palette cc usr include qt qtgui qfontmetrics h note declared here int width const qstring int len const home dh cache paru clone gazebo src gazebo gazebo gui plot palette cc warning ‘int qfontmetrics width const qstring int const’ is deprecated use qfontmetrics horizontaladvance textrect adjust fmbold width textstr usr include qt qtgui qfontmetrics h note declared here int width const qstring int len const home dh cache paru clone gazebo src gazebo gazebo gui plot palette cc in member function ‘void gazebo gui searchmodel setsearch const qstring ’ home dh cache paru clone gazebo src gazebo gazebo gui plot palette cc warning ‘void qsortfilterproxymodel filterchanged ’ is deprecated use qsortfilterproxymodel invalidatefilter this filterchanged in file included from usr include qt qtcore qtcore from home dh cache paru clone gazebo src gazebo gazebo gui qt h usr include qt qtcore qsortfilterproxymodel h note declared here qt deprecated x use qsortfilterproxymodel invalidatefilter void filterchanged building cxx object gazebo gui cmakefiles gazebo gui dir plot variablepillcontainer cc o automatic moc for target built target autogen building cxx object gazebo gui cmakefiles gazebo gui dir qgv private qgvcore cpp o building cxx object gazebo gui cmakefiles gazebo gui dir qgv private qgvgraphprivate cpp o building cxx object gazebo gui cmakefiles gazebo gui dir qgv private qgvedgeprivate cpp o building cxx object gazebo gui cmakefiles gazebo gui dir qgv private qgvgvcprivate cpp o building cxx object gazebo gui cmakefiles gazebo gui dir qgv private qgvnodeprivate cpp o building cxx object gazebo gui cmakefiles gazebo gui dir qgv qgvedge cpp o in file included from home dh cache paru clone gazebo src gazebo gazebo gui qgv private qgvcore cpp home dh cache paru clone gazebo src gazebo gazebo gui qgv private qgvcore h in static member function ‘static agraph t qgvcore const char ’ home dh cache paru clone gazebo src gazebo gazebo gui qgv private qgvcore h error ‘agiodisc t’ aka ‘struct agiodisc s’ has no member named ‘putstr’ memiodisc putstr agiodisc putstr home dh cache paru clone gazebo src gazebo gazebo gui qgv private qgvcore h error ‘agiodisc t’ aka ‘struct agiodisc s’ has no member named ‘putstr’ memiodisc putstr agiodisc putstr make error make waiting for unfinished jobs automatic moc for target gpurayplugin built target gpurayplugin autogen automatic moc for target harnessplugin built target harnessplugin autogen automatic moc for target heightmaplodplugin built target heightmaplodplugin autogen automatic moc for target imusensorplugin built target imusensorplugin autogen automatic moc for target initialvelocityplugin built target initialvelocityplugin autogen automatic moc for target jointcontrolplugin built target jointcontrolplugin autogen automatic moc for target jointtrajectoryplugin built target jointtrajectoryplugin autogen automatic moc for target keystocmdvelplugin built target keystocmdvelplugin autogen automatic moc for target keystojointsplugin built target keystojointsplugin autogen automatic moc for target lensflaresensorplugin built target lensflaresensorplugin autogen automatic moc for target liftdragplugin built target liftdragplugin autogen automatic moc for target linearbatteryconsumerplugin built target linearbatteryconsumerplugin autogen automatic moc for target linearbatteryplugin built target linearbatteryplugin autogen automatic moc for target in file included from home dh cache paru clone gazebo src gazebo gazebo gui qgv qgvedge cpp home dh cache paru clone gazebo src gazebo gazebo gui qgv private qgvcore h in static member function ‘static agraph t qgvcore const char ’ home dh cache paru clone gazebo src gazebo gazebo gui qgv private qgvcore h error ‘agiodisc t’ aka ‘struct agiodisc s’ has no member named ‘putstr’ memiodisc putstr agiodisc putstr home dh cache paru clone gazebo src gazebo gazebo gui qgv private qgvcore h error ‘agiodisc t’ aka ‘struct agiodisc s’ has no member named ‘putstr’ memiodisc putstr agiodisc putstr built target autogen automatic moc for target misalignmentplugin built target misalignmentplugin autogen automatic moc for target modelpropshop built target modelpropshop autogen automatic moc for target mudplugin built target mudplugin autogen automatic moc for target planedemoplugin built target planedemoplugin autogen automatic moc for target pressureplugin built target pressureplugin autogen automatic moc for target rayplugin make error built target rayplugin autogen automatic moc for target raysensornoiseplugin automatic moc for target reflectanceplugin built target raysensornoiseplugin autogen built target reflectanceplugin autogen automatic moc for target rubbleplugin automatic moc for target shaderparamvisualplugin built target rubbleplugin autogen automatic moc for target skidsteerdriveplugin built target shaderparamvisualplugin autogen automatic moc for target sonarplugin built target skidsteerdriveplugin autogen automatic moc for target sphereatlasdemoplugin built target sonarplugin autogen automatic moc for target staticmapplugin built target sphereatlasdemoplugin autogen automatic moc for target stopworldplugin built target staticmapplugin autogen built target stopworldplugin autogen automatic moc for target touchplugin automatic moc for target variablegearboxplugin built target touchplugin autogen automatic moc for target vehicleplugin built target variablegearboxplugin autogen automatic moc for target wheelslipplugin built target vehicleplugin autogen built target wheelslipplugin autogen automatic moc for target windplugin automatic moc for target hydraplugin built target windplugin autogen built target hydraplugin autogen automatic moc for target hydrademoplugin automatic moc for target joyplugin built target hydrademoplugin autogen built target joyplugin autogen automatic moc for target elevatorplugin automatic moc for target randomvelocityplugin built target elevatorplugin autogen automatic moc for target transporterplugin built target randomvelocityplugin autogen building cxx object plugins cmakefiles trackedvehicleplugin dir trackedvehicleplugin autogen mocs compilation cpp o built target transporterplugin autogen building cxx object plugins cmakefiles trackedvehicleplugin dir trackedvehicleplugin cc o building cxx object plugins cmakefiles actorplugin dir actorplugin autogen mocs compilation cpp o building cxx object plugins cmakefiles actorplugin dir actorplugin cc o building cxx object plugins cmakefiles actuatorplugin dir actuatorplugin autogen mocs compilation cpp o building cxx object plugins cmakefiles actuatorplugin dir actuatorplugin cc o building cxx object plugins cmakefiles ambientocclusionvisualplugin dir ambientocclusionvisualplugin autogen mocs compilation cpp o building cxx object plugins cmakefiles ambientocclusionvisualplugin dir ambientocclusionvisualplugin cc o building cxx object plugins cmakefiles arrangeplugin dir arrangeplugin autogen mocs compilation cpp o building cxx object plugins cmakefiles arducopterplugin dir arducopterplugin autogen mocs compilation cpp o building cxx object plugins cmakefiles arrangeplugin dir arrangeplugin cc o building cxx object plugins cmakefiles arducopterplugin dir arducopterplugin cc o building cxx object plugins cmakefiles attachlightplugin dir attachlightplugin autogen mocs compilation cpp o building cxx object plugins cmakefiles attachlightplugin dir attachlightplugin cc o make error make waiting for unfinished jobs linking cxx shared library libactorplugin so built target actorplugin linking cxx shared library libactuatorplugin so built target actuatorplugin linking cxx shared library libtrackedvehicleplugin so built target trackedvehicleplugin linking cxx shared library libambientocclusionvisualplugin so linking cxx shared library libarrangeplugin so built target ambientocclusionvisualplugin built target arrangeplugin linking cxx shared library libarducopterplugin so built target arducopterplugin linking cxx shared library libattachlightplugin so built target attachlightplugin make error error a failure occurred in build aborting error failed to build gazebo error packages failed to build gazebo ⏎
0
34,892
7,467,614,010
IssuesEvent
2018-04-02 15:57:00
radioactivecricket/PostNukeRP
https://api.github.com/repos/radioactivecricket/PostNukeRP
closed
Turrets and Solar Panels
Priority-Medium Type-Defect auto-migrated
``` by [TBU|FN] CrazyKid » Sun Jan 20, 2013 3:03 am If you are running a turret off of a solar panel, and you destroy the solar panel, the turret still receives power. http://radioactivecricket.com/forums/viewtopic.php?f=15&t=825 ``` Original issue reported on code.google.com by `eldarst...@gmail.com` on 23 Jan 2013 at 11:55
1.0
Turrets and Solar Panels - ``` by [TBU|FN] CrazyKid » Sun Jan 20, 2013 3:03 am If you are running a turret off of a solar panel, and you destroy the solar panel, the turret still receives power. http://radioactivecricket.com/forums/viewtopic.php?f=15&t=825 ``` Original issue reported on code.google.com by `eldarst...@gmail.com` on 23 Jan 2013 at 11:55
defect
turrets and solar panels by crazykid » sun jan am if you are running a turret off of a solar panel and you destroy the solar panel the turret still receives power original issue reported on code google com by eldarst gmail com on jan at
1
87,405
10,545,291,038
IssuesEvent
2019-10-02 18:48:25
homedepot/infinite-wish-board
https://api.github.com/repos/homedepot/infinite-wish-board
opened
Contributing doc: update with more workflow details
documentation enhancement question
Proposal to add workflow details to contributing doc to to the site. **Feature Name** workflow details to contributing doc **Functionality** workflow: how we like to merge code (e.g. rebase vs pull into existing branch) **Notes**
1.0
Contributing doc: update with more workflow details - Proposal to add workflow details to contributing doc to to the site. **Feature Name** workflow details to contributing doc **Functionality** workflow: how we like to merge code (e.g. rebase vs pull into existing branch) **Notes**
non_defect
contributing doc update with more workflow details proposal to add workflow details to contributing doc to to the site feature name workflow details to contributing doc functionality workflow how we like to merge code e g rebase vs pull into existing branch notes
0
269,095
8,425,769,953
IssuesEvent
2018-10-16 04:28:10
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.fancyashley.com - The menu does not scroll along with the page
browser-firefox browser-focus-geckoview priority-normal severity-important
<!-- @browser: Firefox Focus 8 --> <!-- @ua_header: Mozilla/5.0 (Android 8.0.0; Mobile; rv:62.0) Gecko/62.0 Firefox/62.0 --> <!-- @reported_with: --> <!-- @extra_labels: browser-focus-geckoview --> **URL**: https://www.fancyashley.com/ **Browser / Version**: Firefox Focus 8 **Operating System**: Android 8.0.0 **Tested Another Browser**: Yes **Problem type**: Design is broken **Description**: The Menu is broken **Steps to Reproduce**: _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.fancyashley.com - The menu does not scroll along with the page - <!-- @browser: Firefox Focus 8 --> <!-- @ua_header: Mozilla/5.0 (Android 8.0.0; Mobile; rv:62.0) Gecko/62.0 Firefox/62.0 --> <!-- @reported_with: --> <!-- @extra_labels: browser-focus-geckoview --> **URL**: https://www.fancyashley.com/ **Browser / Version**: Firefox Focus 8 **Operating System**: Android 8.0.0 **Tested Another Browser**: Yes **Problem type**: Design is broken **Description**: The Menu is broken **Steps to Reproduce**: _From [webcompat.com](https://webcompat.com/) with ❤️_
non_defect
the menu does not scroll along with the page url browser version firefox focus operating system android tested another browser yes problem type design is broken description the menu is broken steps to reproduce from with ❤️
0
34,127
7,787,330,297
IssuesEvent
2018-06-06 22:01:34
dita-ot/dita-ot
https://api.github.com/repos/dita-ot/dita-ot
closed
Remove leading spaces in coderefs
P2 enhancement preprocess/coderef
I really like the coderef feature to pick certain parts of config files for explanation. ```xml <codeblock outputclass="language-xml"> <coderef href="DBService_App.config#token=snippet-START,snippet-END"/> </codeblock> ``` **Problem** It would be a great enhancement, if the indentation of these blocks would be fixed. Some codeblocks have very long lines, that look messy in the out. Think of this block: ```xml <property name="dataStorageConfiguration"> <bean class="org.apache.ignite.configuration.DataStorageConfiguration"> <property name="defaultDataRegionConfiguration"> <bean class="org.apache.ignite.configuration.DataRegionConfiguration"> <property name="name" value="ContactGatewayDefault"/> <property name="initialSize" value="#{1L * 1024 * 1024 * 1024}"/> <property name="maxSize" value="#{4L * 1024 * 1024 * 1024}"/> <property name="metricsEnabled" value = "true"/> <property name="persistenceEnabled" value="false"/> </bean> </property> </bean> </property> ``` To make this block look good, you have to manually remove the leading spaces to make it look like this: ```xml <property name="dataStorageConfiguration"> <bean class="org.apache.ignite.configuration.DataStorageConfiguration"> <property name="defaultDataRegionConfiguration"> <bean class="org.apache.ignite.configuration.DataRegionConfiguration"> <property name="name" value="ContactGatewayDefault"/> <property name="initialSize" value="#{1L * 1024 * 1024 * 1024}"/> <property name="maxSize" value="#{4L * 1024 * 1024 * 1024}"/> <property name="metricsEnabled" value = "true"/> <property name="persistenceEnabled" value="false"/> </bean> </property> </bean> </property> ``` That is boring and expensive work. It makes the file looking good for the tech writer, but ugly for the dev, because it destroys the indentation of the original file. **Solution** All referenced lines of a code block need to be parsed. If all lines have leading spaces, find the line with the fewest spaces, count the spaces and remove the amount of spaces from all referenced lines.
1.0
Remove leading spaces in coderefs - I really like the coderef feature to pick certain parts of config files for explanation. ```xml <codeblock outputclass="language-xml"> <coderef href="DBService_App.config#token=snippet-START,snippet-END"/> </codeblock> ``` **Problem** It would be a great enhancement, if the indentation of these blocks would be fixed. Some codeblocks have very long lines, that look messy in the out. Think of this block: ```xml <property name="dataStorageConfiguration"> <bean class="org.apache.ignite.configuration.DataStorageConfiguration"> <property name="defaultDataRegionConfiguration"> <bean class="org.apache.ignite.configuration.DataRegionConfiguration"> <property name="name" value="ContactGatewayDefault"/> <property name="initialSize" value="#{1L * 1024 * 1024 * 1024}"/> <property name="maxSize" value="#{4L * 1024 * 1024 * 1024}"/> <property name="metricsEnabled" value = "true"/> <property name="persistenceEnabled" value="false"/> </bean> </property> </bean> </property> ``` To make this block look good, you have to manually remove the leading spaces to make it look like this: ```xml <property name="dataStorageConfiguration"> <bean class="org.apache.ignite.configuration.DataStorageConfiguration"> <property name="defaultDataRegionConfiguration"> <bean class="org.apache.ignite.configuration.DataRegionConfiguration"> <property name="name" value="ContactGatewayDefault"/> <property name="initialSize" value="#{1L * 1024 * 1024 * 1024}"/> <property name="maxSize" value="#{4L * 1024 * 1024 * 1024}"/> <property name="metricsEnabled" value = "true"/> <property name="persistenceEnabled" value="false"/> </bean> </property> </bean> </property> ``` That is boring and expensive work. It makes the file looking good for the tech writer, but ugly for the dev, because it destroys the indentation of the original file. **Solution** All referenced lines of a code block need to be parsed. If all lines have leading spaces, find the line with the fewest spaces, count the spaces and remove the amount of spaces from all referenced lines.
non_defect
remove leading spaces in coderefs i really like the coderef feature to pick certain parts of config files for explanation xml problem it would be a great enhancement if the indentation of these blocks would be fixed some codeblocks have very long lines that look messy in the out think of this block xml property name name value contactgatewaydefault property name initialsize value property name maxsize value property name metricsenabled value true property name persistenceenabled value false to make this block look good you have to manually remove the leading spaces to make it look like this xml property name name value contactgatewaydefault property name initialsize value property name maxsize value property name metricsenabled value true property name persistenceenabled value false that is boring and expensive work it makes the file looking good for the tech writer but ugly for the dev because it destroys the indentation of the original file solution all referenced lines of a code block need to be parsed if all lines have leading spaces find the line with the fewest spaces count the spaces and remove the amount of spaces from all referenced lines
0
65,032
19,030,607,627
IssuesEvent
2021-11-24 10:16:09
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
Chat effects don't trigger by sending emoji
T-Defect X-Cannot-Reproduce X-Regression S-Minor X-Release-Blocker A-Effects O-Occasional
### Steps to reproduce 1. chat effects are on 2. send an effect emoji like 🎉 ❄️ 👾 🌧️ ⛈️ 🌦️ ### Outcome #### What did you expect? trigger effect on sending #### What happened instead? no effect #### more info - sending the respective command works - receiving the same emoji works - receiving a message generated from the respective command works this probably regressed somewhere between Element version: 1.9.5 Olm version: 3.2.3 and my nightly, as it works on a 1.9.5 Windows 10 with whom I am chatting ### Operating system arch ### Application version Element Nightly version: 2021112301 Olm version: 3.2.3 ### How did you install the app? aur ### Homeserver _No response_ ### Will you send logs? No
1.0
Chat effects don't trigger by sending emoji - ### Steps to reproduce 1. chat effects are on 2. send an effect emoji like 🎉 ❄️ 👾 🌧️ ⛈️ 🌦️ ### Outcome #### What did you expect? trigger effect on sending #### What happened instead? no effect #### more info - sending the respective command works - receiving the same emoji works - receiving a message generated from the respective command works this probably regressed somewhere between Element version: 1.9.5 Olm version: 3.2.3 and my nightly, as it works on a 1.9.5 Windows 10 with whom I am chatting ### Operating system arch ### Application version Element Nightly version: 2021112301 Olm version: 3.2.3 ### How did you install the app? aur ### Homeserver _No response_ ### Will you send logs? No
defect
chat effects don t trigger by sending emoji steps to reproduce chat effects are on send an effect emoji like 🎉 ❄️ 👾 🌧️ ⛈️ 🌦️ outcome what did you expect trigger effect on sending what happened instead no effect more info sending the respective command works receiving the same emoji works receiving a message generated from the respective command works this probably regressed somewhere between element version olm version and my nightly as it works on a windows with whom i am chatting operating system arch application version element nightly version olm version how did you install the app aur homeserver no response will you send logs no
1
49,405
13,186,682,405
IssuesEvent
2020-08-13 00:58:46
icecube-trac/tix3
https://api.github.com/repos/icecube-trac/tix3
opened
[cvmfs] upgrade pymysql in py2-v1 (Trac #1323)
Incomplete Migration Migrated from Trac cvmfs defect
<details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/1323">https://code.icecube.wisc.edu/ticket/1323</a>, reported by david.schultz and owned by david.schultz</em></summary> <p> ```json { "status": "closed", "changetime": "2015-09-01T22:31:04", "description": "There is a bug in pymysql related to EINTR that simprod is running into. Upgrading to a newer version fixes this, so let's do that.", "reporter": "david.schultz", "cc": "", "resolution": "fixed", "_ts": "1441146664333699", "component": "cvmfs", "summary": "[cvmfs] upgrade pymysql in py2-v1", "priority": "blocker", "keywords": "", "time": "2015-09-01T01:20:35", "milestone": "", "owner": "david.schultz", "type": "defect" } ``` </p> </details>
1.0
[cvmfs] upgrade pymysql in py2-v1 (Trac #1323) - <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/1323">https://code.icecube.wisc.edu/ticket/1323</a>, reported by david.schultz and owned by david.schultz</em></summary> <p> ```json { "status": "closed", "changetime": "2015-09-01T22:31:04", "description": "There is a bug in pymysql related to EINTR that simprod is running into. Upgrading to a newer version fixes this, so let's do that.", "reporter": "david.schultz", "cc": "", "resolution": "fixed", "_ts": "1441146664333699", "component": "cvmfs", "summary": "[cvmfs] upgrade pymysql in py2-v1", "priority": "blocker", "keywords": "", "time": "2015-09-01T01:20:35", "milestone": "", "owner": "david.schultz", "type": "defect" } ``` </p> </details>
defect
upgrade pymysql in trac migrated from json status closed changetime description there is a bug in pymysql related to eintr that simprod is running into upgrading to a newer version fixes this so let s do that reporter david schultz cc resolution fixed ts component cvmfs summary upgrade pymysql in priority blocker keywords time milestone owner david schultz type defect
1
9,446
2,615,150,457
IssuesEvent
2015-03-01 06:27:48
chrsmith/reaver-wps
https://api.github.com/repos/chrsmith/reaver-wps
opened
Reaver locks after receiving packet types 21 & 19
auto-migrated Priority-Triage Type-Defect
``` I've been running reaver for a couple of days in the real world and after getting packets type 21 and 19 it quit responding: [!] WPS transaction failed (code: 0x2), re-trying last pin [+] 36.75% complete @ 2012-01-19 02:03:46 (95 seconds/attempt) [+] Trying pin 33365671 [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [+] Sending identity response [+] Sending identity response [!] WARNING: Receive timeout occurred [+] Sending WSC NACK [!] WPS transaction failed (code: 0x2), re-trying last pin [+] Trying pin 33365671 [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [+] Sending identity response [+] Sending M2 message [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [+] Sending M2D message [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [+] Sending WSC ACK [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Got packet type 21 (0x15), but haven't broken the first half of the pin yet! [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Got packet type 19 (0x13), but haven't broken the first half of the pin yet! ``` Original issue reported on code.google.com by `hoboab...@gmail.com` on 19 Jan 2012 at 3:29
1.0
Reaver locks after receiving packet types 21 & 19 - ``` I've been running reaver for a couple of days in the real world and after getting packets type 21 and 19 it quit responding: [!] WPS transaction failed (code: 0x2), re-trying last pin [+] 36.75% complete @ 2012-01-19 02:03:46 (95 seconds/attempt) [+] Trying pin 33365671 [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [+] Sending identity response [+] Sending identity response [!] WARNING: Receive timeout occurred [+] Sending WSC NACK [!] WPS transaction failed (code: 0x2), re-trying last pin [+] Trying pin 33365671 [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [!] WARNING: Receive timeout occurred [+] Sending EAPOL START request [+] Sending identity response [+] Sending M2 message [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [+] Sending M2D message [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Out of order packet received, re-trasmitting last message [+] Sending WSC ACK [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Got packet type 21 (0x15), but haven't broken the first half of the pin yet! [!] WARNING: Last message not processed properly, reverting state to previous message [!] WARNING: Got packet type 19 (0x13), but haven't broken the first half of the pin yet! ``` Original issue reported on code.google.com by `hoboab...@gmail.com` on 19 Jan 2012 at 3:29
defect
reaver locks after receiving packet types i ve been running reaver for a couple of days in the real world and after getting packets type and it quit responding wps transaction failed code re trying last pin complete seconds attempt trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request sending identity response sending identity response warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request sending identity response sending message warning last message not processed properly reverting state to previous message warning out of order packet received re trasmitting last message sending message warning last message not processed properly reverting state to previous message warning out of order packet received re trasmitting last message warning last message not processed properly reverting state to previous message warning out of order packet received re trasmitting last message sending wsc ack warning last message not processed properly reverting state to previous message warning got packet type but haven t broken the first half of the pin yet warning last message not processed properly reverting state to previous message warning got packet type but haven t broken the first half of the pin yet original issue reported on code google com by hoboab gmail com on jan at
1
6,296
2,801,173,313
IssuesEvent
2015-05-13 14:29:10
coala-analyzer/coala
https://api.github.com/repos/coala-analyzer/coala
closed
Put some parsing helpers and constants in bearlib
feature important need-design pending review
This is meant to replace #15, #16 and #205 because they are somewhat similar.
1.0
Put some parsing helpers and constants in bearlib - This is meant to replace #15, #16 and #205 because they are somewhat similar.
non_defect
put some parsing helpers and constants in bearlib this is meant to replace and because they are somewhat similar
0
69,878
22,707,921,040
IssuesEvent
2022-07-05 16:12:42
matrix-org/synapse
https://api.github.com/repos/matrix-org/synapse
opened
Race condition where a second join races with cache invalidation over replication and erroneously rejects joining Restricted Room
T-Defect
(This is the cause of a flake in Complement's `TestRestrictedRoomsLocalJoin` tests when _running with workers_.) If room A is a restricted room, restricted to members of room B, then if: 1. a user first attempts to join room A and is rejected; 2. the user then joins room B successfully; and 3. the user then attempts to join room A again the user can be erroneously rejected from joining room A (in step (3)). This is because there is a cache, `get_rooms_for_user_with_stream_ordering`, which is populated in step (1) on the event *creator*. In step (2), the event *persister* will invalidate that cache and send a command over replication for other workers to do the same. This issue then occurs if the event *creator* doesn't receive that command until after step (3). ![2022-07-05-TestRestrictedRoomsLocalJoin_race](https://user-images.githubusercontent.com/38398653/177368542-2171a20c-87d3-4552-9342-18fbf9fc7e06.png) This occurs easily in Complement+workers on CI, where it takes ~200 ms for the invalidation to be received on the new worker (CPU contention in CI is probably playing a big part). An obvious workaround is for the client to just sleep & retry, but it seems very ugly that we're issuing 403s to clients when they're making fully **serial** requests. Another incomplete workaround is for the event creator to invalidate its own cache, but that won't help if the join to room B takes place on a different event creator. I think a potential solution that would work is to: 1. when persisting the join event and sending the invalidation, ensure this is done before finishing the replication request and the client request 2. when starting a new join for a restricted room on an event creator, fetch the latest cache invalidation position from Redis and then only start processing the join once replication has caught up past that point. (I'm not exactly sure how you 'fetch the latest position'; I was rather hoping there'd be `SETMAX` in Redis but didn't find it. Alternatively, it's probably possible to just PING Redis and treat the PONG as the barrier, but it's not a very nice solution.)
1.0
Race condition where a second join races with cache invalidation over replication and erroneously rejects joining Restricted Room - (This is the cause of a flake in Complement's `TestRestrictedRoomsLocalJoin` tests when _running with workers_.) If room A is a restricted room, restricted to members of room B, then if: 1. a user first attempts to join room A and is rejected; 2. the user then joins room B successfully; and 3. the user then attempts to join room A again the user can be erroneously rejected from joining room A (in step (3)). This is because there is a cache, `get_rooms_for_user_with_stream_ordering`, which is populated in step (1) on the event *creator*. In step (2), the event *persister* will invalidate that cache and send a command over replication for other workers to do the same. This issue then occurs if the event *creator* doesn't receive that command until after step (3). ![2022-07-05-TestRestrictedRoomsLocalJoin_race](https://user-images.githubusercontent.com/38398653/177368542-2171a20c-87d3-4552-9342-18fbf9fc7e06.png) This occurs easily in Complement+workers on CI, where it takes ~200 ms for the invalidation to be received on the new worker (CPU contention in CI is probably playing a big part). An obvious workaround is for the client to just sleep & retry, but it seems very ugly that we're issuing 403s to clients when they're making fully **serial** requests. Another incomplete workaround is for the event creator to invalidate its own cache, but that won't help if the join to room B takes place on a different event creator. I think a potential solution that would work is to: 1. when persisting the join event and sending the invalidation, ensure this is done before finishing the replication request and the client request 2. when starting a new join for a restricted room on an event creator, fetch the latest cache invalidation position from Redis and then only start processing the join once replication has caught up past that point. (I'm not exactly sure how you 'fetch the latest position'; I was rather hoping there'd be `SETMAX` in Redis but didn't find it. Alternatively, it's probably possible to just PING Redis and treat the PONG as the barrier, but it's not a very nice solution.)
defect
race condition where a second join races with cache invalidation over replication and erroneously rejects joining restricted room this is the cause of a flake in complement s testrestrictedroomslocaljoin tests when running with workers if room a is a restricted room restricted to members of room b then if a user first attempts to join room a and is rejected the user then joins room b successfully and the user then attempts to join room a again the user can be erroneously rejected from joining room a in step this is because there is a cache get rooms for user with stream ordering which is populated in step on the event creator in step the event persister will invalidate that cache and send a command over replication for other workers to do the same this issue then occurs if the event creator doesn t receive that command until after step this occurs easily in complement workers on ci where it takes ms for the invalidation to be received on the new worker cpu contention in ci is probably playing a big part an obvious workaround is for the client to just sleep retry but it seems very ugly that we re issuing to clients when they re making fully serial requests another incomplete workaround is for the event creator to invalidate its own cache but that won t help if the join to room b takes place on a different event creator i think a potential solution that would work is to when persisting the join event and sending the invalidation ensure this is done before finishing the replication request and the client request when starting a new join for a restricted room on an event creator fetch the latest cache invalidation position from redis and then only start processing the join once replication has caught up past that point i m not exactly sure how you fetch the latest position i was rather hoping there d be setmax in redis but didn t find it alternatively it s probably possible to just ping redis and treat the pong as the barrier but it s not a very nice solution
1
24,623
4,048,882,118
IssuesEvent
2016-05-23 12:12:22
AsyncHttpClient/async-http-client
https://api.github.com/repos/AsyncHttpClient/async-http-client
closed
CompletableFuture exceptions are wrapped twice
AHC2 Defect
Hi. I'm a CompletableFuture-fan, so i work using this interface. I was expecting to get timeouts and stuff in the form of ExecutionException with original Exception as cause: ExecutionException: cause: TimeoutException however, i see something more complicated: ExecutionException: cause: ExecutionException: cause: TimeoutException I believe that it may be solved in a couple of lines in `ListenableFuture.CompletedFailure.toCompletableFuture`, however, i'm not familiar with project architecture and not sure that project maintainers will accept my vision, so i'm not sending any pull requests. So, my proposition is: remove excessive ExecutionException wrapper in responses converted to CompletableFutures since it is not intuitive and most users will expect original cause wrapped in the exception thrown during `.get()` call.
1.0
CompletableFuture exceptions are wrapped twice - Hi. I'm a CompletableFuture-fan, so i work using this interface. I was expecting to get timeouts and stuff in the form of ExecutionException with original Exception as cause: ExecutionException: cause: TimeoutException however, i see something more complicated: ExecutionException: cause: ExecutionException: cause: TimeoutException I believe that it may be solved in a couple of lines in `ListenableFuture.CompletedFailure.toCompletableFuture`, however, i'm not familiar with project architecture and not sure that project maintainers will accept my vision, so i'm not sending any pull requests. So, my proposition is: remove excessive ExecutionException wrapper in responses converted to CompletableFutures since it is not intuitive and most users will expect original cause wrapped in the exception thrown during `.get()` call.
defect
completablefuture exceptions are wrapped twice hi i m a completablefuture fan so i work using this interface i was expecting to get timeouts and stuff in the form of executionexception with original exception as cause executionexception cause timeoutexception however i see something more complicated executionexception cause executionexception cause timeoutexception i believe that it may be solved in a couple of lines in listenablefuture completedfailure tocompletablefuture however i m not familiar with project architecture and not sure that project maintainers will accept my vision so i m not sending any pull requests so my proposition is remove excessive executionexception wrapper in responses converted to completablefutures since it is not intuitive and most users will expect original cause wrapped in the exception thrown during get call
1
72,106
8,704,226,541
IssuesEvent
2018-12-05 18:48:31
dotnet/docs
https://api.github.com/repos/dotnet/docs
closed
"Type matching" instead of "pattern matching"
:books: Area - C# Guide Source - Docs.ms by-design product-feedback
IMHO, the term "type matching" is more illustrative instead of "pattern matching". Of course, after learned the subject -thanks to your docs and efforts- it suits to the content, but before it does not ring a bell. I just wanted you to know. --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: b1766cac-6e34-c70b-0933-9d9def2344c4 * Version Independent ID: 38869398-bce4-0321-112d-4b44d558d7b1 * Content: [How to: safely cast by using pattern matching and the is and as operators](https://docs.microsoft.com/en-us/dotnet/csharp/how-to/safely-cast-using-pattern-matching-is-and-as-operators) * Content Source: [docs/csharp/how-to/safely-cast-using-pattern-matching-is-and-as-operators.md](https://github.com/dotnet/docs/blob/master/docs/csharp/how-to/safely-cast-using-pattern-matching-is-and-as-operators.md) * Product: **dotnet-csharp** * GitHub Login: @BillWagner * Microsoft Alias: **wiwagn**
1.0
"Type matching" instead of "pattern matching" - IMHO, the term "type matching" is more illustrative instead of "pattern matching". Of course, after learned the subject -thanks to your docs and efforts- it suits to the content, but before it does not ring a bell. I just wanted you to know. --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: b1766cac-6e34-c70b-0933-9d9def2344c4 * Version Independent ID: 38869398-bce4-0321-112d-4b44d558d7b1 * Content: [How to: safely cast by using pattern matching and the is and as operators](https://docs.microsoft.com/en-us/dotnet/csharp/how-to/safely-cast-using-pattern-matching-is-and-as-operators) * Content Source: [docs/csharp/how-to/safely-cast-using-pattern-matching-is-and-as-operators.md](https://github.com/dotnet/docs/blob/master/docs/csharp/how-to/safely-cast-using-pattern-matching-is-and-as-operators.md) * Product: **dotnet-csharp** * GitHub Login: @BillWagner * Microsoft Alias: **wiwagn**
non_defect
type matching instead of pattern matching imho the term type matching is more illustrative instead of pattern matching of course after learned the subject thanks to your docs and efforts it suits to the content but before it does not ring a bell i just wanted you to know document details ⚠ do not edit this section it is required for docs microsoft com ➟ github issue linking id version independent id content content source product dotnet csharp github login billwagner microsoft alias wiwagn
0
22,015
3,588,085,221
IssuesEvent
2016-01-30 19:42:51
bigbluebutton/bigbluebutton
https://api.github.com/repos/bigbluebutton/bigbluebutton
closed
Javascript API demo not working on IE 10, Win 7
Accepted API Defect Low Priority
Originally reported on Google Code with ID 1478 ``` When trying the javascript demo page, it works in Chrome, and Firefox. But just get a blue screen in IE when flash tries to load the client. see attachment ``` Reported by `207TECH` on 2013-04-23 01:32:46 <hr> * *Attachment: JavaIE-Bug.PNG<br>![JavaIE-Bug.PNG](https://storage.googleapis.com/google-code-attachments/bigbluebutton/issue-1478/comment-0/JavaIE-Bug.PNG)*
1.0
Javascript API demo not working on IE 10, Win 7 - Originally reported on Google Code with ID 1478 ``` When trying the javascript demo page, it works in Chrome, and Firefox. But just get a blue screen in IE when flash tries to load the client. see attachment ``` Reported by `207TECH` on 2013-04-23 01:32:46 <hr> * *Attachment: JavaIE-Bug.PNG<br>![JavaIE-Bug.PNG](https://storage.googleapis.com/google-code-attachments/bigbluebutton/issue-1478/comment-0/JavaIE-Bug.PNG)*
defect
javascript api demo not working on ie win originally reported on google code with id when trying the javascript demo page it works in chrome and firefox but just get a blue screen in ie when flash tries to load the client see attachment reported by on attachment javaie bug png
1
11,143
2,641,220,414
IssuesEvent
2015-03-11 16:37:40
chrsmith/html5rocks
https://api.github.com/repos/chrsmith/html5rocks
closed
Android problems
Priority-Medium Type-Defect
Original [issue 4](https://code.google.com/p/html5rocks/issues/detail?id=4) created by chrsmith on 2010-06-22T23:08:08.000Z: <b>Please describe the issue:</b> On Android, you can move between the first few slides by swiping (good!) but there's nothing there to tell you that (bad!), and when you get to the first one with local database, you can no longer swipe to any new ones. Please provide any additional information below. Nexus 1, Froyo FRF78
1.0
Android problems - Original [issue 4](https://code.google.com/p/html5rocks/issues/detail?id=4) created by chrsmith on 2010-06-22T23:08:08.000Z: <b>Please describe the issue:</b> On Android, you can move between the first few slides by swiping (good!) but there's nothing there to tell you that (bad!), and when you get to the first one with local database, you can no longer swipe to any new ones. Please provide any additional information below. Nexus 1, Froyo FRF78
defect
android problems original created by chrsmith on please describe the issue on android you can move between the first few slides by swiping good but there s nothing there to tell you that bad and when you get to the first one with local database you can no longer swipe to any new ones please provide any additional information below nexus froyo
1
384,894
11,405,241,780
IssuesEvent
2020-01-31 11:36:35
CodeGra-de/CodeGra.de
https://api.github.com/repos/CodeGra-de/CodeGra.de
closed
Support more archive formats
backend enhancement priority-1-normal
# Feature request Support more archive formats, such as `.rar` ~~and `.7z`~~. ## Feature description Support more archive formats. ## User story Some users prefer to use `.7z` or `.rar` because their software (only or better) supports it. CodeGrade should be able to extract these archives. Neither `.rar` nor `.7z` have easy libraries available in Python, the best options seem to be https://pypi.org/project/rarfile/ for `.rar` and https://github.com/fancycode/pylzma for `.7z`.
1.0
Support more archive formats - # Feature request Support more archive formats, such as `.rar` ~~and `.7z`~~. ## Feature description Support more archive formats. ## User story Some users prefer to use `.7z` or `.rar` because their software (only or better) supports it. CodeGrade should be able to extract these archives. Neither `.rar` nor `.7z` have easy libraries available in Python, the best options seem to be https://pypi.org/project/rarfile/ for `.rar` and https://github.com/fancycode/pylzma for `.7z`.
non_defect
support more archive formats feature request support more archive formats such as rar and feature description support more archive formats user story some users prefer to use or rar because their software only or better supports it codegrade should be able to extract these archives neither rar nor have easy libraries available in python the best options seem to be for rar and for
0
133,299
10,807,512,252
IssuesEvent
2019-11-07 08:35:35
chainer/chainer
https://api.github.com/repos/chainer/chainer
closed
Flaky test: `chainerx_tests/unit_tests/routines_tests/test_arithmetic.py::test_IRemainder`
cat:test pr-ongoing prio:high
Occurred in #8364 https://jenkins.preferred.jp/job/chainer/job/chainer_pr/2391/TEST=CHAINERX_chainerx-py3,label=mn1-p100/ `15:28:57 FAIL ../../../repo/tests/chainerx_tests/unit_tests/routines_tests/test_arithmetic.py::test_IRemainder_param_206_{in_dtypes=('float16', 'float32'), in_shapes=((2, 3), (2, 3)), input_lhs=2, input_rhs=2, out_dtype='float32', skip_backward_test=True, skip_double_backward_test=True}[native:0]` ``` 15:28:57 E chainer.testing.function_link.FunctionTestError: Outputs do not match the expected values. 15:28:57 E Indices of outputs that do not match: 0 15:28:57 E Expected shapes and dtypes: (2, 3):float16 15:28:57 E Actual shapes and dtypes: (2, 3):float16 15:28:57 E 15:28:57 E 15:28:57 E Error details of output [0]: 15:28:57 E 15:28:57 E Not equal to tolerance rtol=0.001, atol=0.001 15:28:57 E 15:28:57 E Mismatch: 16.7% 15:28:57 E Max absolute difference: 0.001953 15:28:57 E Max relative difference: 0.012344 15:28:57 E x: array([[-1.083 , -1.611 , 2.746 ], 15:28:57 E [ 0.1562, 0.858 , 2.852 ]], dtype=float16) 15:28:57 E y: array([[-1.083 , -1.611 , 2.746 ], 15:28:57 E [ 0.1582, 0.858 , 2.852 ]], dtype=float16) 15:28:57 E 15:28:57 E assert_allclose failed: 15:28:57 E shape: (2, 3) (2, 3) 15:28:57 E dtype: float16 float16 15:28:57 E i: (1, 0) 15:28:57 E x[i]: 0.15625 15:28:57 E y[i]: 0.158203125 15:28:57 E relative error[i]: 0.0123443603515625 15:28:57 E absolute error[i]: 0.001953125 15:28:57 E relative tolerance * |y[i]|: 0.000158203125 15:28:57 E absolute tolerance: 0.001 15:28:57 E total tolerance: 0.001158203125 15:28:57 E x: [[-1.083 -1.611 2.746 ] 15:28:57 E [ 0.1562 0.858 2.852 ]] 15:28:57 E y: [[-1.083 -1.611 2.746 ] 15:28:57 E [ 0.1582 0.858 2.852 ]] ```
1.0
Flaky test: `chainerx_tests/unit_tests/routines_tests/test_arithmetic.py::test_IRemainder` - Occurred in #8364 https://jenkins.preferred.jp/job/chainer/job/chainer_pr/2391/TEST=CHAINERX_chainerx-py3,label=mn1-p100/ `15:28:57 FAIL ../../../repo/tests/chainerx_tests/unit_tests/routines_tests/test_arithmetic.py::test_IRemainder_param_206_{in_dtypes=('float16', 'float32'), in_shapes=((2, 3), (2, 3)), input_lhs=2, input_rhs=2, out_dtype='float32', skip_backward_test=True, skip_double_backward_test=True}[native:0]` ``` 15:28:57 E chainer.testing.function_link.FunctionTestError: Outputs do not match the expected values. 15:28:57 E Indices of outputs that do not match: 0 15:28:57 E Expected shapes and dtypes: (2, 3):float16 15:28:57 E Actual shapes and dtypes: (2, 3):float16 15:28:57 E 15:28:57 E 15:28:57 E Error details of output [0]: 15:28:57 E 15:28:57 E Not equal to tolerance rtol=0.001, atol=0.001 15:28:57 E 15:28:57 E Mismatch: 16.7% 15:28:57 E Max absolute difference: 0.001953 15:28:57 E Max relative difference: 0.012344 15:28:57 E x: array([[-1.083 , -1.611 , 2.746 ], 15:28:57 E [ 0.1562, 0.858 , 2.852 ]], dtype=float16) 15:28:57 E y: array([[-1.083 , -1.611 , 2.746 ], 15:28:57 E [ 0.1582, 0.858 , 2.852 ]], dtype=float16) 15:28:57 E 15:28:57 E assert_allclose failed: 15:28:57 E shape: (2, 3) (2, 3) 15:28:57 E dtype: float16 float16 15:28:57 E i: (1, 0) 15:28:57 E x[i]: 0.15625 15:28:57 E y[i]: 0.158203125 15:28:57 E relative error[i]: 0.0123443603515625 15:28:57 E absolute error[i]: 0.001953125 15:28:57 E relative tolerance * |y[i]|: 0.000158203125 15:28:57 E absolute tolerance: 0.001 15:28:57 E total tolerance: 0.001158203125 15:28:57 E x: [[-1.083 -1.611 2.746 ] 15:28:57 E [ 0.1562 0.858 2.852 ]] 15:28:57 E y: [[-1.083 -1.611 2.746 ] 15:28:57 E [ 0.1582 0.858 2.852 ]] ```
non_defect
flaky test chainerx tests unit tests routines tests test arithmetic py test iremainder occurred in fail repo tests chainerx tests unit tests routines tests test arithmetic py test iremainder param in dtypes in shapes input lhs input rhs out dtype skip backward test true skip double backward test true e chainer testing function link functiontesterror outputs do not match the expected values e indices of outputs that do not match e expected shapes and dtypes e actual shapes and dtypes e e e error details of output e e not equal to tolerance rtol atol e e mismatch e max absolute difference e max relative difference e x array e dtype e y array e dtype e e assert allclose failed e shape e dtype e i e x e y e relative error e absolute error e relative tolerance y e absolute tolerance e total tolerance e x e e y e
0
194,629
14,684,266,458
IssuesEvent
2021-01-01 01:19:04
github-vet/rangeloop-pointer-findings
https://api.github.com/repos/github-vet/rangeloop-pointer-findings
closed
fabric8io/gitcontroller: vendor/github.com/openshift/origin/test/integration/buildcontroller_test.go; 87 LoC
fresh medium test vendored
Found a possible issue in [fabric8io/gitcontroller](https://www.github.com/fabric8io/gitcontroller) at [vendor/github.com/openshift/origin/test/integration/buildcontroller_test.go](https://github.com/fabric8io/gitcontroller/blob/0da552249a361d60aefb046ffa820849de5d50f5/vendor/github.com/openshift/origin/test/integration/buildcontroller_test.go#L198-L284) Below is the message reported by the analyzer for this snippet of code. Beware that the analyzer only reports the first issue it finds, so please do not limit your consideration to the contents of the below message. > range-loop variable test used in defer or goroutine at line 215 [Click here to see the code in its original context.](https://github.com/fabric8io/gitcontroller/blob/0da552249a361d60aefb046ffa820849de5d50f5/vendor/github.com/openshift/origin/test/integration/buildcontroller_test.go#L198-L284) <details> <summary>Click here to show the 87 line(s) of Go which triggered the analyzer.</summary> ```go for _, test := range tests { // Setup communications channels podReadyChan := make(chan *kapi.Pod) // Will receive a value when a build pod is ready errChan := make(chan error) // Will receive a value when an error occurs stateReached := int32(0) // Create a build b, err := osClient.Builds(ns).Create(mockBuild()) checkErr(t, err) // Watch build pod for transition to pending podWatch, err := kClient.Pods(ns).Watch(kapi.ListOptions{FieldSelector: fields.OneTermEqualSelector("metadata.name", buildutil.GetBuildPodName(b))}) checkErr(t, err) go func() { for e := range podWatch.ResultChan() { pod, ok := e.Object.(*kapi.Pod) if !ok { checkErr(t, fmt.Errorf("%s: unexpected object received: %#v\n", test.Name, e.Object)) } if pod.Status.Phase == kapi.PodPending { podReadyChan <- pod break } } }() var pod *kapi.Pod select { case pod = <-podReadyChan: if pod.Status.Phase != kapi.PodPending { t.Errorf("Got wrong pod phase: %s", pod.Status.Phase) podWatch.Stop() continue } case <-time.After(BuildControllersWatchTimeout): t.Errorf("Timed out waiting for build pod to be ready") podWatch.Stop() continue } podWatch.Stop() for _, state := range test.States { // Update pod state and verify that corresponding build state happens accordingly pod, err := kClient.Pods(ns).Get(pod.Name) checkErr(t, err) pod.Status.Phase = state.PodPhase _, err = kClient.Pods(ns).UpdateStatus(pod) checkErr(t, err) buildWatch, err := osClient.Builds(ns).Watch(kapi.ListOptions{FieldSelector: fields.OneTermEqualSelector("metadata.name", b.Name), ResourceVersion: b.ResourceVersion}) checkErr(t, err) defer buildWatch.Stop() go func() { done := false for e := range buildWatch.ResultChan() { var ok bool b, ok = e.Object.(*buildapi.Build) if !ok { errChan <- fmt.Errorf("%s: unexpected object received: %#v", test.Name, e.Object) } if e.Type != watchapi.Modified { errChan <- fmt.Errorf("%s: unexpected event received: %s, object: %#v", test.Name, e.Type, e.Object) } if done { errChan <- fmt.Errorf("%s: unexpected build state: %#v", test.Name, e.Object) } else if b.Status.Phase == state.BuildPhase { done = true atomic.StoreInt32(&stateReached, 1) } } }() select { case err := <-errChan: buildWatch.Stop() t.Errorf("%s: Error: %v\n", test.Name, err) break case <-time.After(waitTime): buildWatch.Stop() if atomic.LoadInt32(&stateReached) != 1 { t.Errorf("%s: Did not reach desired build state: %s", test.Name, state.BuildPhase) break } } } } ``` </details> Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket: See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information. commit ID: 0da552249a361d60aefb046ffa820849de5d50f5
1.0
fabric8io/gitcontroller: vendor/github.com/openshift/origin/test/integration/buildcontroller_test.go; 87 LoC - Found a possible issue in [fabric8io/gitcontroller](https://www.github.com/fabric8io/gitcontroller) at [vendor/github.com/openshift/origin/test/integration/buildcontroller_test.go](https://github.com/fabric8io/gitcontroller/blob/0da552249a361d60aefb046ffa820849de5d50f5/vendor/github.com/openshift/origin/test/integration/buildcontroller_test.go#L198-L284) Below is the message reported by the analyzer for this snippet of code. Beware that the analyzer only reports the first issue it finds, so please do not limit your consideration to the contents of the below message. > range-loop variable test used in defer or goroutine at line 215 [Click here to see the code in its original context.](https://github.com/fabric8io/gitcontroller/blob/0da552249a361d60aefb046ffa820849de5d50f5/vendor/github.com/openshift/origin/test/integration/buildcontroller_test.go#L198-L284) <details> <summary>Click here to show the 87 line(s) of Go which triggered the analyzer.</summary> ```go for _, test := range tests { // Setup communications channels podReadyChan := make(chan *kapi.Pod) // Will receive a value when a build pod is ready errChan := make(chan error) // Will receive a value when an error occurs stateReached := int32(0) // Create a build b, err := osClient.Builds(ns).Create(mockBuild()) checkErr(t, err) // Watch build pod for transition to pending podWatch, err := kClient.Pods(ns).Watch(kapi.ListOptions{FieldSelector: fields.OneTermEqualSelector("metadata.name", buildutil.GetBuildPodName(b))}) checkErr(t, err) go func() { for e := range podWatch.ResultChan() { pod, ok := e.Object.(*kapi.Pod) if !ok { checkErr(t, fmt.Errorf("%s: unexpected object received: %#v\n", test.Name, e.Object)) } if pod.Status.Phase == kapi.PodPending { podReadyChan <- pod break } } }() var pod *kapi.Pod select { case pod = <-podReadyChan: if pod.Status.Phase != kapi.PodPending { t.Errorf("Got wrong pod phase: %s", pod.Status.Phase) podWatch.Stop() continue } case <-time.After(BuildControllersWatchTimeout): t.Errorf("Timed out waiting for build pod to be ready") podWatch.Stop() continue } podWatch.Stop() for _, state := range test.States { // Update pod state and verify that corresponding build state happens accordingly pod, err := kClient.Pods(ns).Get(pod.Name) checkErr(t, err) pod.Status.Phase = state.PodPhase _, err = kClient.Pods(ns).UpdateStatus(pod) checkErr(t, err) buildWatch, err := osClient.Builds(ns).Watch(kapi.ListOptions{FieldSelector: fields.OneTermEqualSelector("metadata.name", b.Name), ResourceVersion: b.ResourceVersion}) checkErr(t, err) defer buildWatch.Stop() go func() { done := false for e := range buildWatch.ResultChan() { var ok bool b, ok = e.Object.(*buildapi.Build) if !ok { errChan <- fmt.Errorf("%s: unexpected object received: %#v", test.Name, e.Object) } if e.Type != watchapi.Modified { errChan <- fmt.Errorf("%s: unexpected event received: %s, object: %#v", test.Name, e.Type, e.Object) } if done { errChan <- fmt.Errorf("%s: unexpected build state: %#v", test.Name, e.Object) } else if b.Status.Phase == state.BuildPhase { done = true atomic.StoreInt32(&stateReached, 1) } } }() select { case err := <-errChan: buildWatch.Stop() t.Errorf("%s: Error: %v\n", test.Name, err) break case <-time.After(waitTime): buildWatch.Stop() if atomic.LoadInt32(&stateReached) != 1 { t.Errorf("%s: Did not reach desired build state: %s", test.Name, state.BuildPhase) break } } } } ``` </details> Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket: See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information. commit ID: 0da552249a361d60aefb046ffa820849de5d50f5
non_defect
gitcontroller vendor github com openshift origin test integration buildcontroller test go loc found a possible issue in at below is the message reported by the analyzer for this snippet of code beware that the analyzer only reports the first issue it finds so please do not limit your consideration to the contents of the below message range loop variable test used in defer or goroutine at line click here to show the line s of go which triggered the analyzer go for test range tests setup communications channels podreadychan make chan kapi pod will receive a value when a build pod is ready errchan make chan error will receive a value when an error occurs statereached create a build b err osclient builds ns create mockbuild checkerr t err watch build pod for transition to pending podwatch err kclient pods ns watch kapi listoptions fieldselector fields onetermequalselector metadata name buildutil getbuildpodname b checkerr t err go func for e range podwatch resultchan pod ok e object kapi pod if ok checkerr t fmt errorf s unexpected object received v n test name e object if pod status phase kapi podpending podreadychan pod break var pod kapi pod select case pod podreadychan if pod status phase kapi podpending t errorf got wrong pod phase s pod status phase podwatch stop continue case time after buildcontrollerswatchtimeout t errorf timed out waiting for build pod to be ready podwatch stop continue podwatch stop for state range test states update pod state and verify that corresponding build state happens accordingly pod err kclient pods ns get pod name checkerr t err pod status phase state podphase err kclient pods ns updatestatus pod checkerr t err buildwatch err osclient builds ns watch kapi listoptions fieldselector fields onetermequalselector metadata name b name resourceversion b resourceversion checkerr t err defer buildwatch stop go func done false for e range buildwatch resultchan var ok bool b ok e object buildapi build if ok errchan fmt errorf s unexpected object received v test name e object if e type watchapi modified errchan fmt errorf s unexpected event received s object v test name e type e object if done errchan fmt errorf s unexpected build state v test name e object else if b status phase state buildphase done true atomic statereached select case err errchan buildwatch stop t errorf s error v n test name err break case time after waittime buildwatch stop if atomic statereached t errorf s did not reach desired build state s test name state buildphase break leave a reaction on this issue to contribute to the project by classifying this instance as a bug mitigated or desirable behavior rocket see the descriptions of the classifications for more information commit id
0
23,077
2,652,521,750
IssuesEvent
2015-03-16 17:46:12
DynamoRIO/dynamorio
https://api.github.com/repos/DynamoRIO/dynamorio
opened
On xp64 WOW64, the x64 NtGetContextThread returns success but an all-zero context
Bug-DRCrash OpSys-Windows Priority-Low Type-Bug
Testing #1035's win32.earlythread.exe on xp64 I hit an assert: ``` 05 244fee04 15109742 dynamorio!internal_error+0x124 [d:\derek\dr\git\src\core\utils.c @ 187] 06 244fef18 15106794 dynamorio!dispatch_enter_dynamorio+0x132 [d:\derek\dr\git\src\core\dispatch.c @ 690] 07 244feff4 152ad2f4 dynamorio!dispatch+0x14 [d:\derek\dr\git\src\core\dispatch.c @ 154] 08 244fea50 152f1c65 dynamorio!call_switch_stack+0x23 [D:\derek\dr\git\build_x86_dbg_tests\core\CMakeFiles\dynamorio.dir\arch\x86\x86.asm.obj.s @ 1414] 09 244fea98 152fd7ea dynamorio!asynch_take_over+0x325 [d:\derek\dr\git\src\core\win32\callback.c @ 2893] 0a 244feea4 1544eb10 dynamorio!intercept_exception+0x1f0a [d:\derek\dr\git\src\core\win32\callback.c @ 5636] 0b 0012f8d8 152c8ebf dynamorio!interception_code_array+0xb10 0c 0012fd90 152c98c9 dynamorio!os_take_over_thread+0x2bf [d:\derek\dr\git\src\core\win32\os.c @ 2129] 0d 0012fdcc 15077286 dynamorio!os_take_over_all_unknown_threads+0x1d9 [d:\derek\dr\git\src\core\win32\os.c @ 2238] 0e 0012fde4 152aca3c dynamorio!dynamorio_take_over_threads+0x16 [d:\derek\dr\git\src\core\dynamo.c @ 2652] 0f 0012fe48 152ad2c8 dynamorio!auto_setup+0x14c [d:\derek\dr\git\src\core\arch\x86_code.c @ 178] 10 00000000 00000000 dynamorio!dynamo_auto_start+0x8 [D:\derek\dr\git\build_x86_dbg_tests\core\CMakeFiles\dynamorio.dir\arch\x86\x86.asm.obj.s @ 1347] ``` thread_initexit_lock, but we had a crash. It crashes looking at cxt64->Rip: cxt64 is all zeroes. This happens w/o my #1035 changes: ``` 0:000> p eax=77ef1c70 ebx=22170828 ecx=00000000 edx=00000000 esi=22161030 edi=22161028 eip=15322ba0 esp=0012f88c ebp=0012f8a4 iopl=0 nv up ei pl nz na pe nc cs=0023 ss=002b ds=002b es=002b fs=0053 gs=002b efl=00000202 dynamorio!thread_get_context_64+0x40: 15322ba0 6a00 push 0x0 0:000> dt cxt64 Local var @ 0x12f8b0 Type _CONTEXT_64* 0x22161030 +0x000 P1Home : 0xabababab`abababab +0x008 P2Home : 0xabababab`abababab +0x010 P3Home : 0xabababab`abababab +0x018 P4Home : 0xabababab`abababab +0x020 P5Home : 0xabababab`abababab +0x028 P6Home : 0xabababab`abababab +0x030 ContextFlags : 0x10003 +0x034 MxCsr : 0xabababab +0x038 SegCs : 0xabab +0x03a SegDs : 0xabab +0x03c SegEs : 0xabab +0x03e SegFs : 0xabab +0x040 SegGs : 0xabab +0x042 SegSs : 0xabab +0x044 EFlags : 0xabababab +0x048 Dr0 : 0xabababab`abababab +0x050 Dr1 : 0xabababab`abababab +0x058 Dr2 : 0xabababab`abababab +0x060 Dr3 : 0xabababab`abababab +0x068 Dr6 : 0xabababab`abababab +0x070 Dr7 : 0xabababab`abababab +0x078 Rax : 0xabababab`abababab +0x080 Rcx : 0xabababab`abababab +0x088 Rdx : 0xabababab`abababab +0x090 Rbx : 0xabababab`abababab +0x098 Rsp : 0xabababab`abababab +0x0a0 Rbp : 0xabababab`abababab +0x0a8 Rsi : 0xabababab`abababab +0x0b0 Rdi : 0xabababab`abababab +0x0b8 R8 : 0xabababab`abababab +0x0c0 R9 : 0xabababab`abababab +0x0c8 R10 : 0xabababab`abababab +0x0d0 R11 : 0xabababab`abababab +0x0d8 R12 : 0xabababab`abababab +0x0e0 R13 : 0xabababab`abababab +0x0e8 R14 : 0xabababab`abababab +0x0f0 R15 : 0xabababab`abababab +0x0f8 Rip : 0xabababab`abababab +0x100 FltSave : _XSAVE_FORMAT +0x100 Header : [2] _M128A +0x120 Legacy : [8] _M128A +0x1a0 Xmm0 : _M128A +0x1b0 Xmm1 : _M128A +0x1c0 Xmm2 : _M128A +0x1d0 Xmm3 : _M128A +0x1e0 Xmm4 : _M128A +0x1f0 Xmm5 : _M128A +0x200 Xmm6 : _M128A +0x210 Xmm7 : _M128A +0x220 Xmm8 : _M128A +0x230 Xmm9 : _M128A +0x240 Xmm10 : _M128A +0x250 Xmm11 : _M128A +0x260 Xmm12 : _M128A +0x270 Xmm13 : _M128A +0x280 Xmm14 : _M128A +0x290 Xmm15 : _M128A +0x300 VectorRegister : [26] _M128A +0x4a0 VectorControl : 0xabababab`abababab +0x4a8 DebugControl : 0xabababab`abababab +0x4b0 LastBranchToRip : 0xabababab`abababab +0x4b8 LastBranchFromRip : 0xabababab`abababab +0x4c0 LastExceptionToRip : 0xabababab`abababab +0x4c8 LastExceptionFromRip : 0xabababab`abababab 0:000> p eax=00000000 ebx=22170828 ecx=77ef1c7a edx=00000000 esi=22161030 edi=22161028 eip=15322bbd esp=0012f88c ebp=0012f8a4 iopl=0 nv up ei pl nz na pe nc cs=0023 ss=002b ds=002b es=002b fs=0053 gs=002b efl=00000202 dynamorio!thread_get_context_64+0x5d: 15322bbd 33c0 xor eax,eax 0:000> ?? res long 0 0:000> dt cxt64 Local var @ 0x12f8b0 Type _CONTEXT_64* 0x22161030 +0x000 P1Home : 0 +0x008 P2Home : 0 +0x010 P3Home : 0 +0x018 P4Home : 0 +0x020 P5Home : 0 +0x028 P6Home : 0 +0x030 ContextFlags : 0x10003 +0x034 MxCsr : 0 +0x038 SegCs : 0 +0x03a SegDs : 0 +0x03c SegEs : 0 +0x03e SegFs : 0 +0x040 SegGs : 0 +0x042 SegSs : 0 +0x044 EFlags : 0 +0x048 Dr0 : 0 +0x050 Dr1 : 0 +0x058 Dr2 : 0 +0x060 Dr3 : 0 +0x068 Dr6 : 0 +0x070 Dr7 : 0 +0x078 Rax : 0 +0x080 Rcx : 0 +0x088 Rdx : 0 +0x090 Rbx : 0 +0x098 Rsp : 0 +0x0a0 Rbp : 0 +0x0a8 Rsi : 0 +0x0b0 Rdi : 0 +0x0b8 R8 : 0 +0x0c0 R9 : 0 +0x0c8 R10 : 0 +0x0d0 R11 : 0 +0x0d8 R12 : 0 +0x0e0 R13 : 0 +0x0e8 R14 : 0 +0x0f0 R15 : 0 +0x0f8 Rip : 0 +0x100 FltSave : _XSAVE_FORMAT +0x100 Header : [2] _M128A +0x120 Legacy : [8] _M128A +0x1a0 Xmm0 : _M128A +0x1b0 Xmm1 : _M128A +0x1c0 Xmm2 : _M128A +0x1d0 Xmm3 : _M128A +0x1e0 Xmm4 : _M128A +0x1f0 Xmm5 : _M128A +0x200 Xmm6 : _M128A +0x210 Xmm7 : _M128A +0x220 Xmm8 : _M128A +0x230 Xmm9 : _M128A +0x240 Xmm10 : _M128A +0x250 Xmm11 : _M128A +0x260 Xmm12 : _M128A +0x270 Xmm13 : _M128A +0x280 Xmm14 : _M128A +0x290 Xmm15 : _M128A +0x300 VectorRegister : [26] _M128A +0x4a0 VectorControl : 0 +0x4a8 DebugControl : 0 +0x4b0 LastBranchToRip : 0 +0x4b8 LastBranchFromRip : 0 +0x4c0 LastExceptionToRip : 0 +0x4c8 LastExceptionFromRip : 0 ``` res is 0 (STATUS_SUCCESS), but it fills in cxt64 with zeroes (leaving ContextFlags as it was): ??? The 32-bit context is in ntdll!ZwDelayExecution from kernel32!SleepEx: so shouldn't it have a 64-bit context? Does xp64 return zeroes if it's in the kernel at the time? I don't have any mention of this behavior in #1141, and I'm sure I tested that on xp64 as well as win7. Filing this to document the behavior.
1.0
On xp64 WOW64, the x64 NtGetContextThread returns success but an all-zero context - Testing #1035's win32.earlythread.exe on xp64 I hit an assert: ``` 05 244fee04 15109742 dynamorio!internal_error+0x124 [d:\derek\dr\git\src\core\utils.c @ 187] 06 244fef18 15106794 dynamorio!dispatch_enter_dynamorio+0x132 [d:\derek\dr\git\src\core\dispatch.c @ 690] 07 244feff4 152ad2f4 dynamorio!dispatch+0x14 [d:\derek\dr\git\src\core\dispatch.c @ 154] 08 244fea50 152f1c65 dynamorio!call_switch_stack+0x23 [D:\derek\dr\git\build_x86_dbg_tests\core\CMakeFiles\dynamorio.dir\arch\x86\x86.asm.obj.s @ 1414] 09 244fea98 152fd7ea dynamorio!asynch_take_over+0x325 [d:\derek\dr\git\src\core\win32\callback.c @ 2893] 0a 244feea4 1544eb10 dynamorio!intercept_exception+0x1f0a [d:\derek\dr\git\src\core\win32\callback.c @ 5636] 0b 0012f8d8 152c8ebf dynamorio!interception_code_array+0xb10 0c 0012fd90 152c98c9 dynamorio!os_take_over_thread+0x2bf [d:\derek\dr\git\src\core\win32\os.c @ 2129] 0d 0012fdcc 15077286 dynamorio!os_take_over_all_unknown_threads+0x1d9 [d:\derek\dr\git\src\core\win32\os.c @ 2238] 0e 0012fde4 152aca3c dynamorio!dynamorio_take_over_threads+0x16 [d:\derek\dr\git\src\core\dynamo.c @ 2652] 0f 0012fe48 152ad2c8 dynamorio!auto_setup+0x14c [d:\derek\dr\git\src\core\arch\x86_code.c @ 178] 10 00000000 00000000 dynamorio!dynamo_auto_start+0x8 [D:\derek\dr\git\build_x86_dbg_tests\core\CMakeFiles\dynamorio.dir\arch\x86\x86.asm.obj.s @ 1347] ``` thread_initexit_lock, but we had a crash. It crashes looking at cxt64->Rip: cxt64 is all zeroes. This happens w/o my #1035 changes: ``` 0:000> p eax=77ef1c70 ebx=22170828 ecx=00000000 edx=00000000 esi=22161030 edi=22161028 eip=15322ba0 esp=0012f88c ebp=0012f8a4 iopl=0 nv up ei pl nz na pe nc cs=0023 ss=002b ds=002b es=002b fs=0053 gs=002b efl=00000202 dynamorio!thread_get_context_64+0x40: 15322ba0 6a00 push 0x0 0:000> dt cxt64 Local var @ 0x12f8b0 Type _CONTEXT_64* 0x22161030 +0x000 P1Home : 0xabababab`abababab +0x008 P2Home : 0xabababab`abababab +0x010 P3Home : 0xabababab`abababab +0x018 P4Home : 0xabababab`abababab +0x020 P5Home : 0xabababab`abababab +0x028 P6Home : 0xabababab`abababab +0x030 ContextFlags : 0x10003 +0x034 MxCsr : 0xabababab +0x038 SegCs : 0xabab +0x03a SegDs : 0xabab +0x03c SegEs : 0xabab +0x03e SegFs : 0xabab +0x040 SegGs : 0xabab +0x042 SegSs : 0xabab +0x044 EFlags : 0xabababab +0x048 Dr0 : 0xabababab`abababab +0x050 Dr1 : 0xabababab`abababab +0x058 Dr2 : 0xabababab`abababab +0x060 Dr3 : 0xabababab`abababab +0x068 Dr6 : 0xabababab`abababab +0x070 Dr7 : 0xabababab`abababab +0x078 Rax : 0xabababab`abababab +0x080 Rcx : 0xabababab`abababab +0x088 Rdx : 0xabababab`abababab +0x090 Rbx : 0xabababab`abababab +0x098 Rsp : 0xabababab`abababab +0x0a0 Rbp : 0xabababab`abababab +0x0a8 Rsi : 0xabababab`abababab +0x0b0 Rdi : 0xabababab`abababab +0x0b8 R8 : 0xabababab`abababab +0x0c0 R9 : 0xabababab`abababab +0x0c8 R10 : 0xabababab`abababab +0x0d0 R11 : 0xabababab`abababab +0x0d8 R12 : 0xabababab`abababab +0x0e0 R13 : 0xabababab`abababab +0x0e8 R14 : 0xabababab`abababab +0x0f0 R15 : 0xabababab`abababab +0x0f8 Rip : 0xabababab`abababab +0x100 FltSave : _XSAVE_FORMAT +0x100 Header : [2] _M128A +0x120 Legacy : [8] _M128A +0x1a0 Xmm0 : _M128A +0x1b0 Xmm1 : _M128A +0x1c0 Xmm2 : _M128A +0x1d0 Xmm3 : _M128A +0x1e0 Xmm4 : _M128A +0x1f0 Xmm5 : _M128A +0x200 Xmm6 : _M128A +0x210 Xmm7 : _M128A +0x220 Xmm8 : _M128A +0x230 Xmm9 : _M128A +0x240 Xmm10 : _M128A +0x250 Xmm11 : _M128A +0x260 Xmm12 : _M128A +0x270 Xmm13 : _M128A +0x280 Xmm14 : _M128A +0x290 Xmm15 : _M128A +0x300 VectorRegister : [26] _M128A +0x4a0 VectorControl : 0xabababab`abababab +0x4a8 DebugControl : 0xabababab`abababab +0x4b0 LastBranchToRip : 0xabababab`abababab +0x4b8 LastBranchFromRip : 0xabababab`abababab +0x4c0 LastExceptionToRip : 0xabababab`abababab +0x4c8 LastExceptionFromRip : 0xabababab`abababab 0:000> p eax=00000000 ebx=22170828 ecx=77ef1c7a edx=00000000 esi=22161030 edi=22161028 eip=15322bbd esp=0012f88c ebp=0012f8a4 iopl=0 nv up ei pl nz na pe nc cs=0023 ss=002b ds=002b es=002b fs=0053 gs=002b efl=00000202 dynamorio!thread_get_context_64+0x5d: 15322bbd 33c0 xor eax,eax 0:000> ?? res long 0 0:000> dt cxt64 Local var @ 0x12f8b0 Type _CONTEXT_64* 0x22161030 +0x000 P1Home : 0 +0x008 P2Home : 0 +0x010 P3Home : 0 +0x018 P4Home : 0 +0x020 P5Home : 0 +0x028 P6Home : 0 +0x030 ContextFlags : 0x10003 +0x034 MxCsr : 0 +0x038 SegCs : 0 +0x03a SegDs : 0 +0x03c SegEs : 0 +0x03e SegFs : 0 +0x040 SegGs : 0 +0x042 SegSs : 0 +0x044 EFlags : 0 +0x048 Dr0 : 0 +0x050 Dr1 : 0 +0x058 Dr2 : 0 +0x060 Dr3 : 0 +0x068 Dr6 : 0 +0x070 Dr7 : 0 +0x078 Rax : 0 +0x080 Rcx : 0 +0x088 Rdx : 0 +0x090 Rbx : 0 +0x098 Rsp : 0 +0x0a0 Rbp : 0 +0x0a8 Rsi : 0 +0x0b0 Rdi : 0 +0x0b8 R8 : 0 +0x0c0 R9 : 0 +0x0c8 R10 : 0 +0x0d0 R11 : 0 +0x0d8 R12 : 0 +0x0e0 R13 : 0 +0x0e8 R14 : 0 +0x0f0 R15 : 0 +0x0f8 Rip : 0 +0x100 FltSave : _XSAVE_FORMAT +0x100 Header : [2] _M128A +0x120 Legacy : [8] _M128A +0x1a0 Xmm0 : _M128A +0x1b0 Xmm1 : _M128A +0x1c0 Xmm2 : _M128A +0x1d0 Xmm3 : _M128A +0x1e0 Xmm4 : _M128A +0x1f0 Xmm5 : _M128A +0x200 Xmm6 : _M128A +0x210 Xmm7 : _M128A +0x220 Xmm8 : _M128A +0x230 Xmm9 : _M128A +0x240 Xmm10 : _M128A +0x250 Xmm11 : _M128A +0x260 Xmm12 : _M128A +0x270 Xmm13 : _M128A +0x280 Xmm14 : _M128A +0x290 Xmm15 : _M128A +0x300 VectorRegister : [26] _M128A +0x4a0 VectorControl : 0 +0x4a8 DebugControl : 0 +0x4b0 LastBranchToRip : 0 +0x4b8 LastBranchFromRip : 0 +0x4c0 LastExceptionToRip : 0 +0x4c8 LastExceptionFromRip : 0 ``` res is 0 (STATUS_SUCCESS), but it fills in cxt64 with zeroes (leaving ContextFlags as it was): ??? The 32-bit context is in ntdll!ZwDelayExecution from kernel32!SleepEx: so shouldn't it have a 64-bit context? Does xp64 return zeroes if it's in the kernel at the time? I don't have any mention of this behavior in #1141, and I'm sure I tested that on xp64 as well as win7. Filing this to document the behavior.
non_defect
on the ntgetcontextthread returns success but an all zero context testing s earlythread exe on i hit an assert dynamorio internal error dynamorio dispatch enter dynamorio dynamorio dispatch dynamorio call switch stack dynamorio asynch take over dynamorio intercept exception dynamorio interception code array dynamorio os take over thread dynamorio os take over all unknown threads dynamorio dynamorio take over threads dynamorio auto setup dynamorio dynamo auto start thread initexit lock but we had a crash it crashes looking at rip is all zeroes this happens w o my changes p eax ebx ecx edx esi edi eip esp ebp iopl nv up ei pl nz na pe nc cs ss ds es fs gs efl dynamorio thread get context push dt local var type context abababab abababab abababab abababab abababab abababab contextflags mxcsr segcs segds seges segfs seggs segss eflags abababab abababab abababab abababab abababab abababab rax abababab rcx abababab rdx abababab rbx abababab rsp abababab rbp abababab rsi abababab rdi abababab abababab abababab abababab abababab abababab abababab abababab abababab rip abababab fltsave xsave format header legacy vectorregister vectorcontrol abababab debugcontrol abababab lastbranchtorip abababab lastbranchfromrip abababab lastexceptiontorip abababab lastexceptionfromrip abababab p eax ebx ecx edx esi edi eip esp ebp iopl nv up ei pl nz na pe nc cs ss ds es fs gs efl dynamorio thread get context xor eax eax res long dt local var type context contextflags mxcsr segcs segds seges segfs seggs segss eflags rax rcx rdx rbx rsp rbp rsi rdi rip fltsave xsave format header legacy vectorregister vectorcontrol debugcontrol lastbranchtorip lastbranchfromrip lastexceptiontorip lastexceptionfromrip res is status success but it fills in with zeroes leaving contextflags as it was the bit context is in ntdll zwdelayexecution from sleepex so shouldn t it have a bit context does return zeroes if it s in the kernel at the time i don t have any mention of this behavior in and i m sure i tested that on as well as filing this to document the behavior
0
293,380
25,288,581,075
IssuesEvent
2022-11-16 21:36:28
kedacore/keda
https://api.github.com/repos/kedacore/keda
opened
Implement e2e tests where ScaledObject is updated
help wanted feature-request testing
### Proposal We should cover multiple scenarious, probalby in `internals` package of e2e test. - Deploy ScaledObject with 1 trigger -> update value in the trigger -> check that scaling works - Deploy ScaledObject with 1 trigger -> add another trigger -> check that scaling works - Deploy ScaledObject with 2 triggers -> remove 1 trigger -> check that scaling works - ... https://github.com/kedacore/keda/tree/main/tests/internals https://github.com/kedacore/keda/blob/main/tests/README.md ### Use-Case _No response_ ### Anything else? _No response_
1.0
Implement e2e tests where ScaledObject is updated - ### Proposal We should cover multiple scenarious, probalby in `internals` package of e2e test. - Deploy ScaledObject with 1 trigger -> update value in the trigger -> check that scaling works - Deploy ScaledObject with 1 trigger -> add another trigger -> check that scaling works - Deploy ScaledObject with 2 triggers -> remove 1 trigger -> check that scaling works - ... https://github.com/kedacore/keda/tree/main/tests/internals https://github.com/kedacore/keda/blob/main/tests/README.md ### Use-Case _No response_ ### Anything else? _No response_
non_defect
implement tests where scaledobject is updated proposal we should cover multiple scenarious probalby in internals package of test deploy scaledobject with trigger update value in the trigger check that scaling works deploy scaledobject with trigger add another trigger check that scaling works deploy scaledobject with triggers remove trigger check that scaling works use case no response anything else no response
0
94,321
27,169,166,249
IssuesEvent
2023-02-17 17:45:38
openhwgroup/cva6
https://api.github.com/repos/openhwgroup/cva6
closed
Slow Dhrystone on FPGA
Component:Tool-and-build Status:Resolved Type:Question
I have tested systems generated with Chipyard on an FPGA (VCU118). With Rocket and Boom I also get plausible results here with Dhrystone and Coremark. However, with CVA6, the results for Dhrystone are relatively poor (~ 0.7 DMIPS/Mhz) and depend on the l2 cache (which is not the case with rocket/boom). Coremark is okay (> 2 Coremark/Mhz). I'm happy for suggestions, thanks.
1.0
Slow Dhrystone on FPGA - I have tested systems generated with Chipyard on an FPGA (VCU118). With Rocket and Boom I also get plausible results here with Dhrystone and Coremark. However, with CVA6, the results for Dhrystone are relatively poor (~ 0.7 DMIPS/Mhz) and depend on the l2 cache (which is not the case with rocket/boom). Coremark is okay (> 2 Coremark/Mhz). I'm happy for suggestions, thanks.
non_defect
slow dhrystone on fpga i have tested systems generated with chipyard on an fpga with rocket and boom i also get plausible results here with dhrystone and coremark however with the results for dhrystone are relatively poor dmips mhz and depend on the cache which is not the case with rocket boom coremark is okay coremark mhz i m happy for suggestions thanks
0
429,210
12,422,258,030
IssuesEvent
2020-05-23 21:06:41
massenergize/frontend-portal
https://api.github.com/repos/massenergize/frontend-portal
closed
Event card: data config and (on home page) one line description?
priority 2
Can we make space on the event cards on the home page for the one sentence description that does show up on the card on the all events page? ![image](https://user-images.githubusercontent.com/30277868/79874438-5fa29b00-83b6-11ea-98a3-dd270328af58.png) We can clear a lot of space for it by reconfiguring the date whcih at the moment takes up two lines. e also need to do something about the commas in the location line.
1.0
Event card: data config and (on home page) one line description? - Can we make space on the event cards on the home page for the one sentence description that does show up on the card on the all events page? ![image](https://user-images.githubusercontent.com/30277868/79874438-5fa29b00-83b6-11ea-98a3-dd270328af58.png) We can clear a lot of space for it by reconfiguring the date whcih at the moment takes up two lines. e also need to do something about the commas in the location line.
non_defect
event card data config and on home page one line description can we make space on the event cards on the home page for the one sentence description that does show up on the card on the all events page we can clear a lot of space for it by reconfiguring the date whcih at the moment takes up two lines e also need to do something about the commas in the location line
0
337,342
30,247,496,602
IssuesEvent
2023-07-06 17:39:49
unifyai/ivy
https://api.github.com/repos/unifyai/ivy
reopened
Fix non_linear_activation_functions.test_torch_selu
PyTorch Frontend Sub Task Failing Test
| | | |---|---| |jax|<a href="https://github.com/unifyai/ivy/actions/runs/5410265283"><img src=https://img.shields.io/badge/-success-success></a> |numpy|<a href="https://github.com/unifyai/ivy/actions/runs/5410265283"><img src=https://img.shields.io/badge/-success-success></a> |tensorflow|<a href="https://github.com/unifyai/ivy/actions/runs/5478319447"><img src=https://img.shields.io/badge/-failure-red></a> |torch|<a href="https://github.com/unifyai/ivy/actions/runs/5410265283"><img src=https://img.shields.io/badge/-success-success></a> |paddle|<a href="https://github.com/unifyai/ivy/actions/runs/5478319447"><img src=https://img.shields.io/badge/-success-success></a>
1.0
Fix non_linear_activation_functions.test_torch_selu - | | | |---|---| |jax|<a href="https://github.com/unifyai/ivy/actions/runs/5410265283"><img src=https://img.shields.io/badge/-success-success></a> |numpy|<a href="https://github.com/unifyai/ivy/actions/runs/5410265283"><img src=https://img.shields.io/badge/-success-success></a> |tensorflow|<a href="https://github.com/unifyai/ivy/actions/runs/5478319447"><img src=https://img.shields.io/badge/-failure-red></a> |torch|<a href="https://github.com/unifyai/ivy/actions/runs/5410265283"><img src=https://img.shields.io/badge/-success-success></a> |paddle|<a href="https://github.com/unifyai/ivy/actions/runs/5478319447"><img src=https://img.shields.io/badge/-success-success></a>
non_defect
fix non linear activation functions test torch selu jax a href src numpy a href src tensorflow a href src torch a href src paddle a href src
0
55,741
14,664,000,605
IssuesEvent
2020-12-29 10:58:01
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
closed
Entry TTL does not work in a multi member cluster (hazelcast 4.1)
Module: IMap Source: Community Team: Core Type: Defect
Entries does not expire as expected when a cluster has more than one member. I've created a simple test application -> https://github.com/danblack/test-hz I started Application#main at the first time and all entries (with keys: Customer-1, Customer-2, Customer-3) with TTL (5 seconds) expired as expected. Then I started the same Application#main in a parallel console and the only one entry expired (expected that all entries expired). **Steps to reproduce the behavior:** 1) clone https://github.com/danblack/test-hz 2) run Application#main 3) wait for all entries expire 4) run the second copy of this application (Application#main) In the log of the first application you can see how the entries expired and that expiration's behavior changed when the second copy of the application started ``` > Task :Application.main() Dec 06, 2020 9:16:14 AM com.hazelcast.instance.impl.HazelcastInstanceFactory WARNING: Hazelcast is starting in a Java modular environment (Java 9 and newer) but without proper access to required Java packages. Use additional Java arguments to provide Hazelcast access to Java internal API. The internal API access is used to get the best performance results. Arguments to be used: --add-modules java.se --add-exports java.base/jdk.internal.ref=ALL-UNNAMED --add-opens java.base/java.lang=ALL-UNNAMED --add-opens java.base/java.nio=ALL-UNNAMED --add-opens java.base/sun.nio.ch=ALL-UNNAMED --add-opens java.management/sun.management=ALL-UNNAMED --add-opens jdk.management/com.sun.management.internal=ALL-UNNAMED Dec 06, 2020 9:16:14 AM com.hazelcast.internal.config.AbstractConfigLocator WARNING: Hazelcast is starting in a Java modular environment (Java 9 and newer) but without proper access to required Java packages. Use additional Java arguments to provide Hazelcast access to Java internal API. The internal API access is used to get the best performance results. Arguments to be used: INFO: Loading 'hazelcast-default.xml' from the classpath. Dec 06, 2020 9:16:14 AM com.hazelcast.system INFO: [192.168.1.106]:5701 [dev] [4.1] Hazelcast 4.1 (20201104 - 2a1a477) starting at [192.168.1.106]:5701 Dec 06, 2020 9:16:15 AM com.hazelcast.spi.discovery.integration.DiscoveryService INFO: [192.168.1.106]:5701 [dev] [4.1] No discovery strategy is applicable for auto-detection Dec 06, 2020 9:16:15 AM com.hazelcast.instance.impl.Node INFO: [192.168.1.106]:5701 [dev] [4.1] Using Multicast discovery Dec 06, 2020 9:16:15 AM com.hazelcast.cp.CPSubsystem WARNING: [192.168.1.106]:5701 [dev] [4.1] CP Subsystem is not enabled. CP data structures will operate in UNSAFE mode! Please note that UNSAFE mode will not provide strong consistency guarantees. Dec 06, 2020 9:16:15 AM com.hazelcast.internal.diagnostics.Diagnostics WARNING: [192.168.1.106]:5701 [dev] [4.1] CP Subsystem is not enabled. CP data structures will operate in UNSAFE mode! Please note that UNSAFE mode will not provide strong consistency guarantees. INFO: [192.168.1.106]:5701 [dev] [4.1] Diagnostics disabled. To enable add -Dhazelcast.diagnostics.enabled=true to the JVM arguments. Dec 06, 2020 9:16:15 AM com.hazelcast.core.LifecycleService INFO: [192.168.1.106]:5701 [dev] [4.1] [192.168.1.106]:5701 is STARTING WARNING: An illegal reflective access operation has occurred WARNING: Illegal reflective access by com.hazelcast.internal.networking.nio.SelectorOptimizer (file:/Users/chernyshovda/.gradle/caches/modules-2/files-2.1/com.hazelcast/hazelcast/4.1/270abca3a7ea0634e48184ad92eaaf2e7491d6a/hazelcast-4.1.jar) to field sun.nio.ch.SelectorImpl.selectedKeys WARNING: Please consider reporting this to the maintainers of com.hazelcast.internal.networking.nio.SelectorOptimizer WARNING: Use --illegal-access=warn to enable warnings of further illegal reflective access operations WARNING: All illegal access operations will be denied in a future release WARNING: An illegal reflective access operation has occurred WARNING: Illegal reflective access by com.hazelcast.internal.networking.nio.SelectorOptimizer (file:/Users/chernyshovda/.gradle/caches/modules-2/files-2.1/com.hazelcast/hazelcast/4.1/270abca3a7ea0634e48184ad92eaaf2e7491d6a/hazelcast-4.1.jar) to field sun.nio.ch.SelectorImpl.selectedKeys WARNING: Please consider reporting this to the maintainers of com.hazelcast.internal.networking.nio.SelectorOptimizer WARNING: Use --illegal-access=warn to enable warnings of further illegal reflective access operations WARNING: All illegal access operations will be denied in a future release Dec 06, 2020 9:16:18 AM com.hazelcast.internal.cluster.ClusterService INFO: [192.168.1.106]:5701 [dev] [4.1] Members {size:1, ver:1} [ Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this ] Dec 06, 2020 9:16:18 AM com.hazelcast.core.LifecycleService INFO: [192.168.1.106]:5701 [dev] [4.1] [192.168.1.106]:5701 is STARTED [2020-12-06T06:16:18.344134Z] DistributedObjectEvent{distributedObject=IMap{name='customers'}, eventType=CREATED, serviceName='hz:impl:mapService', objectName='customers', source=02bff0bc-cdfa-4f31-85fa-00bf81083e43} Dec 06, 2020 9:16:18 AM com.hazelcast.internal.partition.impl.PartitionStateManager INFO: [192.168.1.106]:5701 [dev] [4.1] Initializing cluster partition table arrangement... [2020-12-06T06:16:18.439371Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=1, oldValue=null, value=io.github.danblack.hz.Customer@7405d36e, mergingValue=null} [2020-12-06T06:16:18.439372Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=3, oldValue=null, value=io.github.danblack.hz.Customer@551c5a85, mergingValue=null} [2020-12-06T06:16:18.444445Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=2, oldValue=null, value=io.github.danblack.hz.Customer@3132719d, mergingValue=null} [2020-12-06T06:16:21.443896Z] Customer-3: io.github.danblack.hz.Customer@350a94ce [2020-12-06T06:16:23.439389Z] EntryEvent{entryEventType=EXPIRED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=3, oldValue=io.github.danblack.hz.Customer@101ede42, value=null, mergingValue=null} [2020-12-06T06:16:23.439389Z] EntryEvent{entryEventType=EXPIRED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=1, oldValue=io.github.danblack.hz.Customer@2b7ac8da, value=null, mergingValue=null} [2020-12-06T06:16:23.439801Z] EntryEvent{entryEventType=EXPIRED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=2, oldValue=io.github.danblack.hz.Customer@55817a23, value=null, mergingValue=null} [2020-12-06T06:16:24.445336Z] Customer-3: null [2020-12-06T06:16:27.448471Z] Customer-3: null [2020-12-06T06:16:30.449319Z] Customer-3: null [2020-12-06T06:16:33.450445Z] Customer-3: null Dec 06, 2020 9:16:35 AM com.hazelcast.internal.server.tcp.TcpServerConnection INFO: [192.168.1.106]:5701 [dev] [4.1] Initialized new cluster connection between /192.168.1.106:5701 and /192.168.1.106:57778 [2020-12-06T06:16:36.451475Z] Customer-3: null [2020-12-06T06:16:39.453825Z] Customer-3: null Dec 06, 2020 9:16:41 AM com.hazelcast.internal.cluster.ClusterService INFO: [192.168.1.106]:5701 [dev] [4.1] Members {size:2, ver:2} [ Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this Member [192.168.1.106]:5702 - 344ccbca-bb85-47c8-b7cc-52ca9e8d8e19 ] Dec 06, 2020 9:16:41 AM com.hazelcast.internal.partition.impl.MigrationManager INFO: [192.168.1.106]:5701 [dev] [4.1] Repartitioning cluster data. Migration tasks count: 271 Dec 06, 2020 9:16:41 AM com.hazelcast.internal.partition.impl.MigrationManager INFO: [192.168.1.106]:5701 [dev] [4.1] All migration tasks have been completed. (repartitionTime=Sun Dec 06 09:16:41 MSK 2020, plannedMigrations=271, completedMigrations=271, remainingMigrations=0, totalCompletedMigrations=271) [2020-12-06T06:16:42.163080Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5702 - 344ccbca-bb85-47c8-b7cc-52ca9e8d8e19, name='customers', key=1, oldValue=null, value=io.github.danblack.hz.Customer@50185acb, mergingValue=null} [2020-12-06T06:16:42.164750Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5702 - 344ccbca-bb85-47c8-b7cc-52ca9e8d8e19, name='customers', key=2, oldValue=null, value=io.github.danblack.hz.Customer@e966289, mergingValue=null} [2020-12-06T06:16:42.166494Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5702 - 344ccbca-bb85-47c8-b7cc-52ca9e8d8e19, name='customers', key=3, oldValue=null, value=io.github.danblack.hz.Customer@6e8b2e2d, mergingValue=null} [2020-12-06T06:16:42.458981Z] Customer-3: io.github.danblack.hz.Customer@7e00ed0f [2020-12-06T06:16:45.462415Z] Customer-3: io.github.danblack.hz.Customer@b0fc838 [2020-12-06T06:16:48.440451Z] EntryEvent{entryEventType=EXPIRED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=2, oldValue=io.github.danblack.hz.Customer@2b9c71a8, value=null, mergingValue=null} [2020-12-06T06:16:48.464064Z] Customer-3: io.github.danblack.hz.Customer@3964d79 [2020-12-06T06:16:51.468135Z] Customer-3: io.github.danblack.hz.Customer@62db0521 [2020-12-06T06:16:54.471745Z] Customer-3: io.github.danblack.hz.Customer@1b4ae4e0 [2020-12-06T06:16:57.473909Z] Customer-3: io.github.danblack.hz.Customer@6ef1a1b9 [2020-12-06T06:17:00.479669Z] Customer-3: io.github.danblack.hz.Customer@5fbdc49b ```
1.0
Entry TTL does not work in a multi member cluster (hazelcast 4.1) - Entries does not expire as expected when a cluster has more than one member. I've created a simple test application -> https://github.com/danblack/test-hz I started Application#main at the first time and all entries (with keys: Customer-1, Customer-2, Customer-3) with TTL (5 seconds) expired as expected. Then I started the same Application#main in a parallel console and the only one entry expired (expected that all entries expired). **Steps to reproduce the behavior:** 1) clone https://github.com/danblack/test-hz 2) run Application#main 3) wait for all entries expire 4) run the second copy of this application (Application#main) In the log of the first application you can see how the entries expired and that expiration's behavior changed when the second copy of the application started ``` > Task :Application.main() Dec 06, 2020 9:16:14 AM com.hazelcast.instance.impl.HazelcastInstanceFactory WARNING: Hazelcast is starting in a Java modular environment (Java 9 and newer) but without proper access to required Java packages. Use additional Java arguments to provide Hazelcast access to Java internal API. The internal API access is used to get the best performance results. Arguments to be used: --add-modules java.se --add-exports java.base/jdk.internal.ref=ALL-UNNAMED --add-opens java.base/java.lang=ALL-UNNAMED --add-opens java.base/java.nio=ALL-UNNAMED --add-opens java.base/sun.nio.ch=ALL-UNNAMED --add-opens java.management/sun.management=ALL-UNNAMED --add-opens jdk.management/com.sun.management.internal=ALL-UNNAMED Dec 06, 2020 9:16:14 AM com.hazelcast.internal.config.AbstractConfigLocator WARNING: Hazelcast is starting in a Java modular environment (Java 9 and newer) but without proper access to required Java packages. Use additional Java arguments to provide Hazelcast access to Java internal API. The internal API access is used to get the best performance results. Arguments to be used: INFO: Loading 'hazelcast-default.xml' from the classpath. Dec 06, 2020 9:16:14 AM com.hazelcast.system INFO: [192.168.1.106]:5701 [dev] [4.1] Hazelcast 4.1 (20201104 - 2a1a477) starting at [192.168.1.106]:5701 Dec 06, 2020 9:16:15 AM com.hazelcast.spi.discovery.integration.DiscoveryService INFO: [192.168.1.106]:5701 [dev] [4.1] No discovery strategy is applicable for auto-detection Dec 06, 2020 9:16:15 AM com.hazelcast.instance.impl.Node INFO: [192.168.1.106]:5701 [dev] [4.1] Using Multicast discovery Dec 06, 2020 9:16:15 AM com.hazelcast.cp.CPSubsystem WARNING: [192.168.1.106]:5701 [dev] [4.1] CP Subsystem is not enabled. CP data structures will operate in UNSAFE mode! Please note that UNSAFE mode will not provide strong consistency guarantees. Dec 06, 2020 9:16:15 AM com.hazelcast.internal.diagnostics.Diagnostics WARNING: [192.168.1.106]:5701 [dev] [4.1] CP Subsystem is not enabled. CP data structures will operate in UNSAFE mode! Please note that UNSAFE mode will not provide strong consistency guarantees. INFO: [192.168.1.106]:5701 [dev] [4.1] Diagnostics disabled. To enable add -Dhazelcast.diagnostics.enabled=true to the JVM arguments. Dec 06, 2020 9:16:15 AM com.hazelcast.core.LifecycleService INFO: [192.168.1.106]:5701 [dev] [4.1] [192.168.1.106]:5701 is STARTING WARNING: An illegal reflective access operation has occurred WARNING: Illegal reflective access by com.hazelcast.internal.networking.nio.SelectorOptimizer (file:/Users/chernyshovda/.gradle/caches/modules-2/files-2.1/com.hazelcast/hazelcast/4.1/270abca3a7ea0634e48184ad92eaaf2e7491d6a/hazelcast-4.1.jar) to field sun.nio.ch.SelectorImpl.selectedKeys WARNING: Please consider reporting this to the maintainers of com.hazelcast.internal.networking.nio.SelectorOptimizer WARNING: Use --illegal-access=warn to enable warnings of further illegal reflective access operations WARNING: All illegal access operations will be denied in a future release WARNING: An illegal reflective access operation has occurred WARNING: Illegal reflective access by com.hazelcast.internal.networking.nio.SelectorOptimizer (file:/Users/chernyshovda/.gradle/caches/modules-2/files-2.1/com.hazelcast/hazelcast/4.1/270abca3a7ea0634e48184ad92eaaf2e7491d6a/hazelcast-4.1.jar) to field sun.nio.ch.SelectorImpl.selectedKeys WARNING: Please consider reporting this to the maintainers of com.hazelcast.internal.networking.nio.SelectorOptimizer WARNING: Use --illegal-access=warn to enable warnings of further illegal reflective access operations WARNING: All illegal access operations will be denied in a future release Dec 06, 2020 9:16:18 AM com.hazelcast.internal.cluster.ClusterService INFO: [192.168.1.106]:5701 [dev] [4.1] Members {size:1, ver:1} [ Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this ] Dec 06, 2020 9:16:18 AM com.hazelcast.core.LifecycleService INFO: [192.168.1.106]:5701 [dev] [4.1] [192.168.1.106]:5701 is STARTED [2020-12-06T06:16:18.344134Z] DistributedObjectEvent{distributedObject=IMap{name='customers'}, eventType=CREATED, serviceName='hz:impl:mapService', objectName='customers', source=02bff0bc-cdfa-4f31-85fa-00bf81083e43} Dec 06, 2020 9:16:18 AM com.hazelcast.internal.partition.impl.PartitionStateManager INFO: [192.168.1.106]:5701 [dev] [4.1] Initializing cluster partition table arrangement... [2020-12-06T06:16:18.439371Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=1, oldValue=null, value=io.github.danblack.hz.Customer@7405d36e, mergingValue=null} [2020-12-06T06:16:18.439372Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=3, oldValue=null, value=io.github.danblack.hz.Customer@551c5a85, mergingValue=null} [2020-12-06T06:16:18.444445Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=2, oldValue=null, value=io.github.danblack.hz.Customer@3132719d, mergingValue=null} [2020-12-06T06:16:21.443896Z] Customer-3: io.github.danblack.hz.Customer@350a94ce [2020-12-06T06:16:23.439389Z] EntryEvent{entryEventType=EXPIRED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=3, oldValue=io.github.danblack.hz.Customer@101ede42, value=null, mergingValue=null} [2020-12-06T06:16:23.439389Z] EntryEvent{entryEventType=EXPIRED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=1, oldValue=io.github.danblack.hz.Customer@2b7ac8da, value=null, mergingValue=null} [2020-12-06T06:16:23.439801Z] EntryEvent{entryEventType=EXPIRED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=2, oldValue=io.github.danblack.hz.Customer@55817a23, value=null, mergingValue=null} [2020-12-06T06:16:24.445336Z] Customer-3: null [2020-12-06T06:16:27.448471Z] Customer-3: null [2020-12-06T06:16:30.449319Z] Customer-3: null [2020-12-06T06:16:33.450445Z] Customer-3: null Dec 06, 2020 9:16:35 AM com.hazelcast.internal.server.tcp.TcpServerConnection INFO: [192.168.1.106]:5701 [dev] [4.1] Initialized new cluster connection between /192.168.1.106:5701 and /192.168.1.106:57778 [2020-12-06T06:16:36.451475Z] Customer-3: null [2020-12-06T06:16:39.453825Z] Customer-3: null Dec 06, 2020 9:16:41 AM com.hazelcast.internal.cluster.ClusterService INFO: [192.168.1.106]:5701 [dev] [4.1] Members {size:2, ver:2} [ Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this Member [192.168.1.106]:5702 - 344ccbca-bb85-47c8-b7cc-52ca9e8d8e19 ] Dec 06, 2020 9:16:41 AM com.hazelcast.internal.partition.impl.MigrationManager INFO: [192.168.1.106]:5701 [dev] [4.1] Repartitioning cluster data. Migration tasks count: 271 Dec 06, 2020 9:16:41 AM com.hazelcast.internal.partition.impl.MigrationManager INFO: [192.168.1.106]:5701 [dev] [4.1] All migration tasks have been completed. (repartitionTime=Sun Dec 06 09:16:41 MSK 2020, plannedMigrations=271, completedMigrations=271, remainingMigrations=0, totalCompletedMigrations=271) [2020-12-06T06:16:42.163080Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5702 - 344ccbca-bb85-47c8-b7cc-52ca9e8d8e19, name='customers', key=1, oldValue=null, value=io.github.danblack.hz.Customer@50185acb, mergingValue=null} [2020-12-06T06:16:42.164750Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5702 - 344ccbca-bb85-47c8-b7cc-52ca9e8d8e19, name='customers', key=2, oldValue=null, value=io.github.danblack.hz.Customer@e966289, mergingValue=null} [2020-12-06T06:16:42.166494Z] EntryEvent{entryEventType=ADDED, member=Member [192.168.1.106]:5702 - 344ccbca-bb85-47c8-b7cc-52ca9e8d8e19, name='customers', key=3, oldValue=null, value=io.github.danblack.hz.Customer@6e8b2e2d, mergingValue=null} [2020-12-06T06:16:42.458981Z] Customer-3: io.github.danblack.hz.Customer@7e00ed0f [2020-12-06T06:16:45.462415Z] Customer-3: io.github.danblack.hz.Customer@b0fc838 [2020-12-06T06:16:48.440451Z] EntryEvent{entryEventType=EXPIRED, member=Member [192.168.1.106]:5701 - 02bff0bc-cdfa-4f31-85fa-00bf81083e43 this, name='customers', key=2, oldValue=io.github.danblack.hz.Customer@2b9c71a8, value=null, mergingValue=null} [2020-12-06T06:16:48.464064Z] Customer-3: io.github.danblack.hz.Customer@3964d79 [2020-12-06T06:16:51.468135Z] Customer-3: io.github.danblack.hz.Customer@62db0521 [2020-12-06T06:16:54.471745Z] Customer-3: io.github.danblack.hz.Customer@1b4ae4e0 [2020-12-06T06:16:57.473909Z] Customer-3: io.github.danblack.hz.Customer@6ef1a1b9 [2020-12-06T06:17:00.479669Z] Customer-3: io.github.danblack.hz.Customer@5fbdc49b ```
defect
entry ttl does not work in a multi member cluster hazelcast entries does not expire as expected when a cluster has more than one member i ve created a simple test application i started application main at the first time and all entries with keys customer customer customer with ttl seconds expired as expected then i started the same application main in a parallel console and the only one entry expired expected that all entries expired steps to reproduce the behavior clone run application main wait for all entries expire run the second copy of this application application main in the log of the first application you can see how the entries expired and that expiration s behavior changed when the second copy of the application started task application main dec am com hazelcast instance impl hazelcastinstancefactory warning hazelcast is starting in a java modular environment java and newer but without proper access to required java packages use additional java arguments to provide hazelcast access to java internal api the internal api access is used to get the best performance results arguments to be used add modules java se add exports java base jdk internal ref all unnamed add opens java base java lang all unnamed add opens java base java nio all unnamed add opens java base sun nio ch all unnamed add opens java management sun management all unnamed add opens jdk management com sun management internal all unnamed dec am com hazelcast internal config abstractconfiglocator warning hazelcast is starting in a java modular environment java and newer but without proper access to required java packages use additional java arguments to provide hazelcast access to java internal api the internal api access is used to get the best performance results arguments to be used info loading hazelcast default xml from the classpath dec am com hazelcast system info hazelcast starting at dec am com hazelcast spi discovery integration discoveryservice info no discovery strategy is applicable for auto detection dec am com hazelcast instance impl node info using multicast discovery dec am com hazelcast cp cpsubsystem warning cp subsystem is not enabled cp data structures will operate in unsafe mode please note that unsafe mode will not provide strong consistency guarantees dec am com hazelcast internal diagnostics diagnostics warning cp subsystem is not enabled cp data structures will operate in unsafe mode please note that unsafe mode will not provide strong consistency guarantees info diagnostics disabled to enable add dhazelcast diagnostics enabled true to the jvm arguments dec am com hazelcast core lifecycleservice info is starting warning an illegal reflective access operation has occurred warning illegal reflective access by com hazelcast internal networking nio selectoroptimizer file users chernyshovda gradle caches modules files com hazelcast hazelcast hazelcast jar to field sun nio ch selectorimpl selectedkeys warning please consider reporting this to the maintainers of com hazelcast internal networking nio selectoroptimizer warning use illegal access warn to enable warnings of further illegal reflective access operations warning all illegal access operations will be denied in a future release warning an illegal reflective access operation has occurred warning illegal reflective access by com hazelcast internal networking nio selectoroptimizer file users chernyshovda gradle caches modules files com hazelcast hazelcast hazelcast jar to field sun nio ch selectorimpl selectedkeys warning please consider reporting this to the maintainers of com hazelcast internal networking nio selectoroptimizer warning use illegal access warn to enable warnings of further illegal reflective access operations warning all illegal access operations will be denied in a future release dec am com hazelcast internal cluster clusterservice info members size ver member cdfa this dec am com hazelcast core lifecycleservice info is started distributedobjectevent distributedobject imap name customers eventtype created servicename hz impl mapservice objectname customers source cdfa dec am com hazelcast internal partition impl partitionstatemanager info initializing cluster partition table arrangement entryevent entryeventtype added member member cdfa this name customers key oldvalue null value io github danblack hz customer mergingvalue null entryevent entryeventtype added member member cdfa this name customers key oldvalue null value io github danblack hz customer mergingvalue null entryevent entryeventtype added member member cdfa this name customers key oldvalue null value io github danblack hz customer mergingvalue null customer io github danblack hz customer entryevent entryeventtype expired member member cdfa this name customers key oldvalue io github danblack hz customer value null mergingvalue null entryevent entryeventtype expired member member cdfa this name customers key oldvalue io github danblack hz customer value null mergingvalue null entryevent entryeventtype expired member member cdfa this name customers key oldvalue io github danblack hz customer value null mergingvalue null customer null customer null customer null customer null dec am com hazelcast internal server tcp tcpserverconnection info initialized new cluster connection between and customer null customer null dec am com hazelcast internal cluster clusterservice info members size ver member cdfa this member dec am com hazelcast internal partition impl migrationmanager info repartitioning cluster data migration tasks count dec am com hazelcast internal partition impl migrationmanager info all migration tasks have been completed repartitiontime sun dec msk plannedmigrations completedmigrations remainingmigrations totalcompletedmigrations entryevent entryeventtype added member member name customers key oldvalue null value io github danblack hz customer mergingvalue null entryevent entryeventtype added member member name customers key oldvalue null value io github danblack hz customer mergingvalue null entryevent entryeventtype added member member name customers key oldvalue null value io github danblack hz customer mergingvalue null customer io github danblack hz customer customer io github danblack hz customer entryevent entryeventtype expired member member cdfa this name customers key oldvalue io github danblack hz customer value null mergingvalue null customer io github danblack hz customer customer io github danblack hz customer customer io github danblack hz customer customer io github danblack hz customer customer io github danblack hz customer
1
40,902
10,218,129,039
IssuesEvent
2019-08-15 15:13:28
jOOQ/jOOQ
https://api.github.com/repos/jOOQ/jOOQ
closed
Bulk insert of BigDecimals with different scale get truncated to first rows scale
C: DB: SQL Server C: Functionality E: Enterprise Edition E: Professional Edition P: High R: Fixed T: Defect
### Expected behavior and actual behavior: I used the jooq loader api (described [here](https://www.jooq.org/doc/3.11/manual/sql-execution/importing/importing-csv/)) to insert a bunch of rows at once. The table has a decimal(28,15) column in it. When using prepared statements, the generated sql uses the scale on the actual bigdecimal rather than the 15 on the column. SQL Server 2016 appears to only honor the first inserted row's scale and rounds the rest of the rows to match. I found a similar bug in another library: https://github.com/microsoft/mssql-jdbc/issues/1021 It appears a solution is to use the column's scale/precision instead of the passed in BigDecimal. ### Steps to reproduce the problem: Here an example scenario that illustrates the problem. The generated code matches what I got out of a sql server-side trace when using the loader api with prepared statements: ```sql CREATE DATABASE test_db; USE test_db; CREATE TABLE test_table ( my_num decimal(28,15) ); declare @p1 int set @p1=0 exec sp_prepexec @p1 output, N'@P0 decimal(38,1),@P1 decimal(38,5)', N'insert into [dbo].[test_table] ([my_num]) values (@P0),(@P1)', 1.1, 1.12345; SELECT * FROM test_table; ``` The select will have both rows with 1.1. Its not clear to me this is a jOOQ bug, but it was a very serious issue we hit without realizing it for quite a while. ### Versions: - jOOQ: 3.11.2 Pro - Java: 10 - Database (include vendor): SQL Server 2016 - OS: Linux - JDBC Driver (include name if inofficial driver): Not sure, can find if needed
1.0
Bulk insert of BigDecimals with different scale get truncated to first rows scale - ### Expected behavior and actual behavior: I used the jooq loader api (described [here](https://www.jooq.org/doc/3.11/manual/sql-execution/importing/importing-csv/)) to insert a bunch of rows at once. The table has a decimal(28,15) column in it. When using prepared statements, the generated sql uses the scale on the actual bigdecimal rather than the 15 on the column. SQL Server 2016 appears to only honor the first inserted row's scale and rounds the rest of the rows to match. I found a similar bug in another library: https://github.com/microsoft/mssql-jdbc/issues/1021 It appears a solution is to use the column's scale/precision instead of the passed in BigDecimal. ### Steps to reproduce the problem: Here an example scenario that illustrates the problem. The generated code matches what I got out of a sql server-side trace when using the loader api with prepared statements: ```sql CREATE DATABASE test_db; USE test_db; CREATE TABLE test_table ( my_num decimal(28,15) ); declare @p1 int set @p1=0 exec sp_prepexec @p1 output, N'@P0 decimal(38,1),@P1 decimal(38,5)', N'insert into [dbo].[test_table] ([my_num]) values (@P0),(@P1)', 1.1, 1.12345; SELECT * FROM test_table; ``` The select will have both rows with 1.1. Its not clear to me this is a jOOQ bug, but it was a very serious issue we hit without realizing it for quite a while. ### Versions: - jOOQ: 3.11.2 Pro - Java: 10 - Database (include vendor): SQL Server 2016 - OS: Linux - JDBC Driver (include name if inofficial driver): Not sure, can find if needed
defect
bulk insert of bigdecimals with different scale get truncated to first rows scale expected behavior and actual behavior i used the jooq loader api described to insert a bunch of rows at once the table has a decimal column in it when using prepared statements the generated sql uses the scale on the actual bigdecimal rather than the on the column sql server appears to only honor the first inserted row s scale and rounds the rest of the rows to match i found a similar bug in another library it appears a solution is to use the column s scale precision instead of the passed in bigdecimal steps to reproduce the problem here an example scenario that illustrates the problem the generated code matches what i got out of a sql server side trace when using the loader api with prepared statements sql create database test db use test db create table test table my num decimal declare int set exec sp prepexec output n decimal decimal n insert into values select from test table the select will have both rows with its not clear to me this is a jooq bug but it was a very serious issue we hit without realizing it for quite a while versions jooq pro java database include vendor sql server os linux jdbc driver include name if inofficial driver not sure can find if needed
1
55,623
14,597,942,974
IssuesEvent
2020-12-20 22:27:36
department-of-veterans-affairs/va.gov-team
https://api.github.com/repos/department-of-veterans-affairs/va.gov-team
opened
508-defect-1 ❗ Launchblocker [KEYBOARD]: Radio options MUST be navigable using the keyboard
508-defect-1 508-issue-focus-mgmt 508/Accessibility HLR vsa
# [508-defect-1 :exclamation: Launchblocker](https://github.com/department-of-veterans-affairs/va.gov-team/blob/master/platform/accessibility/guidance/defect-severity-rubric.md#508-defect-1) ## Feedback framework - **❗️ Must** for if the feedback must be applied - **⚠️ Should** if the feedback is best practice - **✔️ Consider** for suggestions/enhancements ## Definition of done 1. Review and acknowledge feedback. 1. Fix and/or document decisions made. 1. Accessibility specialist will close ticket after reviewing documented decisions / validating fix. <hr/> ## Point of Contact **VFS Point of Contact:** Josh ## User Story or Problem Statement As a keyboard and screen reader user, I expect to be able to use my `up` and `down` arrow keys to navigate through radio buttons so that I can read all available options. ## Details Several issues exist on the request an informal conference page due to conditional items expanded based on what radio button is selected including: - Upon expanding, keyboard focus is lost from the radio group so users are unable to continue exploring other options - On Safari VoiceOver, it is not announced to the user that their selection has expanded more information ## Acceptance Criteria <!-- Example: - [ ] All inputs have associated label elements - [ ] Input labels are styled consistently - [ ] Input labels appear immediately above the input OR to the right of a radio / checkbox --> ## Environment <!-- * Operating System, including `<VERSION>` or "latest" * Browser, including `<VERSION>` or "latest" * Screenreading device, if applicable * Server destination (localhost, Docker container, staging, production) --> ## Steps to Recreate <!-- 1. Enter `https://staging.va.gov/decision-reviews/higher-level-review/request-higher-level-review-form-20-0996/request-informal-conference` in browser 2. Start screenreading device listed in Environment 3. Navigate to the second step by tabbing to Continue button, pressing Spacebar 4. Tab 3 times until Select Level of Coverage button has keyboard focus. The button should have a light blue halo around it. 5. Press Spacebar to open the Level of Coverage widget 6. Verify the widget does not open when Spacebar is pressed --> ## Solution (if known) @luke-gcio @Mottie @kevinstachura Let's set up a meeting to talk through this page. ## WCAG or Vendor Guidance (optional) <!-- * [Making actions keyboard accessible by using keyboard event handlers](https://www.w3.org/WAI/GL/wiki/Making_actions_keyboard_accessible_by_using_keyboard_event_handlers_with_WAI-ARIA_controls) * [MDN: Using the button role](https://developer.mozilla.org/en-US/docs/Web/Accessibility/ARIA/ARIA_Techniques/Using_the_button_role) --> ## Screenshots or Trace Logs https://user-images.githubusercontent.com/14154792/102725913-62101880-42e8-11eb-8679-8423f2eb4026.mov
1.0
508-defect-1 ❗ Launchblocker [KEYBOARD]: Radio options MUST be navigable using the keyboard - # [508-defect-1 :exclamation: Launchblocker](https://github.com/department-of-veterans-affairs/va.gov-team/blob/master/platform/accessibility/guidance/defect-severity-rubric.md#508-defect-1) ## Feedback framework - **❗️ Must** for if the feedback must be applied - **⚠️ Should** if the feedback is best practice - **✔️ Consider** for suggestions/enhancements ## Definition of done 1. Review and acknowledge feedback. 1. Fix and/or document decisions made. 1. Accessibility specialist will close ticket after reviewing documented decisions / validating fix. <hr/> ## Point of Contact **VFS Point of Contact:** Josh ## User Story or Problem Statement As a keyboard and screen reader user, I expect to be able to use my `up` and `down` arrow keys to navigate through radio buttons so that I can read all available options. ## Details Several issues exist on the request an informal conference page due to conditional items expanded based on what radio button is selected including: - Upon expanding, keyboard focus is lost from the radio group so users are unable to continue exploring other options - On Safari VoiceOver, it is not announced to the user that their selection has expanded more information ## Acceptance Criteria <!-- Example: - [ ] All inputs have associated label elements - [ ] Input labels are styled consistently - [ ] Input labels appear immediately above the input OR to the right of a radio / checkbox --> ## Environment <!-- * Operating System, including `<VERSION>` or "latest" * Browser, including `<VERSION>` or "latest" * Screenreading device, if applicable * Server destination (localhost, Docker container, staging, production) --> ## Steps to Recreate <!-- 1. Enter `https://staging.va.gov/decision-reviews/higher-level-review/request-higher-level-review-form-20-0996/request-informal-conference` in browser 2. Start screenreading device listed in Environment 3. Navigate to the second step by tabbing to Continue button, pressing Spacebar 4. Tab 3 times until Select Level of Coverage button has keyboard focus. The button should have a light blue halo around it. 5. Press Spacebar to open the Level of Coverage widget 6. Verify the widget does not open when Spacebar is pressed --> ## Solution (if known) @luke-gcio @Mottie @kevinstachura Let's set up a meeting to talk through this page. ## WCAG or Vendor Guidance (optional) <!-- * [Making actions keyboard accessible by using keyboard event handlers](https://www.w3.org/WAI/GL/wiki/Making_actions_keyboard_accessible_by_using_keyboard_event_handlers_with_WAI-ARIA_controls) * [MDN: Using the button role](https://developer.mozilla.org/en-US/docs/Web/Accessibility/ARIA/ARIA_Techniques/Using_the_button_role) --> ## Screenshots or Trace Logs https://user-images.githubusercontent.com/14154792/102725913-62101880-42e8-11eb-8679-8423f2eb4026.mov
defect
defect ❗ launchblocker radio options must be navigable using the keyboard feedback framework ❗️ must for if the feedback must be applied ⚠️ should if the feedback is best practice ✔️ consider for suggestions enhancements definition of done review and acknowledge feedback fix and or document decisions made accessibility specialist will close ticket after reviewing documented decisions validating fix point of contact vfs point of contact josh user story or problem statement as a keyboard and screen reader user i expect to be able to use my up and down arrow keys to navigate through radio buttons so that i can read all available options details several issues exist on the request an informal conference page due to conditional items expanded based on what radio button is selected including upon expanding keyboard focus is lost from the radio group so users are unable to continue exploring other options on safari voiceover it is not announced to the user that their selection has expanded more information acceptance criteria example all inputs have associated label elements input labels are styled consistently input labels appear immediately above the input or to the right of a radio checkbox environment operating system including or latest browser including or latest screenreading device if applicable server destination localhost docker container staging production steps to recreate enter in browser start screenreading device listed in environment navigate to the second step by tabbing to continue button pressing spacebar tab times until select level of coverage button has keyboard focus the button should have a light blue halo around it press spacebar to open the level of coverage widget verify the widget does not open when spacebar is pressed solution if known luke gcio mottie kevinstachura let s set up a meeting to talk through this page wcag or vendor guidance optional screenshots or trace logs
1
17,964
3,013,827,977
IssuesEvent
2015-07-29 11:31:42
yawlfoundation/yawl
https://api.github.com/repos/yawlfoundation/yawl
closed
Timerproblem
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1.You create a Spefification and set a task with a timer (On Offer: After duration: 2 minutes) press ok. 2.Now you want to delete the timer and opress in set timer on never. What is the expected output? What do you see instead? The Timer is still there with a value of 2 minutes and you can't delete the timer What version of the product are you using? On what operating system? Editor 3.0beta (build 521) Please provide any additional information below. ``` Original issue reported on code.google.com by `rmalz...@googlemail.com` on 13 Aug 2014 at 11:29
1.0
Timerproblem - ``` What steps will reproduce the problem? 1.You create a Spefification and set a task with a timer (On Offer: After duration: 2 minutes) press ok. 2.Now you want to delete the timer and opress in set timer on never. What is the expected output? What do you see instead? The Timer is still there with a value of 2 minutes and you can't delete the timer What version of the product are you using? On what operating system? Editor 3.0beta (build 521) Please provide any additional information below. ``` Original issue reported on code.google.com by `rmalz...@googlemail.com` on 13 Aug 2014 at 11:29
defect
timerproblem what steps will reproduce the problem you create a spefification and set a task with a timer on offer after duration minutes press ok now you want to delete the timer and opress in set timer on never what is the expected output what do you see instead the timer is still there with a value of minutes and you can t delete the timer what version of the product are you using on what operating system editor build please provide any additional information below original issue reported on code google com by rmalz googlemail com on aug at
1
75,589
25,933,135,172
IssuesEvent
2022-12-16 11:47:56
decentraland/unity-renderer
https://api.github.com/repos/decentraland/unity-renderer
closed
Fix asset bundles converter visual tests to avoid bottom dithering
defect stream-baus
- We should avoid having this bottom dithering on objects, there may be imperfections down there that the visual tests will not detect - Also it would probably be a good idea to have 2 or more visual tests per object with different points of view ![ABConverter_QmbhMmcMDB2kN4qAtfsTVjo8oSyjaJrFredL2bB1Y53fAC](https://user-images.githubusercontent.com/1031741/157259212-d13933d6-ef57-4638-9262-39df5883fb2d.png) ![ABConverter_Qmdai9gw5REVUwmiYTZAe4A5p37VBX8SgV4dVAoWK1XEub](https://user-images.githubusercontent.com/1031741/157259287-4cf5a5b6-de21-407e-a33e-b08962396492.png) ![ABConverter_QmcPxTKrDZjnvJeKEtH8a2DYRCeqa9FoaVzqun1nu5KRqP](https://user-images.githubusercontent.com/1031741/157259322-e212b16e-3131-41f8-a3a6-ef75034bbf1c.png)
1.0
Fix asset bundles converter visual tests to avoid bottom dithering - - We should avoid having this bottom dithering on objects, there may be imperfections down there that the visual tests will not detect - Also it would probably be a good idea to have 2 or more visual tests per object with different points of view ![ABConverter_QmbhMmcMDB2kN4qAtfsTVjo8oSyjaJrFredL2bB1Y53fAC](https://user-images.githubusercontent.com/1031741/157259212-d13933d6-ef57-4638-9262-39df5883fb2d.png) ![ABConverter_Qmdai9gw5REVUwmiYTZAe4A5p37VBX8SgV4dVAoWK1XEub](https://user-images.githubusercontent.com/1031741/157259287-4cf5a5b6-de21-407e-a33e-b08962396492.png) ![ABConverter_QmcPxTKrDZjnvJeKEtH8a2DYRCeqa9FoaVzqun1nu5KRqP](https://user-images.githubusercontent.com/1031741/157259322-e212b16e-3131-41f8-a3a6-ef75034bbf1c.png)
defect
fix asset bundles converter visual tests to avoid bottom dithering we should avoid having this bottom dithering on objects there may be imperfections down there that the visual tests will not detect also it would probably be a good idea to have or more visual tests per object with different points of view
1
152,221
5,842,420,201
IssuesEvent
2017-05-10 05:57:32
dotnet/docfx
https://api.github.com/repos/dotnet/docfx
closed
Docfx fails to build documentation for seed project
4 - complete bug priority-1
I installed a windows 10 on a new virtual machine (no development environment), downloaded the seed project and downloaded the latest release of docfx. When I run docfx with the command: `docfx.exe docfx-seed-master\docfx.json --serve` I get this exception: > Warning: Error opening solution C:/Users/devon/Downloads/docfx-seed-master/docfx-seed-master/src/SampleClass1/SampleClass1.sln: Unable to load one or more of the requested types. Retrieve the LoaderExceptions property for more information.. Ignored. > Warning: No metadata is generated for . > Info: 5 plug-in(s) loaded. > Info: Post processor ExtractSearchIndex loaded. > Info: No files are found with glob pattern **/*.yml, excluding <none>, under directory "C:\Users\devon\Downloads\docfx-seed-master\docfx-seed-master\obj\api" > Info: [Build Document]Max parallelism is 1. > Info: [Build Document.CreateMarkdownService]Markdown engine is dfm > Info: Completed building documents in 846.1755 milliseconds. > Info: Completed executing in 1441.7506 milliseconds. > Error: System.Reflection.ReflectionTypeLoadException: Unable to load one or more of the requested types. Retrieve the LoaderExceptions property for more information. > at System.Reflection.RuntimeModule.GetTypes(RuntimeModule module) > at System.Reflection.RuntimeAssembly.get_DefinedTypes() > at System.Composition.Hosting.ContainerConfiguration.<WithAssemblies>b__0(Assembly a) > at System.Linq.Enumerable.<SelectManyIterator>d__16`2.MoveNext() > at System.Composition.TypedParts.TypedPartExportDescriptorProvider..ctor(IEnumerable`1 types, AttributedModelProvider attributeContext) > at System.Composition.Hosting.ContainerConfiguration.CreateContainer() > at Microsoft.DocAsCode.Dfm.DfmEngineBuilder..ctor(Options options, String baseDir, String templateDir, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Dfm.DocfxFlavoredMarked.CreateBuilder(String baseDir, String templateDir, Options options, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Build.Engine.DfmServiceProvider.DfmService..ctor(String baseDir, String templateDir, ImmutableDictionary`2 tokens, IMarkdownTokenTreeValidator tokenTreeValidator, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Build.Engine.DfmServiceProvider.CreateMarkdownService(MarkdownServiceParameters parameters) > at Microsoft.DocAsCode.Build.Engine.SingleDocumentBuilder.CreateMarkdownService(DocumentBuildParameters parameters, ImmutableDictionary`2 tokens) > at Microsoft.DocAsCode.Build.Engine.SingleDocumentBuilder.BuildCore(DocumentBuildParameters parameters) > at Microsoft.DocAsCode.Build.Engine.DocumentBuilder.BuildCore(DocumentBuildParameters parameter) > at Microsoft.DocAsCode.Build.Engine.DocumentBuilder.Build(IEnumerable`1 parameters, String outputDirectory) > at Microsoft.DocAsCode.SubCommands.DocumentBuilderWrapper.BuildDocument(BuildJsonConfig config, TemplateManager templateManager, String baseDirectory, String outputDirectory, String pluginDirectory, String templateDirectory) > at Microsoft.DocAsCode.SubCommands.BuildCommand.BuildDocument(String baseDirectory, String outputDirectory) > at Microsoft.DocAsCode.SubCommands.BuildCommand.Exec(SubCommandRunningContext context) > at Microsoft.DocAsCode.SubCommands.CompositeCommand.Exec(SubCommandRunningContext context) > at Microsoft.DocAsCode.Program.ExecSubCommand(String[] args) > > > Build failed. > Warning: Error opening solution C:/Users/devon/Downloads/docfx-seed-master/docfx-seed-master/src/SampleClass1/SampleClass1.sln: Unable to load one or more of the requested types. Retrieve the LoaderExceptions property for more information.. Ignored. > Warning: No metadata is generated for . > Error: System.Reflection.ReflectionTypeLoadException: Unable to load one or more of the requested types. Retrieve the LoaderExceptions property for more information. > at System.Reflection.RuntimeModule.GetTypes(RuntimeModule module) > at System.Reflection.RuntimeAssembly.get_DefinedTypes() > at System.Composition.Hosting.ContainerConfiguration.<WithAssemblies>b__0(Assembly a) > at System.Linq.Enumerable.<SelectManyIterator>d__16`2.MoveNext() > at System.Composition.TypedParts.TypedPartExportDescriptorProvider..ctor(IEnumerable`1 types, AttributedModelProvider attributeContext) > at System.Composition.Hosting.ContainerConfiguration.CreateContainer() > at Microsoft.DocAsCode.Dfm.DfmEngineBuilder..ctor(Options options, String baseDir, String templateDir, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Dfm.DocfxFlavoredMarked.CreateBuilder(String baseDir, String templateDir, Options options, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Build.Engine.DfmServiceProvider.DfmService..ctor(String baseDir, String templateDir, ImmutableDictionary`2 tokens, IMarkdownTokenTreeValidator tokenTreeValidator, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Build.Engine.DfmServiceProvider.CreateMarkdownService(MarkdownServiceParameters parameters) > at Microsoft.DocAsCode.Build.Engine.SingleDocumentBuilder.CreateMarkdownService(DocumentBuildParameters parameters, ImmutableDictionary`2 tokens) > at Microsoft.DocAsCode.Build.Engine.SingleDocumentBuilder.BuildCore(DocumentBuildParameters parameters) > at Microsoft.DocAsCode.Build.Engine.DocumentBuilder.BuildCore(DocumentBuildParameters parameter) > at Microsoft.DocAsCode.Build.Engine.DocumentBuilder.Build(IEnumerable`1 parameters, String outputDirectory) > at Microsoft.DocAsCode.SubCommands.DocumentBuilderWrapper.BuildDocument(BuildJsonConfig config, TemplateManager templateManager, String baseDirectory, String outputDirectory, String pluginDirectory, String templateDirectory) > at Microsoft.DocAsCode.SubCommands.BuildCommand.BuildDocument(String baseDirectory, String outputDirectory) > at Microsoft.DocAsCode.SubCommands.BuildCommand.Exec(SubCommandRunningContext context) > at Microsoft.DocAsCode.SubCommands.CompositeCommand.Exec(SubCommandRunningContext context) > at Microsoft.DocAsCode.Program.ExecSubCommand(String[] args) > 2 Warning(s) > 1 Error(s) > I suspect I am missing a hidden dependency for docfx. Is there anything else I need to install or do to get it working? Can the error message be improved to be more meaningful? Can the documentation be improved to explain what is required to run docfx successfully?
1.0
Docfx fails to build documentation for seed project - I installed a windows 10 on a new virtual machine (no development environment), downloaded the seed project and downloaded the latest release of docfx. When I run docfx with the command: `docfx.exe docfx-seed-master\docfx.json --serve` I get this exception: > Warning: Error opening solution C:/Users/devon/Downloads/docfx-seed-master/docfx-seed-master/src/SampleClass1/SampleClass1.sln: Unable to load one or more of the requested types. Retrieve the LoaderExceptions property for more information.. Ignored. > Warning: No metadata is generated for . > Info: 5 plug-in(s) loaded. > Info: Post processor ExtractSearchIndex loaded. > Info: No files are found with glob pattern **/*.yml, excluding <none>, under directory "C:\Users\devon\Downloads\docfx-seed-master\docfx-seed-master\obj\api" > Info: [Build Document]Max parallelism is 1. > Info: [Build Document.CreateMarkdownService]Markdown engine is dfm > Info: Completed building documents in 846.1755 milliseconds. > Info: Completed executing in 1441.7506 milliseconds. > Error: System.Reflection.ReflectionTypeLoadException: Unable to load one or more of the requested types. Retrieve the LoaderExceptions property for more information. > at System.Reflection.RuntimeModule.GetTypes(RuntimeModule module) > at System.Reflection.RuntimeAssembly.get_DefinedTypes() > at System.Composition.Hosting.ContainerConfiguration.<WithAssemblies>b__0(Assembly a) > at System.Linq.Enumerable.<SelectManyIterator>d__16`2.MoveNext() > at System.Composition.TypedParts.TypedPartExportDescriptorProvider..ctor(IEnumerable`1 types, AttributedModelProvider attributeContext) > at System.Composition.Hosting.ContainerConfiguration.CreateContainer() > at Microsoft.DocAsCode.Dfm.DfmEngineBuilder..ctor(Options options, String baseDir, String templateDir, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Dfm.DocfxFlavoredMarked.CreateBuilder(String baseDir, String templateDir, Options options, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Build.Engine.DfmServiceProvider.DfmService..ctor(String baseDir, String templateDir, ImmutableDictionary`2 tokens, IMarkdownTokenTreeValidator tokenTreeValidator, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Build.Engine.DfmServiceProvider.CreateMarkdownService(MarkdownServiceParameters parameters) > at Microsoft.DocAsCode.Build.Engine.SingleDocumentBuilder.CreateMarkdownService(DocumentBuildParameters parameters, ImmutableDictionary`2 tokens) > at Microsoft.DocAsCode.Build.Engine.SingleDocumentBuilder.BuildCore(DocumentBuildParameters parameters) > at Microsoft.DocAsCode.Build.Engine.DocumentBuilder.BuildCore(DocumentBuildParameters parameter) > at Microsoft.DocAsCode.Build.Engine.DocumentBuilder.Build(IEnumerable`1 parameters, String outputDirectory) > at Microsoft.DocAsCode.SubCommands.DocumentBuilderWrapper.BuildDocument(BuildJsonConfig config, TemplateManager templateManager, String baseDirectory, String outputDirectory, String pluginDirectory, String templateDirectory) > at Microsoft.DocAsCode.SubCommands.BuildCommand.BuildDocument(String baseDirectory, String outputDirectory) > at Microsoft.DocAsCode.SubCommands.BuildCommand.Exec(SubCommandRunningContext context) > at Microsoft.DocAsCode.SubCommands.CompositeCommand.Exec(SubCommandRunningContext context) > at Microsoft.DocAsCode.Program.ExecSubCommand(String[] args) > > > Build failed. > Warning: Error opening solution C:/Users/devon/Downloads/docfx-seed-master/docfx-seed-master/src/SampleClass1/SampleClass1.sln: Unable to load one or more of the requested types. Retrieve the LoaderExceptions property for more information.. Ignored. > Warning: No metadata is generated for . > Error: System.Reflection.ReflectionTypeLoadException: Unable to load one or more of the requested types. Retrieve the LoaderExceptions property for more information. > at System.Reflection.RuntimeModule.GetTypes(RuntimeModule module) > at System.Reflection.RuntimeAssembly.get_DefinedTypes() > at System.Composition.Hosting.ContainerConfiguration.<WithAssemblies>b__0(Assembly a) > at System.Linq.Enumerable.<SelectManyIterator>d__16`2.MoveNext() > at System.Composition.TypedParts.TypedPartExportDescriptorProvider..ctor(IEnumerable`1 types, AttributedModelProvider attributeContext) > at System.Composition.Hosting.ContainerConfiguration.CreateContainer() > at Microsoft.DocAsCode.Dfm.DfmEngineBuilder..ctor(Options options, String baseDir, String templateDir, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Dfm.DocfxFlavoredMarked.CreateBuilder(String baseDir, String templateDir, Options options, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Build.Engine.DfmServiceProvider.DfmService..ctor(String baseDir, String templateDir, ImmutableDictionary`2 tokens, IMarkdownTokenTreeValidator tokenTreeValidator, IReadOnlyList`1 fallbackFolders) > at Microsoft.DocAsCode.Build.Engine.DfmServiceProvider.CreateMarkdownService(MarkdownServiceParameters parameters) > at Microsoft.DocAsCode.Build.Engine.SingleDocumentBuilder.CreateMarkdownService(DocumentBuildParameters parameters, ImmutableDictionary`2 tokens) > at Microsoft.DocAsCode.Build.Engine.SingleDocumentBuilder.BuildCore(DocumentBuildParameters parameters) > at Microsoft.DocAsCode.Build.Engine.DocumentBuilder.BuildCore(DocumentBuildParameters parameter) > at Microsoft.DocAsCode.Build.Engine.DocumentBuilder.Build(IEnumerable`1 parameters, String outputDirectory) > at Microsoft.DocAsCode.SubCommands.DocumentBuilderWrapper.BuildDocument(BuildJsonConfig config, TemplateManager templateManager, String baseDirectory, String outputDirectory, String pluginDirectory, String templateDirectory) > at Microsoft.DocAsCode.SubCommands.BuildCommand.BuildDocument(String baseDirectory, String outputDirectory) > at Microsoft.DocAsCode.SubCommands.BuildCommand.Exec(SubCommandRunningContext context) > at Microsoft.DocAsCode.SubCommands.CompositeCommand.Exec(SubCommandRunningContext context) > at Microsoft.DocAsCode.Program.ExecSubCommand(String[] args) > 2 Warning(s) > 1 Error(s) > I suspect I am missing a hidden dependency for docfx. Is there anything else I need to install or do to get it working? Can the error message be improved to be more meaningful? Can the documentation be improved to explain what is required to run docfx successfully?
non_defect
docfx fails to build documentation for seed project i installed a windows on a new virtual machine no development environment downloaded the seed project and downloaded the latest release of docfx when i run docfx with the command docfx exe docfx seed master docfx json serve i get this exception warning error opening solution c users devon downloads docfx seed master docfx seed master src sln unable to load one or more of the requested types retrieve the loaderexceptions property for more information ignored warning no metadata is generated for info plug in s loaded info post processor extractsearchindex loaded info no files are found with glob pattern yml excluding under directory c users devon downloads docfx seed master docfx seed master obj api info max parallelism is info markdown engine is dfm info completed building documents in milliseconds info completed executing in milliseconds error system reflection reflectiontypeloadexception unable to load one or more of the requested types retrieve the loaderexceptions property for more information at system reflection runtimemodule gettypes runtimemodule module at system reflection runtimeassembly get definedtypes at system composition hosting containerconfiguration b assembly a at system linq enumerable d movenext at system composition typedparts typedpartexportdescriptorprovider ctor ienumerable types attributedmodelprovider attributecontext at system composition hosting containerconfiguration createcontainer at microsoft docascode dfm dfmenginebuilder ctor options options string basedir string templatedir ireadonlylist fallbackfolders at microsoft docascode dfm docfxflavoredmarked createbuilder string basedir string templatedir options options ireadonlylist fallbackfolders at microsoft docascode build engine dfmserviceprovider dfmservice ctor string basedir string templatedir immutabledictionary tokens imarkdowntokentreevalidator tokentreevalidator ireadonlylist fallbackfolders at microsoft docascode build engine dfmserviceprovider createmarkdownservice markdownserviceparameters parameters at microsoft docascode build engine singledocumentbuilder createmarkdownservice documentbuildparameters parameters immutabledictionary tokens at microsoft docascode build engine singledocumentbuilder buildcore documentbuildparameters parameters at microsoft docascode build engine documentbuilder buildcore documentbuildparameters parameter at microsoft docascode build engine documentbuilder build ienumerable parameters string outputdirectory at microsoft docascode subcommands documentbuilderwrapper builddocument buildjsonconfig config templatemanager templatemanager string basedirectory string outputdirectory string plugindirectory string templatedirectory at microsoft docascode subcommands buildcommand builddocument string basedirectory string outputdirectory at microsoft docascode subcommands buildcommand exec subcommandrunningcontext context at microsoft docascode subcommands compositecommand exec subcommandrunningcontext context at microsoft docascode program execsubcommand string args build failed warning error opening solution c users devon downloads docfx seed master docfx seed master src sln unable to load one or more of the requested types retrieve the loaderexceptions property for more information ignored warning no metadata is generated for error system reflection reflectiontypeloadexception unable to load one or more of the requested types retrieve the loaderexceptions property for more information at system reflection runtimemodule gettypes runtimemodule module at system reflection runtimeassembly get definedtypes at system composition hosting containerconfiguration b assembly a at system linq enumerable d movenext at system composition typedparts typedpartexportdescriptorprovider ctor ienumerable types attributedmodelprovider attributecontext at system composition hosting containerconfiguration createcontainer at microsoft docascode dfm dfmenginebuilder ctor options options string basedir string templatedir ireadonlylist fallbackfolders at microsoft docascode dfm docfxflavoredmarked createbuilder string basedir string templatedir options options ireadonlylist fallbackfolders at microsoft docascode build engine dfmserviceprovider dfmservice ctor string basedir string templatedir immutabledictionary tokens imarkdowntokentreevalidator tokentreevalidator ireadonlylist fallbackfolders at microsoft docascode build engine dfmserviceprovider createmarkdownservice markdownserviceparameters parameters at microsoft docascode build engine singledocumentbuilder createmarkdownservice documentbuildparameters parameters immutabledictionary tokens at microsoft docascode build engine singledocumentbuilder buildcore documentbuildparameters parameters at microsoft docascode build engine documentbuilder buildcore documentbuildparameters parameter at microsoft docascode build engine documentbuilder build ienumerable parameters string outputdirectory at microsoft docascode subcommands documentbuilderwrapper builddocument buildjsonconfig config templatemanager templatemanager string basedirectory string outputdirectory string plugindirectory string templatedirectory at microsoft docascode subcommands buildcommand builddocument string basedirectory string outputdirectory at microsoft docascode subcommands buildcommand exec subcommandrunningcontext context at microsoft docascode subcommands compositecommand exec subcommandrunningcontext context at microsoft docascode program execsubcommand string args warning s error s i suspect i am missing a hidden dependency for docfx is there anything else i need to install or do to get it working can the error message be improved to be more meaningful can the documentation be improved to explain what is required to run docfx successfully
0
14,038
2,789,864,967
IssuesEvent
2015-05-08 22:00:57
google/google-visualization-api-issues
https://api.github.com/repos/google/google-visualization-api-issues
opened
Charts JSON usage restricted by same-origin policy
Priority-Medium Type-Defect
Original [issue 356](https://code.google.com/p/google-visualization-api-issues/issues/detail?id=356) created by orwant on 2010-07-22T22:34:21.000Z: <b>What steps will reproduce the problem? Please provide a link to a</b> <b>demonstration page if at all possible, or attach code.</b> The Charts API provides an option for JSON output (chof=json), but the response from this option is unavailable by dynamic loading to client applications: - It is possible to create a &lt;form&gt; inside an &lt;iframe&gt; as described on the &quot;POST Requests&quot; page of the Charts documentation (http://code.google.com/apis/chart/docs/post_requests.html), but once submitted the content of the &lt;iframe&gt; does not belong to the client and cannot be retrieved safely. - XMLHttpRequests with both GET and POST protocols for a raw URI (e.g., the Hello Charts demo on the Getting Started page) (http://chart.apis.google.com/chart?cht=p3&amp;chs=250x100&amp;chd=t:60,40&amp;chl=Hello|World) yield the following error, with the client origin and request listed: &quot;XMLHttpRequest cannot load http://chart.apis.google.com/chart?cht=p3&amp;chs=200x150&amp;chd=t:60,40&amp;chl=Hello|World. Origin (origin) is not allowed by Access-Control-Allow-Origin.&quot; This occurs regardless of the origin used to make the request. - Using the src attribute of a &lt;script&gt; tag to make the request successfully retrieves the response with MIME type text/plain, but the content is lost. <b>What component is this issue related to (PieChart, LineChart, DataTable,</b> <b>Query, etc)?</b> Charts API option for JSON output <b>Are you using the test environment (version 1.1)?</b> <b>(If you are not sure, answer NO)</b> NO <b>What operating system and browser are you using?</b> Mac OS X 10.6.4 / Google Chrome 6.0.466.4 dev <b>*********************************************************</b> <b>For developers viewing this issue: please click the 'star' icon to be</b> <b>notified of future changes, and to let us know how many of you are</b> <b>interested in seeing it resolved.</b> <b>*********************************************************</b>
1.0
Charts JSON usage restricted by same-origin policy - Original [issue 356](https://code.google.com/p/google-visualization-api-issues/issues/detail?id=356) created by orwant on 2010-07-22T22:34:21.000Z: <b>What steps will reproduce the problem? Please provide a link to a</b> <b>demonstration page if at all possible, or attach code.</b> The Charts API provides an option for JSON output (chof=json), but the response from this option is unavailable by dynamic loading to client applications: - It is possible to create a &lt;form&gt; inside an &lt;iframe&gt; as described on the &quot;POST Requests&quot; page of the Charts documentation (http://code.google.com/apis/chart/docs/post_requests.html), but once submitted the content of the &lt;iframe&gt; does not belong to the client and cannot be retrieved safely. - XMLHttpRequests with both GET and POST protocols for a raw URI (e.g., the Hello Charts demo on the Getting Started page) (http://chart.apis.google.com/chart?cht=p3&amp;chs=250x100&amp;chd=t:60,40&amp;chl=Hello|World) yield the following error, with the client origin and request listed: &quot;XMLHttpRequest cannot load http://chart.apis.google.com/chart?cht=p3&amp;chs=200x150&amp;chd=t:60,40&amp;chl=Hello|World. Origin (origin) is not allowed by Access-Control-Allow-Origin.&quot; This occurs regardless of the origin used to make the request. - Using the src attribute of a &lt;script&gt; tag to make the request successfully retrieves the response with MIME type text/plain, but the content is lost. <b>What component is this issue related to (PieChart, LineChart, DataTable,</b> <b>Query, etc)?</b> Charts API option for JSON output <b>Are you using the test environment (version 1.1)?</b> <b>(If you are not sure, answer NO)</b> NO <b>What operating system and browser are you using?</b> Mac OS X 10.6.4 / Google Chrome 6.0.466.4 dev <b>*********************************************************</b> <b>For developers viewing this issue: please click the 'star' icon to be</b> <b>notified of future changes, and to let us know how many of you are</b> <b>interested in seeing it resolved.</b> <b>*********************************************************</b>
defect
charts json usage restricted by same origin policy original created by orwant on what steps will reproduce the problem please provide a link to a demonstration page if at all possible or attach code the charts api provides an option for json output chof json but the response from this option is unavailable by dynamic loading to client applications it is possible to create a lt form gt inside an lt iframe gt as described on the quot post requests quot page of the charts documentation but once submitted the content of the lt iframe gt does not belong to the client and cannot be retrieved safely xmlhttprequests with both get and post protocols for a raw uri e g the hello charts demo on the getting started page yield the following error with the client origin and request listed quot xmlhttprequest cannot load origin origin is not allowed by access control allow origin quot this occurs regardless of the origin used to make the request using the src attribute of a lt script gt tag to make the request successfully retrieves the response with mime type text plain but the content is lost what component is this issue related to piechart linechart datatable query etc charts api option for json output are you using the test environment version if you are not sure answer no no what operating system and browser are you using mac os x google chrome dev for developers viewing this issue please click the star icon to be notified of future changes and to let us know how many of you are interested in seeing it resolved
1
143,165
19,143,216,667
IssuesEvent
2021-12-02 02:54:23
mgh3326/demo-spring-di
https://api.github.com/repos/mgh3326/demo-spring-di
opened
CVE-2021-33037 (Medium) detected in tomcat-embed-core-9.0.27.jar
security vulnerability
## CVE-2021-33037 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>tomcat-embed-core-9.0.27.jar</b></p></summary> <p>Core Tomcat implementation</p> <p>Library home page: <a href="https://tomcat.apache.org/">https://tomcat.apache.org/</a></p> <p>Path to dependency file: demo-spring-di/pom.xml</p> <p>Path to vulnerable library: /root/.m2/repository/org/apache/tomcat/embed/tomcat-embed-core/9.0.27/tomcat-embed-core-9.0.27.jar</p> <p> Dependency Hierarchy: - spring-boot-starter-web-2.2.1.RELEASE.jar (Root Library) - spring-boot-starter-tomcat-2.2.1.RELEASE.jar - :x: **tomcat-embed-core-9.0.27.jar** (Vulnerable Library) </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Apache Tomcat 10.0.0-M1 to 10.0.6, 9.0.0.M1 to 9.0.46 and 8.5.0 to 8.5.66 did not correctly parse the HTTP transfer-encoding request header in some circumstances leading to the possibility to request smuggling when used with a reverse proxy. Specifically: - Tomcat incorrectly ignored the transfer encoding header if the client declared it would only accept an HTTP/1.0 response; - Tomcat honoured the identify encoding; and - Tomcat did not ensure that, if present, the chunked encoding was the final encoding. <p>Publish Date: 2021-07-12 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-33037>CVE-2021-33037</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.3</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://lists.apache.org/thread.html/rd84fae1f474597bdf358f5bdc0a5c453c507bd527b83e8be6b5ea3f4%40%3Cannounce.tomcat.apache.org%3E">https://lists.apache.org/thread.html/rd84fae1f474597bdf358f5bdc0a5c453c507bd527b83e8be6b5ea3f4%40%3Cannounce.tomcat.apache.org%3E</a></p> <p>Release Date: 2021-07-12</p> <p>Fix Resolution: org.apache.tomcat:tomcat-coyote:8.5.68, 9.0.48, 10.0.7, org.apache.tomcat.embed:tomcat-embed-core:8.5.68, 9.0.48, 10.0.7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2021-33037 (Medium) detected in tomcat-embed-core-9.0.27.jar - ## CVE-2021-33037 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>tomcat-embed-core-9.0.27.jar</b></p></summary> <p>Core Tomcat implementation</p> <p>Library home page: <a href="https://tomcat.apache.org/">https://tomcat.apache.org/</a></p> <p>Path to dependency file: demo-spring-di/pom.xml</p> <p>Path to vulnerable library: /root/.m2/repository/org/apache/tomcat/embed/tomcat-embed-core/9.0.27/tomcat-embed-core-9.0.27.jar</p> <p> Dependency Hierarchy: - spring-boot-starter-web-2.2.1.RELEASE.jar (Root Library) - spring-boot-starter-tomcat-2.2.1.RELEASE.jar - :x: **tomcat-embed-core-9.0.27.jar** (Vulnerable Library) </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Apache Tomcat 10.0.0-M1 to 10.0.6, 9.0.0.M1 to 9.0.46 and 8.5.0 to 8.5.66 did not correctly parse the HTTP transfer-encoding request header in some circumstances leading to the possibility to request smuggling when used with a reverse proxy. Specifically: - Tomcat incorrectly ignored the transfer encoding header if the client declared it would only accept an HTTP/1.0 response; - Tomcat honoured the identify encoding; and - Tomcat did not ensure that, if present, the chunked encoding was the final encoding. <p>Publish Date: 2021-07-12 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-33037>CVE-2021-33037</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.3</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://lists.apache.org/thread.html/rd84fae1f474597bdf358f5bdc0a5c453c507bd527b83e8be6b5ea3f4%40%3Cannounce.tomcat.apache.org%3E">https://lists.apache.org/thread.html/rd84fae1f474597bdf358f5bdc0a5c453c507bd527b83e8be6b5ea3f4%40%3Cannounce.tomcat.apache.org%3E</a></p> <p>Release Date: 2021-07-12</p> <p>Fix Resolution: org.apache.tomcat:tomcat-coyote:8.5.68, 9.0.48, 10.0.7, org.apache.tomcat.embed:tomcat-embed-core:8.5.68, 9.0.48, 10.0.7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve medium detected in tomcat embed core jar cve medium severity vulnerability vulnerable library tomcat embed core jar core tomcat implementation library home page a href path to dependency file demo spring di pom xml path to vulnerable library root repository org apache tomcat embed tomcat embed core tomcat embed core jar dependency hierarchy spring boot starter web release jar root library spring boot starter tomcat release jar x tomcat embed core jar vulnerable library vulnerability details apache tomcat to to and to did not correctly parse the http transfer encoding request header in some circumstances leading to the possibility to request smuggling when used with a reverse proxy specifically tomcat incorrectly ignored the transfer encoding header if the client declared it would only accept an http response tomcat honoured the identify encoding and tomcat did not ensure that if present the chunked encoding was the final encoding publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution org apache tomcat tomcat coyote org apache tomcat embed tomcat embed core step up your open source security game with whitesource
0
22,311
3,632,145,884
IssuesEvent
2016-02-11 08:05:45
mercury-hpc/mercury
https://api.github.com/repos/mercury-hpc/mercury
closed
Modify HG_Core_register to pass RPC ID directly
defect hg minor
Instead of passing `func_name`, we should at this level let the user decide of the ID that will be used to identify the call.
1.0
Modify HG_Core_register to pass RPC ID directly - Instead of passing `func_name`, we should at this level let the user decide of the ID that will be used to identify the call.
defect
modify hg core register to pass rpc id directly instead of passing func name we should at this level let the user decide of the id that will be used to identify the call
1
144,056
11,593,408,828
IssuesEvent
2020-02-24 13:33:54
Architect-Coders/Equipo5
https://api.github.com/repos/Architect-Coders/Equipo5
opened
[IT] Implement Interface test for MoviesDetailFragment
Test
Implement Interface/UI test with espresso
1.0
[IT] Implement Interface test for MoviesDetailFragment - Implement Interface/UI test with espresso
non_defect
implement interface test for moviesdetailfragment implement interface ui test with espresso
0
21,070
3,455,816,633
IssuesEvent
2015-12-17 21:51:30
ptitSeb/friking-shark
https://api.github.com/repos/ptitSeb/friking-shark
closed
Does nt compile 'png_info {aka struct png_info_def}'
auto-migrated Priority-Medium Type-Defect
``` I have this error in copmile: [ 59%] Building CXX object CMakeFiles/GameGraphics.dir/GameGraphics/OpenGLTexture.cpp.o /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp: In function ‘bool LoadPngFile(const char*, unsigned int, unsigned int*, unsigned int*, unsigned char**)’: /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:130:23: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:130:68: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:133:21: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:134:22: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:135:34: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:141:53: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:143:35: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:145:42: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:154:59: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:155:62: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:155:78: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:160:53: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:160:69: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:164:35: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:167:62: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:169:36: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ make[2]: *** [CMakeFiles/GameGraphics.dir/GameGraphics/OpenGLTexture.cpp.o] Error 1 make[1]: *** [CMakeFiles/GameGraphics.dir/all] Error 2 make: *** [all] Error 2 [dglent@localhost friking-shark-read-only]$ System: Mageia 2 Kernel: 3.3.8-desktop-2.mga2 libpng packages installed: lib64png-devel-1.5.12-1.mga2 lib64png12_0-1.2.50-1.mga2 lib64png15_15-1.5.12-1.mga2 ``` Original issue reported on code.google.com by `dgl...@gmail.com` on 23 Sep 2012 at 11:16
1.0
Does nt compile 'png_info {aka struct png_info_def}' - ``` I have this error in copmile: [ 59%] Building CXX object CMakeFiles/GameGraphics.dir/GameGraphics/OpenGLTexture.cpp.o /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp: In function ‘bool LoadPngFile(const char*, unsigned int, unsigned int*, unsigned int*, unsigned char**)’: /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:130:23: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:130:68: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:133:21: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:134:22: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:135:34: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:141:53: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:143:35: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:145:42: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:154:59: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:155:62: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: error: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:155:78: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:160:53: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:160:69: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:164:35: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:167:62: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ /home/dglent/friking-shark-read-only/GameGraphics/OpenGLTexture.cpp:169:36: σφάλμα: invalid use of incomplete type ‘png_info {aka struct png_info_def}’ /usr/include/png.h:742:16: σφάλμα: forward declaration of ‘png_info {aka struct png_info_def}’ make[2]: *** [CMakeFiles/GameGraphics.dir/GameGraphics/OpenGLTexture.cpp.o] Error 1 make[1]: *** [CMakeFiles/GameGraphics.dir/all] Error 2 make: *** [all] Error 2 [dglent@localhost friking-shark-read-only]$ System: Mageia 2 Kernel: 3.3.8-desktop-2.mga2 libpng packages installed: lib64png-devel-1.5.12-1.mga2 lib64png12_0-1.2.50-1.mga2 lib64png15_15-1.5.12-1.mga2 ``` Original issue reported on code.google.com by `dgl...@gmail.com` on 23 Sep 2012 at 11:16
defect
does nt compile png info aka struct png info def i have this error in copmile building cxx object cmakefiles gamegraphics dir gamegraphics opengltexture cpp o home dglent friking shark read only gamegraphics opengltexture cpp in function ‘bool loadpngfile const char unsigned int unsigned int unsigned int unsigned char ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h error forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h error forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h error forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h error forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h error forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h error forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h error forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h error forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h error forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h error forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h σφάλμα forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h σφάλμα forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h σφάλμα forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h σφάλμα forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h σφάλμα forward declaration of ‘png info aka struct png info def ’ home dglent friking shark read only gamegraphics opengltexture cpp σφάλμα invalid use of incomplete type ‘png info aka struct png info def ’ usr include png h σφάλμα forward declaration of ‘png info aka struct png info def ’ make error make error make error system mageia kernel desktop libpng packages installed devel original issue reported on code google com by dgl gmail com on sep at
1
88,213
17,497,056,256
IssuesEvent
2021-08-10 02:52:23
tuya/tuya-homebridge
https://api.github.com/repos/tuya/tuya-homebridge
closed
devices not adding
code 2406
I setup the api key and all that in the guide, I see my project is under cloud which is different than the screen shot, i am in us and set my county code to 1, i am not seeing errors, but none of my devices are appearing whilst they are in the cloud dashboard. I am not sure what i am doing incorrectly.
1.0
devices not adding - I setup the api key and all that in the guide, I see my project is under cloud which is different than the screen shot, i am in us and set my county code to 1, i am not seeing errors, but none of my devices are appearing whilst they are in the cloud dashboard. I am not sure what i am doing incorrectly.
non_defect
devices not adding i setup the api key and all that in the guide i see my project is under cloud which is different than the screen shot i am in us and set my county code to i am not seeing errors but none of my devices are appearing whilst they are in the cloud dashboard i am not sure what i am doing incorrectly
0
36,474
7,953,376,452
IssuesEvent
2018-07-12 01:07:35
STEllAR-GROUP/phylanx
https://api.github.com/repos/STEllAR-GROUP/phylanx
closed
Can't call a Lambda
category: PhySL type: defect
The code ``` from phylanx.ast import Phylanx @Phylanx def foo(): f = lambda a : print(a) f(1) foo() ``` Yields the message ``` Traceback (most recent call last): File "lam.py", line 8, in <module> foo() File "/root/.local/lib/python3.5/site-packages/phylanx-0.0.1-py3.5-linux-x86_64.egg/phylanx/ast/transformation.py", line 689, in __call__ return et.eval(self.f.__name__, self.cs, *nargs) RuntimeError: <unknown>(5, 25): access-argument$a:: argument count out of bounds, expected at least 1 argument(s) while only 0 argument(s) were supplied: HPX(bad_parameter) ``` Apparently, the argument count is not correctly identified when calling lambdas. For reference, the PhySL code is here: ``` define( foo, block( define( f, lambda( a, block( cout(a) ) ) ), ( f(1) ) ) ) ```
1.0
Can't call a Lambda - The code ``` from phylanx.ast import Phylanx @Phylanx def foo(): f = lambda a : print(a) f(1) foo() ``` Yields the message ``` Traceback (most recent call last): File "lam.py", line 8, in <module> foo() File "/root/.local/lib/python3.5/site-packages/phylanx-0.0.1-py3.5-linux-x86_64.egg/phylanx/ast/transformation.py", line 689, in __call__ return et.eval(self.f.__name__, self.cs, *nargs) RuntimeError: <unknown>(5, 25): access-argument$a:: argument count out of bounds, expected at least 1 argument(s) while only 0 argument(s) were supplied: HPX(bad_parameter) ``` Apparently, the argument count is not correctly identified when calling lambdas. For reference, the PhySL code is here: ``` define( foo, block( define( f, lambda( a, block( cout(a) ) ) ), ( f(1) ) ) ) ```
defect
can t call a lambda the code from phylanx ast import phylanx phylanx def foo f lambda a print a f foo yields the message traceback most recent call last file lam py line in foo file root local lib site packages phylanx linux egg phylanx ast transformation py line in call return et eval self f name self cs nargs runtimeerror access argument a argument count out of bounds expected at least argument s while only argument s were supplied hpx bad parameter apparently the argument count is not correctly identified when calling lambdas for reference the physl code is here define foo block define f lambda a block cout a f
1
591,999
17,867,596,895
IssuesEvent
2021-09-06 11:25:29
YunoHost/issues
https://api.github.com/repos/YunoHost/issues
closed
Package Framavox
:cake: enhancement Priority: low
###### Original Redmine Issue: [726](https://dev.yunohost.org/issues/726) Author Name: **maniack_crudelis** --- [Framavox](https://framavox.org/marketing), décision collaborative Basé sur [Loomio](https://www.loomio.org/) Non packagé.
1.0
Package Framavox - ###### Original Redmine Issue: [726](https://dev.yunohost.org/issues/726) Author Name: **maniack_crudelis** --- [Framavox](https://framavox.org/marketing), décision collaborative Basé sur [Loomio](https://www.loomio.org/) Non packagé.
non_defect
package framavox original redmine issue author name maniack crudelis décision collaborative basé sur non packagé
0
287,919
31,856,501,573
IssuesEvent
2023-09-15 07:51:42
Trinadh465/linux-4.1.15_CVE-2023-26607
https://api.github.com/repos/Trinadh465/linux-4.1.15_CVE-2023-26607
opened
CVE-2019-3460 (Medium) detected in linuxlinux-4.6
Mend: dependency security vulnerability
## CVE-2019-3460 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linuxlinux-4.6</b></p></summary> <p> <p>The Linux Kernel</p> <p>Library home page: <a href=https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux>https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux</a></p> <p>Found in HEAD commit: <a href="https://github.com/Trinadh465/linux-4.1.15_CVE-2023-26607/commit/6fca0e3f2f14e1e851258fd815766531370084b0">6fca0e3f2f14e1e851258fd815766531370084b0</a></p> <p>Found in base branch: <b>main</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/net/bluetooth/l2cap_core.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/net/bluetooth/l2cap_core.c</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> Vulnerability Details</summary> <p> A heap data infoleak in multiple locations including L2CAP_PARSE_CONF_RSP was found in the Linux kernel before 5.1-rc1. <p>Publish Date: 2019-04-11 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2019-3460>CVE-2019-3460</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Adjacent - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: None - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-3460">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-3460</a></p> <p>Release Date: 2019-04-11</p> <p>Fix Resolution: v5.1-rc1</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2019-3460 (Medium) detected in linuxlinux-4.6 - ## CVE-2019-3460 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linuxlinux-4.6</b></p></summary> <p> <p>The Linux Kernel</p> <p>Library home page: <a href=https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux>https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux</a></p> <p>Found in HEAD commit: <a href="https://github.com/Trinadh465/linux-4.1.15_CVE-2023-26607/commit/6fca0e3f2f14e1e851258fd815766531370084b0">6fca0e3f2f14e1e851258fd815766531370084b0</a></p> <p>Found in base branch: <b>main</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/net/bluetooth/l2cap_core.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/net/bluetooth/l2cap_core.c</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> Vulnerability Details</summary> <p> A heap data infoleak in multiple locations including L2CAP_PARSE_CONF_RSP was found in the Linux kernel before 5.1-rc1. <p>Publish Date: 2019-04-11 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2019-3460>CVE-2019-3460</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Adjacent - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: None - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-3460">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-3460</a></p> <p>Release Date: 2019-04-11</p> <p>Fix Resolution: v5.1-rc1</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve medium detected in linuxlinux cve medium severity vulnerability vulnerable library linuxlinux the linux kernel library home page a href found in head commit a href found in base branch main vulnerable source files net bluetooth core c net bluetooth core c vulnerability details a heap data infoleak in multiple locations including parse conf rsp was found in the linux kernel before publish date url a href cvss score details base score metrics exploitability metrics attack vector adjacent attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact high integrity impact none availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with mend
0
38,570
8,901,217,431
IssuesEvent
2019-01-17 01:19:05
supertuxkart/stk-code
https://api.github.com/repos/supertuxkart/stk-code
closed
Missing ground in STK Enterprise
C: 3D Modelling P5: very minor T: defect
## Description My video: https://streamable.com/qjjhf ## Steps to reproduce 1. Start the STK Enterprise 2. Go and fall in the black hole ## Configuration STK release version: Git (network), d73e0d9 Latests Assets System: Gentoo
1.0
Missing ground in STK Enterprise - ## Description My video: https://streamable.com/qjjhf ## Steps to reproduce 1. Start the STK Enterprise 2. Go and fall in the black hole ## Configuration STK release version: Git (network), d73e0d9 Latests Assets System: Gentoo
defect
missing ground in stk enterprise description my video steps to reproduce start the stk enterprise go and fall in the black hole configuration stk release version git network latests assets system gentoo
1
64,497
6,910,262,569
IssuesEvent
2017-11-28 01:16:11
curationexperts/epigaea
https://api.github.com/repos/curationexperts/epigaea
closed
Review batch results in "Something went Wrong Screen"
acceptance testing bug in progress
This may be related to 162, but selecting all batches from the batch ingest status screen results in "Something went wrong"
1.0
Review batch results in "Something went Wrong Screen" - This may be related to 162, but selecting all batches from the batch ingest status screen results in "Something went wrong"
non_defect
review batch results in something went wrong screen this may be related to but selecting all batches from the batch ingest status screen results in something went wrong
0
413,549
12,069,798,931
IssuesEvent
2020-04-16 16:35:37
yugabyte/yugabyte-db
https://api.github.com/repos/yugabyte/yugabyte-db
opened
[docdb] Deduplicate CatalogManager::StartRemoteBootstrap and TSTabletManager::StartRemoteBootstrap
area/docdb priority/low
Seems like the master RBS was mostly copied over from the TSTabletManager code and modified to make it work. We should refactor that at some point, as otherwise changes to it them need to be kept in sync... cc @hectorgcr
1.0
[docdb] Deduplicate CatalogManager::StartRemoteBootstrap and TSTabletManager::StartRemoteBootstrap - Seems like the master RBS was mostly copied over from the TSTabletManager code and modified to make it work. We should refactor that at some point, as otherwise changes to it them need to be kept in sync... cc @hectorgcr
non_defect
deduplicate catalogmanager startremotebootstrap and tstabletmanager startremotebootstrap seems like the master rbs was mostly copied over from the tstabletmanager code and modified to make it work we should refactor that at some point as otherwise changes to it them need to be kept in sync cc hectorgcr
0