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
|
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
75,235
| 25,705,773,191
|
IssuesEvent
|
2022-12-07 00:30:18
|
scipy/scipy
|
https://api.github.com/repos/scipy/scipy
|
opened
|
BUG: Build picks up the wrong Cython
|
defect
|
### Describe your issue.
### Problem
I am building SciPy from source on a system with multiple Python installations, including a system-wide one. Specifically, I use
```bash
/path/to/python setup.py build
```
which triggers
```bash
/path/to/python tools/cythonize.py scipy
```
which calls the Cython executable via [the line](https://github.com/scipy/scipy/blob/v1.9.3/tools/cythonize.py#L100)
```python
r = subprocess.call(['cython'] + flags + ["-o", tofile, fromfile], cwd=cwd)
```
Here `'cython'` is left for the shell to resolve, meaning that the first `cython` found on `$PATH` is used.
This cause trouble, as we want *the* Cython installed on the currently running Python installation. In my case specifically, calling a wrong Cython causes the cythonization of `scipy/stats/_biasedurn.pyx` to fail because of different NumPy versions installed within the Python installations:
```
Error compiling Cython file:
------------------------------------------------------------
...
from libcpp.memory cimport unique_ptr
np.import_array()
IF not NPY_OLD:
from numpy.random cimport bitgen_t
^
------------------------------------------------------------
_biasedurn.pyx:13:4: 'numpy/random.pxd' not found
```
though I imagine that various different error messages could show up on different systems due to this.
### Solution
To fix this locally, one can do
```bash
export PATH="/path/to/correct/python/bin/:${PATH}"
```
prior to installing SciPy. However, as I believe that letting the shell resolve `'cython'` is a bug and not a feature (note that e.g. the `cython_version` variable also defined in `scipy/stats/_biasedurn.pyx` always uses the correct Cython installation), this is not the correct approach.
The **correct solution** is to explicitly use *the* Cython that is installed with the currently used Python. This can be achieved by changing the above line in `tools/cythonize.py` to e.g.
```python
r = subprocess.call([sys.executable, '-m', 'cython'] + flags + ['-o', tofile, fromfile], cwd=cwd)
```
(perhaps the full path to the `cython` executable can also be obtained directly as some attribute on e.g. `Cython.Build`, though I could not find it).
### Reproducing Code Example
```python
An easy way to see the problem in action is to just make a fake `cython` executable somewhere on `$PATH`, e.g.
mkdir fake_cython
echo '#!/usr/bin/env bash' > fake_cython/cython
echo 'echo "Fake Cython called with $@"' >> fake_cython/cython
echo 'exit 1' >> fake_cython/cython
chmod +x fake_cython/cython
export PATH="${PWD}/fake_cython:${PATH}"
...
python setup.py build
```
### Error message
```shell
Error compiling Cython file:
------------------------------------------------------------
...
from libcpp.memory cimport unique_ptr
np.import_array()
IF not NPY_OLD:
from numpy.random cimport bitgen_t
^
------------------------------------------------------------
_biasedurn.pyx:13:4: 'numpy/random.pxd' not found
```
### SciPy/NumPy/Python version information
1.8.0 1.22.3 sys.version_info(major=3, minor=9, micro=10, releaselevel='final', serial=0)
|
1.0
|
BUG: Build picks up the wrong Cython - ### Describe your issue.
### Problem
I am building SciPy from source on a system with multiple Python installations, including a system-wide one. Specifically, I use
```bash
/path/to/python setup.py build
```
which triggers
```bash
/path/to/python tools/cythonize.py scipy
```
which calls the Cython executable via [the line](https://github.com/scipy/scipy/blob/v1.9.3/tools/cythonize.py#L100)
```python
r = subprocess.call(['cython'] + flags + ["-o", tofile, fromfile], cwd=cwd)
```
Here `'cython'` is left for the shell to resolve, meaning that the first `cython` found on `$PATH` is used.
This cause trouble, as we want *the* Cython installed on the currently running Python installation. In my case specifically, calling a wrong Cython causes the cythonization of `scipy/stats/_biasedurn.pyx` to fail because of different NumPy versions installed within the Python installations:
```
Error compiling Cython file:
------------------------------------------------------------
...
from libcpp.memory cimport unique_ptr
np.import_array()
IF not NPY_OLD:
from numpy.random cimport bitgen_t
^
------------------------------------------------------------
_biasedurn.pyx:13:4: 'numpy/random.pxd' not found
```
though I imagine that various different error messages could show up on different systems due to this.
### Solution
To fix this locally, one can do
```bash
export PATH="/path/to/correct/python/bin/:${PATH}"
```
prior to installing SciPy. However, as I believe that letting the shell resolve `'cython'` is a bug and not a feature (note that e.g. the `cython_version` variable also defined in `scipy/stats/_biasedurn.pyx` always uses the correct Cython installation), this is not the correct approach.
The **correct solution** is to explicitly use *the* Cython that is installed with the currently used Python. This can be achieved by changing the above line in `tools/cythonize.py` to e.g.
```python
r = subprocess.call([sys.executable, '-m', 'cython'] + flags + ['-o', tofile, fromfile], cwd=cwd)
```
(perhaps the full path to the `cython` executable can also be obtained directly as some attribute on e.g. `Cython.Build`, though I could not find it).
### Reproducing Code Example
```python
An easy way to see the problem in action is to just make a fake `cython` executable somewhere on `$PATH`, e.g.
mkdir fake_cython
echo '#!/usr/bin/env bash' > fake_cython/cython
echo 'echo "Fake Cython called with $@"' >> fake_cython/cython
echo 'exit 1' >> fake_cython/cython
chmod +x fake_cython/cython
export PATH="${PWD}/fake_cython:${PATH}"
...
python setup.py build
```
### Error message
```shell
Error compiling Cython file:
------------------------------------------------------------
...
from libcpp.memory cimport unique_ptr
np.import_array()
IF not NPY_OLD:
from numpy.random cimport bitgen_t
^
------------------------------------------------------------
_biasedurn.pyx:13:4: 'numpy/random.pxd' not found
```
### SciPy/NumPy/Python version information
1.8.0 1.22.3 sys.version_info(major=3, minor=9, micro=10, releaselevel='final', serial=0)
|
defect
|
bug build picks up the wrong cython describe your issue problem i am building scipy from source on a system with multiple python installations including a system wide one specifically i use bash path to python setup py build which triggers bash path to python tools cythonize py scipy which calls the cython executable via python r subprocess call flags cwd cwd here cython is left for the shell to resolve meaning that the first cython found on path is used this cause trouble as we want the cython installed on the currently running python installation in my case specifically calling a wrong cython causes the cythonization of scipy stats biasedurn pyx to fail because of different numpy versions installed within the python installations error compiling cython file from libcpp memory cimport unique ptr np import array if not npy old from numpy random cimport bitgen t biasedurn pyx numpy random pxd not found though i imagine that various different error messages could show up on different systems due to this solution to fix this locally one can do bash export path path to correct python bin path prior to installing scipy however as i believe that letting the shell resolve cython is a bug and not a feature note that e g the cython version variable also defined in scipy stats biasedurn pyx always uses the correct cython installation this is not the correct approach the correct solution is to explicitly use the cython that is installed with the currently used python this can be achieved by changing the above line in tools cythonize py to e g python r subprocess call flags cwd cwd perhaps the full path to the cython executable can also be obtained directly as some attribute on e g cython build though i could not find it reproducing code example python an easy way to see the problem in action is to just make a fake cython executable somewhere on path e g mkdir fake cython echo usr bin env bash fake cython cython echo echo fake cython called with fake cython cython echo exit fake cython cython chmod x fake cython cython export path pwd fake cython path python setup py build error message shell error compiling cython file from libcpp memory cimport unique ptr np import array if not npy old from numpy random cimport bitgen t biasedurn pyx numpy random pxd not found scipy numpy python version information sys version info major minor micro releaselevel final serial
| 1
|
333,237
| 10,119,226,794
|
IssuesEvent
|
2019-07-31 10:55:25
|
webcompat/web-bugs
|
https://api.github.com/repos/webcompat/web-bugs
|
closed
|
xkcd.com - see bug description
|
browser-fenix engine-gecko priority-normal
|
<!-- @browser: Firefox Mobile 68.0 -->
<!-- @ua_header: Mozilla/5.0 (Android 9; Mobile; rv:68.0) Gecko/68.0 Firefox/68.0 -->
<!-- @reported_with: -->
<!-- @extra_labels: browser-fenix -->
**URL**: https://xkcd.com/
**Browser / Version**: Firefox Mobile 68.0
**Operating System**: Android
**Tested Another Browser**: Yes
**Problem type**: Something else
**Description**: Alt Text does not appear
**Steps to Reproduce**:
This is not really a Site Issue. More like a feature request.
XKCD is a popular webcomic. So, if I tap and hold on the image, I would see the various options for that image, but, I would also expect to see the Alt Text associated to that image. The comic artist, Randall, puts up interesting Alt Text on his images.
Right now, instead of the Alt Text, it shows up as the image link.
It would be very helpful to have the Alt Text show up instead of the Image Link.
The Link can anyway be copied from "Copy Image Link".
It's not just XKCD, but in general, for any image.
[For some reference, Chrome browser would display the Image Alt Text when we tap and hold on it.]
[](https://webcompat.com/uploads/2019/7/9f60d75c-6438-402c-809d-8aeb5c234882.jpeg)
<details>
<summary>Browser Configuration</summary>
<ul>
<li>None</li>
</ul>
</details>
Submitted in the name of `@singularity48021`
_From [webcompat.com](https://webcompat.com/) with ❤️_
|
1.0
|
xkcd.com - see bug description - <!-- @browser: Firefox Mobile 68.0 -->
<!-- @ua_header: Mozilla/5.0 (Android 9; Mobile; rv:68.0) Gecko/68.0 Firefox/68.0 -->
<!-- @reported_with: -->
<!-- @extra_labels: browser-fenix -->
**URL**: https://xkcd.com/
**Browser / Version**: Firefox Mobile 68.0
**Operating System**: Android
**Tested Another Browser**: Yes
**Problem type**: Something else
**Description**: Alt Text does not appear
**Steps to Reproduce**:
This is not really a Site Issue. More like a feature request.
XKCD is a popular webcomic. So, if I tap and hold on the image, I would see the various options for that image, but, I would also expect to see the Alt Text associated to that image. The comic artist, Randall, puts up interesting Alt Text on his images.
Right now, instead of the Alt Text, it shows up as the image link.
It would be very helpful to have the Alt Text show up instead of the Image Link.
The Link can anyway be copied from "Copy Image Link".
It's not just XKCD, but in general, for any image.
[For some reference, Chrome browser would display the Image Alt Text when we tap and hold on it.]
[](https://webcompat.com/uploads/2019/7/9f60d75c-6438-402c-809d-8aeb5c234882.jpeg)
<details>
<summary>Browser Configuration</summary>
<ul>
<li>None</li>
</ul>
</details>
Submitted in the name of `@singularity48021`
_From [webcompat.com](https://webcompat.com/) with ❤️_
|
non_defect
|
xkcd com see bug description url browser version firefox mobile operating system android tested another browser yes problem type something else description alt text does not appear steps to reproduce this is not really a site issue more like a feature request xkcd is a popular webcomic so if i tap and hold on the image i would see the various options for that image but i would also expect to see the alt text associated to that image the comic artist randall puts up interesting alt text on his images right now instead of the alt text it shows up as the image link it would be very helpful to have the alt text show up instead of the image link the link can anyway be copied from copy image link it s not just xkcd but in general for any image browser configuration none submitted in the name of from with ❤️
| 0
|
32,101
| 8,795,513,112
|
IssuesEvent
|
2018-12-22 16:40:38
|
hashicorp/packer
|
https://api.github.com/repos/hashicorp/packer
|
reopened
|
openstack builder hangs when using use_blockstorage_volume if volume size is too small
|
bug builder/openstack community-supported plugin good first issue
|
From https://github.com/hashicorp/packer/issues/6956#issuecomment-435854310
If the value determined by [GetVolumeSize](https://github.com/hashicorp/packer/blob/17b368cf8b0a808a48e30083d7d4c42943f4c1b3/builder/openstack/volume.go#L47) is actually too low, perhaps an image with no value set for MinDiskGigabytes, in a format (e.g. qcow2) where the file is considerably smaller than the minimum volume that can unpack it, the volume is created but the status shown in `cinder list` becomes "error". [WaitForVolume](https://github.com/hashicorp/packer/blob/17b368cf8b0a808a48e30083d7d4c42943f4c1b3/builder/openstack/volume.go#L13) doesn't seem to recognize this case, and just keeps looping (and waiting) indefinitely), since volumes.Get is succeeding (the GUID does exist and has a status to read), and ["error" != "available"](https://github.com/hashicorp/packer/blob/17b368cf8b0a808a48e30083d7d4c42943f4c1b3/builder/openstack/volume.go#L47).
|
1.0
|
openstack builder hangs when using use_blockstorage_volume if volume size is too small - From https://github.com/hashicorp/packer/issues/6956#issuecomment-435854310
If the value determined by [GetVolumeSize](https://github.com/hashicorp/packer/blob/17b368cf8b0a808a48e30083d7d4c42943f4c1b3/builder/openstack/volume.go#L47) is actually too low, perhaps an image with no value set for MinDiskGigabytes, in a format (e.g. qcow2) where the file is considerably smaller than the minimum volume that can unpack it, the volume is created but the status shown in `cinder list` becomes "error". [WaitForVolume](https://github.com/hashicorp/packer/blob/17b368cf8b0a808a48e30083d7d4c42943f4c1b3/builder/openstack/volume.go#L13) doesn't seem to recognize this case, and just keeps looping (and waiting) indefinitely), since volumes.Get is succeeding (the GUID does exist and has a status to read), and ["error" != "available"](https://github.com/hashicorp/packer/blob/17b368cf8b0a808a48e30083d7d4c42943f4c1b3/builder/openstack/volume.go#L47).
|
non_defect
|
openstack builder hangs when using use blockstorage volume if volume size is too small from if the value determined by is actually too low perhaps an image with no value set for mindiskgigabytes in a format e g where the file is considerably smaller than the minimum volume that can unpack it the volume is created but the status shown in cinder list becomes error doesn t seem to recognize this case and just keeps looping and waiting indefinitely since volumes get is succeeding the guid does exist and has a status to read and
| 0
|
16,588
| 2,919,572,167
|
IssuesEvent
|
2015-06-24 14:49:59
|
akvo/akvo-flow
|
https://api.github.com/repos/akvo/akvo-flow
|
closed
|
Add stack trace to device file processing for old releases
|
1 - Defect
|
The cardno instance that has not yet been migrated to the 1.8.x dashboard still generates a lot of device file processing errors. Cross checking the files indicates that the files have been correctly processed, however, we would like to add a stack trace to verify that the source of error is the same and is one that is negligible.
|
1.0
|
Add stack trace to device file processing for old releases - The cardno instance that has not yet been migrated to the 1.8.x dashboard still generates a lot of device file processing errors. Cross checking the files indicates that the files have been correctly processed, however, we would like to add a stack trace to verify that the source of error is the same and is one that is negligible.
|
defect
|
add stack trace to device file processing for old releases the cardno instance that has not yet been migrated to the x dashboard still generates a lot of device file processing errors cross checking the files indicates that the files have been correctly processed however we would like to add a stack trace to verify that the source of error is the same and is one that is negligible
| 1
|
3,731
| 4,676,119,427
|
IssuesEvent
|
2016-10-07 10:30:56
|
symfony/symfony
|
https://api.github.com/repos/symfony/symfony
|
closed
|
security.interactive_login event marked as not called
|
Bug Security Status: Needs Review Unconfirmed
|
When I login into my sf application, I have some code executed on the security.interactive_login event listener and it works, however in the toolbar, under the events not called section, I can see the "security.interactive_login" marked as a not called listener. Is that normal? I am using 2.3.20

|
True
|
security.interactive_login event marked as not called - When I login into my sf application, I have some code executed on the security.interactive_login event listener and it works, however in the toolbar, under the events not called section, I can see the "security.interactive_login" marked as a not called listener. Is that normal? I am using 2.3.20

|
non_defect
|
security interactive login event marked as not called when i login into my sf application i have some code executed on the security interactive login event listener and it works however in the toolbar under the events not called section i can see the security interactive login marked as a not called listener is that normal i am using
| 0
|
74,560
| 15,355,805,638
|
IssuesEvent
|
2021-03-01 11:35:01
|
wrbejar/JavaVulnerableC
|
https://api.github.com/repos/wrbejar/JavaVulnerableC
|
opened
|
CVE-2019-2692 (Medium) detected in mysql-connector-java-5.1.2.jar, mysql-connector-java-5.1.26.jar
|
security vulnerability
|
## CVE-2019-2692 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>mysql-connector-java-5.1.2.jar</b>, <b>mysql-connector-java-5.1.26.jar</b></p></summary>
<p>
<details><summary><b>mysql-connector-java-5.1.2.jar</b></p></summary>
<p>MySQL JDBC Type 4 driver</p>
<p>Library home page: <a href="http://dev.mysql.com/doc/connector-j/en/">http://dev.mysql.com/doc/connector-j/en/</a></p>
<p>Path to dependency file: JavaVulnerableC/bin/pom.xml</p>
<p>Path to vulnerable library: JavaVulnerableC/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.2.jar,canner/.m2/repository/mysql/mysql-connector-java/5.1.2/mysql-connector-java-5.1.2.jar</p>
<p>
Dependency Hierarchy:
- :x: **mysql-connector-java-5.1.2.jar** (Vulnerable Library)
</details>
<details><summary><b>mysql-connector-java-5.1.26.jar</b></p></summary>
<p>MySQL JDBC Type 4 driver</p>
<p>Library home page: <a href="http://dev.mysql.com/doc/connector-j/en/">http://dev.mysql.com/doc/connector-j/en/</a></p>
<p>Path to dependency file: JavaVulnerableC/target/JavaVulnerableLab/META-INF/maven/org.cysecurity/JavaVulnerableLab/pom.xml</p>
<p>Path to vulnerable library: JavaVulnerableC/bin/target/JavaVulnerableLab/META-INF/maven/org.cysecurity/JavaVulnerableLab/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.26.jar,JavaVulnerableC/target/JavaVulnerableLab/META-INF/maven/org.cysecurity/JavaVulnerableLab/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.26.jar,JavaVulnerableC/bin/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.26.jar,JavaVulnerableC/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.26.jar,canner/.m2/repository/mysql/mysql-connector-java/5.1.26/mysql-connector-java-5.1.26.jar,JavaVulnerableC/bin/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.26.jar,canner/.m2/repository/mysql/mysql-connector-java/5.1.26/mysql-connector-java-5.1.26.jar</p>
<p>
Dependency Hierarchy:
- :x: **mysql-connector-java-5.1.26.jar** (Vulnerable Library)
</details>
<p>Found in HEAD commit: <a href="https://github.com/wrbejar/JavaVulnerableC/commit/53684c7b4feab7655c67d23cd7f4fb170ffe0b6e">53684c7b4feab7655c67d23cd7f4fb170ffe0b6e</a></p>
<p>Found in base branch: <b>master</b></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>
Vulnerability in the MySQL Connectors component of Oracle MySQL (subcomponent: Connector/J). Supported versions that are affected are 8.0.15 and prior. Difficult to exploit vulnerability allows high privileged attacker with logon to the infrastructure where MySQL Connectors executes to compromise MySQL Connectors. Successful attacks require human interaction from a person other than the attacker. Successful attacks of this vulnerability can result in takeover of MySQL Connectors. CVSS 3.0 Base Score 6.3 (Confidentiality, Integrity and Availability impacts). CVSS Vector: (CVSS:3.0/AV:L/AC:H/PR:H/UI:R/S:U/C:H/I:H/A:H).
<p>Publish Date: 2019-04-23
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-2692>CVE-2019-2692</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.3</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: High
- Privileges Required: High
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- 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/advisories/GHSA-jcq3-cprp-m333">https://github.com/advisories/GHSA-jcq3-cprp-m333</a></p>
<p>Release Date: 2019-04-23</p>
<p>Fix Resolution: mysql:mysql-connector-java:8.0.16</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"mysql","packageName":"mysql-connector-java","packageVersion":"5.1.2","packageFilePaths":["/bin/pom.xml"],"isTransitiveDependency":false,"dependencyTree":"mysql:mysql-connector-java:5.1.2","isMinimumFixVersionAvailable":true,"minimumFixVersion":"mysql:mysql-connector-java:8.0.16"},{"packageType":"Java","groupId":"mysql","packageName":"mysql-connector-java","packageVersion":"5.1.26","packageFilePaths":["/target/JavaVulnerableLab/META-INF/maven/org.cysecurity/JavaVulnerableLab/pom.xml","/bin/target/JavaVulnerableLab/META-INF/maven/org.cysecurity/JavaVulnerableLab/pom.xml"],"isTransitiveDependency":false,"dependencyTree":"mysql:mysql-connector-java:5.1.26","isMinimumFixVersionAvailable":true,"minimumFixVersion":"mysql:mysql-connector-java:8.0.16"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2019-2692","vulnerabilityDetails":"Vulnerability in the MySQL Connectors component of Oracle MySQL (subcomponent: Connector/J). Supported versions that are affected are 8.0.15 and prior. Difficult to exploit vulnerability allows high privileged attacker with logon to the infrastructure where MySQL Connectors executes to compromise MySQL Connectors. Successful attacks require human interaction from a person other than the attacker. Successful attacks of this vulnerability can result in takeover of MySQL Connectors. CVSS 3.0 Base Score 6.3 (Confidentiality, Integrity and Availability impacts). CVSS Vector: (CVSS:3.0/AV:L/AC:H/PR:H/UI:R/S:U/C:H/I:H/A:H).","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-2692","cvss3Severity":"medium","cvss3Score":"6.3","cvss3Metrics":{"A":"High","AC":"High","PR":"High","S":"Unchanged","C":"High","UI":"Required","AV":"Local","I":"High"},"extraData":{}}</REMEDIATE> -->
|
True
|
CVE-2019-2692 (Medium) detected in mysql-connector-java-5.1.2.jar, mysql-connector-java-5.1.26.jar - ## CVE-2019-2692 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>mysql-connector-java-5.1.2.jar</b>, <b>mysql-connector-java-5.1.26.jar</b></p></summary>
<p>
<details><summary><b>mysql-connector-java-5.1.2.jar</b></p></summary>
<p>MySQL JDBC Type 4 driver</p>
<p>Library home page: <a href="http://dev.mysql.com/doc/connector-j/en/">http://dev.mysql.com/doc/connector-j/en/</a></p>
<p>Path to dependency file: JavaVulnerableC/bin/pom.xml</p>
<p>Path to vulnerable library: JavaVulnerableC/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.2.jar,canner/.m2/repository/mysql/mysql-connector-java/5.1.2/mysql-connector-java-5.1.2.jar</p>
<p>
Dependency Hierarchy:
- :x: **mysql-connector-java-5.1.2.jar** (Vulnerable Library)
</details>
<details><summary><b>mysql-connector-java-5.1.26.jar</b></p></summary>
<p>MySQL JDBC Type 4 driver</p>
<p>Library home page: <a href="http://dev.mysql.com/doc/connector-j/en/">http://dev.mysql.com/doc/connector-j/en/</a></p>
<p>Path to dependency file: JavaVulnerableC/target/JavaVulnerableLab/META-INF/maven/org.cysecurity/JavaVulnerableLab/pom.xml</p>
<p>Path to vulnerable library: JavaVulnerableC/bin/target/JavaVulnerableLab/META-INF/maven/org.cysecurity/JavaVulnerableLab/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.26.jar,JavaVulnerableC/target/JavaVulnerableLab/META-INF/maven/org.cysecurity/JavaVulnerableLab/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.26.jar,JavaVulnerableC/bin/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.26.jar,JavaVulnerableC/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.26.jar,canner/.m2/repository/mysql/mysql-connector-java/5.1.26/mysql-connector-java-5.1.26.jar,JavaVulnerableC/bin/target/JavaVulnerableLab/WEB-INF/lib/mysql-connector-java-5.1.26.jar,canner/.m2/repository/mysql/mysql-connector-java/5.1.26/mysql-connector-java-5.1.26.jar</p>
<p>
Dependency Hierarchy:
- :x: **mysql-connector-java-5.1.26.jar** (Vulnerable Library)
</details>
<p>Found in HEAD commit: <a href="https://github.com/wrbejar/JavaVulnerableC/commit/53684c7b4feab7655c67d23cd7f4fb170ffe0b6e">53684c7b4feab7655c67d23cd7f4fb170ffe0b6e</a></p>
<p>Found in base branch: <b>master</b></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>
Vulnerability in the MySQL Connectors component of Oracle MySQL (subcomponent: Connector/J). Supported versions that are affected are 8.0.15 and prior. Difficult to exploit vulnerability allows high privileged attacker with logon to the infrastructure where MySQL Connectors executes to compromise MySQL Connectors. Successful attacks require human interaction from a person other than the attacker. Successful attacks of this vulnerability can result in takeover of MySQL Connectors. CVSS 3.0 Base Score 6.3 (Confidentiality, Integrity and Availability impacts). CVSS Vector: (CVSS:3.0/AV:L/AC:H/PR:H/UI:R/S:U/C:H/I:H/A:H).
<p>Publish Date: 2019-04-23
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-2692>CVE-2019-2692</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.3</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: High
- Privileges Required: High
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- 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/advisories/GHSA-jcq3-cprp-m333">https://github.com/advisories/GHSA-jcq3-cprp-m333</a></p>
<p>Release Date: 2019-04-23</p>
<p>Fix Resolution: mysql:mysql-connector-java:8.0.16</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"mysql","packageName":"mysql-connector-java","packageVersion":"5.1.2","packageFilePaths":["/bin/pom.xml"],"isTransitiveDependency":false,"dependencyTree":"mysql:mysql-connector-java:5.1.2","isMinimumFixVersionAvailable":true,"minimumFixVersion":"mysql:mysql-connector-java:8.0.16"},{"packageType":"Java","groupId":"mysql","packageName":"mysql-connector-java","packageVersion":"5.1.26","packageFilePaths":["/target/JavaVulnerableLab/META-INF/maven/org.cysecurity/JavaVulnerableLab/pom.xml","/bin/target/JavaVulnerableLab/META-INF/maven/org.cysecurity/JavaVulnerableLab/pom.xml"],"isTransitiveDependency":false,"dependencyTree":"mysql:mysql-connector-java:5.1.26","isMinimumFixVersionAvailable":true,"minimumFixVersion":"mysql:mysql-connector-java:8.0.16"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2019-2692","vulnerabilityDetails":"Vulnerability in the MySQL Connectors component of Oracle MySQL (subcomponent: Connector/J). Supported versions that are affected are 8.0.15 and prior. Difficult to exploit vulnerability allows high privileged attacker with logon to the infrastructure where MySQL Connectors executes to compromise MySQL Connectors. Successful attacks require human interaction from a person other than the attacker. Successful attacks of this vulnerability can result in takeover of MySQL Connectors. CVSS 3.0 Base Score 6.3 (Confidentiality, Integrity and Availability impacts). CVSS Vector: (CVSS:3.0/AV:L/AC:H/PR:H/UI:R/S:U/C:H/I:H/A:H).","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-2692","cvss3Severity":"medium","cvss3Score":"6.3","cvss3Metrics":{"A":"High","AC":"High","PR":"High","S":"Unchanged","C":"High","UI":"Required","AV":"Local","I":"High"},"extraData":{}}</REMEDIATE> -->
|
non_defect
|
cve medium detected in mysql connector java jar mysql connector java jar cve medium severity vulnerability vulnerable libraries mysql connector java jar mysql connector java jar mysql connector java jar mysql jdbc type driver library home page a href path to dependency file javavulnerablec bin pom xml path to vulnerable library javavulnerablec target javavulnerablelab web inf lib mysql connector java jar canner repository mysql mysql connector java mysql connector java jar dependency hierarchy x mysql connector java jar vulnerable library mysql connector java jar mysql jdbc type driver library home page a href path to dependency file javavulnerablec target javavulnerablelab meta inf maven org cysecurity javavulnerablelab pom xml path to vulnerable library javavulnerablec bin target javavulnerablelab meta inf maven org cysecurity javavulnerablelab target javavulnerablelab web inf lib mysql connector java jar javavulnerablec target javavulnerablelab meta inf maven org cysecurity javavulnerablelab target javavulnerablelab web inf lib mysql connector java jar javavulnerablec bin target javavulnerablelab web inf lib mysql connector java jar javavulnerablec target javavulnerablelab web inf lib mysql connector java jar canner repository mysql mysql connector java mysql connector java jar javavulnerablec bin target javavulnerablelab web inf lib mysql connector java jar canner repository mysql mysql connector java mysql connector java jar dependency hierarchy x mysql connector java jar vulnerable library found in head commit a href found in base branch master vulnerability details vulnerability in the mysql connectors component of oracle mysql subcomponent connector j supported versions that are affected are and prior difficult to exploit vulnerability allows high privileged attacker with logon to the infrastructure where mysql connectors executes to compromise mysql connectors successful attacks require human interaction from a person other than the attacker successful attacks of this vulnerability can result in takeover of mysql connectors cvss base score confidentiality integrity and availability impacts cvss vector cvss av l ac h pr h ui r s u c h i h a h publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity high privileges required high user interaction required scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution mysql mysql connector java isopenpronvulnerability false ispackagebased true isdefaultbranch true packages istransitivedependency false dependencytree mysql mysql connector java isminimumfixversionavailable true minimumfixversion mysql mysql connector java packagetype java groupid mysql packagename mysql connector java packageversion packagefilepaths istransitivedependency false dependencytree mysql mysql connector java isminimumfixversionavailable true minimumfixversion mysql mysql connector java basebranches vulnerabilityidentifier cve vulnerabilitydetails vulnerability in the mysql connectors component of oracle mysql subcomponent connector j supported versions that are affected are and prior difficult to exploit vulnerability allows high privileged attacker with logon to the infrastructure where mysql connectors executes to compromise mysql connectors successful attacks require human interaction from a person other than the attacker successful attacks of this vulnerability can result in takeover of mysql connectors cvss base score confidentiality integrity and availability impacts cvss vector cvss av l ac h pr h ui r s u c h i h a h vulnerabilityurl
| 0
|
73,294
| 24,550,732,701
|
IssuesEvent
|
2022-10-12 12:25:04
|
matrix-org/synapse
|
https://api.github.com/repos/matrix-org/synapse
|
opened
|
simple_* methods handle `None` incorrectly for key values
|
S-Minor T-Defect O-Uncommon
|
Generally the `simple_*` methods do not handle `None` properly when used as a key-value (the exact arguments differ by method). See #14138 for real fallout from this.
`simple_upsert_emulated_txn` has special handling for `null` which should likely be abstracted:
https://github.com/matrix-org/synapse/blob/b4ec4f5e71a87d5bdc840a4220dfd9a34c54c847/synapse/storage/database.py#L1304-L1310
This is mostly a footgun that we could avoid by either:
1. Raising an exception (or asserting) when a key-value is `None`.
2. Automatically handling `None` and turning it into `IS NONE` (which is what `simple_upsert_emulated_txn` does).
|
1.0
|
simple_* methods handle `None` incorrectly for key values - Generally the `simple_*` methods do not handle `None` properly when used as a key-value (the exact arguments differ by method). See #14138 for real fallout from this.
`simple_upsert_emulated_txn` has special handling for `null` which should likely be abstracted:
https://github.com/matrix-org/synapse/blob/b4ec4f5e71a87d5bdc840a4220dfd9a34c54c847/synapse/storage/database.py#L1304-L1310
This is mostly a footgun that we could avoid by either:
1. Raising an exception (or asserting) when a key-value is `None`.
2. Automatically handling `None` and turning it into `IS NONE` (which is what `simple_upsert_emulated_txn` does).
|
defect
|
simple methods handle none incorrectly for key values generally the simple methods do not handle none properly when used as a key value the exact arguments differ by method see for real fallout from this simple upsert emulated txn has special handling for null which should likely be abstracted this is mostly a footgun that we could avoid by either raising an exception or asserting when a key value is none automatically handling none and turning it into is none which is what simple upsert emulated txn does
| 1
|
48,504
| 13,104,189,882
|
IssuesEvent
|
2020-08-04 09:50:17
|
jOOQ/jOOQ
|
https://api.github.com/repos/jOOQ/jOOQ
|
opened
|
PostgresUtils.toPGArray does not handle escaped quotes
|
T: Defect
|
### Expected behavior and actual behavior:
```
PostgresUtils.toPGArray("{\"A\",\"B\\\"C\"}");
```
expected:
```
ImmutableList.of("A", "B\"C")
```
actual:
```
ImmutableList.of("A", "B\\")
```
### Steps to reproduce the problem (if possible, create an MCVE: https://github.com/jOOQ/jOOQ-mcve):
```
@Test
void canParseEscapedQuotes() {
List<String> actual = PostgresUtils.toPGArray("{\"A\",\"B\\\"C\"}");
assertThat(actual, is(ImmutableList.of("A", "B\"C")) );
}
```
Actual code expects that quotes are escaped by another quotes. Bu it is not the only possibility and in fact Postgresql usually uses the other possibility
```
select array['A','B"C']::TEXT;
array
------------
{A,"B\"C"}
(1 row)
```
### Versions:
- jOOQ:3.13.4
- Java: irrelevant
- Database (include vendor): irrelevant
- OS: irrelevant
- JDBC Driver (include name if inofficial driver): irrelevant
|
1.0
|
PostgresUtils.toPGArray does not handle escaped quotes - ### Expected behavior and actual behavior:
```
PostgresUtils.toPGArray("{\"A\",\"B\\\"C\"}");
```
expected:
```
ImmutableList.of("A", "B\"C")
```
actual:
```
ImmutableList.of("A", "B\\")
```
### Steps to reproduce the problem (if possible, create an MCVE: https://github.com/jOOQ/jOOQ-mcve):
```
@Test
void canParseEscapedQuotes() {
List<String> actual = PostgresUtils.toPGArray("{\"A\",\"B\\\"C\"}");
assertThat(actual, is(ImmutableList.of("A", "B\"C")) );
}
```
Actual code expects that quotes are escaped by another quotes. Bu it is not the only possibility and in fact Postgresql usually uses the other possibility
```
select array['A','B"C']::TEXT;
array
------------
{A,"B\"C"}
(1 row)
```
### Versions:
- jOOQ:3.13.4
- Java: irrelevant
- Database (include vendor): irrelevant
- OS: irrelevant
- JDBC Driver (include name if inofficial driver): irrelevant
|
defect
|
postgresutils topgarray does not handle escaped quotes expected behavior and actual behavior postgresutils topgarray a b c expected immutablelist of a b c actual immutablelist of a b steps to reproduce the problem if possible create an mcve test void canparseescapedquotes list actual postgresutils topgarray a b c assertthat actual is immutablelist of a b c actual code expects that quotes are escaped by another quotes bu it is not the only possibility and in fact postgresql usually uses the other possibility select array text array a b c row versions jooq java irrelevant database include vendor irrelevant os irrelevant jdbc driver include name if inofficial driver irrelevant
| 1
|
45,900
| 13,055,819,038
|
IssuesEvent
|
2020-07-30 02:49:51
|
icecube-trac/tix2
|
https://api.github.com/repos/icecube-trac/tix2
|
opened
|
Occasional asymmetric client connections (Trac #231)
|
Incomplete Migration Migrated from Trac defect jeb + pnf
|
Migrated from https://code.icecube.wisc.edu/ticket/231
```json
{
"status": "closed",
"changetime": "2012-05-25T13:47:38",
"description": "On occasion, pfserver1/2 will have different numbers of clients connected and this is bad for performance. \n\nSeems to happen when clients die right after connecting and reconnect and are double counted in connection pool.\n\nWork around: pause system, and restart PFServers\n\nA better way? Improved client/server connection proxy? ",
"reporter": "blaufuss",
"cc": "",
"resolution": "worksforme",
"_ts": "1337953658000000",
"component": "jeb + pnf",
"summary": "Occasional asymmetric client connections",
"priority": "normal",
"keywords": "",
"time": "2010-12-01T17:13:43",
"milestone": "",
"owner": "tschmidt",
"type": "defect"
}
```
|
1.0
|
Occasional asymmetric client connections (Trac #231) - Migrated from https://code.icecube.wisc.edu/ticket/231
```json
{
"status": "closed",
"changetime": "2012-05-25T13:47:38",
"description": "On occasion, pfserver1/2 will have different numbers of clients connected and this is bad for performance. \n\nSeems to happen when clients die right after connecting and reconnect and are double counted in connection pool.\n\nWork around: pause system, and restart PFServers\n\nA better way? Improved client/server connection proxy? ",
"reporter": "blaufuss",
"cc": "",
"resolution": "worksforme",
"_ts": "1337953658000000",
"component": "jeb + pnf",
"summary": "Occasional asymmetric client connections",
"priority": "normal",
"keywords": "",
"time": "2010-12-01T17:13:43",
"milestone": "",
"owner": "tschmidt",
"type": "defect"
}
```
|
defect
|
occasional asymmetric client connections trac migrated from json status closed changetime description on occasion will have different numbers of clients connected and this is bad for performance n nseems to happen when clients die right after connecting and reconnect and are double counted in connection pool n nwork around pause system and restart pfservers n na better way improved client server connection proxy reporter blaufuss cc resolution worksforme ts component jeb pnf summary occasional asymmetric client connections priority normal keywords time milestone owner tschmidt type defect
| 1
|
355
| 2,533,967,863
|
IssuesEvent
|
2015-01-24 12:41:45
|
TrevorPilley/MicroLite.Extensions.WebApi
|
https://api.github.com/repos/TrevorPilley/MicroLite.Extensions.WebApi
|
closed
|
Need the ability to specify attribute ordering
|
defect
|
If you use multiple databases and the WebApi extension, the order of the attributes is not deterministic so although you might think you should add:
[MicroLiteSession("Connection")]
[AutoManageTransaction]
public class ... { }
That alone is not enough to guarantee that the `MicroLiteSessionAttribute` is invoked before the `AutoManageTransactionAttribute`
|
1.0
|
Need the ability to specify attribute ordering - If you use multiple databases and the WebApi extension, the order of the attributes is not deterministic so although you might think you should add:
[MicroLiteSession("Connection")]
[AutoManageTransaction]
public class ... { }
That alone is not enough to guarantee that the `MicroLiteSessionAttribute` is invoked before the `AutoManageTransactionAttribute`
|
defect
|
need the ability to specify attribute ordering if you use multiple databases and the webapi extension the order of the attributes is not deterministic so although you might think you should add public class that alone is not enough to guarantee that the microlitesessionattribute is invoked before the automanagetransactionattribute
| 1
|
382
| 2,671,108,393
|
IssuesEvent
|
2015-03-24 02:07:19
|
codefordenver/sol-cavp
|
https://api.github.com/repos/codefordenver/sol-cavp
|
closed
|
Create staging area for our project
|
infrastructure technology
|
We need a "non-production" place to test changes before rolling to production
|
1.0
|
Create staging area for our project - We need a "non-production" place to test changes before rolling to production
|
non_defect
|
create staging area for our project we need a non production place to test changes before rolling to production
| 0
|
19,326
| 3,188,821,835
|
IssuesEvent
|
2015-09-29 00:10:29
|
aBitNomadic/shimeji-ee
|
https://api.github.com/repos/aBitNomadic/shimeji-ee
|
closed
|
java virtual machine launcher
|
auto-migrated Priority-Medium Type-Defect
|
```
What steps will reproduce the problem?
1. clicking on te shimeji application
What is the expected output? What do you see instead?
to launch the shimeji
instead i see a screen saying: 'error:could not create the java virtual machine
error: a fatal exeption has occoured. program will exit
What version of the product are you using? On what operating system?
i am using the reccomended file
windows XP
this is what happens when i try to open it
```
Original issue reported on code.google.com by `Ludwig...@gmail.com` on 17 Oct 2012 at 5:49
Attachments:
* [c vbnm,.png](https://storage.googleapis.com/google-code-attachments/shimeji-ee/issue-32/comment-0/c vbnm,.png)
|
1.0
|
java virtual machine launcher - ```
What steps will reproduce the problem?
1. clicking on te shimeji application
What is the expected output? What do you see instead?
to launch the shimeji
instead i see a screen saying: 'error:could not create the java virtual machine
error: a fatal exeption has occoured. program will exit
What version of the product are you using? On what operating system?
i am using the reccomended file
windows XP
this is what happens when i try to open it
```
Original issue reported on code.google.com by `Ludwig...@gmail.com` on 17 Oct 2012 at 5:49
Attachments:
* [c vbnm,.png](https://storage.googleapis.com/google-code-attachments/shimeji-ee/issue-32/comment-0/c vbnm,.png)
|
defect
|
java virtual machine launcher what steps will reproduce the problem clicking on te shimeji application what is the expected output what do you see instead to launch the shimeji instead i see a screen saying error could not create the java virtual machine error a fatal exeption has occoured program will exit what version of the product are you using on what operating system i am using the reccomended file windows xp this is what happens when i try to open it original issue reported on code google com by ludwig gmail com on oct at attachments vbnm png
| 1
|
44,121
| 11,981,617,434
|
IssuesEvent
|
2020-04-07 11:28:26
|
primefaces/primereact
|
https://api.github.com/repos/primefaces/primereact
|
closed
|
Carousel - Button inside carousel-item is not clickable in mobile phones
|
defect
|
Current behavior
When adding buttons to a carousel item, on mobile it's not clickable.
Expected behavior
Should be able to emit click events when the buttons were clicked.
|
1.0
|
Carousel - Button inside carousel-item is not clickable in mobile phones - Current behavior
When adding buttons to a carousel item, on mobile it's not clickable.
Expected behavior
Should be able to emit click events when the buttons were clicked.
|
defect
|
carousel button inside carousel item is not clickable in mobile phones current behavior when adding buttons to a carousel item on mobile it s not clickable expected behavior should be able to emit click events when the buttons were clicked
| 1
|
3,074
| 2,607,982,884
|
IssuesEvent
|
2015-02-26 00:50:21
|
chrsmithdemos/zen-coding
|
https://api.github.com/repos/chrsmithdemos/zen-coding
|
closed
|
TextMate - Shortcuts for "Select Previous Item" and "Select Next Item"
|
auto-migrated Priority-Medium Type-Defect
|
```
"CMD+[" and "CMD+]" used for internal keyboard shortcuts:
Text -> Shift Left
Text -> Shift Right
these shortcuts were overwritten by "Select Previous Item" and "Select Next
Item" In "Zend Conding for TextMate v0.7"
```
-----
Original issue reported on code.google.com by `airs0ur...@gmail.com` on 14 Mar 2011 at 1:26
* Merged into: #79
|
1.0
|
TextMate - Shortcuts for "Select Previous Item" and "Select Next Item" - ```
"CMD+[" and "CMD+]" used for internal keyboard shortcuts:
Text -> Shift Left
Text -> Shift Right
these shortcuts were overwritten by "Select Previous Item" and "Select Next
Item" In "Zend Conding for TextMate v0.7"
```
-----
Original issue reported on code.google.com by `airs0ur...@gmail.com` on 14 Mar 2011 at 1:26
* Merged into: #79
|
defect
|
textmate shortcuts for select previous item and select next item cmd used for internal keyboard shortcuts text shift left text shift right these shortcuts were overwritten by select previous item and select next item in zend conding for textmate original issue reported on code google com by gmail com on mar at merged into
| 1
|
10,992
| 2,622,857,167
|
IssuesEvent
|
2015-03-04 08:08:25
|
max99x/inline-search-chrome-ext
|
https://api.github.com/repos/max99x/inline-search-chrome-ext
|
closed
|
Extension not working at all
|
auto-migrated Priority-Medium Type-Defect
|
```
What steps will reproduce the problem?
1. Installed extensions (no icon)
2. restarted browser
3. held down alt and double clicked on word
What is the expected output? What do you see instead?
see the definition of a word, see nothing no indication of it working,
What version of the product are you using? On what operating system?
Version 8.0.552.224, ubuntu 10
Please provide any additional information below.
extension present in extension page and enabled
```
Original issue reported on code.google.com by `whiskeyt...@googlemail.com` on 17 Jan 2011 at 7:16
|
1.0
|
Extension not working at all - ```
What steps will reproduce the problem?
1. Installed extensions (no icon)
2. restarted browser
3. held down alt and double clicked on word
What is the expected output? What do you see instead?
see the definition of a word, see nothing no indication of it working,
What version of the product are you using? On what operating system?
Version 8.0.552.224, ubuntu 10
Please provide any additional information below.
extension present in extension page and enabled
```
Original issue reported on code.google.com by `whiskeyt...@googlemail.com` on 17 Jan 2011 at 7:16
|
defect
|
extension not working at all what steps will reproduce the problem installed extensions no icon restarted browser held down alt and double clicked on word what is the expected output what do you see instead see the definition of a word see nothing no indication of it working what version of the product are you using on what operating system version ubuntu please provide any additional information below extension present in extension page and enabled original issue reported on code google com by whiskeyt googlemail com on jan at
| 1
|
16,212
| 2,878,447,662
|
IssuesEvent
|
2015-06-10 01:02:56
|
googlei18n/noto-fonts
|
https://api.github.com/repos/googlei18n/noto-fonts
|
closed
|
Noto repository is huge, we should perhaps break it to some pieces
|
auto-migrated Priority-Medium Type-Defect
|
```
With all the various copies of the CJK fonts, the Noto git repository is now
huge (3.4GB). It takes a very long time to git clone it, even at work.
This discourages outside contribution, and slows down work.
It's probably a good idea to start breaking it into pieces. nototools (on which
I have a dependency) can clearly be broken apart, and so can Noto CJK (which is
perhaps the major contributor to size).
```
Original issue reported on code.google.com by `roozbeh@google.com` on 28 Apr 2015 at 1:20
|
1.0
|
Noto repository is huge, we should perhaps break it to some pieces - ```
With all the various copies of the CJK fonts, the Noto git repository is now
huge (3.4GB). It takes a very long time to git clone it, even at work.
This discourages outside contribution, and slows down work.
It's probably a good idea to start breaking it into pieces. nototools (on which
I have a dependency) can clearly be broken apart, and so can Noto CJK (which is
perhaps the major contributor to size).
```
Original issue reported on code.google.com by `roozbeh@google.com` on 28 Apr 2015 at 1:20
|
defect
|
noto repository is huge we should perhaps break it to some pieces with all the various copies of the cjk fonts the noto git repository is now huge it takes a very long time to git clone it even at work this discourages outside contribution and slows down work it s probably a good idea to start breaking it into pieces nototools on which i have a dependency can clearly be broken apart and so can noto cjk which is perhaps the major contributor to size original issue reported on code google com by roozbeh google com on apr at
| 1
|
89,408
| 11,221,342,990
|
IssuesEvent
|
2020-01-07 17:37:01
|
nextcloud/firstrunwizard
|
https://api.github.com/repos/nextcloud/firstrunwizard
|
closed
|
wrong background color in intro video
|
0. Needs triage bug design
|
The final screen of the new intro video has a slightly too light blue ~(0082c9)~(0b8bc3), while the _forward_ button and the headers in the following screens have the correct Nextcloud blue ~(0b8bc3)~(0082c9)

cc @nextcloud/designers
|
1.0
|
wrong background color in intro video - The final screen of the new intro video has a slightly too light blue ~(0082c9)~(0b8bc3), while the _forward_ button and the headers in the following screens have the correct Nextcloud blue ~(0b8bc3)~(0082c9)

cc @nextcloud/designers
|
non_defect
|
wrong background color in intro video the final screen of the new intro video has a slightly too light blue while the forward button and the headers in the following screens have the correct nextcloud blue cc nextcloud designers
| 0
|
11,800
| 2,665,928,090
|
IssuesEvent
|
2015-03-21 01:16:44
|
gpshead/python-atfork
|
https://api.github.com/repos/gpshead/python-atfork
|
closed
|
tested OK on python-2.7-8.fc14.1.x86_64
|
auto-migrated Priority-Medium Type-Defect
|
```
What steps will reproduce the problem?
1.
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 `ndbeck...@gmail.com` on 17 Nov 2010 at 4:21
|
1.0
|
tested OK on python-2.7-8.fc14.1.x86_64 - ```
What steps will reproduce the problem?
1.
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 `ndbeck...@gmail.com` on 17 Nov 2010 at 4:21
|
defect
|
tested ok on python what steps will reproduce the problem 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 ndbeck gmail com on nov at
| 1
|
21,398
| 3,506,295,288
|
IssuesEvent
|
2016-01-08 05:26:12
|
toopriddy/mytime
|
https://api.github.com/repos/toopriddy/mytime
|
closed
|
Won't send report
|
auto-migrated Priority-Medium Type-Defect
|
```
!!! PLEASE ANSWER THE 9 QUESTIONS HERE: !!!
Please fill out ALL of this form (there are several questions in this text
entry
box you need to answer, you will have to scroll down to answer them)
This is for BUGS only, feature requests are done at
http://code.google.com/p/mytime/wiki/Wishlist or email me
NEVER POST PERSONAL INFORMATION IN A BUG REPORT!
================================================
1. What steps will reproduce the problem? (please include step by step
detail
like you were going to explain how to do this to someone who has never seen
this program before and has a hard time following your instructions, things
obvious to you might not be obvious when trying to reproduce the issues) I
have left you space below to include your 10-20 steps to reproduce the
problem:
a.pick month to send report, check the month
b.will not send report. The send button is not highlighted after choosing month
to send
c.i have chosen send by email.
This worked until I recently updated My time
================================================
2. What is the expected output? What do you see instead? (Please attach a
screenshot or
email one; capture a screenshot by pressing on the power and home buttons
at the same time.
The resulting screenshot will be in the Photos application in the "Camera
Roll")
The send button is grayed out
================================================
3. Is this running on an iPhone, iPhone 3G or iTouch?
iPad air and iPhone
================================================
4. What version of the iPhone/iTouch are you using (from the home screen go
to
Settings->General->About->Version) it will be something like 2.1, 2.2,
2.2.1?
================================================
5. What version of MyTime are you running? (look for this in
MyTime->More->Settings->MyTime Version)
Latest update 2/6
================================================
6. What language do you have your iPhone set to?
English
================================================
7. Please provide any additional information below that you feel would help
me
to reproduce this problem
================================================
8. Your issue might need some help reproducing; start the Settings app on
the home
screen then scroll down to "MyTime" and press on it, now turn on the "Email
Backup Instantly"
switch, now quit the Settings application and start MyTime and send the
email to
toopriddy@gmail.com
I always delete the data after the bug has been reproduced and fixed.
================================================
9. If you are reporting a crash, please follow the instructions at
http://code.google.com/p/mytime/wiki/CrashReport to send me your crash
reports
```
Original issue reported on code.google.com by `dsjg...@gmail.com` on 8 Feb 2014 at 12:14
|
1.0
|
Won't send report - ```
!!! PLEASE ANSWER THE 9 QUESTIONS HERE: !!!
Please fill out ALL of this form (there are several questions in this text
entry
box you need to answer, you will have to scroll down to answer them)
This is for BUGS only, feature requests are done at
http://code.google.com/p/mytime/wiki/Wishlist or email me
NEVER POST PERSONAL INFORMATION IN A BUG REPORT!
================================================
1. What steps will reproduce the problem? (please include step by step
detail
like you were going to explain how to do this to someone who has never seen
this program before and has a hard time following your instructions, things
obvious to you might not be obvious when trying to reproduce the issues) I
have left you space below to include your 10-20 steps to reproduce the
problem:
a.pick month to send report, check the month
b.will not send report. The send button is not highlighted after choosing month
to send
c.i have chosen send by email.
This worked until I recently updated My time
================================================
2. What is the expected output? What do you see instead? (Please attach a
screenshot or
email one; capture a screenshot by pressing on the power and home buttons
at the same time.
The resulting screenshot will be in the Photos application in the "Camera
Roll")
The send button is grayed out
================================================
3. Is this running on an iPhone, iPhone 3G or iTouch?
iPad air and iPhone
================================================
4. What version of the iPhone/iTouch are you using (from the home screen go
to
Settings->General->About->Version) it will be something like 2.1, 2.2,
2.2.1?
================================================
5. What version of MyTime are you running? (look for this in
MyTime->More->Settings->MyTime Version)
Latest update 2/6
================================================
6. What language do you have your iPhone set to?
English
================================================
7. Please provide any additional information below that you feel would help
me
to reproduce this problem
================================================
8. Your issue might need some help reproducing; start the Settings app on
the home
screen then scroll down to "MyTime" and press on it, now turn on the "Email
Backup Instantly"
switch, now quit the Settings application and start MyTime and send the
email to
toopriddy@gmail.com
I always delete the data after the bug has been reproduced and fixed.
================================================
9. If you are reporting a crash, please follow the instructions at
http://code.google.com/p/mytime/wiki/CrashReport to send me your crash
reports
```
Original issue reported on code.google.com by `dsjg...@gmail.com` on 8 Feb 2014 at 12:14
|
defect
|
won t send report please answer the questions here please fill out all of this form there are several questions in this text entry box you need to answer you will have to scroll down to answer them this is for bugs only feature requests are done at or email me never post personal information in a bug report what steps will reproduce the problem please include step by step detail like you were going to explain how to do this to someone who has never seen this program before and has a hard time following your instructions things obvious to you might not be obvious when trying to reproduce the issues i have left you space below to include your steps to reproduce the problem a pick month to send report check the month b will not send report the send button is not highlighted after choosing month to send c i have chosen send by email this worked until i recently updated my time what is the expected output what do you see instead please attach a screenshot or email one capture a screenshot by pressing on the power and home buttons at the same time the resulting screenshot will be in the photos application in the camera roll the send button is grayed out is this running on an iphone iphone or itouch ipad air and iphone what version of the iphone itouch are you using from the home screen go to settings general about version it will be something like what version of mytime are you running look for this in mytime more settings mytime version latest update what language do you have your iphone set to english please provide any additional information below that you feel would help me to reproduce this problem your issue might need some help reproducing start the settings app on the home screen then scroll down to mytime and press on it now turn on the email backup instantly switch now quit the settings application and start mytime and send the email to toopriddy gmail com i always delete the data after the bug has been reproduced and fixed if you are reporting a crash please follow the instructions at to send me your crash reports original issue reported on code google com by dsjg gmail com on feb at
| 1
|
293,956
| 25,336,357,062
|
IssuesEvent
|
2022-11-18 17:10:23
|
aiidateam/aiida-core
|
https://api.github.com/repos/aiidateam/aiida-core
|
closed
|
Make the pytest fixtures more configurable and reusable
|
topic/testing type/accepted feature priority/nice-to-have
|
With the new feature of allowing to implement new storage backends through plugins, the pytest fixtures need to become more flexible. They are currently hard-coding the profile and backend for a `psql-dos` storage, but this should be configurable for plugins to easily reuse the fixtures in combination with custom backends.
|
1.0
|
Make the pytest fixtures more configurable and reusable - With the new feature of allowing to implement new storage backends through plugins, the pytest fixtures need to become more flexible. They are currently hard-coding the profile and backend for a `psql-dos` storage, but this should be configurable for plugins to easily reuse the fixtures in combination with custom backends.
|
non_defect
|
make the pytest fixtures more configurable and reusable with the new feature of allowing to implement new storage backends through plugins the pytest fixtures need to become more flexible they are currently hard coding the profile and backend for a psql dos storage but this should be configurable for plugins to easily reuse the fixtures in combination with custom backends
| 0
|
30,619
| 6,195,666,606
|
IssuesEvent
|
2017-07-05 13:11:11
|
netty/netty
|
https://api.github.com/repos/netty/netty
|
closed
|
netty Dns resolver can not work properly with two dns servers when one of the dns server cannot work
|
defect
|
### Expected behavior
My device is configured with two dns servers:
```
nameserver 10.130.10.7
nameserver 114.114.114.114
```
Here, the 10.130.10.7 is a dead dns server, and with this configure, InetAddress.getByName() can resolve dns. I expect the netty resolver can work too.
### Actual behavior
But exactly, the netty resolver cannot work with this configure.
### Steps to reproduce
Add an invalid dns server to the dns server list. Or, specify MultiDnsServerAddressStreamProvider with one bad dns server address and one good server address, and test on the domains.
### Minimal yet complete reproducer code (or URL to code)
```
NioEventLoopGroup loopGroup = new NioEventLoopGroup(1);
DnsNameResolver resolver = new DnsNameResolverBuilder(loopGroup.next())
.channelType(NioDatagramChannel.class)
.nameServerProvider(
new MultiDnsServerAddressStreamProvider(
new SingletonDnsServerAddressStreamProvider(SocketUtils.socketAddress("10.130.10.7", 53)),
new SingletonDnsServerAddressStreamProvider(SocketUtils.socketAddress("114.114.114.114", 53))
)
// new RotationalDnsServerAddressStreamProvider(DnsServerAddresses.rotational(
//// SocketUtils.socketAddress("10.130.10.17", 53),
// SocketUtils.socketAddress("114.114.114.114", 53)
// ))
)
.maxQueriesPerResolve(2)
.build();
AtomicLong failed = new AtomicLong();
DOMAINS.parallelStream().forEach(dns -> {
try {
LogMsg.info("", "" + resolver.resolve(dns).sync().getNow());
}
catch (Exception e) {
failed.incrementAndGet();
LogMsg.warn("resolve failed", "" + dns + ": " + e.getMessage());
}
});
```
### Netty version
Netty-all 4.1.12.Final
### JVM version (e.g. `java -version`)
1.8_131
### OS version (e.g. `uname -a`)
Mac Os and CentOs.
|
1.0
|
netty Dns resolver can not work properly with two dns servers when one of the dns server cannot work - ### Expected behavior
My device is configured with two dns servers:
```
nameserver 10.130.10.7
nameserver 114.114.114.114
```
Here, the 10.130.10.7 is a dead dns server, and with this configure, InetAddress.getByName() can resolve dns. I expect the netty resolver can work too.
### Actual behavior
But exactly, the netty resolver cannot work with this configure.
### Steps to reproduce
Add an invalid dns server to the dns server list. Or, specify MultiDnsServerAddressStreamProvider with one bad dns server address and one good server address, and test on the domains.
### Minimal yet complete reproducer code (or URL to code)
```
NioEventLoopGroup loopGroup = new NioEventLoopGroup(1);
DnsNameResolver resolver = new DnsNameResolverBuilder(loopGroup.next())
.channelType(NioDatagramChannel.class)
.nameServerProvider(
new MultiDnsServerAddressStreamProvider(
new SingletonDnsServerAddressStreamProvider(SocketUtils.socketAddress("10.130.10.7", 53)),
new SingletonDnsServerAddressStreamProvider(SocketUtils.socketAddress("114.114.114.114", 53))
)
// new RotationalDnsServerAddressStreamProvider(DnsServerAddresses.rotational(
//// SocketUtils.socketAddress("10.130.10.17", 53),
// SocketUtils.socketAddress("114.114.114.114", 53)
// ))
)
.maxQueriesPerResolve(2)
.build();
AtomicLong failed = new AtomicLong();
DOMAINS.parallelStream().forEach(dns -> {
try {
LogMsg.info("", "" + resolver.resolve(dns).sync().getNow());
}
catch (Exception e) {
failed.incrementAndGet();
LogMsg.warn("resolve failed", "" + dns + ": " + e.getMessage());
}
});
```
### Netty version
Netty-all 4.1.12.Final
### JVM version (e.g. `java -version`)
1.8_131
### OS version (e.g. `uname -a`)
Mac Os and CentOs.
|
defect
|
netty dns resolver can not work properly with two dns servers when one of the dns server cannot work expected behavior my device is configured with two dns servers nameserver nameserver here the is a dead dns server and with this configure inetaddress getbyname can resolve dns i expect the netty resolver can work too actual behavior but exactly the netty resolver cannot work with this configure steps to reproduce add an invalid dns server to the dns server list or specify multidnsserveraddressstreamprovider with one bad dns server address and one good server address and test on the domains minimal yet complete reproducer code or url to code nioeventloopgroup loopgroup new nioeventloopgroup dnsnameresolver resolver new dnsnameresolverbuilder loopgroup next channeltype niodatagramchannel class nameserverprovider new multidnsserveraddressstreamprovider new singletondnsserveraddressstreamprovider socketutils socketaddress new singletondnsserveraddressstreamprovider socketutils socketaddress new rotationaldnsserveraddressstreamprovider dnsserveraddresses rotational socketutils socketaddress socketutils socketaddress maxqueriesperresolve build atomiclong failed new atomiclong domains parallelstream foreach dns try logmsg info resolver resolve dns sync getnow catch exception e failed incrementandget logmsg warn resolve failed dns e getmessage netty version netty all final jvm version e g java version os version e g uname a mac os and centos
| 1
|
152,608
| 12,122,309,719
|
IssuesEvent
|
2020-04-22 10:44:43
|
aau-giraf/weekplanner
|
https://api.github.com/repos/aau-giraf/weekplanner
|
closed
|
Tests for weekplan selector screen needs to test screen not bloc
|
Gruppe 15 point: 5 priority: high type: bug type: test
|
**Is your feature request related to a problem? Please describe.**
The screen is actually not tested in the weekplan_selector_screen_tests, as it should be.
**Describe the solution you'd like**
Write tests that tests the screens and not only the bloc.
**Describe alternatives you've considered**
None
**Additional context**
We found this problem when solving issue #305 . The bloc are tested and the UI is tested through the application on a virtual device, we should just add further tests.
|
1.0
|
Tests for weekplan selector screen needs to test screen not bloc - **Is your feature request related to a problem? Please describe.**
The screen is actually not tested in the weekplan_selector_screen_tests, as it should be.
**Describe the solution you'd like**
Write tests that tests the screens and not only the bloc.
**Describe alternatives you've considered**
None
**Additional context**
We found this problem when solving issue #305 . The bloc are tested and the UI is tested through the application on a virtual device, we should just add further tests.
|
non_defect
|
tests for weekplan selector screen needs to test screen not bloc is your feature request related to a problem please describe the screen is actually not tested in the weekplan selector screen tests as it should be describe the solution you d like write tests that tests the screens and not only the bloc describe alternatives you ve considered none additional context we found this problem when solving issue the bloc are tested and the ui is tested through the application on a virtual device we should just add further tests
| 0
|
4,038
| 6,972,131,790
|
IssuesEvent
|
2017-12-11 16:06:32
|
DevExpress/testcafe-hammerhead
|
https://api.github.com/repos/DevExpress/testcafe-hammerhead
|
closed
|
Page doesn't load in hammerhead-playground
|
!IMPORTANT! AREA: client SYSTEM: resource processing TYPE: bug
|
Based on [question ](https://testcafe-discuss.devexpress.com/t/browser-hangs-when-running-testcafe-locally/623)
url is private
It happens due to error in `generateCallExpression` method:
`(node:2717) UnhandledPromiseRejectionWarning: Unhandled promise rejection (rejection id: 1): TypeError: First argument must be a string or Buffer`
|
1.0
|
Page doesn't load in hammerhead-playground - Based on [question ](https://testcafe-discuss.devexpress.com/t/browser-hangs-when-running-testcafe-locally/623)
url is private
It happens due to error in `generateCallExpression` method:
`(node:2717) UnhandledPromiseRejectionWarning: Unhandled promise rejection (rejection id: 1): TypeError: First argument must be a string or Buffer`
|
non_defect
|
page doesn t load in hammerhead playground based on url is private it happens due to error in generatecallexpression method node unhandledpromiserejectionwarning unhandled promise rejection rejection id typeerror first argument must be a string or buffer
| 0
|
328,856
| 10,000,823,042
|
IssuesEvent
|
2019-07-12 14:16:08
|
webcompat/web-bugs
|
https://api.github.com/repos/webcompat/web-bugs
|
closed
|
oss.ticketmaster.com - see bug description
|
browser-firefox-mobile engine-gecko priority-important
|
<!-- @browser: Firefox Mobile 68.0 -->
<!-- @ua_header: Mozilla/5.0 (Android 9; Mobile; rv:68.0) Gecko/68.0 Firefox/68.0 -->
<!-- @reported_with: -->
**URL**: https://oss.ticketmaster.com/aps/m/lvms/EN/apimobile/#/login
**Browser / Version**: Firefox Mobile 68.0
**Operating System**: Android
**Tested Another Browser**: No
**Problem type**: Something else
**Description**: pressing the back button doesn't take me back a screen, it loops here
**Steps to Reproduce**:
<details>
<summary>Browser Configuration</summary>
<ul>
<li>None</li>
</ul>
</details>
_From [webcompat.com](https://webcompat.com/) with ❤️_
|
1.0
|
oss.ticketmaster.com - see bug description - <!-- @browser: Firefox Mobile 68.0 -->
<!-- @ua_header: Mozilla/5.0 (Android 9; Mobile; rv:68.0) Gecko/68.0 Firefox/68.0 -->
<!-- @reported_with: -->
**URL**: https://oss.ticketmaster.com/aps/m/lvms/EN/apimobile/#/login
**Browser / Version**: Firefox Mobile 68.0
**Operating System**: Android
**Tested Another Browser**: No
**Problem type**: Something else
**Description**: pressing the back button doesn't take me back a screen, it loops here
**Steps to Reproduce**:
<details>
<summary>Browser Configuration</summary>
<ul>
<li>None</li>
</ul>
</details>
_From [webcompat.com](https://webcompat.com/) with ❤️_
|
non_defect
|
oss ticketmaster com see bug description url browser version firefox mobile operating system android tested another browser no problem type something else description pressing the back button doesn t take me back a screen it loops here steps to reproduce browser configuration none from with ❤️
| 0
|
60,352
| 17,023,404,221
|
IssuesEvent
|
2021-07-03 01:51:17
|
tomhughes/trac-tickets
|
https://api.github.com/repos/tomhughes/trac-tickets
|
closed
|
Names of Polygon Islands Rendered Around Edge
|
Component: mapnik Priority: minor Resolution: wontfix Type: defect
|
**[Submitted to the original trac issue database at 6.01am, Monday, 18th May 2009]**
Polygons tagged with place=Island and a name ought to have the name rendered centrally over the polygon. Mapnik currently renders the name along the edge of the polygon (along the way) as it would a road.
Example of current rendering:
http://openstreetmap.com/?lat=44.65954&lon=-73.25362&zoom=16&layers=B000FTF
|
1.0
|
Names of Polygon Islands Rendered Around Edge - **[Submitted to the original trac issue database at 6.01am, Monday, 18th May 2009]**
Polygons tagged with place=Island and a name ought to have the name rendered centrally over the polygon. Mapnik currently renders the name along the edge of the polygon (along the way) as it would a road.
Example of current rendering:
http://openstreetmap.com/?lat=44.65954&lon=-73.25362&zoom=16&layers=B000FTF
|
defect
|
names of polygon islands rendered around edge polygons tagged with place island and a name ought to have the name rendered centrally over the polygon mapnik currently renders the name along the edge of the polygon along the way as it would a road example of current rendering
| 1
|
12,241
| 2,685,528,533
|
IssuesEvent
|
2015-03-30 02:14:29
|
IssueMigrationTest/Test5
|
https://api.github.com/repos/IssueMigrationTest/Test5
|
closed
|
Support for gcc 4.7
|
auto-migrated Priority-Medium Type-Defect
|
**Issue by rods...@gmail.com**
_24 Jun 2012 at 12:02 GMT_
_Originally opened on Google Code_
----
```
Hi,
Programs that worked with shedskin and earlier versions of gcc now fail.
Here's a test-case that does not work with shedskin and gcc 4.7.1, but works
with shedskin and gcc 4.4: http://setconf.roboticoverlords.org/setconf-0.4.tbz2
I'm on 64-bit Arch Linux using shedskin 0.9.2.
Making shedskin work with gcc 4.7.1 as well would be great.
Thanks.
Best regards,
Alexander Rødseth
```
|
1.0
|
Support for gcc 4.7 - **Issue by rods...@gmail.com**
_24 Jun 2012 at 12:02 GMT_
_Originally opened on Google Code_
----
```
Hi,
Programs that worked with shedskin and earlier versions of gcc now fail.
Here's a test-case that does not work with shedskin and gcc 4.7.1, but works
with shedskin and gcc 4.4: http://setconf.roboticoverlords.org/setconf-0.4.tbz2
I'm on 64-bit Arch Linux using shedskin 0.9.2.
Making shedskin work with gcc 4.7.1 as well would be great.
Thanks.
Best regards,
Alexander Rødseth
```
|
defect
|
support for gcc issue by rods gmail com jun at gmt originally opened on google code hi programs that worked with shedskin and earlier versions of gcc now fail here s a test case that does not work with shedskin and gcc but works with shedskin and gcc i m on bit arch linux using shedskin making shedskin work with gcc as well would be great thanks best regards alexander rødseth
| 1
|
305,517
| 9,370,577,700
|
IssuesEvent
|
2019-04-03 13:45:28
|
webcompat/web-bugs
|
https://api.github.com/repos/webcompat/web-bugs
|
closed
|
m.aliexpress.com - design is broken
|
browser-firefox-mobile priority-critical
|
<!-- @browser: Firefox Mobile 68.0 -->
<!-- @ua_header: Mozilla/5.0 (Android 6.0; Mobile; rv:68.0) Gecko/68.0 Firefox/68.0 -->
<!-- @reported_with: mobile-reporter -->
**URL**: https://m.aliexpress.com
**Browser / Version**: Firefox Mobile 68.0
**Operating System**: Android 6.0
**Tested Another Browser**: No
**Problem type**: Design is broken
**Description**: cant find anything
**Steps to Reproduce**:
this site awlays shows no items found no matter what
[](https://webcompat.com/uploads/2019/3/08982dc4-fc10-43b2-84a4-675396150992.jpeg)
<details>
<summary>Browser Configuration</summary>
<ul>
<li>mixed active content blocked: false</li><li>image.mem.shared: true</li><li>buildID: 20190324094708</li><li>tracking content blocked: false</li><li>gfx.webrender.blob-images: true</li><li>hasTouchScreen: true</li><li>mixed passive content blocked: false</li><li>gfx.webrender.enabled: false</li><li>gfx.webrender.all: false</li><li>channel: nightly</li>
</ul>
</details>
_From [webcompat.com](https://webcompat.com/) with ❤️_
|
1.0
|
m.aliexpress.com - design is broken - <!-- @browser: Firefox Mobile 68.0 -->
<!-- @ua_header: Mozilla/5.0 (Android 6.0; Mobile; rv:68.0) Gecko/68.0 Firefox/68.0 -->
<!-- @reported_with: mobile-reporter -->
**URL**: https://m.aliexpress.com
**Browser / Version**: Firefox Mobile 68.0
**Operating System**: Android 6.0
**Tested Another Browser**: No
**Problem type**: Design is broken
**Description**: cant find anything
**Steps to Reproduce**:
this site awlays shows no items found no matter what
[](https://webcompat.com/uploads/2019/3/08982dc4-fc10-43b2-84a4-675396150992.jpeg)
<details>
<summary>Browser Configuration</summary>
<ul>
<li>mixed active content blocked: false</li><li>image.mem.shared: true</li><li>buildID: 20190324094708</li><li>tracking content blocked: false</li><li>gfx.webrender.blob-images: true</li><li>hasTouchScreen: true</li><li>mixed passive content blocked: false</li><li>gfx.webrender.enabled: false</li><li>gfx.webrender.all: false</li><li>channel: nightly</li>
</ul>
</details>
_From [webcompat.com](https://webcompat.com/) with ❤️_
|
non_defect
|
m aliexpress com design is broken url browser version firefox mobile operating system android tested another browser no problem type design is broken description cant find anything steps to reproduce this site awlays shows no items found no matter what browser configuration mixed active content blocked false image mem shared true buildid tracking content blocked false gfx webrender blob images true hastouchscreen true mixed passive content blocked false gfx webrender enabled false gfx webrender all false channel nightly from with ❤️
| 0
|
265,506
| 8,355,116,915
|
IssuesEvent
|
2018-10-02 14:56:42
|
vanilla-framework/vanilla-framework
|
https://api.github.com/repos/vanilla-framework/vanilla-framework
|
closed
|
Update max-width values on breakpoints
|
Priority: Low
|
## Pattern to amend
**Breakpoints** - https://docs.vanillaframework.io/en/settings/breakpoint-settings
## Context
Defining `max-width` values for the different breakpoints in Vanilla grid system, making it easier to be consistent in code and design.
Original discussions can be found here: https://github.com/ubuntudesign/vanilla-design/issues/289
## Updates
**1036px (currently 1030px)**
- `$breakpoint-large`
**772px (currently 768px)**
- `$breakpoint-medium`
**620px (no change)**
- `$breakpoint-small`
**460px (no change)**
- `$breakpoint-x-small`
|
1.0
|
Update max-width values on breakpoints - ## Pattern to amend
**Breakpoints** - https://docs.vanillaframework.io/en/settings/breakpoint-settings
## Context
Defining `max-width` values for the different breakpoints in Vanilla grid system, making it easier to be consistent in code and design.
Original discussions can be found here: https://github.com/ubuntudesign/vanilla-design/issues/289
## Updates
**1036px (currently 1030px)**
- `$breakpoint-large`
**772px (currently 768px)**
- `$breakpoint-medium`
**620px (no change)**
- `$breakpoint-small`
**460px (no change)**
- `$breakpoint-x-small`
|
non_defect
|
update max width values on breakpoints pattern to amend breakpoints context defining max width values for the different breakpoints in vanilla grid system making it easier to be consistent in code and design original discussions can be found here updates currently breakpoint large currently breakpoint medium no change breakpoint small no change breakpoint x small
| 0
|
489,146
| 14,101,664,632
|
IssuesEvent
|
2020-11-06 07:19:38
|
ShankarBUS/ModernFlyouts
|
https://api.github.com/repos/ShankarBUS/ModernFlyouts
|
reopened
|
Discussion: Make use of the "Live Tiles" features of Windows
|
Community Feedback Wanted Super Low Priority enhancement help wanted
|
**Live tiles** is one of the things I love about **Windows**.
Most of the UWP media players (such as **Groove music**, **Spotify** & etc) use the live tiles feature for showing their *media playback status* (provided that the user turned on live tiles feature for them).
However, some apps (such as browsers e.g. new **MS Edge** or **Chrome**) couldn't show live tiles because they're unpackaged.
So, my suggestion is we can use ModernFlyouts' tile as a central place for showing status of all the media playback sessions.
We can show a tile card for each session. The card will contain the source app's icon (optional) and name, the media's title, artist and thumbnail (optional) and a label to denote the playback status (playing, paused or stopped).
And there'll be a main card which will show a list of all the available media playback sources (i.e. their app icon).
The tile will cycle through each of the cards. It'll look modern and innovative. Some tablet mode users like me would find it beneficial (I currently have to pin the tiles of the media players I use mostly to check their playback status without opening them. But if ModernFlyouts had this feature, it would save a lot more space).
I do find ModernFlyouts very helpful. But most of the time I find pressing the media or volume keys just to show ModernFlyouts as annoying.
Pressing the keys either change the volume or the state of media sessions. Implementing my suggestion would be a really good idea.
I understand that this will be hard as hell. You can keep it as a vey very low priority.
But please you should manage to do this somehow 🙏🙏🙏.
|
1.0
|
Discussion: Make use of the "Live Tiles" features of Windows - **Live tiles** is one of the things I love about **Windows**.
Most of the UWP media players (such as **Groove music**, **Spotify** & etc) use the live tiles feature for showing their *media playback status* (provided that the user turned on live tiles feature for them).
However, some apps (such as browsers e.g. new **MS Edge** or **Chrome**) couldn't show live tiles because they're unpackaged.
So, my suggestion is we can use ModernFlyouts' tile as a central place for showing status of all the media playback sessions.
We can show a tile card for each session. The card will contain the source app's icon (optional) and name, the media's title, artist and thumbnail (optional) and a label to denote the playback status (playing, paused or stopped).
And there'll be a main card which will show a list of all the available media playback sources (i.e. their app icon).
The tile will cycle through each of the cards. It'll look modern and innovative. Some tablet mode users like me would find it beneficial (I currently have to pin the tiles of the media players I use mostly to check their playback status without opening them. But if ModernFlyouts had this feature, it would save a lot more space).
I do find ModernFlyouts very helpful. But most of the time I find pressing the media or volume keys just to show ModernFlyouts as annoying.
Pressing the keys either change the volume or the state of media sessions. Implementing my suggestion would be a really good idea.
I understand that this will be hard as hell. You can keep it as a vey very low priority.
But please you should manage to do this somehow 🙏🙏🙏.
|
non_defect
|
discussion make use of the live tiles features of windows live tiles is one of the things i love about windows most of the uwp media players such as groove music spotify etc use the live tiles feature for showing their media playback status provided that the user turned on live tiles feature for them however some apps such as browsers e g new ms edge or chrome couldn t show live tiles because they re unpackaged so my suggestion is we can use modernflyouts tile as a central place for showing status of all the media playback sessions we can show a tile card for each session the card will contain the source app s icon optional and name the media s title artist and thumbnail optional and a label to denote the playback status playing paused or stopped and there ll be a main card which will show a list of all the available media playback sources i e their app icon the tile will cycle through each of the cards it ll look modern and innovative some tablet mode users like me would find it beneficial i currently have to pin the tiles of the media players i use mostly to check their playback status without opening them but if modernflyouts had this feature it would save a lot more space i do find modernflyouts very helpful but most of the time i find pressing the media or volume keys just to show modernflyouts as annoying pressing the keys either change the volume or the state of media sessions implementing my suggestion would be a really good idea i understand that this will be hard as hell you can keep it as a vey very low priority but please you should manage to do this somehow 🙏🙏🙏
| 0
|
104,362
| 11,404,901,707
|
IssuesEvent
|
2020-01-31 10:48:28
|
BuildingCityDashboards/bcd-dd-v2.1
|
https://api.github.com/repos/BuildingCityDashboards/bcd-dd-v2.1
|
opened
|
Architectural pattern specification
|
documentation
|
Document the architecture and functional layers of the dashboard framework
|
1.0
|
Architectural pattern specification - Document the architecture and functional layers of the dashboard framework
|
non_defect
|
architectural pattern specification document the architecture and functional layers of the dashboard framework
| 0
|
76,667
| 26,543,472,767
|
IssuesEvent
|
2023-01-19 21:25:55
|
idaholab/moose
|
https://api.github.com/repos/idaholab/moose
|
closed
|
Don't do WCNSFVFluxBC error in threads
|
T: defect P: normal
|
## Bug Description
When we do error in thread regions, we have the possibility of destroying a locked mutex or locking a destroyed mutex. See https://github.com/idaholab/moose/issues/20675#issuecomment-1383028757 and following comment
## Steps to Reproduce
Run any of the error tests for internal direction with threads
## Impact
Occasional failures on CIVET and improper error printing for users.
I thought I fixed this by going from `paramError` to `mooseError` but that just got past one data race. @grmnptr can we move this error check into the constructor? It will require more manual work but I think that's what's going to need to happen
|
1.0
|
Don't do WCNSFVFluxBC error in threads - ## Bug Description
When we do error in thread regions, we have the possibility of destroying a locked mutex or locking a destroyed mutex. See https://github.com/idaholab/moose/issues/20675#issuecomment-1383028757 and following comment
## Steps to Reproduce
Run any of the error tests for internal direction with threads
## Impact
Occasional failures on CIVET and improper error printing for users.
I thought I fixed this by going from `paramError` to `mooseError` but that just got past one data race. @grmnptr can we move this error check into the constructor? It will require more manual work but I think that's what's going to need to happen
|
defect
|
don t do wcnsfvfluxbc error in threads bug description when we do error in thread regions we have the possibility of destroying a locked mutex or locking a destroyed mutex see and following comment steps to reproduce run any of the error tests for internal direction with threads impact occasional failures on civet and improper error printing for users i thought i fixed this by going from paramerror to mooseerror but that just got past one data race grmnptr can we move this error check into the constructor it will require more manual work but i think that s what s going to need to happen
| 1
|
14,277
| 2,797,148,497
|
IssuesEvent
|
2015-05-12 12:12:55
|
CLO-ontology/CLO
|
https://api.github.com/repos/CLO-ontology/CLO
|
opened
|
Origin of the term resource should be recorded in CLO
|
auto-migrated Priority-Medium Type-Defect
|
<a href="https://github.com/GoogleCodeExporter"><img src="https://avatars.githubusercontent.com/u/9614759?v=3" align="left" width="96" height="96" hspace="10"></img></a> **Issue by [GoogleCodeExporter](https://github.com/GoogleCodeExporter)**
_Tuesday May 12, 2015 at 11:44 GMT_
_Originally opened as https://github.com/linikujp/clo-ontology/issues/7_
----
```
I think Cell Line Ontology is great to catalog all the cell lines from
different resource. However, it would be important to keep the origin of the
naming in the CLO.
For example,
[ Class: CCD 1102 KERTr cell
Term IRI: http://purl.obolibrary.org/obo/CLO_0002240
Annotations
alternative term: CCD 1102 KERTr
seeAlso: ATCC: CRL-2310
comment: disease: keratinocyte; HPV-16 E6/E7 transformed]
The annotation of this cell line is very poor. Maybe I am lack of background
information. The origin of this term should be given in the CLO, since CLO
collects cell lines from different databases. And different databases may have
different names pointing to same object.
Dose the seeAlso here means this term and CRL-2310 means the same cell line in
the ontology?
```
Original issue reported on code.google.com by `linik...@gmail.com` on 3 Oct 2013 at 4:53
|
1.0
|
Origin of the term resource should be recorded in CLO - <a href="https://github.com/GoogleCodeExporter"><img src="https://avatars.githubusercontent.com/u/9614759?v=3" align="left" width="96" height="96" hspace="10"></img></a> **Issue by [GoogleCodeExporter](https://github.com/GoogleCodeExporter)**
_Tuesday May 12, 2015 at 11:44 GMT_
_Originally opened as https://github.com/linikujp/clo-ontology/issues/7_
----
```
I think Cell Line Ontology is great to catalog all the cell lines from
different resource. However, it would be important to keep the origin of the
naming in the CLO.
For example,
[ Class: CCD 1102 KERTr cell
Term IRI: http://purl.obolibrary.org/obo/CLO_0002240
Annotations
alternative term: CCD 1102 KERTr
seeAlso: ATCC: CRL-2310
comment: disease: keratinocyte; HPV-16 E6/E7 transformed]
The annotation of this cell line is very poor. Maybe I am lack of background
information. The origin of this term should be given in the CLO, since CLO
collects cell lines from different databases. And different databases may have
different names pointing to same object.
Dose the seeAlso here means this term and CRL-2310 means the same cell line in
the ontology?
```
Original issue reported on code.google.com by `linik...@gmail.com` on 3 Oct 2013 at 4:53
|
defect
|
origin of the term resource should be recorded in clo issue by tuesday may at gmt originally opened as i think cell line ontology is great to catalog all the cell lines from different resource however it would be important to keep the origin of the naming in the clo for example class ccd kertr cell term iri annotations alternative term ccd kertr seealso atcc crl comment disease keratinocyte hpv transformed the annotation of this cell line is very poor maybe i am lack of background information the origin of this term should be given in the clo since clo collects cell lines from different databases and different databases may have different names pointing to same object dose the seealso here means this term and crl means the same cell line in the ontology original issue reported on code google com by linik gmail com on oct at
| 1
|
67,485
| 9,050,064,962
|
IssuesEvent
|
2019-02-12 07:27:45
|
USGS-Astrogeology/ISIS3
|
https://api.github.com/repos/USGS-Astrogeology/ISIS3
|
closed
|
Control Network document or glossary
|
documentation
|
---
Author Name: **Tracie Sucharski** (Tracie Sucharski)
Original Assignee: Travis Addair
---
A document or glossary needs to be written describing Control Networks, points, measures and all "keywords" within. A starting point might be the Word document that Jeff wrote several years ago which is attached and the Wiki on the new binary control networks.
Application documentation would then have links into this document|glossary where definitions would be provided.
|
1.0
|
Control Network document or glossary - ---
Author Name: **Tracie Sucharski** (Tracie Sucharski)
Original Assignee: Travis Addair
---
A document or glossary needs to be written describing Control Networks, points, measures and all "keywords" within. A starting point might be the Word document that Jeff wrote several years ago which is attached and the Wiki on the new binary control networks.
Application documentation would then have links into this document|glossary where definitions would be provided.
|
non_defect
|
control network document or glossary author name tracie sucharski tracie sucharski original assignee travis addair a document or glossary needs to be written describing control networks points measures and all keywords within a starting point might be the word document that jeff wrote several years ago which is attached and the wiki on the new binary control networks application documentation would then have links into this document glossary where definitions would be provided
| 0
|
12,013
| 2,675,472,316
|
IssuesEvent
|
2015-03-25 12:43:56
|
odtusoftwaretesting/homework1
|
https://api.github.com/repos/odtusoftwaretesting/homework1
|
opened
|
invalid PIN number
|
defect
|
Scenario
1) Enter an registered and valid card number "1"
2) Enter PIN code as "42"
3) System accepts and continue transaction
Expected Output : ATM should warn user “PIN was incorrect”
|
1.0
|
invalid PIN number - Scenario
1) Enter an registered and valid card number "1"
2) Enter PIN code as "42"
3) System accepts and continue transaction
Expected Output : ATM should warn user “PIN was incorrect”
|
defect
|
invalid pin number scenario enter an registered and valid card number enter pin code as system accepts and continue transaction expected output atm should warn user “pin was incorrect”
| 1
|
66,870
| 20,738,708,532
|
IssuesEvent
|
2022-03-14 15:46:57
|
department-of-veterans-affairs/va.gov-cms
|
https://api.github.com/repos/department-of-veterans-affairs/va.gov-cms
|
opened
|
Investigate root cause of CMS outage on March 11 & mitigate problem
|
Defect Needs refining
|
## Describe the defect
CMS went down when the deployment on Friday went out.
## To Reproduce
Deploy the CMS on or after March 11
## Expected behavior
CMS should not go down
## Additional context
* https://dsva.slack.com/archives/CT4GZBM8F/p1647031793691209
* https://docs.google.com/document/d/1qacI1C8B9Z40ULSYdcGmxlqlGc0wR0JhctDKd_tBRBw/edit
## Labels
(You can delete this section once it's complete)
- [x] Issue type (red) (defaults to "Defect")
- [ ] CMS subsystem (green)
- [ ] CMS practice area (blue)
- [x] CMS workstream (orange) (not needed for bug tickets)
- [ ] CMS-supported product (black)
### CMS Team
Please check the team(s) that will do this work.
- [ ] `CMS Program`
- [x] `Platform CMS Team`
- [ ] `Sitewide CMS Team ` (leave Sitewide unchecked and check the specific team instead)
- [ ] `⭐️ Content ops`
- [ ] `⭐️ CMS experience`
- [ ] `⭐️ Offices`
- [ ] `⭐️ Product support`
- [ ] `⭐️ User support`
|
1.0
|
Investigate root cause of CMS outage on March 11 & mitigate problem - ## Describe the defect
CMS went down when the deployment on Friday went out.
## To Reproduce
Deploy the CMS on or after March 11
## Expected behavior
CMS should not go down
## Additional context
* https://dsva.slack.com/archives/CT4GZBM8F/p1647031793691209
* https://docs.google.com/document/d/1qacI1C8B9Z40ULSYdcGmxlqlGc0wR0JhctDKd_tBRBw/edit
## Labels
(You can delete this section once it's complete)
- [x] Issue type (red) (defaults to "Defect")
- [ ] CMS subsystem (green)
- [ ] CMS practice area (blue)
- [x] CMS workstream (orange) (not needed for bug tickets)
- [ ] CMS-supported product (black)
### CMS Team
Please check the team(s) that will do this work.
- [ ] `CMS Program`
- [x] `Platform CMS Team`
- [ ] `Sitewide CMS Team ` (leave Sitewide unchecked and check the specific team instead)
- [ ] `⭐️ Content ops`
- [ ] `⭐️ CMS experience`
- [ ] `⭐️ Offices`
- [ ] `⭐️ Product support`
- [ ] `⭐️ User support`
|
defect
|
investigate root cause of cms outage on march mitigate problem describe the defect cms went down when the deployment on friday went out to reproduce deploy the cms on or after march expected behavior cms should not go down additional context labels you can delete this section once it s complete issue type red defaults to defect cms subsystem green cms practice area blue cms workstream orange not needed for bug tickets cms supported product black cms team please check the team s that will do this work cms program platform cms team sitewide cms team leave sitewide unchecked and check the specific team instead ⭐️ content ops ⭐️ cms experience ⭐️ offices ⭐️ product support ⭐️ user support
| 1
|
20,041
| 6,808,220,693
|
IssuesEvent
|
2017-11-04 00:07:10
|
moby/moby
|
https://api.github.com/repos/moby/moby
|
closed
|
Docker fails to build with --stream with a large context
|
area/builder kind/bug platform/desktop version/17.10
|
<!--
If you are reporting a new issue, make sure that we do not have any duplicates
already open. You can ensure this by searching the issue list for this
repository. If there is a duplicate, please close your issue and add a comment
to the existing issue instead.
If you suspect your issue is a bug, please edit your issue description to
include the BUG REPORT INFORMATION shown below. If you fail to provide this
information within 7 days, we cannot debug your issue and will close it. We
will, however, reopen it if you later provide the information.
For more information about reporting issues, see
https://github.com/docker/docker/blob/master/CONTRIBUTING.md#reporting-other-issues
---------------------------------------------------
GENERAL SUPPORT INFORMATION
---------------------------------------------------
The GitHub issue tracker is for bug reports and feature requests.
General support can be found at the following locations:
- Docker Support Forums - https://forums.docker.com
- IRC - irc.freenode.net #docker channel
- Post a question on StackOverflow, using the Docker tag
---------------------------------------------------
BUG REPORT INFORMATION
---------------------------------------------------
Use the commands below to provide key information from your environment:
You do NOT have to include this information if this is a FEATURE REQUEST
-->
**Description**
Docker fails to build with --stream with a large context, it fails when context is a few hundred megabytes.
**Steps to reproduce the issue:**
1. `cd $(mktemp -d)`
2. `echo -e 'FROM scratch\nCOPY largefile /' >Dockerfile`
3. `dd if=/dev/zero of=largefile bs=1m count=1000`
3. `docker build .; echo 'stream: '; docker build --stream .`
**Describe the results you received:**
Sending build context to Docker daemon 1.049GB
Step 1/2 : FROM scratch
--->
Step 2/2 : COPY asd /
---> 50788e98b45d
Successfully built 50788e98b45d
stream:
Streaming build context to Docker daemon 450.6MB
Error response from daemon: failed to copy to /var/lib/docker/builder/4a1266e2e29104f0568c2ac922bb2915c3b03ab7564ee4434114747fc778b73d: rpc error: code = DeadlineExceeded desc = context deadline exceeded
**Describe the results you expected:**
Docker should build the image correctly, without timeout, as happens when not using --stream flag.
**Additional information you deem important (e.g. issue happens only occasionally):**
It doesn't seem to be a matter directly of size - when timing the docker builds, they all seem
to fail around the 5 second mark, with varying amount of data being streamed. The issue also appears on Linux hosts.
**Output of `docker version`:**
```
Client:
Version: 17.10.0-ce
API version: 1.33
Go version: go1.8.3
Git commit: f4ffd25
Built: Tue Oct 17 19:00:43 2017
OS/Arch: darwin/amd64
Server:
Version: 17.10.0-ce
API version: 1.33 (minimum version 1.12)
Go version: go1.8.3
Git commit: f4ffd25
Built: Tue Oct 17 19:05:23 2017
OS/Arch: linux/amd64
Experimental: true
```
**Output of `docker info`:**
```
Containers: 0
Running: 0
Paused: 0
Stopped: 0
Images: 3
Server Version: 17.10.0-ce
Storage Driver: overlay2
Backing Filesystem: extfs
Supports d_type: true
Native Overlay Diff: true
Logging Driver: json-file
Cgroup Driver: cgroupfs
Plugins:
Volume: local
Network: bridge host ipvlan macvlan null overlay
Log: awslogs fluentd gcplogs gelf journald json-file logentries splunk syslog
Swarm: inactive
Runtimes: runc
Default Runtime: runc
Init Binary: docker-init
containerd version: 06b9cb35161009dcb7123345749fef02f7cea8e0
runc version: 0351df1c5a66838d0c392b4ac4cf9450de844e2d
init version: 949e6fa
Security Options:
seccomp
Profile: default
Kernel Version: 4.9.44-linuxkit-aufs
Operating System: Docker for Mac
OSType: linux
Architecture: x86_64
CPUs: 4
Total Memory: 1.952GiB
Name: linuxkit-025000000001
ID: EFEJ:FQC3:F7ZD:5HC5:4ZJY:DCIQ:2F6C:TB2J:HED6:VAWL:S4B4:37OC
Docker Root Dir: /var/lib/docker
Debug Mode (client): true
Debug Mode (server): true
File Descriptors: 20
Goroutines: 32
System Time: 2017-11-03T04:37:36.093403793Z
EventsListeners: 2
No Proxy: *.local, 169.254/16
Registry: https://index.docker.io/v1/
Experimental: true
Insecure Registries:
127.0.0.0/8
Live Restore Enabled: false
```
**Additional environment details (AWS, VirtualBox, physical, etc.):**
Running on physical host, also happens under virtualized environments
|
1.0
|
Docker fails to build with --stream with a large context - <!--
If you are reporting a new issue, make sure that we do not have any duplicates
already open. You can ensure this by searching the issue list for this
repository. If there is a duplicate, please close your issue and add a comment
to the existing issue instead.
If you suspect your issue is a bug, please edit your issue description to
include the BUG REPORT INFORMATION shown below. If you fail to provide this
information within 7 days, we cannot debug your issue and will close it. We
will, however, reopen it if you later provide the information.
For more information about reporting issues, see
https://github.com/docker/docker/blob/master/CONTRIBUTING.md#reporting-other-issues
---------------------------------------------------
GENERAL SUPPORT INFORMATION
---------------------------------------------------
The GitHub issue tracker is for bug reports and feature requests.
General support can be found at the following locations:
- Docker Support Forums - https://forums.docker.com
- IRC - irc.freenode.net #docker channel
- Post a question on StackOverflow, using the Docker tag
---------------------------------------------------
BUG REPORT INFORMATION
---------------------------------------------------
Use the commands below to provide key information from your environment:
You do NOT have to include this information if this is a FEATURE REQUEST
-->
**Description**
Docker fails to build with --stream with a large context, it fails when context is a few hundred megabytes.
**Steps to reproduce the issue:**
1. `cd $(mktemp -d)`
2. `echo -e 'FROM scratch\nCOPY largefile /' >Dockerfile`
3. `dd if=/dev/zero of=largefile bs=1m count=1000`
3. `docker build .; echo 'stream: '; docker build --stream .`
**Describe the results you received:**
Sending build context to Docker daemon 1.049GB
Step 1/2 : FROM scratch
--->
Step 2/2 : COPY asd /
---> 50788e98b45d
Successfully built 50788e98b45d
stream:
Streaming build context to Docker daemon 450.6MB
Error response from daemon: failed to copy to /var/lib/docker/builder/4a1266e2e29104f0568c2ac922bb2915c3b03ab7564ee4434114747fc778b73d: rpc error: code = DeadlineExceeded desc = context deadline exceeded
**Describe the results you expected:**
Docker should build the image correctly, without timeout, as happens when not using --stream flag.
**Additional information you deem important (e.g. issue happens only occasionally):**
It doesn't seem to be a matter directly of size - when timing the docker builds, they all seem
to fail around the 5 second mark, with varying amount of data being streamed. The issue also appears on Linux hosts.
**Output of `docker version`:**
```
Client:
Version: 17.10.0-ce
API version: 1.33
Go version: go1.8.3
Git commit: f4ffd25
Built: Tue Oct 17 19:00:43 2017
OS/Arch: darwin/amd64
Server:
Version: 17.10.0-ce
API version: 1.33 (minimum version 1.12)
Go version: go1.8.3
Git commit: f4ffd25
Built: Tue Oct 17 19:05:23 2017
OS/Arch: linux/amd64
Experimental: true
```
**Output of `docker info`:**
```
Containers: 0
Running: 0
Paused: 0
Stopped: 0
Images: 3
Server Version: 17.10.0-ce
Storage Driver: overlay2
Backing Filesystem: extfs
Supports d_type: true
Native Overlay Diff: true
Logging Driver: json-file
Cgroup Driver: cgroupfs
Plugins:
Volume: local
Network: bridge host ipvlan macvlan null overlay
Log: awslogs fluentd gcplogs gelf journald json-file logentries splunk syslog
Swarm: inactive
Runtimes: runc
Default Runtime: runc
Init Binary: docker-init
containerd version: 06b9cb35161009dcb7123345749fef02f7cea8e0
runc version: 0351df1c5a66838d0c392b4ac4cf9450de844e2d
init version: 949e6fa
Security Options:
seccomp
Profile: default
Kernel Version: 4.9.44-linuxkit-aufs
Operating System: Docker for Mac
OSType: linux
Architecture: x86_64
CPUs: 4
Total Memory: 1.952GiB
Name: linuxkit-025000000001
ID: EFEJ:FQC3:F7ZD:5HC5:4ZJY:DCIQ:2F6C:TB2J:HED6:VAWL:S4B4:37OC
Docker Root Dir: /var/lib/docker
Debug Mode (client): true
Debug Mode (server): true
File Descriptors: 20
Goroutines: 32
System Time: 2017-11-03T04:37:36.093403793Z
EventsListeners: 2
No Proxy: *.local, 169.254/16
Registry: https://index.docker.io/v1/
Experimental: true
Insecure Registries:
127.0.0.0/8
Live Restore Enabled: false
```
**Additional environment details (AWS, VirtualBox, physical, etc.):**
Running on physical host, also happens under virtualized environments
|
non_defect
|
docker fails to build with stream with a large context if you are reporting a new issue make sure that we do not have any duplicates already open you can ensure this by searching the issue list for this repository if there is a duplicate please close your issue and add a comment to the existing issue instead if you suspect your issue is a bug please edit your issue description to include the bug report information shown below if you fail to provide this information within days we cannot debug your issue and will close it we will however reopen it if you later provide the information for more information about reporting issues see general support information the github issue tracker is for bug reports and feature requests general support can be found at the following locations docker support forums irc irc freenode net docker channel post a question on stackoverflow using the docker tag bug report information use the commands below to provide key information from your environment you do not have to include this information if this is a feature request description docker fails to build with stream with a large context it fails when context is a few hundred megabytes steps to reproduce the issue cd mktemp d echo e from scratch ncopy largefile dockerfile dd if dev zero of largefile bs count docker build echo stream docker build stream describe the results you received sending build context to docker daemon step from scratch step copy asd successfully built stream streaming build context to docker daemon error response from daemon failed to copy to var lib docker builder rpc error code deadlineexceeded desc context deadline exceeded describe the results you expected docker should build the image correctly without timeout as happens when not using stream flag additional information you deem important e g issue happens only occasionally it doesn t seem to be a matter directly of size when timing the docker builds they all seem to fail around the second mark with varying amount of data being streamed the issue also appears on linux hosts output of docker version client version ce api version go version git commit built tue oct os arch darwin server version ce api version minimum version go version git commit built tue oct os arch linux experimental true output of docker info containers running paused stopped images server version ce storage driver backing filesystem extfs supports d type true native overlay diff true logging driver json file cgroup driver cgroupfs plugins volume local network bridge host ipvlan macvlan null overlay log awslogs fluentd gcplogs gelf journald json file logentries splunk syslog swarm inactive runtimes runc default runtime runc init binary docker init containerd version runc version init version security options seccomp profile default kernel version linuxkit aufs operating system docker for mac ostype linux architecture cpus total memory name linuxkit id efej dciq vawl docker root dir var lib docker debug mode client true debug mode server true file descriptors goroutines system time eventslisteners no proxy local registry experimental true insecure registries live restore enabled false additional environment details aws virtualbox physical etc running on physical host also happens under virtualized environments
| 0
|
76,269
| 26,338,624,041
|
IssuesEvent
|
2023-01-10 16:02:41
|
matrix-org/dendrite
|
https://api.github.com/repos/matrix-org/dendrite
|
closed
|
Signing in with uppercase username breaks device list updates
|
T-Defect S-Major F-Registration
|
<!--
All bug reports must provide the following background information
Text between <!-- and --> marks will be invisible in the report.
IF YOUR ISSUE IS CONSIDERED A SECURITY VULNERABILITY THEN PLEASE STOP
AND DO NOT POST IT AS A GITHUB ISSUE! Please report the issue responsibly by
disclosing in private by email to security@matrix.org instead. For more details, please
see: https://www.matrix.org/security-disclosure-policy/
-->
### Background information
<!-- Please include versions of all software when known e.g database versions, docker versions, client versions -->
- **Dendrite version or git SHA**: 0.10.8+ed497aa
- **Monolith or Polylith?**: Monolith
- **SQLite3 or Postgres?**: sqlite
- **Running in Docker?**: yes
- **`go version`**:
- **Client used (if applicable)**: famedlysdk, but shouldn't matter
### Description
- **What** is the problem: If I sign in using `Bob` instead of `bob`, I get a device list update for `@Bob:localhost` instead of `@bob:localhost` with only one entry
- **Who** is affected: Uhhh, everyone who uses an uppercase username to sign in?
- **How** is this bug manifesting: Wrong device lists, that break e2ee
- **When** did this first appear:
<!--
Examples of good descriptions:
- What: "I cannot log in, getting HTTP 500 responses"
- Who: "Clients on my server"
- How: "Errors in the logs saying 500 internal server error"
- When: "After upgrading to 0.3.0"
- What: "Dendrite ran out of memory"
- Who: "Server admin"
- How: "Lots of logs about device change updates"
- When: "After my server joined Matrix HQ"
Examples of bad descriptions:
- What: "Can't send messages" - This is bad because it isn't specfic enough. Which endpoint isn't working and what is the response code? Does the message send but encryption fail?
- Who: "Me" - Who are you? Running the server or a user on a Dendrite server?
- How: "Can't send messages" - Same as "What".
- When: "1 day ago" - It's impossible to know what changed 1 day ago without further input.
-->
### Steps to reproduce
<!-- Please try reproducing this bug before submitting it. Issues which cannot be reproduced risk being closed. -->
- curl -fS -XPOST -d '{"username":"bob", "password":"Something", "inhibit_login":true, "auth": {"type":"m.login.dummy"}}' "http://$IP_ADDRESS/_matrix/client/r0/register"
- then login using Bob as the identifier for the user
- login succeeds
- If you share an encrypted room with bob, you will get a device list update for `@Bob:servername` instead of `@bob:servername`
<!--
Describe how what happens differs from what you expected.
If you can identify any relevant log snippets from server logs, please include
those (please be careful to remove any personal or private data). Please surround them with
``` (three backticks, on a line on their own), so that they are formatted legibly.
Alternatively, please send logs to @kegan:matrix.org or @neilalexander:matrix.org
with a link to the respective Github issue, thanks!
-->
I would expect device lists to always use the exact mxid instead of the casing from /login.
Logs:
```
# Normal login using "bob"
Updating device keys for {@bob:famedlysdk.test: []}
Response {@bob:famedlysdk.test: {pnv71Ijt: Instance of 'MatrixDeviceKeys'}}
# Login using "Bob"
[Matrix] Successfully connected as Bob with http://127.0.0.1
Updating device keys for {@Bob:famedlysdk.test: []}
Response {@Bob:famedlysdk.test: {2Cfqnc6M: Instance of 'MatrixDeviceKeys'}}
```
Notice how the latter does not include the devices form "bob" and uses the wrong mxid in the response.
|
1.0
|
Signing in with uppercase username breaks device list updates - <!--
All bug reports must provide the following background information
Text between <!-- and --> marks will be invisible in the report.
IF YOUR ISSUE IS CONSIDERED A SECURITY VULNERABILITY THEN PLEASE STOP
AND DO NOT POST IT AS A GITHUB ISSUE! Please report the issue responsibly by
disclosing in private by email to security@matrix.org instead. For more details, please
see: https://www.matrix.org/security-disclosure-policy/
-->
### Background information
<!-- Please include versions of all software when known e.g database versions, docker versions, client versions -->
- **Dendrite version or git SHA**: 0.10.8+ed497aa
- **Monolith or Polylith?**: Monolith
- **SQLite3 or Postgres?**: sqlite
- **Running in Docker?**: yes
- **`go version`**:
- **Client used (if applicable)**: famedlysdk, but shouldn't matter
### Description
- **What** is the problem: If I sign in using `Bob` instead of `bob`, I get a device list update for `@Bob:localhost` instead of `@bob:localhost` with only one entry
- **Who** is affected: Uhhh, everyone who uses an uppercase username to sign in?
- **How** is this bug manifesting: Wrong device lists, that break e2ee
- **When** did this first appear:
<!--
Examples of good descriptions:
- What: "I cannot log in, getting HTTP 500 responses"
- Who: "Clients on my server"
- How: "Errors in the logs saying 500 internal server error"
- When: "After upgrading to 0.3.0"
- What: "Dendrite ran out of memory"
- Who: "Server admin"
- How: "Lots of logs about device change updates"
- When: "After my server joined Matrix HQ"
Examples of bad descriptions:
- What: "Can't send messages" - This is bad because it isn't specfic enough. Which endpoint isn't working and what is the response code? Does the message send but encryption fail?
- Who: "Me" - Who are you? Running the server or a user on a Dendrite server?
- How: "Can't send messages" - Same as "What".
- When: "1 day ago" - It's impossible to know what changed 1 day ago without further input.
-->
### Steps to reproduce
<!-- Please try reproducing this bug before submitting it. Issues which cannot be reproduced risk being closed. -->
- curl -fS -XPOST -d '{"username":"bob", "password":"Something", "inhibit_login":true, "auth": {"type":"m.login.dummy"}}' "http://$IP_ADDRESS/_matrix/client/r0/register"
- then login using Bob as the identifier for the user
- login succeeds
- If you share an encrypted room with bob, you will get a device list update for `@Bob:servername` instead of `@bob:servername`
<!--
Describe how what happens differs from what you expected.
If you can identify any relevant log snippets from server logs, please include
those (please be careful to remove any personal or private data). Please surround them with
``` (three backticks, on a line on their own), so that they are formatted legibly.
Alternatively, please send logs to @kegan:matrix.org or @neilalexander:matrix.org
with a link to the respective Github issue, thanks!
-->
I would expect device lists to always use the exact mxid instead of the casing from /login.
Logs:
```
# Normal login using "bob"
Updating device keys for {@bob:famedlysdk.test: []}
Response {@bob:famedlysdk.test: {pnv71Ijt: Instance of 'MatrixDeviceKeys'}}
# Login using "Bob"
[Matrix] Successfully connected as Bob with http://127.0.0.1
Updating device keys for {@Bob:famedlysdk.test: []}
Response {@Bob:famedlysdk.test: {2Cfqnc6M: Instance of 'MatrixDeviceKeys'}}
```
Notice how the latter does not include the devices form "bob" and uses the wrong mxid in the response.
|
defect
|
signing in with uppercase username breaks device list updates all bug reports must provide the following background information text between marks will be invisible in the report if your issue is considered a security vulnerability then please stop and do not post it as a github issue please report the issue responsibly by disclosing in private by email to security matrix org instead for more details please see background information dendrite version or git sha monolith or polylith monolith or postgres sqlite running in docker yes go version client used if applicable famedlysdk but shouldn t matter description what is the problem if i sign in using bob instead of bob i get a device list update for bob localhost instead of bob localhost with only one entry who is affected uhhh everyone who uses an uppercase username to sign in how is this bug manifesting wrong device lists that break when did this first appear examples of good descriptions what i cannot log in getting http responses who clients on my server how errors in the logs saying internal server error when after upgrading to what dendrite ran out of memory who server admin how lots of logs about device change updates when after my server joined matrix hq examples of bad descriptions what can t send messages this is bad because it isn t specfic enough which endpoint isn t working and what is the response code does the message send but encryption fail who me who are you running the server or a user on a dendrite server how can t send messages same as what when day ago it s impossible to know what changed day ago without further input steps to reproduce curl fs xpost d username bob password something inhibit login true auth type m login dummy then login using bob as the identifier for the user login succeeds if you share an encrypted room with bob you will get a device list update for bob servername instead of bob servername describe how what happens differs from what you expected if you can identify any relevant log snippets from server logs please include those please be careful to remove any personal or private data please surround them with three backticks on a line on their own so that they are formatted legibly alternatively please send logs to kegan matrix org or neilalexander matrix org with a link to the respective github issue thanks i would expect device lists to always use the exact mxid instead of the casing from login logs normal login using bob updating device keys for bob famedlysdk test response bob famedlysdk test instance of matrixdevicekeys login using bob successfully connected as bob with updating device keys for bob famedlysdk test response bob famedlysdk test instance of matrixdevicekeys notice how the latter does not include the devices form bob and uses the wrong mxid in the response
| 1
|
67,495
| 20,970,272,049
|
IssuesEvent
|
2022-03-28 10:41:09
|
vector-im/element-web
|
https://api.github.com/repos/vector-im/element-web
|
closed
|
Hovering over a mention pill in a message hides the timestamp
|
T-Defect S-Tolerable A-Timeline Help Wanted A-Pills O-Uncommon good first issue
|
but the hover state for the tile is otherwise maintained.
|
1.0
|
Hovering over a mention pill in a message hides the timestamp - but the hover state for the tile is otherwise maintained.
|
defect
|
hovering over a mention pill in a message hides the timestamp but the hover state for the tile is otherwise maintained
| 1
|
350,915
| 10,510,599,583
|
IssuesEvent
|
2019-09-27 13:46:46
|
AbsaOSS/enceladus
|
https://api.github.com/repos/AbsaOSS/enceladus
|
closed
|
Support SSL option on Mongo connection
|
Menas bug priority: high
|
It seems that the way Mongo connection is initialised currently doesn't support the SSL option.
|
1.0
|
Support SSL option on Mongo connection - It seems that the way Mongo connection is initialised currently doesn't support the SSL option.
|
non_defect
|
support ssl option on mongo connection it seems that the way mongo connection is initialised currently doesn t support the ssl option
| 0
|
8,689
| 2,611,536,137
|
IssuesEvent
|
2015-02-27 06:05:57
|
chrsmith/hedgewars
|
https://api.github.com/repos/chrsmith/hedgewars
|
closed
|
Player flags aren't applied in chat widget
|
auto-migrated Component-QtFrontend OpSys-All Priority-Medium ReleaseBug-0.9.20 Type-Defect
|
```
What steps will reproduce the problem?
1. Join server
2. See players marked as being in room while they're in lobby (maybe admins
only?)
What is the expected output? What do you see instead?
Frontend output and screenshot:
Server: ("LOBBY:JOINED", "unC0Rr", "Guest27171", "nemo", "Matisumi",
"MisterJorge", "Waredark", "UNQ", "watch ur bak", "killer_dude", "Guest31856",
"simbaamar", "???=? phew", "Pauly")
Client: ("LIST")
Leaving PAGE_CONNECTING, entering PAGE_ROOMSLIST
Server: ("CLIENT_FLAGS", "+u", "nemo", "Matisumi", "MisterJorge", Waredark",
"simbaamar")
Server: ("CLIENT_FLAGS", "+a", "nemo")
Server: ("CLIENT_FLAGS", "+c", "nemo")
Server: ("CLIENT_FLAGS", "+i", "Guest27171", "MisterJorge", "Waredark",
"UNQ","watch ur bak", "killer_dude", "Guest31856", "simbaamar", "Pauly")
Server: ("CLIENT_FLAGS", "+uac", "unC0Rr")
http://i40.tinypic.com/2im1j5h.png
What version of the product are you using? On what operating system?
.20, .21-dev
```
Original issue reported on code.google.com by `unC0Rr` on 23 Jan 2014 at 6:52
|
1.0
|
Player flags aren't applied in chat widget - ```
What steps will reproduce the problem?
1. Join server
2. See players marked as being in room while they're in lobby (maybe admins
only?)
What is the expected output? What do you see instead?
Frontend output and screenshot:
Server: ("LOBBY:JOINED", "unC0Rr", "Guest27171", "nemo", "Matisumi",
"MisterJorge", "Waredark", "UNQ", "watch ur bak", "killer_dude", "Guest31856",
"simbaamar", "???=? phew", "Pauly")
Client: ("LIST")
Leaving PAGE_CONNECTING, entering PAGE_ROOMSLIST
Server: ("CLIENT_FLAGS", "+u", "nemo", "Matisumi", "MisterJorge", Waredark",
"simbaamar")
Server: ("CLIENT_FLAGS", "+a", "nemo")
Server: ("CLIENT_FLAGS", "+c", "nemo")
Server: ("CLIENT_FLAGS", "+i", "Guest27171", "MisterJorge", "Waredark",
"UNQ","watch ur bak", "killer_dude", "Guest31856", "simbaamar", "Pauly")
Server: ("CLIENT_FLAGS", "+uac", "unC0Rr")
http://i40.tinypic.com/2im1j5h.png
What version of the product are you using? On what operating system?
.20, .21-dev
```
Original issue reported on code.google.com by `unC0Rr` on 23 Jan 2014 at 6:52
|
defect
|
player flags aren t applied in chat widget what steps will reproduce the problem join server see players marked as being in room while they re in lobby maybe admins only what is the expected output what do you see instead frontend output and screenshot server lobby joined nemo matisumi misterjorge waredark unq watch ur bak killer dude simbaamar phew pauly client list leaving page connecting entering page roomslist server client flags u nemo matisumi misterjorge waredark simbaamar server client flags a nemo server client flags c nemo server client flags i misterjorge waredark unq watch ur bak killer dude simbaamar pauly server client flags uac what version of the product are you using on what operating system dev original issue reported on code google com by on jan at
| 1
|
168,475
| 14,149,666,060
|
IssuesEvent
|
2020-11-11 01:25:48
|
intel/cve-bin-tool
|
https://api.github.com/repos/intel/cve-bin-tool
|
closed
|
Documentation: Versioned documentation for readthedocs
|
documentation enhancement
|
I've got the documents publishing correctly at https://cve-bin-tool.readthedocs.io/en/latest/ now.
Read the Docs supports document versioning, but not the way we have it set up (as per-version directories under doc/) so this issue is a reminder to figure out how we should do that correctly. For now, they're linked as individual indexes, so the information is there if you want it, but it's not very elegant.
I don't particularly *like* our current setup (it was a stop-gap until we got rtd set up) so we probably want to put each set of docs in its own branch or whatever it is that works for rtd, rather than trying to preserve our current hack.
|
1.0
|
Documentation: Versioned documentation for readthedocs - I've got the documents publishing correctly at https://cve-bin-tool.readthedocs.io/en/latest/ now.
Read the Docs supports document versioning, but not the way we have it set up (as per-version directories under doc/) so this issue is a reminder to figure out how we should do that correctly. For now, they're linked as individual indexes, so the information is there if you want it, but it's not very elegant.
I don't particularly *like* our current setup (it was a stop-gap until we got rtd set up) so we probably want to put each set of docs in its own branch or whatever it is that works for rtd, rather than trying to preserve our current hack.
|
non_defect
|
documentation versioned documentation for readthedocs i ve got the documents publishing correctly at now read the docs supports document versioning but not the way we have it set up as per version directories under doc so this issue is a reminder to figure out how we should do that correctly for now they re linked as individual indexes so the information is there if you want it but it s not very elegant i don t particularly like our current setup it was a stop gap until we got rtd set up so we probably want to put each set of docs in its own branch or whatever it is that works for rtd rather than trying to preserve our current hack
| 0
|
6,992
| 2,610,321,014
|
IssuesEvent
|
2015-02-26 19:43:34
|
chrsmith/republic-at-war
|
https://api.github.com/repos/chrsmith/republic-at-war
|
closed
|
Map Issue
|
auto-migrated Priority-Medium Type-Defect
|
```
pathing for the bridges on foerest could use some work, units always have to
stop and line up at the right point before crossing it
there is a small bridge you need to cross from your reinfornment point
"island". I've had instances where my units are literally IN the bridge as they
are crossing it.
```
-----
Original issue reported on code.google.com by `z3r0...@gmail.com` on 8 May 2011 at 11:52
|
1.0
|
Map Issue - ```
pathing for the bridges on foerest could use some work, units always have to
stop and line up at the right point before crossing it
there is a small bridge you need to cross from your reinfornment point
"island". I've had instances where my units are literally IN the bridge as they
are crossing it.
```
-----
Original issue reported on code.google.com by `z3r0...@gmail.com` on 8 May 2011 at 11:52
|
defect
|
map issue pathing for the bridges on foerest could use some work units always have to stop and line up at the right point before crossing it there is a small bridge you need to cross from your reinfornment point island i ve had instances where my units are literally in the bridge as they are crossing it original issue reported on code google com by gmail com on may at
| 1
|
343,634
| 30,679,665,093
|
IssuesEvent
|
2023-07-26 08:19:13
|
opensearch-project/OpenSearch
|
https://api.github.com/repos/opensearch-project/OpenSearch
|
closed
|
[BUG] org.opensearch.remotestore.SegmentReplicationRemoteStoreIT.testReplicaHasDiffFilesThanPrimary is flaky
|
bug >test-failure durability flaky-test
|
#### Describe the bug
org.opensearch.remotestore.SegmentReplicationRemoteStoreIT.testReplicaHasDiffFilesThanPrimary is flaky
```
2> java.lang.AssertionError: timed out waiting for green state
at org.junit.Assert.fail(Assert.java:89)
at org.opensearch.test.OpenSearchIntegTestCase.ensureColor(OpenSearchIntegTestCase.java:1002)
at org.opensearch.test.OpenSearchIntegTestCase.ensureGreen(OpenSearchIntegTestCase.java:933)
at org.opensearch.test.OpenSearchIntegTestCase.ensureGreen(OpenSearchIntegTestCase.java:922)
at org.opensearch.indices.replication.SegmentReplicationIT.testReplicaHasDiffFilesThanPrimary(SegmentReplicationIT.java:780)
at java.base/jdk.internal.reflect.DirectMethodHandleAccessor.invoke(DirectMethodHandleAccessor.java:104)
at java.base/java.lang.reflect.Method.invoke(Method.java:578)
at com.carrotsearch.randomizedtesting.RandomizedRunner.invoke(RandomizedRunner.java:1750)
at com.carrotsearch.randomizedtesting.RandomizedRunner$8.evaluate(RandomizedRunner.java:938)
at com.carrotsearch.randomizedtesting.RandomizedRunner$9.evaluate(RandomizedRunner.java:974)
at com.carrotsearch.randomizedtesting.RandomizedRunner$10.evaluate(RandomizedRunner.java:988)
at com.carrotsearch.randomizedtesting.rules.StatementAdapter.evaluate(StatementAdapter.java:36)
at org.junit.rules.RunRules.evaluate(RunRules.java:20)
.
.
.
com.carrotsearch.randomizedtesting.UncaughtExceptionError: Captured an uncaught exception in thread: Thread[id=84, name=opensearch[node_t3][generic][T#1], state=RUNNABLE, group=TGRP-SegmentReplicationRemoteStoreIT]
Caused by:
java.lang.AssertionError: file (name [segment_infos_snapshot_filename__3], reused [false], length [395], recovered [477])
at __randomizedtesting.SeedInfo.seed([E05CF3CB304D9302]:0)
at org.opensearch.index.shard.StoreRecovery$StatsDirectoryWrapper.copyFrom(StoreRecovery.java:316)
at org.opensearch.index.shard.IndexShard.syncSegmentsFromRemoteSegmentStore(IndexShard.java:4520)
at org.opensearch.indices.recovery.PeerRecoveryTargetService.doRecovery(PeerRecoveryTargetService.java:248)
at org.opensearch.indices.recovery.PeerRecoveryTargetService$RecoveryRunner.doRun(PeerRecoveryTargetService.java:604)
at org.opensearch.common.util.concurrent.ThreadContext$ContextPreservingAbstractRunnable.doRun(ThreadContext.java:806)
at org.opensearch.common.util.concurrent.AbstractRunnable.run(AbstractRunnable.java:52)
at java.base/java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1144)
at java.base/java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:642) at java.base/java.lang.Thread.run(Thread.java:1589)
```
#### To Reproduce
```
./gradlew ':server:internalClusterTest' --tests "org.opensearch.remotestore.SegmentReplicationRemoteStoreIT.testReplicaHasDiffFilesThanPrimary" -Dtests.seed=E05CF3CB304D9302 -Dtests.security.manager=true -Dtests.jvm.argline="-XX:TieredStopAtLevel=1 -XX:ReservedCodeCacheSize=64m" -Dtests.locale=en-CA -Dtests.timezone=Asia/Kolkata -Druntime.java=19
```
#### Additional Context
https://build.ci.opensearch.org/job/gradle-check/15752/consoleFull
|
2.0
|
[BUG] org.opensearch.remotestore.SegmentReplicationRemoteStoreIT.testReplicaHasDiffFilesThanPrimary is flaky - #### Describe the bug
org.opensearch.remotestore.SegmentReplicationRemoteStoreIT.testReplicaHasDiffFilesThanPrimary is flaky
```
2> java.lang.AssertionError: timed out waiting for green state
at org.junit.Assert.fail(Assert.java:89)
at org.opensearch.test.OpenSearchIntegTestCase.ensureColor(OpenSearchIntegTestCase.java:1002)
at org.opensearch.test.OpenSearchIntegTestCase.ensureGreen(OpenSearchIntegTestCase.java:933)
at org.opensearch.test.OpenSearchIntegTestCase.ensureGreen(OpenSearchIntegTestCase.java:922)
at org.opensearch.indices.replication.SegmentReplicationIT.testReplicaHasDiffFilesThanPrimary(SegmentReplicationIT.java:780)
at java.base/jdk.internal.reflect.DirectMethodHandleAccessor.invoke(DirectMethodHandleAccessor.java:104)
at java.base/java.lang.reflect.Method.invoke(Method.java:578)
at com.carrotsearch.randomizedtesting.RandomizedRunner.invoke(RandomizedRunner.java:1750)
at com.carrotsearch.randomizedtesting.RandomizedRunner$8.evaluate(RandomizedRunner.java:938)
at com.carrotsearch.randomizedtesting.RandomizedRunner$9.evaluate(RandomizedRunner.java:974)
at com.carrotsearch.randomizedtesting.RandomizedRunner$10.evaluate(RandomizedRunner.java:988)
at com.carrotsearch.randomizedtesting.rules.StatementAdapter.evaluate(StatementAdapter.java:36)
at org.junit.rules.RunRules.evaluate(RunRules.java:20)
.
.
.
com.carrotsearch.randomizedtesting.UncaughtExceptionError: Captured an uncaught exception in thread: Thread[id=84, name=opensearch[node_t3][generic][T#1], state=RUNNABLE, group=TGRP-SegmentReplicationRemoteStoreIT]
Caused by:
java.lang.AssertionError: file (name [segment_infos_snapshot_filename__3], reused [false], length [395], recovered [477])
at __randomizedtesting.SeedInfo.seed([E05CF3CB304D9302]:0)
at org.opensearch.index.shard.StoreRecovery$StatsDirectoryWrapper.copyFrom(StoreRecovery.java:316)
at org.opensearch.index.shard.IndexShard.syncSegmentsFromRemoteSegmentStore(IndexShard.java:4520)
at org.opensearch.indices.recovery.PeerRecoveryTargetService.doRecovery(PeerRecoveryTargetService.java:248)
at org.opensearch.indices.recovery.PeerRecoveryTargetService$RecoveryRunner.doRun(PeerRecoveryTargetService.java:604)
at org.opensearch.common.util.concurrent.ThreadContext$ContextPreservingAbstractRunnable.doRun(ThreadContext.java:806)
at org.opensearch.common.util.concurrent.AbstractRunnable.run(AbstractRunnable.java:52)
at java.base/java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1144)
at java.base/java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:642) at java.base/java.lang.Thread.run(Thread.java:1589)
```
#### To Reproduce
```
./gradlew ':server:internalClusterTest' --tests "org.opensearch.remotestore.SegmentReplicationRemoteStoreIT.testReplicaHasDiffFilesThanPrimary" -Dtests.seed=E05CF3CB304D9302 -Dtests.security.manager=true -Dtests.jvm.argline="-XX:TieredStopAtLevel=1 -XX:ReservedCodeCacheSize=64m" -Dtests.locale=en-CA -Dtests.timezone=Asia/Kolkata -Druntime.java=19
```
#### Additional Context
https://build.ci.opensearch.org/job/gradle-check/15752/consoleFull
|
non_defect
|
org opensearch remotestore segmentreplicationremotestoreit testreplicahasdifffilesthanprimary is flaky describe the bug org opensearch remotestore segmentreplicationremotestoreit testreplicahasdifffilesthanprimary is flaky java lang assertionerror timed out waiting for green state at org junit assert fail assert java at org opensearch test opensearchintegtestcase ensurecolor opensearchintegtestcase java at org opensearch test opensearchintegtestcase ensuregreen opensearchintegtestcase java at org opensearch test opensearchintegtestcase ensuregreen opensearchintegtestcase java at org opensearch indices replication segmentreplicationit testreplicahasdifffilesthanprimary segmentreplicationit java at java base jdk internal reflect directmethodhandleaccessor invoke directmethodhandleaccessor java at java base java lang reflect method invoke method java at com carrotsearch randomizedtesting randomizedrunner invoke randomizedrunner java at com carrotsearch randomizedtesting randomizedrunner evaluate randomizedrunner java at com carrotsearch randomizedtesting randomizedrunner evaluate randomizedrunner java at com carrotsearch randomizedtesting randomizedrunner evaluate randomizedrunner java at com carrotsearch randomizedtesting rules statementadapter evaluate statementadapter java at org junit rules runrules evaluate runrules java com carrotsearch randomizedtesting uncaughtexceptionerror captured an uncaught exception in thread thread state runnable group tgrp segmentreplicationremotestoreit caused by java lang assertionerror file name reused length recovered at randomizedtesting seedinfo seed at org opensearch index shard storerecovery statsdirectorywrapper copyfrom storerecovery java at org opensearch index shard indexshard syncsegmentsfromremotesegmentstore indexshard java at org opensearch indices recovery peerrecoverytargetservice dorecovery peerrecoverytargetservice java at org opensearch indices recovery peerrecoverytargetservice recoveryrunner dorun peerrecoverytargetservice java at org opensearch common util concurrent threadcontext contextpreservingabstractrunnable dorun threadcontext java at org opensearch common util concurrent abstractrunnable run abstractrunnable java at java base java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java base java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java base java lang thread run thread java to reproduce gradlew server internalclustertest tests org opensearch remotestore segmentreplicationremotestoreit testreplicahasdifffilesthanprimary dtests seed dtests security manager true dtests jvm argline xx tieredstopatlevel xx reservedcodecachesize dtests locale en ca dtests timezone asia kolkata druntime java additional context
| 0
|
57,918
| 16,163,941,923
|
IssuesEvent
|
2021-05-01 05:58:01
|
department-of-veterans-affairs/va.gov-cms
|
https://api.github.com/repos/department-of-veterans-affairs/va.gov-cms
|
closed
|
Term view filter defaults to draft.
|
Defect Product Support Team
|
**Describe the defect**
On section taxononmy term pages, the view filter is missing the `-any-` option which should be the default, so the default option has dropped to 'draft' which creates an odd user exp.
**To Reproduce**
Steps to reproduce the behavior:
1. Go to '...'
2. Click on '....'
3. Scroll down to '....'
4. See error
**Expected behavior**
A clear and concise description of what you expected to happen.
**Screenshots**
If applicable, add screenshots to help explain your problem.
**Desktop (please complete the following information if relevant, or delete):**
- OS: [e.g. iOS]
- Browser [e.g. chrome, safari]
- Version [e.g. 22]
**Additional context**
Add any other context about the problem here. Reach out to the Product Managers to determine if it should be escalated as critical (prevents users from accomplishing their work with no known workaround and needs to be addressed within 2 business days).
## Labels
(You can delete this section once it's complete)
- [x] Issue type (red) (defaults to "Defect")
- [ ] CMS subsystem (green)
- [ ] CMS practice area (blue)
- [x] CMS objective (orange) (not needed for bug tickets)
- [ ] CMS-supported product (black)
|
1.0
|
Term view filter defaults to draft. - **Describe the defect**
On section taxononmy term pages, the view filter is missing the `-any-` option which should be the default, so the default option has dropped to 'draft' which creates an odd user exp.
**To Reproduce**
Steps to reproduce the behavior:
1. Go to '...'
2. Click on '....'
3. Scroll down to '....'
4. See error
**Expected behavior**
A clear and concise description of what you expected to happen.
**Screenshots**
If applicable, add screenshots to help explain your problem.
**Desktop (please complete the following information if relevant, or delete):**
- OS: [e.g. iOS]
- Browser [e.g. chrome, safari]
- Version [e.g. 22]
**Additional context**
Add any other context about the problem here. Reach out to the Product Managers to determine if it should be escalated as critical (prevents users from accomplishing their work with no known workaround and needs to be addressed within 2 business days).
## Labels
(You can delete this section once it's complete)
- [x] Issue type (red) (defaults to "Defect")
- [ ] CMS subsystem (green)
- [ ] CMS practice area (blue)
- [x] CMS objective (orange) (not needed for bug tickets)
- [ ] CMS-supported product (black)
|
defect
|
term view filter defaults to draft describe the defect on section taxononmy term pages the view filter is missing the any option which should be the default so the default option has dropped to draft which creates an odd user exp to reproduce steps to reproduce the behavior go to click on scroll down to see error expected behavior a clear and concise description of what you expected to happen screenshots if applicable add screenshots to help explain your problem desktop please complete the following information if relevant or delete os browser version additional context add any other context about the problem here reach out to the product managers to determine if it should be escalated as critical prevents users from accomplishing their work with no known workaround and needs to be addressed within business days labels you can delete this section once it s complete issue type red defaults to defect cms subsystem green cms practice area blue cms objective orange not needed for bug tickets cms supported product black
| 1
|
79,486
| 28,309,904,693
|
IssuesEvent
|
2023-04-10 14:31:04
|
dotCMS/core
|
https://api.github.com/repos/dotCMS/core
|
closed
|
Redesign User Menu
|
Type : Defect dotCMS : Admin Tools OKR : User Experience Needs UI Team : Lunik Priority : 3 Average Next Release
|
[](https://mrkr.io/s/63ac654ea89d916f87da7e5b/0)
All dropdown items should look like normal items not like a link, with a padding of 14px, white background, and black text, with a hover and focus state.
### Edited by @fmontes
#### Design:
<img width="434" alt="image" src="https://user-images.githubusercontent.com/751424/226416048-161047a3-224f-47e0-9341-03cbc252bc7a.png">
#### Component to use:
https://primeng.org/menu
You can use the [property separator of the menu modem
](https://primeng.org/menumodel) for the lines
You can add HTML or custom content for the first item like this
```
this.items = [{
label: '<h2>File</h2>',
escape: false,
//...
}
```
#### Design
Don't match the design just leave how it looks like right now because it will match when we do the final redesign in all the primeng components.
---
**Reported by:** Melissa Rojas Rodríguez (melissa.rojas@dotcms.com)
**Source URL:** [https://demo.dotcms.com/dotAdmin/#/c/c_Activities](https://demo.dotcms.com/dotAdmin/#/c/c_Activities)
**Issue details:** [Open in Marker.io](https://app.marker.io/i/63ac654ea89d916f87da7e5e_ef75c95a446ae4c6?advanced=1)
<table><tr><td><strong>Device type</strong></td><td>desktop</td></tr><tr><td><strong>Browser</strong></td><td>Chrome 108.0.0.0</td></tr><tr><td><strong>Screen Size</strong></td><td>1440 x 900</td></tr><tr><td><strong>OS</strong></td><td>OS X 10.14.6</td></tr><tr><td><strong>Viewport Size</strong></td><td>1440 x 821</td></tr><tr><td><strong>Zoom Level</strong></td><td>100%</td></tr><tr><td><strong>Pixel Ratio</strong></td><td>@​2x</td></tr></table>
|
1.0
|
Redesign User Menu - [](https://mrkr.io/s/63ac654ea89d916f87da7e5b/0)
All dropdown items should look like normal items not like a link, with a padding of 14px, white background, and black text, with a hover and focus state.
### Edited by @fmontes
#### Design:
<img width="434" alt="image" src="https://user-images.githubusercontent.com/751424/226416048-161047a3-224f-47e0-9341-03cbc252bc7a.png">
#### Component to use:
https://primeng.org/menu
You can use the [property separator of the menu modem
](https://primeng.org/menumodel) for the lines
You can add HTML or custom content for the first item like this
```
this.items = [{
label: '<h2>File</h2>',
escape: false,
//...
}
```
#### Design
Don't match the design just leave how it looks like right now because it will match when we do the final redesign in all the primeng components.
---
**Reported by:** Melissa Rojas Rodríguez (melissa.rojas@dotcms.com)
**Source URL:** [https://demo.dotcms.com/dotAdmin/#/c/c_Activities](https://demo.dotcms.com/dotAdmin/#/c/c_Activities)
**Issue details:** [Open in Marker.io](https://app.marker.io/i/63ac654ea89d916f87da7e5e_ef75c95a446ae4c6?advanced=1)
<table><tr><td><strong>Device type</strong></td><td>desktop</td></tr><tr><td><strong>Browser</strong></td><td>Chrome 108.0.0.0</td></tr><tr><td><strong>Screen Size</strong></td><td>1440 x 900</td></tr><tr><td><strong>OS</strong></td><td>OS X 10.14.6</td></tr><tr><td><strong>Viewport Size</strong></td><td>1440 x 821</td></tr><tr><td><strong>Zoom Level</strong></td><td>100%</td></tr><tr><td><strong>Pixel Ratio</strong></td><td>@​2x</td></tr></table>
|
defect
|
redesign user menu all dropdown items should look like normal items not like a link with a padding of white background and black text with a hover and focus state edited by fmontes design img width alt image src component to use you can use the property separator of the menu modem for the lines you can add html or custom content for the first item like this this items label file escape false design don t match the design just leave how it looks like right now because it will match when we do the final redesign in all the primeng components reported by melissa rojas rodríguez melissa rojas dotcms com source url issue details device type desktop browser chrome screen size x os os x viewport size x zoom level pixel ratio
| 1
|
197,265
| 22,585,223,573
|
IssuesEvent
|
2022-06-28 14:44:56
|
dmyers87/frontend
|
https://api.github.com/repos/dmyers87/frontend
|
opened
|
CVE-2022-2218 (High) detected in parse-url-5.0.2.tgz
|
security vulnerability
|
## CVE-2022-2218 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>parse-url-5.0.2.tgz</b></p></summary>
<p>An advanced url parser supporting git urls too.</p>
<p>Library home page: <a href="https://registry.npmjs.org/parse-url/-/parse-url-5.0.2.tgz">https://registry.npmjs.org/parse-url/-/parse-url-5.0.2.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/parse-url/package.json</p>
<p>
Dependency Hierarchy:
- lerna-3.22.1.tgz (Root Library)
- version-3.22.1.tgz
- github-client-3.22.0.tgz
- git-url-parse-11.1.3.tgz
- git-up-4.0.2.tgz
- :x: **parse-url-5.0.2.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/dmyers87/frontend/commit/7ae889b1abbf39710721c0e586fadd21660e13b0">7ae889b1abbf39710721c0e586fadd21660e13b0</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>
Cross-site Scripting (XSS) - Stored in GitHub repository ionicabizau/parse-url prior to 7.0.0.
<p>Publish Date: 2022-06-27
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-2218>CVE-2022-2218</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>9.1</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: High
- Integrity Impact: High
- 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://huntr.dev/bounties/024912d3-f103-4daf-a1d0-567f4d9f2bf5/">https://huntr.dev/bounties/024912d3-f103-4daf-a1d0-567f4d9f2bf5/</a></p>
<p>Release Date: 2022-06-27</p>
<p>Fix Resolution: parse-url - 6.0.1</p>
</p>
</details>
<p></p>
|
True
|
CVE-2022-2218 (High) detected in parse-url-5.0.2.tgz - ## CVE-2022-2218 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>parse-url-5.0.2.tgz</b></p></summary>
<p>An advanced url parser supporting git urls too.</p>
<p>Library home page: <a href="https://registry.npmjs.org/parse-url/-/parse-url-5.0.2.tgz">https://registry.npmjs.org/parse-url/-/parse-url-5.0.2.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/parse-url/package.json</p>
<p>
Dependency Hierarchy:
- lerna-3.22.1.tgz (Root Library)
- version-3.22.1.tgz
- github-client-3.22.0.tgz
- git-url-parse-11.1.3.tgz
- git-up-4.0.2.tgz
- :x: **parse-url-5.0.2.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/dmyers87/frontend/commit/7ae889b1abbf39710721c0e586fadd21660e13b0">7ae889b1abbf39710721c0e586fadd21660e13b0</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>
Cross-site Scripting (XSS) - Stored in GitHub repository ionicabizau/parse-url prior to 7.0.0.
<p>Publish Date: 2022-06-27
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-2218>CVE-2022-2218</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>9.1</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: High
- Integrity Impact: High
- 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://huntr.dev/bounties/024912d3-f103-4daf-a1d0-567f4d9f2bf5/">https://huntr.dev/bounties/024912d3-f103-4daf-a1d0-567f4d9f2bf5/</a></p>
<p>Release Date: 2022-06-27</p>
<p>Fix Resolution: parse-url - 6.0.1</p>
</p>
</details>
<p></p>
|
non_defect
|
cve high detected in parse url tgz cve high severity vulnerability vulnerable library parse url tgz an advanced url parser supporting git urls too library home page a href path to dependency file package json path to vulnerable library node modules parse url package json dependency hierarchy lerna tgz root library version tgz github client tgz git url parse tgz git up tgz x parse url tgz vulnerable library found in head commit a href found in base branch master vulnerability details cross site scripting xss stored in github repository ionicabizau parse url prior to 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 high integrity impact high availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution parse url
| 0
|
37,738
| 8,357,129,566
|
IssuesEvent
|
2018-10-02 20:35:54
|
kobotoolbox/kpi
|
https://api.github.com/repos/kobotoolbox/kpi
|
closed
|
Only mark form as needing redeployment if form contents changes
|
UI & UX coded
|
Any change to the project's settings (including name, description, or other details) marks the form as requiring to be redeployed -- even though the form itself hasn't changed.
Expected behavior: Unless the form itself is changed, don't prompt the user to redeploy.
Supersedes #1469.
|
1.0
|
Only mark form as needing redeployment if form contents changes - Any change to the project's settings (including name, description, or other details) marks the form as requiring to be redeployed -- even though the form itself hasn't changed.
Expected behavior: Unless the form itself is changed, don't prompt the user to redeploy.
Supersedes #1469.
|
non_defect
|
only mark form as needing redeployment if form contents changes any change to the project s settings including name description or other details marks the form as requiring to be redeployed even though the form itself hasn t changed expected behavior unless the form itself is changed don t prompt the user to redeploy supersedes
| 0
|
26,966
| 7,882,881,910
|
IssuesEvent
|
2018-06-27 01:24:08
|
habitat-sh/habitat
|
https://api.github.com/repos/habitat-sh/habitat
|
closed
|
RFC: Health check for plans
|
A-plan-build C-RFC C-feature E-less-easy S-needs-discussion V-bldr V-devx
|
When building a package, it would be nice to have something to make sure that some basic things in the package are ok. Sometimes if you don't configure things correctly, you could, for example, produce binaries that are not linked properly and will not work in some cases.
Omnibus has a pretty elaborate system for checking what it produces: https://github.com/chef/omnibus/blob/master/lib/omnibus/health_check.rb
A simple one-liner to start would be `find $pkg_prefix -executable -type f | xargs ldd | grep -i "not found"`
Not sure where exactly this would go but it would be a good sanity check.
|
1.0
|
RFC: Health check for plans - When building a package, it would be nice to have something to make sure that some basic things in the package are ok. Sometimes if you don't configure things correctly, you could, for example, produce binaries that are not linked properly and will not work in some cases.
Omnibus has a pretty elaborate system for checking what it produces: https://github.com/chef/omnibus/blob/master/lib/omnibus/health_check.rb
A simple one-liner to start would be `find $pkg_prefix -executable -type f | xargs ldd | grep -i "not found"`
Not sure where exactly this would go but it would be a good sanity check.
|
non_defect
|
rfc health check for plans when building a package it would be nice to have something to make sure that some basic things in the package are ok sometimes if you don t configure things correctly you could for example produce binaries that are not linked properly and will not work in some cases omnibus has a pretty elaborate system for checking what it produces a simple one liner to start would be find pkg prefix executable type f xargs ldd grep i not found not sure where exactly this would go but it would be a good sanity check
| 0
|
70,669
| 23,281,905,027
|
IssuesEvent
|
2022-08-05 12:56:21
|
vector-im/element-ios
|
https://api.github.com/repos/vector-im/element-ios
|
closed
|
Conditionally hide room list tabs
|
T-Defect Z-AppLayout
|
### Steps to reproduce
1. Switch to an empty space
### Outcome
#### What did you expect?
Because you have no favourite, nor people, those two tabs should be hidden, and only displayed when they have 1+ items in there
#### What happened instead?
They were both displayed
### Your phone model
_No response_
### Operating system version
_No response_
### Application version
_No response_
### Homeserver
_No response_
### Will you send logs?
No
|
1.0
|
Conditionally hide room list tabs - ### Steps to reproduce
1. Switch to an empty space
### Outcome
#### What did you expect?
Because you have no favourite, nor people, those two tabs should be hidden, and only displayed when they have 1+ items in there
#### What happened instead?
They were both displayed
### Your phone model
_No response_
### Operating system version
_No response_
### Application version
_No response_
### Homeserver
_No response_
### Will you send logs?
No
|
defect
|
conditionally hide room list tabs steps to reproduce switch to an empty space outcome what did you expect because you have no favourite nor people those two tabs should be hidden and only displayed when they have items in there what happened instead they were both displayed your phone model no response operating system version no response application version no response homeserver no response will you send logs no
| 1
|
3,353
| 2,610,061,139
|
IssuesEvent
|
2015-02-26 18:17:59
|
chrsmith/jsjsj122
|
https://api.github.com/repos/chrsmith/jsjsj122
|
opened
|
路桥看不育去哪里最好
|
auto-migrated Priority-Medium Type-Defect
|
```
路桥看不育去哪里最好【台州五洲生殖医院】24小时健康咨询
热线:0576-88066933-(扣扣800080609)-(微信号tzwzszyy)医院地址:台州市
椒江区枫南路229号(枫南大转盘旁)乘车线路:乘坐104、108、1
18、198及椒江一金清公交车直达枫南小区,乘坐107、105、109、
112、901、 902公交车到星星广场下车,步行即可到院。
诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,��
�精,无精。包皮包茎,精索静脉曲张,淋病等。
台州五洲生殖医院是台州最大的男科医院,权威专家在线免��
�咨询,拥有专业完善的男科检查治疗设备,严格按照国家标�
��收费。尖端医疗设备,与世界同步。权威专家,成就专业典
范。人性化服务,一切以患者为中心。
看男科就选台州五洲生殖医院,专业男科为男人。
```
-----
Original issue reported on code.google.com by `poweragr...@gmail.com` on 30 May 2014 at 7:19
|
1.0
|
路桥看不育去哪里最好 - ```
路桥看不育去哪里最好【台州五洲生殖医院】24小时健康咨询
热线:0576-88066933-(扣扣800080609)-(微信号tzwzszyy)医院地址:台州市
椒江区枫南路229号(枫南大转盘旁)乘车线路:乘坐104、108、1
18、198及椒江一金清公交车直达枫南小区,乘坐107、105、109、
112、901、 902公交车到星星广场下车,步行即可到院。
诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,��
�精,无精。包皮包茎,精索静脉曲张,淋病等。
台州五洲生殖医院是台州最大的男科医院,权威专家在线免��
�咨询,拥有专业完善的男科检查治疗设备,严格按照国家标�
��收费。尖端医疗设备,与世界同步。权威专家,成就专业典
范。人性化服务,一切以患者为中心。
看男科就选台州五洲生殖医院,专业男科为男人。
```
-----
Original issue reported on code.google.com by `poweragr...@gmail.com` on 30 May 2014 at 7:19
|
defect
|
路桥看不育去哪里最好 路桥看不育去哪里最好【台州五洲生殖医院】 热线 微信号tzwzszyy 医院地址 台州市 (枫南大转盘旁)乘车线路 、 、 、 , 、 、 、 、 、 ,步行即可到院。 诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,�� �精,无精。包皮包茎,精索静脉曲张,淋病等。 台州五洲生殖医院是台州最大的男科医院,权威专家在线免�� �咨询,拥有专业完善的男科检查治疗设备,严格按照国家标� ��收费。尖端医疗设备,与世界同步。权威专家,成就专业典 范。人性化服务,一切以患者为中心。 看男科就选台州五洲生殖医院,专业男科为男人。 original issue reported on code google com by poweragr gmail com on may at
| 1
|
335,218
| 30,018,422,141
|
IssuesEvent
|
2023-06-26 20:42:51
|
mormaer/Mlem
|
https://api.github.com/repos/mormaer/Mlem
|
closed
|
Not all communities show up on the community list
|
bug TestFlight Feedback
|


(In the second image I'm holding a scroll with one finger while also taking a screenshot)
0.0.7 (6)
|
1.0
|
Not all communities show up on the community list - 

(In the second image I'm holding a scroll with one finger while also taking a screenshot)
0.0.7 (6)
|
non_defect
|
not all communities show up on the community list in the second image i m holding a scroll with one finger while also taking a screenshot
| 0
|
49,129
| 13,185,248,207
|
IssuesEvent
|
2020-08-12 21:01:07
|
icecube-trac/tix3
|
https://api.github.com/repos/icecube-trac/tix3
|
opened
|
icetray - doxygen errors, no uniquely matching class members (Trac #802)
|
Incomplete Migration Migrated from Trac combo core defect
|
<details>
<summary><em>Migrated from https://code.icecube.wisc.edu/ticket/802
, reported by nega and owned by nega</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2015-04-17T00:01:49",
"description": "{{{\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:45: warning: no uniquely matching class member found for \n I3Configuration::I3Configuration(const I3Configuration &old)\nPossible candidates:\n I3Configuration::I3Configuration()' at line 52 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n I3Configuration::I3Configuration(const I3Configuration &)' at line 53 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:69: warning: no uniquely matching class member found for \n void I3Configuration::Add(const string &name_, const std::string &description, const boost::python::object &default_value)\nPossible candidates:\n void I3Configuration::Add(const std::string &name, const std::string &description, const boost::python::object &default_value)' at line 62 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n void I3Configuration::Add(const std::string &name, const std::string &description)' at line 67 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n 'template < T >\n void I3Configuration::Add(const std::string &name, const std::string &description, const T &default_value)' at line 71 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:77: warning: no uniquely matching class member found for \n void I3Configuration::Add(const string &name_, const std::string &description)\nPossible candidates:\n void I3Configuration::Add(const std::string &name, const std::string &description, const boost::python::object &default_value)' at line 62 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n void I3Configuration::Add(const std::string &name, const std::string &description)' at line 67 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n 'template < T >\n void I3Configuration::Add(const std::string &name, const std::string &description, const T &default_value)' at line 71 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:84: warning: no uniquely matching class member found for \n boost::python::object I3Configuration::Get(const string &name_) const\nPossible candidates:\n boost::python::object I3Configuration::Get(const std::string &name) const ' at line 80 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n 'template < T >\n boost::enable_if< is_shared_ptr< T >, T >::type I3Configuration::Get(const std::string &name) const ' at line 91 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n 'template < T >\n boost::disable_if< is_shared_ptr< T >, T >::type I3Configuration::Get(const std::string &name) const ' at line 100 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:125: warning: no uniquely matching class member found for \n std::string I3Configuration::ClassName() const\nPossible candidates:\n std::string I3Configuration::ClassName() const ' at line 106 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n void I3Configuration::ClassName(const std::string &s)' at line 107 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:138: warning: no uniquely matching class member found for \n std::string I3Configuration::InstanceName() const\nPossible candidates:\n std::string I3Configuration::InstanceName() const ' at line 109 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n void I3Configuration::InstanceName(const std::string &s)' at line 110 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:142: warning: no uniquely matching class member found for \n I3Frame::I3Frame(Stream stop)\nPossible candidates:\n I3Frame::I3Frame(Stream stop=I3Frame::None)' at line 229 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n I3Frame::I3Frame(char stop)' at line 230 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n I3Frame::I3Frame(const I3Frame &rhs)' at line 232 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:185: warning: no uniquely matching class member found for \n I3Frame::size_type I3Frame::size(const string &key) const\nPossible candidates:\n map_t::size_type I3Frame::size(const value_t &value) const ' at line 155 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n size_type I3Frame::size() const ' at line 245 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n size_type I3Frame::size(const std::string &key) const ' at line 261 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:223: warning: no uniquely matching class member found for \n bool I3Frame::Has(const std::string &key, const Stream &stream) const\nPossible candidates:\n bool I3Frame::Has(const std::string &key) const ' at line 272 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n bool I3Frame::Has(const std::string &key, const Stream &stream) const ' at line 273 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:248: warning: no uniquely matching class member found for \n void I3Frame::take(const I3Frame &rhs, const string &what, const string &as)\nPossible candidates:\n void I3Frame::take(const I3Frame &rhs, const std::string &what, const std::string &as)' at line 290 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n void I3Frame::take(const I3Frame &rhs, const std::string &what)' at line 294 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:258: warning: no uniquely matching class member found for \n I3Frame::Stream I3Frame::GetStop(const std::string &key) const\nPossible candidates:\n Stream I3Frame::GetStop() const ' at line 235 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n I3Frame::Stream I3Frame::GetStop(const std::string &key) const ' at line 275 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:267: warning: no uniquely matching class member found for \n void I3Frame::Put(const string &name, I3FrameObjectConstPtr element)\nPossible candidates:\n void I3Frame::Put(const std::string &name, boost::shared_ptr< const I3FrameObject > element, const I3Frame::Stream &stream)' at line 372 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n void I3Frame::Put(const std::string &name, boost::shared_ptr< const I3FrameObject > element)' at line 376 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < T >\n void I3Frame::Put(boost::shared_ptr< T > element)' at line 387 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:272: warning: no uniquely matching class member found for \n void I3Frame::Put(const string &name, I3FrameObjectConstPtr element, const I3Frame::Stream &on_stream)\nPossible candidates:\n void I3Frame::Put(const std::string &name, boost::shared_ptr< const I3FrameObject > element, const I3Frame::Stream &stream)' at line 372 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n void I3Frame::Put(const std::string &name, boost::shared_ptr< const I3FrameObject > element)' at line 376 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < T >\n void I3Frame::Put(boost::shared_ptr< T > element)' at line 387 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:350: warning: no uniquely matching class member found for \n string I3Frame::type_name(const string &key) const\nPossible candidates:\n static std::string I3Frame::type_name(const value_t &)' at line 138 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n std::string I3Frame::type_name(const std::string &key) const ' at line 409 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:375: warning: no uniquely matching class member found for \n string I3Frame::type_name(const value_t &value)\nPossible candidates:\n static std::string I3Frame::type_name(const value_t &)' at line 138 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n std::string I3Frame::type_name(const std::string &key) const ' at line 409 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:969: warning: no uniquely matching class member found for \n template bool I3Frame::load(io::filtering_istream &, const vector< string > &, bool)\nPossible candidates:\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const std::vector< std::string > &vs=std::vector< std::string >(), bool verify_checksums=true)' at line 419 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const vector< string > &skip, bool verify_cksum)' at line 560 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:970: warning: no uniquely matching class member found for \n template bool I3Frame::load(istream &is, const vector< string > &, bool)\nPossible candidates:\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const std::vector< std::string > &vs=std::vector< std::string >(), bool verify_checksums=true)' at line 419 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const vector< string > &skip, bool verify_cksum)' at line 560 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:971: warning: no uniquely matching class member found for \n template bool I3Frame::load(ifstream &is, const vector< string > &, bool)\nPossible candidates:\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const std::vector< std::string > &vs=std::vector< std::string >(), bool verify_checksums=true)' at line 419 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const vector< string > &skip, bool verify_cksum)' at line 560 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:972: warning: no uniquely matching class member found for \n template bool I3Frame::load(boost::interprocess::bufferstream &is, const vector< string > &, bool)\nPossible candidates:\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const std::vector< std::string > &vs=std::vector< std::string >(), bool verify_checksums=true)' at line 419 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const vector< string > &skip, bool verify_cksum)' at line 560 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:973: warning: no uniquely matching class member found for \n template bool I3Frame::load(boost::interprocess::basic_vectorstream< std::vector< char > > &is, const vector< string > &, bool)\nPossible candidates:\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const std::vector< std::string > &vs=std::vector< std::string >(), bool verify_checksums=true)' at line 419 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const vector< string > &skip, bool verify_cksum)' at line 560 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:976: warning: no uniquely matching class member found for \n template void I3Frame::save(io::filtering_ostream &, const vector< string > &) const\nPossible candidates:\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const std::vector< std::string > &vs=std::vector< std::string >()) const ' at line 415 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const vector< string > &skip) const ' at line 467 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:977: warning: no uniquely matching class member found for \n template void I3Frame::save(boost::interprocess::basic_vectorstream< std::vector< char > > &, const vector< string > &) const\nPossible candidates:\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const std::vector< std::string > &vs=std::vector< std::string >()) const ' at line 415 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const vector< string > &skip) const ' at line 467 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:978: warning: no uniquely matching class member found for \n template void I3Frame::save(ostream &, const vector< string > &) const\nPossible candidates:\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const std::vector< std::string > &vs=std::vector< std::string >()) const ' at line 415 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const vector< string > &skip) const ' at line 467 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:979: warning: no uniquely matching class member found for \n template void I3Frame::save(ofstream &, const std::vector< string > &) const\nPossible candidates:\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const std::vector< std::string > &vs=std::vector< std::string >()) const ' at line 415 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const vector< string > &skip) const ' at line 467 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:66: warning: documented symbol `I3Logger::I3Logger' was not declared or defined.\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:68: warning: documented symbol `I3Logger::~I3Logger' was not declared or defined.\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:71: warning: no matching class member found for \n I3LogLevel I3Logger::LogLevelForUnit(const std::string &unit)\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:85: warning: no matching class member found for \n void I3Logger::SetLogLevelForUnit(const std::string &unit, I3LogLevel level)\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:94: warning: no matching class member found for \n void I3Logger::SetLogLevel(I3LogLevel level)\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:102: warning: documented symbol `I3BasicLogger::I3BasicLogger' was not declared or defined.\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:106: warning: no uniquely matching class member found for \n void I3BasicLogger::Log(I3LogLevel level, const std::string &unit, const std::string &file, int line, const std::string &func, const std::string &message)\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:127: warning: no uniquely matching class member found for \n I3Tray::param_setter I3Tray::AddModule(const std::string &classname, std::string instancename)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::AddModule' at line 99 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n 'template < Type >\n boost::enable_if< boost::is_base_of< I3Module, Type >, param_setter >::type I3Tray::AddModule(std::string name=\"\")' at line 143 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(boost::python::object obj, std::string instancename=\"\")' at line 145 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(const std::string &name, std::string instancename=\"\")' at line 147 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(I3ModulePtr module, std::string instancename=\"\")' at line 149 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n boost::disable_if< boost::mpl::or_< boost::is_base_of< I3Module, Type >, boost::is_same< boost::python::object, Type >, boost::is_convertible< Type, std::string >, is_shared_ptr< Type > >, param_setter >::type I3Tray::AddModule(Type func, std::string instancename=\"\")' at line 160 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:135: warning: no uniquely matching class member found for \n I3Tray::param_setter I3Tray::AddModule(bp::object obj, std::string instancename)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::AddModule' at line 99 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n 'template < Type >\n boost::enable_if< boost::is_base_of< I3Module, Type >, param_setter >::type I3Tray::AddModule(std::string name=\"\")' at line 143 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(boost::python::object obj, std::string instancename=\"\")' at line 145 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(const std::string &name, std::string instancename=\"\")' at line 147 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(I3ModulePtr module, std::string instancename=\"\")' at line 149 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n boost::disable_if< boost::mpl::or_< boost::is_base_of< I3Module, Type >, boost::is_same< boost::python::object, Type >, boost::is_convertible< Type, std::string >, is_shared_ptr< Type > >, param_setter >::type I3Tray::AddModule(Type func, std::string instancename=\"\")' at line 160 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:208: warning: no uniquely matching class member found for \n I3Tray::param_setter I3Tray::AddModule(I3ModulePtr module, std::string instancename)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::AddModule' at line 99 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n 'template < Type >\n boost::enable_if< boost::is_base_of< I3Module, Type >, param_setter >::type I3Tray::AddModule(std::string name=\"\")' at line 143 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(boost::python::object obj, std::string instancename=\"\")' at line 145 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(const std::string &name, std::string instancename=\"\")' at line 147 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(I3ModulePtr module, std::string instancename=\"\")' at line 149 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n boost::disable_if< boost::mpl::or_< boost::is_base_of< I3Module, Type >, boost::is_same< boost::python::object, Type >, boost::is_convertible< Type, std::string >, is_shared_ptr< Type > >, param_setter >::type I3Tray::AddModule(Type func, std::string instancename=\"\")' at line 160 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:233: warning: no uniquely matching class member found for \n I3Tray::param_setter I3Tray::AddService(const std::string &classname, std::string instancename)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::AddService' at line 142 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n param_setter I3Tray::AddService(const std::string &clazz, std::string name=\"\")' at line 131 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n param_setter I3Tray::AddService(std::string name=\"\")' at line 138 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:573: warning: no uniquely matching class member found for \n bool I3Tray::SetParameter(const string &module, const string ¶meter, const char *value)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::SetParameter' at line 203 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, const char *value)' at line 215 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, boost::python::object value)' at line 220 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, const Type &value)' at line 226 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:581: warning: no uniquely matching class member found for \n bool I3Tray::SetParameter(const string &module, const string ¶meter, bp::object value)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::SetParameter' at line 203 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, const char *value)' at line 215 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, boost::python::object value)' at line 220 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, const Type &value)' at line 226 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\nBuilt target icetray-icetray-doxygen\nBuilt target icetray-doxygen\n}}}",
"reporter": "nega",
"cc": "",
"resolution": "invalid",
"_ts": "1429228909103031",
"component": "combo core",
"summary": "icetray - doxygen errors, no uniquely matching class members",
"priority": "normal",
"keywords": "",
"time": "2014-11-06T22:07:35",
"milestone": "",
"owner": "nega",
"type": "defect"
}
```
</p>
</details>
|
1.0
|
icetray - doxygen errors, no uniquely matching class members (Trac #802) - <details>
<summary><em>Migrated from https://code.icecube.wisc.edu/ticket/802
, reported by nega and owned by nega</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2015-04-17T00:01:49",
"description": "{{{\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:45: warning: no uniquely matching class member found for \n I3Configuration::I3Configuration(const I3Configuration &old)\nPossible candidates:\n I3Configuration::I3Configuration()' at line 52 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n I3Configuration::I3Configuration(const I3Configuration &)' at line 53 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:69: warning: no uniquely matching class member found for \n void I3Configuration::Add(const string &name_, const std::string &description, const boost::python::object &default_value)\nPossible candidates:\n void I3Configuration::Add(const std::string &name, const std::string &description, const boost::python::object &default_value)' at line 62 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n void I3Configuration::Add(const std::string &name, const std::string &description)' at line 67 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n 'template < T >\n void I3Configuration::Add(const std::string &name, const std::string &description, const T &default_value)' at line 71 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:77: warning: no uniquely matching class member found for \n void I3Configuration::Add(const string &name_, const std::string &description)\nPossible candidates:\n void I3Configuration::Add(const std::string &name, const std::string &description, const boost::python::object &default_value)' at line 62 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n void I3Configuration::Add(const std::string &name, const std::string &description)' at line 67 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n 'template < T >\n void I3Configuration::Add(const std::string &name, const std::string &description, const T &default_value)' at line 71 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:84: warning: no uniquely matching class member found for \n boost::python::object I3Configuration::Get(const string &name_) const\nPossible candidates:\n boost::python::object I3Configuration::Get(const std::string &name) const ' at line 80 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n 'template < T >\n boost::enable_if< is_shared_ptr< T >, T >::type I3Configuration::Get(const std::string &name) const ' at line 91 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n 'template < T >\n boost::disable_if< is_shared_ptr< T >, T >::type I3Configuration::Get(const std::string &name) const ' at line 100 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:125: warning: no uniquely matching class member found for \n std::string I3Configuration::ClassName() const\nPossible candidates:\n std::string I3Configuration::ClassName() const ' at line 106 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n void I3Configuration::ClassName(const std::string &s)' at line 107 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Configuration.cxx:138: warning: no uniquely matching class member found for \n std::string I3Configuration::InstanceName() const\nPossible candidates:\n std::string I3Configuration::InstanceName() const ' at line 109 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n void I3Configuration::InstanceName(const std::string &s)' at line 110 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Configuration.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:142: warning: no uniquely matching class member found for \n I3Frame::I3Frame(Stream stop)\nPossible candidates:\n I3Frame::I3Frame(Stream stop=I3Frame::None)' at line 229 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n I3Frame::I3Frame(char stop)' at line 230 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n I3Frame::I3Frame(const I3Frame &rhs)' at line 232 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:185: warning: no uniquely matching class member found for \n I3Frame::size_type I3Frame::size(const string &key) const\nPossible candidates:\n map_t::size_type I3Frame::size(const value_t &value) const ' at line 155 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n size_type I3Frame::size() const ' at line 245 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n size_type I3Frame::size(const std::string &key) const ' at line 261 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:223: warning: no uniquely matching class member found for \n bool I3Frame::Has(const std::string &key, const Stream &stream) const\nPossible candidates:\n bool I3Frame::Has(const std::string &key) const ' at line 272 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n bool I3Frame::Has(const std::string &key, const Stream &stream) const ' at line 273 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:248: warning: no uniquely matching class member found for \n void I3Frame::take(const I3Frame &rhs, const string &what, const string &as)\nPossible candidates:\n void I3Frame::take(const I3Frame &rhs, const std::string &what, const std::string &as)' at line 290 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n void I3Frame::take(const I3Frame &rhs, const std::string &what)' at line 294 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:258: warning: no uniquely matching class member found for \n I3Frame::Stream I3Frame::GetStop(const std::string &key) const\nPossible candidates:\n Stream I3Frame::GetStop() const ' at line 235 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n I3Frame::Stream I3Frame::GetStop(const std::string &key) const ' at line 275 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:267: warning: no uniquely matching class member found for \n void I3Frame::Put(const string &name, I3FrameObjectConstPtr element)\nPossible candidates:\n void I3Frame::Put(const std::string &name, boost::shared_ptr< const I3FrameObject > element, const I3Frame::Stream &stream)' at line 372 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n void I3Frame::Put(const std::string &name, boost::shared_ptr< const I3FrameObject > element)' at line 376 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < T >\n void I3Frame::Put(boost::shared_ptr< T > element)' at line 387 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:272: warning: no uniquely matching class member found for \n void I3Frame::Put(const string &name, I3FrameObjectConstPtr element, const I3Frame::Stream &on_stream)\nPossible candidates:\n void I3Frame::Put(const std::string &name, boost::shared_ptr< const I3FrameObject > element, const I3Frame::Stream &stream)' at line 372 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n void I3Frame::Put(const std::string &name, boost::shared_ptr< const I3FrameObject > element)' at line 376 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < T >\n void I3Frame::Put(boost::shared_ptr< T > element)' at line 387 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:350: warning: no uniquely matching class member found for \n string I3Frame::type_name(const string &key) const\nPossible candidates:\n static std::string I3Frame::type_name(const value_t &)' at line 138 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n std::string I3Frame::type_name(const std::string &key) const ' at line 409 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:375: warning: no uniquely matching class member found for \n string I3Frame::type_name(const value_t &value)\nPossible candidates:\n static std::string I3Frame::type_name(const value_t &)' at line 138 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n std::string I3Frame::type_name(const std::string &key) const ' at line 409 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:969: warning: no uniquely matching class member found for \n template bool I3Frame::load(io::filtering_istream &, const vector< string > &, bool)\nPossible candidates:\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const std::vector< std::string > &vs=std::vector< std::string >(), bool verify_checksums=true)' at line 419 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const vector< string > &skip, bool verify_cksum)' at line 560 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:970: warning: no uniquely matching class member found for \n template bool I3Frame::load(istream &is, const vector< string > &, bool)\nPossible candidates:\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const std::vector< std::string > &vs=std::vector< std::string >(), bool verify_checksums=true)' at line 419 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const vector< string > &skip, bool verify_cksum)' at line 560 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:971: warning: no uniquely matching class member found for \n template bool I3Frame::load(ifstream &is, const vector< string > &, bool)\nPossible candidates:\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const std::vector< std::string > &vs=std::vector< std::string >(), bool verify_checksums=true)' at line 419 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const vector< string > &skip, bool verify_cksum)' at line 560 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:972: warning: no uniquely matching class member found for \n template bool I3Frame::load(boost::interprocess::bufferstream &is, const vector< string > &, bool)\nPossible candidates:\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const std::vector< std::string > &vs=std::vector< std::string >(), bool verify_checksums=true)' at line 419 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const vector< string > &skip, bool verify_cksum)' at line 560 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:973: warning: no uniquely matching class member found for \n template bool I3Frame::load(boost::interprocess::basic_vectorstream< std::vector< char > > &is, const vector< string > &, bool)\nPossible candidates:\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const std::vector< std::string > &vs=std::vector< std::string >(), bool verify_checksums=true)' at line 419 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < IStreamT >\n bool I3Frame::load(IStreamT &is, const vector< string > &skip, bool verify_cksum)' at line 560 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:976: warning: no uniquely matching class member found for \n template void I3Frame::save(io::filtering_ostream &, const vector< string > &) const\nPossible candidates:\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const std::vector< std::string > &vs=std::vector< std::string >()) const ' at line 415 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const vector< string > &skip) const ' at line 467 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:977: warning: no uniquely matching class member found for \n template void I3Frame::save(boost::interprocess::basic_vectorstream< std::vector< char > > &, const vector< string > &) const\nPossible candidates:\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const std::vector< std::string > &vs=std::vector< std::string >()) const ' at line 415 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const vector< string > &skip) const ' at line 467 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:978: warning: no uniquely matching class member found for \n template void I3Frame::save(ostream &, const vector< string > &) const\nPossible candidates:\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const std::vector< std::string > &vs=std::vector< std::string >()) const ' at line 415 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const vector< string > &skip) const ' at line 467 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx:979: warning: no uniquely matching class member found for \n template void I3Frame::save(ofstream &, const std::vector< string > &) const\nPossible candidates:\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const std::vector< std::string > &vs=std::vector< std::string >()) const ' at line 415 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Frame.h\n 'template < OStreamT >\n void I3Frame::save(OStreamT &os, const vector< string > &skip) const ' at line 467 of file /data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Frame.cxx\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:66: warning: documented symbol `I3Logger::I3Logger' was not declared or defined.\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:68: warning: documented symbol `I3Logger::~I3Logger' was not declared or defined.\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:71: warning: no matching class member found for \n I3LogLevel I3Logger::LogLevelForUnit(const std::string &unit)\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:85: warning: no matching class member found for \n void I3Logger::SetLogLevelForUnit(const std::string &unit, I3LogLevel level)\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:94: warning: no matching class member found for \n void I3Logger::SetLogLevel(I3LogLevel level)\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:102: warning: documented symbol `I3BasicLogger::I3BasicLogger' was not declared or defined.\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Logging.cxx:106: warning: no uniquely matching class member found for \n void I3BasicLogger::Log(I3LogLevel level, const std::string &unit, const std::string &file, int line, const std::string &func, const std::string &message)\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:127: warning: no uniquely matching class member found for \n I3Tray::param_setter I3Tray::AddModule(const std::string &classname, std::string instancename)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::AddModule' at line 99 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n 'template < Type >\n boost::enable_if< boost::is_base_of< I3Module, Type >, param_setter >::type I3Tray::AddModule(std::string name=\"\")' at line 143 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(boost::python::object obj, std::string instancename=\"\")' at line 145 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(const std::string &name, std::string instancename=\"\")' at line 147 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(I3ModulePtr module, std::string instancename=\"\")' at line 149 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n boost::disable_if< boost::mpl::or_< boost::is_base_of< I3Module, Type >, boost::is_same< boost::python::object, Type >, boost::is_convertible< Type, std::string >, is_shared_ptr< Type > >, param_setter >::type I3Tray::AddModule(Type func, std::string instancename=\"\")' at line 160 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:135: warning: no uniquely matching class member found for \n I3Tray::param_setter I3Tray::AddModule(bp::object obj, std::string instancename)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::AddModule' at line 99 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n 'template < Type >\n boost::enable_if< boost::is_base_of< I3Module, Type >, param_setter >::type I3Tray::AddModule(std::string name=\"\")' at line 143 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(boost::python::object obj, std::string instancename=\"\")' at line 145 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(const std::string &name, std::string instancename=\"\")' at line 147 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(I3ModulePtr module, std::string instancename=\"\")' at line 149 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n boost::disable_if< boost::mpl::or_< boost::is_base_of< I3Module, Type >, boost::is_same< boost::python::object, Type >, boost::is_convertible< Type, std::string >, is_shared_ptr< Type > >, param_setter >::type I3Tray::AddModule(Type func, std::string instancename=\"\")' at line 160 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:208: warning: no uniquely matching class member found for \n I3Tray::param_setter I3Tray::AddModule(I3ModulePtr module, std::string instancename)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::AddModule' at line 99 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n 'template < Type >\n boost::enable_if< boost::is_base_of< I3Module, Type >, param_setter >::type I3Tray::AddModule(std::string name=\"\")' at line 143 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(boost::python::object obj, std::string instancename=\"\")' at line 145 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(const std::string &name, std::string instancename=\"\")' at line 147 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n param_setter I3Tray::AddModule(I3ModulePtr module, std::string instancename=\"\")' at line 149 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n boost::disable_if< boost::mpl::or_< boost::is_base_of< I3Module, Type >, boost::is_same< boost::python::object, Type >, boost::is_convertible< Type, std::string >, is_shared_ptr< Type > >, param_setter >::type I3Tray::AddModule(Type func, std::string instancename=\"\")' at line 160 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:233: warning: no uniquely matching class member found for \n I3Tray::param_setter I3Tray::AddService(const std::string &classname, std::string instancename)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::AddService' at line 142 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n param_setter I3Tray::AddService(const std::string &clazz, std::string name=\"\")' at line 131 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n param_setter I3Tray::AddService(std::string name=\"\")' at line 138 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:573: warning: no uniquely matching class member found for \n bool I3Tray::SetParameter(const string &module, const string ¶meter, const char *value)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::SetParameter' at line 203 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, const char *value)' at line 215 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, boost::python::object value)' at line 220 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, const Type &value)' at line 226 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\n/data/i3home/nega/i3/offline-software/src/icetray/private/icetray/I3Tray.cxx:581: warning: no uniquely matching class member found for \n bool I3Tray::SetParameter(const string &module, const string ¶meter, bp::object value)\nPossible candidates:\n def pybindings.I3Tray.I3Tray::SetParameter' at line 203 of file /data/i3home/nega/i3/offline-software/src/icetray/private/pybindings/I3Tray.py\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, const char *value)' at line 215 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, boost::python::object value)' at line 220 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n 'template < Type >\n bool I3Tray::SetParameter(const std::string &module, const std::string ¶meter, const Type &value)' at line 226 of file /data/i3home/nega/i3/offline-software/src/icetray/public/icetray/I3Tray.h\n\nBuilt target icetray-icetray-doxygen\nBuilt target icetray-doxygen\n}}}",
"reporter": "nega",
"cc": "",
"resolution": "invalid",
"_ts": "1429228909103031",
"component": "combo core",
"summary": "icetray - doxygen errors, no uniquely matching class members",
"priority": "normal",
"keywords": "",
"time": "2014-11-06T22:07:35",
"milestone": "",
"owner": "nega",
"type": "defect"
}
```
</p>
</details>
|
defect
|
icetray doxygen errors no uniquely matching class members trac migrated from reported by nega and owned by nega json status closed changetime description n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n const old npossible candidates n at line of file data nega offline software src icetray public icetray h n const at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n void add const string name const std string description const boost python object default value npossible candidates n void add const std string name const std string description const boost python object default value at line of file data nega offline software src icetray public icetray h n void add const std string name const std string description at line of file data nega offline software src icetray public icetray h n template n void add const std string name const std string description const t default value at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n void add const string name const std string description npossible candidates n void add const std string name const std string description const boost python object default value at line of file data nega offline software src icetray public icetray h n void add const std string name const std string description at line of file data nega offline software src icetray public icetray h n template n void add const std string name const std string description const t default value at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n boost python object get const string name const npossible candidates n boost python object get const std string name const at line of file data nega offline software src icetray public icetray h n template n boost enable if t type get const std string name const at line of file data nega offline software src icetray public icetray h n template n boost disable if t type get const std string name const at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n std string classname const npossible candidates n std string classname const at line of file data nega offline software src icetray public icetray h n void classname const std string s at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n std string instancename const npossible candidates n std string instancename const at line of file data nega offline software src icetray public icetray h n void instancename const std string s at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n stream stop npossible candidates n stream stop none at line of file data nega offline software src icetray public icetray h n char stop at line of file data nega offline software src icetray public icetray h n const rhs at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n size type size const string key const npossible candidates n map t size type size const value t value const at line of file data nega offline software src icetray public icetray h n size type size const at line of file data nega offline software src icetray public icetray h n size type size const std string key const at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n bool has const std string key const stream stream const npossible candidates n bool has const std string key const at line of file data nega offline software src icetray public icetray h n bool has const std string key const stream stream const at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n void take const rhs const string what const string as npossible candidates n void take const rhs const std string what const std string as at line of file data nega offline software src icetray public icetray h n void take const rhs const std string what at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n stream getstop const std string key const npossible candidates n stream getstop const at line of file data nega offline software src icetray public icetray h n stream getstop const std string key const at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n void put const string name element npossible candidates n void put const std string name boost shared ptr element const stream stream at line of file data nega offline software src icetray public icetray h n void put const std string name boost shared ptr element at line of file data nega offline software src icetray public icetray h n template n void put boost shared ptr element at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n void put const string name element const stream on stream npossible candidates n void put const std string name boost shared ptr element const stream stream at line of file data nega offline software src icetray public icetray h n void put const std string name boost shared ptr element at line of file data nega offline software src icetray public icetray h n template n void put boost shared ptr element at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n string type name const string key const npossible candidates n static std string type name const value t at line of file data nega offline software src icetray public icetray h n std string type name const std string key const at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n string type name const value t value npossible candidates n static std string type name const value t at line of file data nega offline software src icetray public icetray h n std string type name const std string key const at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n template bool load io filtering istream const vector bool npossible candidates n template n bool load istreamt is const std vector vs std vector bool verify checksums true at line of file data nega offline software src icetray public icetray h n template n bool load istreamt is const vector skip bool verify cksum at line of file data nega offline software src icetray private icetray cxx n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n template bool load istream is const vector bool npossible candidates n template n bool load istreamt is const std vector vs std vector bool verify checksums true at line of file data nega offline software src icetray public icetray h n template n bool load istreamt is const vector skip bool verify cksum at line of file data nega offline software src icetray private icetray cxx n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n template bool load ifstream is const vector bool npossible candidates n template n bool load istreamt is const std vector vs std vector bool verify checksums true at line of file data nega offline software src icetray public icetray h n template n bool load istreamt is const vector skip bool verify cksum at line of file data nega offline software src icetray private icetray cxx n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n template bool load boost interprocess bufferstream is const vector bool npossible candidates n template n bool load istreamt is const std vector vs std vector bool verify checksums true at line of file data nega offline software src icetray public icetray h n template n bool load istreamt is const vector skip bool verify cksum at line of file data nega offline software src icetray private icetray cxx n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n template bool load boost interprocess basic vectorstream is const vector bool npossible candidates n template n bool load istreamt is const std vector vs std vector bool verify checksums true at line of file data nega offline software src icetray public icetray h n template n bool load istreamt is const vector skip bool verify cksum at line of file data nega offline software src icetray private icetray cxx n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n template void save io filtering ostream const vector const npossible candidates n template n void save ostreamt os const std vector vs std vector const at line of file data nega offline software src icetray public icetray h n template n void save ostreamt os const vector skip const at line of file data nega offline software src icetray private icetray cxx n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n template void save boost interprocess basic vectorstream const vector const npossible candidates n template n void save ostreamt os const std vector vs std vector const at line of file data nega offline software src icetray public icetray h n template n void save ostreamt os const vector skip const at line of file data nega offline software src icetray private icetray cxx n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n template void save ostream const vector const npossible candidates n template n void save ostreamt os const std vector vs std vector const at line of file data nega offline software src icetray public icetray h n template n void save ostreamt os const vector skip const at line of file data nega offline software src icetray private icetray cxx n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n template void save ofstream const std vector const npossible candidates n template n void save ostreamt os const std vector vs std vector const at line of file data nega offline software src icetray public icetray h n template n void save ostreamt os const vector skip const at line of file data nega offline software src icetray private icetray cxx n n data nega offline software src icetray private icetray cxx warning documented symbol was not declared or defined n data nega offline software src icetray private icetray cxx warning documented symbol was not declared or defined n data nega offline software src icetray private icetray cxx warning no matching class member found for n loglevelforunit const std string unit n n data nega offline software src icetray private icetray cxx warning no matching class member found for n void setloglevelforunit const std string unit level n n data nega offline software src icetray private icetray cxx warning no matching class member found for n void setloglevel level n n data nega offline software src icetray private icetray cxx warning documented symbol was not declared or defined n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n void log level const std string unit const std string file int line const std string func const std string message n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n param setter addmodule const std string classname std string instancename npossible candidates n def pybindings addmodule at line of file data nega offline software src icetray private pybindings py n template n boost enable if param setter type addmodule std string name at line of file data nega offline software src icetray public icetray h n param setter addmodule boost python object obj std string instancename at line of file data nega offline software src icetray public icetray h n param setter addmodule const std string name std string instancename at line of file data nega offline software src icetray public icetray h n param setter addmodule module std string instancename at line of file data nega offline software src icetray public icetray h n template n boost disable if boost is same boost is convertible is shared ptr param setter type addmodule type func std string instancename at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n param setter addmodule bp object obj std string instancename npossible candidates n def pybindings addmodule at line of file data nega offline software src icetray private pybindings py n template n boost enable if param setter type addmodule std string name at line of file data nega offline software src icetray public icetray h n param setter addmodule boost python object obj std string instancename at line of file data nega offline software src icetray public icetray h n param setter addmodule const std string name std string instancename at line of file data nega offline software src icetray public icetray h n param setter addmodule module std string instancename at line of file data nega offline software src icetray public icetray h n template n boost disable if boost is same boost is convertible is shared ptr param setter type addmodule type func std string instancename at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n param setter addmodule module std string instancename npossible candidates n def pybindings addmodule at line of file data nega offline software src icetray private pybindings py n template n boost enable if param setter type addmodule std string name at line of file data nega offline software src icetray public icetray h n param setter addmodule boost python object obj std string instancename at line of file data nega offline software src icetray public icetray h n param setter addmodule const std string name std string instancename at line of file data nega offline software src icetray public icetray h n param setter addmodule module std string instancename at line of file data nega offline software src icetray public icetray h n template n boost disable if boost is same boost is convertible is shared ptr param setter type addmodule type func std string instancename at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n param setter addservice const std string classname std string instancename npossible candidates n def pybindings addservice at line of file data nega offline software src icetray private pybindings py n param setter addservice const std string clazz std string name at line of file data nega offline software src icetray public icetray h n template n param setter addservice std string name at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n bool setparameter const string module const string parameter const char value npossible candidates n def pybindings setparameter at line of file data nega offline software src icetray private pybindings py n bool setparameter const std string module const std string parameter const char value at line of file data nega offline software src icetray public icetray h n bool setparameter const std string module const std string parameter boost python object value at line of file data nega offline software src icetray public icetray h n template n bool setparameter const std string module const std string parameter const type value at line of file data nega offline software src icetray public icetray h n n data nega offline software src icetray private icetray cxx warning no uniquely matching class member found for n bool setparameter const string module const string parameter bp object value npossible candidates n def pybindings setparameter at line of file data nega offline software src icetray private pybindings py n bool setparameter const std string module const std string parameter const char value at line of file data nega offline software src icetray public icetray h n bool setparameter const std string module const std string parameter boost python object value at line of file data nega offline software src icetray public icetray h n template n bool setparameter const std string module const std string parameter const type value at line of file data nega offline software src icetray public icetray h n nbuilt target icetray icetray doxygen nbuilt target icetray doxygen n reporter nega cc resolution invalid ts component combo core summary icetray doxygen errors no uniquely matching class members priority normal keywords time milestone owner nega type defect
| 1
|
5,038
| 2,570,705,580
|
IssuesEvent
|
2015-02-10 11:36:14
|
29th/personnel
|
https://api.github.com/repos/29th/personnel
|
opened
|
Update forumUrl
|
medium-priority personnel-api personnel-app
|
Update admin, app config, views, and templates
```mysql
ALTER TABLE `demerits` CHANGE `forum_id` `forum_id` ENUM( 'PHPBB', 'SMF', 'Vanilla' ) CHARACTER SET utf8 COLLATE utf8_general_ci NULL DEFAULT NULL COMMENT 'Which forums';
```
|
1.0
|
Update forumUrl - Update admin, app config, views, and templates
```mysql
ALTER TABLE `demerits` CHANGE `forum_id` `forum_id` ENUM( 'PHPBB', 'SMF', 'Vanilla' ) CHARACTER SET utf8 COLLATE utf8_general_ci NULL DEFAULT NULL COMMENT 'Which forums';
```
|
non_defect
|
update forumurl update admin app config views and templates mysql alter table demerits change forum id forum id enum phpbb smf vanilla character set collate general ci null default null comment which forums
| 0
|
622,030
| 19,604,867,408
|
IssuesEvent
|
2022-01-06 08:06:53
|
wso2/product-apim
|
https://api.github.com/repos/wso2/product-apim
|
opened
|
APIM Hashes in superadmin password will cause 404 errors when any API is invoked
|
Type/Bug Priority/Normal
|
### Description:
If, in v4.0.0 of APIM, the deployment.toml contains certain special characters, namely a hash ("#") sign, the deployment will succed and login will be possible, but that password will be written in a .properties-File where hashes may be comments, subsequently the JNDI-connection will fail when invoking an API from any user, which will, in the swagger html-client, be reported as "failed to fetch".
### Steps to reproduce:
in the deployment.toml, set a password with a hash, e.g.
```
[super_admin]
password="#admin"
```
Deploy. Note that you can login. Deploy the Pizza API sample client and in it's runtime configuration enable CORS. Try the /menu of the Pizza API with the publisher ("failed to fetch" instead of unauthenticated), in the devconsole ("failed to fetch" instead of the proper response), or using e.g. using postman which will deliver
'''
{
"code": "404",
"type": "Status report",
"message": "Not Found",
"description": "The requested resource is not available."
}
'''
)
When deployed like the, during start the following exception will be reported
```
org.wso2.carbon.event.output.adapter.core.exception.OutputEventAdapterRuntimeException: Cannot acquire JNDI context, JMS Connection factory : TopicConnectionFactory or default destinationName : cacheInvalidation for JMS CF : cacheInvalidationJMSPublisher using : {transport.jms.ConcurrentPublishers=allow, java.naming.provider.url=repository/conf/jndi.properties, java.naming.factory.initial=org.wso2.andes.jndi.PropertiesFileInitialContextFactory, transport.jms.DestinationType=topic, transport.jms.ConnectionFactoryJNDIName=TopicConnectionFactory, transport.jms.Destination=cacheInvalidation}
at org.wso2.carbon.event.output.adapter.jms.internal.util.JMSConnectionFactory.<init>(JMSConnectionFactory.java:93) ~[org.wso2.carbon.event.output.adapter.jms_5.2.34.jar:?]
at org.wso2.carbon.event.output.adapter.jms.JMSEventAdapter.initPublisher(JMSEventAdapter.java:202) ~[org.wso2.carbon.event.output.adapter.jms_5.2.34.jar:?]
at org.wso2.carbon.event.output.adapter.jms.JMSEventAdapter.connect(JMSEventAdapter.java:135) ~[org.wso2.carbon.event.output.adapter.jms_5.2.34.jar:?]
at org.wso2.carbon.event.output.adapter.core.internal.OutputAdapterRuntime.publish(OutputAdapterRuntime.java:68) [org.wso2.carbon.event.output.adapter.core_5.2.34.jar:?]
at org.wso2.carbon.event.output.adapter.core.internal.CarbonOutputEventAdapterService.publish(CarbonOutputEventAdapterService.java:148) [org.wso2.carbon.event.output.adapter.core_5.2.34.jar:?]
at org.wso2.carbon.event.publisher.core.internal.EventPublisher.process(EventPublisher.java:428) [org.wso2.carbon.event.publisher.core_5.2.34.jar:?]
at org.wso2.carbon.event.publisher.core.internal.EventPublisher.sendEvent(EventPublisher.java:230) [org.wso2.carbon.event.publisher.core_5.2.34.jar:?]
at org.wso2.carbon.event.publisher.core.internal.EventPublisher.onEvent(EventPublisher.java:300) [org.wso2.carbon.event.publisher.core_5.2.34.jar:?]
at org.wso2.carbon.event.stream.core.internal.EventJunction.sendEvent(EventJunction.java:157) [org.wso2.carbon.event.stream.core_5.2.34.jar:?]
at org.wso2.carbon.event.receiver.core.internal.management.InputEventDispatcher.onEvent(InputEventDispatcher.java:27) [org.wso2.carbon.event.receiver.core_5.2.34.jar:?]
at org.wso2.carbon.event.receiver.core.internal.EventReceiver.sendEvent(EventReceiver.java:294) [org.wso2.carbon.event.receiver.core_5.2.34.jar:?]
at org.wso2.carbon.event.receiver.core.internal.EventReceiver.processTypedEvent(EventReceiver.java:257) [org.wso2.carbon.event.receiver.core_5.2.34.jar:?]
at org.wso2.carbon.event.receiver.core.internal.EventReceiver$TypedEventSubscription.onEvent(EventReceiver.java:358) [org.wso2.carbon.event.receiver.core_5.2.34.jar:?]
at org.wso2.carbon.event.input.adapter.core.internal.InputAdapterRuntime.onEvent(InputAdapterRuntime.java:110) [org.wso2.carbon.event.input.adapter.core_5.2.34.jar:?]
at org.wso2.carbon.event.input.adapter.wso2event.internal.ds.WSO2EventAdapterServiceDS$1.receive(WSO2EventAdapterServiceDS.java:100) [org.wso2.carbon.event.input.adapter.wso2event_5.2.34.jar:?]
at org.wso2.carbon.databridge.core.internal.queue.QueueWorker.run(QueueWorker.java:81) [org.wso2.carbon.databridge.core_5.2.34.jar:?]
at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:515) [?:?]
at java.util.concurrent.FutureTask.run(FutureTask.java:264) [?:?]
at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1128) [?:?]
at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:628) [?:?]
at java.lang.Thread.run(Thread.java:829) [?:?]
Caused by: javax.naming.ConfigurationException: Failed to parse entry: User information not found on url between indicies 7 and 1
amqp://admin:***@clientid/carbon?brokerlist='tcp://172.18.0.1:5672'
^ due to : User information not found on url at index 7: amqp://admin:***@clientid/carbon?brokerlist='tcp://172.18.0.1:5672'
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.createFactory(PropertiesFileInitialContextFactory.java:318) ~[andes_3.3.11.jar:?]
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.createConnectionFactories(PropertiesFileInitialContextFactory.java:187) ~[andes_3.3.11.jar:?]
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.getInitialContext(PropertiesFileInitialContextFactory.java:153) ~[andes_3.3.11.jar:?]
at javax.naming.spi.NamingManager.getInitialContext(NamingManager.java:730) ~[?:?]
at javax.naming.InitialContext.getDefaultInitCtx(InitialContext.java:305) ~[?:?]
at javax.naming.InitialContext.init(InitialContext.java:236) ~[?:?]
at javax.naming.InitialContext.<init>(InitialContext.java:208) ~[?:?]
at org.wso2.carbon.event.output.adapter.jms.internal.util.JMSConnectionFactory.<init>(JMSConnectionFactory.java:84) ~[org.wso2.carbon.event.output.adapter.jms_5.2.34.jar:?]
... 20 more
Caused by: org.wso2.andes.url.URLSyntaxException: User information not found on url at index 7: amqp://admin:***@clientid/carbon?brokerlist='tcp://172.18.0.1:5672'
at org.wso2.andes.url.URLHelper.parseError(URLHelper.java:141) ~[andes_3.3.11.jar:?]
at org.wso2.andes.url.URLHelper.parseError(URLHelper.java:136) ~[andes_3.3.11.jar:?]
at org.wso2.andes.client.url.URLParser.parseURL(URLParser.java:131) ~[andes_3.3.11.jar:?]
at org.wso2.andes.client.url.URLParser.<init>(URLParser.java:51) ~[andes_3.3.11.jar:?]
at org.wso2.andes.client.AMQConnectionURL.<init>(AMQConnectionURL.java:65) ~[andes_3.3.11.jar:?]
at org.wso2.andes.client.AMQConnectionFactory.<init>(AMQConnectionFactory.java:83) ~[andes_3.3.11.jar:?]
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.createFactory(PropertiesFileInitialContextFactory.java:312) ~[andes_3.3.11.jar:?]
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.createConnectionFactories(PropertiesFileInitialContextFactory.java:187) ~[andes_3.3.11.jar:?]
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.getInitialContext(PropertiesFileInitialContextFactory.java:153) ~[andes_3.3.11.jar:?]
at javax.naming.spi.NamingManager.getInitialContext(NamingManager.java:730) ~[?:?]
at javax.naming.InitialContext.getDefaultInitCtx(InitialContext.java:305) ~[?:?]
at javax.naming.InitialContext.init(InitialContext.java:236) ~[?:?]
at javax.naming.InitialContext.<init>(InitialContext.java:208) ~[?:?]
at org.wso2.carbon.event.output.adapter.jms.internal.util.JMSConnectionFactory.<init>(JMSConnectionFactory.java:84) ~[org.wso2.carbon.event.output.adapter.jms_5.2.34.jar:?]
... 20 more
```
### Affected Product Version:
<!-- Members can use Affected/*** labels -->
4.0.0
### Environment details (with versions):
- OS: Debian 10
- Client: e.g. Postman
- Env (Docker/K8s): in a Proxmox VM
---
### Optional Fields
#### Related Issues:
"failed to fetch", "404", or JNDI incidents may be caused and reported due to this problem, candidates e.g. include #12020, #12080, #11102 and #7226
#### Suggested Labels:
<!--Only to be used by non-members-->
#### Suggested Assignees:
<!--Only to be used by non-members-->
|
1.0
|
APIM Hashes in superadmin password will cause 404 errors when any API is invoked - ### Description:
If, in v4.0.0 of APIM, the deployment.toml contains certain special characters, namely a hash ("#") sign, the deployment will succed and login will be possible, but that password will be written in a .properties-File where hashes may be comments, subsequently the JNDI-connection will fail when invoking an API from any user, which will, in the swagger html-client, be reported as "failed to fetch".
### Steps to reproduce:
in the deployment.toml, set a password with a hash, e.g.
```
[super_admin]
password="#admin"
```
Deploy. Note that you can login. Deploy the Pizza API sample client and in it's runtime configuration enable CORS. Try the /menu of the Pizza API with the publisher ("failed to fetch" instead of unauthenticated), in the devconsole ("failed to fetch" instead of the proper response), or using e.g. using postman which will deliver
'''
{
"code": "404",
"type": "Status report",
"message": "Not Found",
"description": "The requested resource is not available."
}
'''
)
When deployed like the, during start the following exception will be reported
```
org.wso2.carbon.event.output.adapter.core.exception.OutputEventAdapterRuntimeException: Cannot acquire JNDI context, JMS Connection factory : TopicConnectionFactory or default destinationName : cacheInvalidation for JMS CF : cacheInvalidationJMSPublisher using : {transport.jms.ConcurrentPublishers=allow, java.naming.provider.url=repository/conf/jndi.properties, java.naming.factory.initial=org.wso2.andes.jndi.PropertiesFileInitialContextFactory, transport.jms.DestinationType=topic, transport.jms.ConnectionFactoryJNDIName=TopicConnectionFactory, transport.jms.Destination=cacheInvalidation}
at org.wso2.carbon.event.output.adapter.jms.internal.util.JMSConnectionFactory.<init>(JMSConnectionFactory.java:93) ~[org.wso2.carbon.event.output.adapter.jms_5.2.34.jar:?]
at org.wso2.carbon.event.output.adapter.jms.JMSEventAdapter.initPublisher(JMSEventAdapter.java:202) ~[org.wso2.carbon.event.output.adapter.jms_5.2.34.jar:?]
at org.wso2.carbon.event.output.adapter.jms.JMSEventAdapter.connect(JMSEventAdapter.java:135) ~[org.wso2.carbon.event.output.adapter.jms_5.2.34.jar:?]
at org.wso2.carbon.event.output.adapter.core.internal.OutputAdapterRuntime.publish(OutputAdapterRuntime.java:68) [org.wso2.carbon.event.output.adapter.core_5.2.34.jar:?]
at org.wso2.carbon.event.output.adapter.core.internal.CarbonOutputEventAdapterService.publish(CarbonOutputEventAdapterService.java:148) [org.wso2.carbon.event.output.adapter.core_5.2.34.jar:?]
at org.wso2.carbon.event.publisher.core.internal.EventPublisher.process(EventPublisher.java:428) [org.wso2.carbon.event.publisher.core_5.2.34.jar:?]
at org.wso2.carbon.event.publisher.core.internal.EventPublisher.sendEvent(EventPublisher.java:230) [org.wso2.carbon.event.publisher.core_5.2.34.jar:?]
at org.wso2.carbon.event.publisher.core.internal.EventPublisher.onEvent(EventPublisher.java:300) [org.wso2.carbon.event.publisher.core_5.2.34.jar:?]
at org.wso2.carbon.event.stream.core.internal.EventJunction.sendEvent(EventJunction.java:157) [org.wso2.carbon.event.stream.core_5.2.34.jar:?]
at org.wso2.carbon.event.receiver.core.internal.management.InputEventDispatcher.onEvent(InputEventDispatcher.java:27) [org.wso2.carbon.event.receiver.core_5.2.34.jar:?]
at org.wso2.carbon.event.receiver.core.internal.EventReceiver.sendEvent(EventReceiver.java:294) [org.wso2.carbon.event.receiver.core_5.2.34.jar:?]
at org.wso2.carbon.event.receiver.core.internal.EventReceiver.processTypedEvent(EventReceiver.java:257) [org.wso2.carbon.event.receiver.core_5.2.34.jar:?]
at org.wso2.carbon.event.receiver.core.internal.EventReceiver$TypedEventSubscription.onEvent(EventReceiver.java:358) [org.wso2.carbon.event.receiver.core_5.2.34.jar:?]
at org.wso2.carbon.event.input.adapter.core.internal.InputAdapterRuntime.onEvent(InputAdapterRuntime.java:110) [org.wso2.carbon.event.input.adapter.core_5.2.34.jar:?]
at org.wso2.carbon.event.input.adapter.wso2event.internal.ds.WSO2EventAdapterServiceDS$1.receive(WSO2EventAdapterServiceDS.java:100) [org.wso2.carbon.event.input.adapter.wso2event_5.2.34.jar:?]
at org.wso2.carbon.databridge.core.internal.queue.QueueWorker.run(QueueWorker.java:81) [org.wso2.carbon.databridge.core_5.2.34.jar:?]
at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:515) [?:?]
at java.util.concurrent.FutureTask.run(FutureTask.java:264) [?:?]
at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1128) [?:?]
at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:628) [?:?]
at java.lang.Thread.run(Thread.java:829) [?:?]
Caused by: javax.naming.ConfigurationException: Failed to parse entry: User information not found on url between indicies 7 and 1
amqp://admin:***@clientid/carbon?brokerlist='tcp://172.18.0.1:5672'
^ due to : User information not found on url at index 7: amqp://admin:***@clientid/carbon?brokerlist='tcp://172.18.0.1:5672'
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.createFactory(PropertiesFileInitialContextFactory.java:318) ~[andes_3.3.11.jar:?]
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.createConnectionFactories(PropertiesFileInitialContextFactory.java:187) ~[andes_3.3.11.jar:?]
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.getInitialContext(PropertiesFileInitialContextFactory.java:153) ~[andes_3.3.11.jar:?]
at javax.naming.spi.NamingManager.getInitialContext(NamingManager.java:730) ~[?:?]
at javax.naming.InitialContext.getDefaultInitCtx(InitialContext.java:305) ~[?:?]
at javax.naming.InitialContext.init(InitialContext.java:236) ~[?:?]
at javax.naming.InitialContext.<init>(InitialContext.java:208) ~[?:?]
at org.wso2.carbon.event.output.adapter.jms.internal.util.JMSConnectionFactory.<init>(JMSConnectionFactory.java:84) ~[org.wso2.carbon.event.output.adapter.jms_5.2.34.jar:?]
... 20 more
Caused by: org.wso2.andes.url.URLSyntaxException: User information not found on url at index 7: amqp://admin:***@clientid/carbon?brokerlist='tcp://172.18.0.1:5672'
at org.wso2.andes.url.URLHelper.parseError(URLHelper.java:141) ~[andes_3.3.11.jar:?]
at org.wso2.andes.url.URLHelper.parseError(URLHelper.java:136) ~[andes_3.3.11.jar:?]
at org.wso2.andes.client.url.URLParser.parseURL(URLParser.java:131) ~[andes_3.3.11.jar:?]
at org.wso2.andes.client.url.URLParser.<init>(URLParser.java:51) ~[andes_3.3.11.jar:?]
at org.wso2.andes.client.AMQConnectionURL.<init>(AMQConnectionURL.java:65) ~[andes_3.3.11.jar:?]
at org.wso2.andes.client.AMQConnectionFactory.<init>(AMQConnectionFactory.java:83) ~[andes_3.3.11.jar:?]
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.createFactory(PropertiesFileInitialContextFactory.java:312) ~[andes_3.3.11.jar:?]
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.createConnectionFactories(PropertiesFileInitialContextFactory.java:187) ~[andes_3.3.11.jar:?]
at org.wso2.andes.jndi.PropertiesFileInitialContextFactory.getInitialContext(PropertiesFileInitialContextFactory.java:153) ~[andes_3.3.11.jar:?]
at javax.naming.spi.NamingManager.getInitialContext(NamingManager.java:730) ~[?:?]
at javax.naming.InitialContext.getDefaultInitCtx(InitialContext.java:305) ~[?:?]
at javax.naming.InitialContext.init(InitialContext.java:236) ~[?:?]
at javax.naming.InitialContext.<init>(InitialContext.java:208) ~[?:?]
at org.wso2.carbon.event.output.adapter.jms.internal.util.JMSConnectionFactory.<init>(JMSConnectionFactory.java:84) ~[org.wso2.carbon.event.output.adapter.jms_5.2.34.jar:?]
... 20 more
```
### Affected Product Version:
<!-- Members can use Affected/*** labels -->
4.0.0
### Environment details (with versions):
- OS: Debian 10
- Client: e.g. Postman
- Env (Docker/K8s): in a Proxmox VM
---
### Optional Fields
#### Related Issues:
"failed to fetch", "404", or JNDI incidents may be caused and reported due to this problem, candidates e.g. include #12020, #12080, #11102 and #7226
#### Suggested Labels:
<!--Only to be used by non-members-->
#### Suggested Assignees:
<!--Only to be used by non-members-->
|
non_defect
|
apim hashes in superadmin password will cause errors when any api is invoked description if in of apim the deployment toml contains certain special characters namely a hash sign the deployment will succed and login will be possible but that password will be written in a properties file where hashes may be comments subsequently the jndi connection will fail when invoking an api from any user which will in the swagger html client be reported as failed to fetch steps to reproduce in the deployment toml set a password with a hash e g password admin deploy note that you can login deploy the pizza api sample client and in it s runtime configuration enable cors try the menu of the pizza api with the publisher failed to fetch instead of unauthenticated in the devconsole failed to fetch instead of the proper response or using e g using postman which will deliver code type status report message not found description the requested resource is not available when deployed like the during start the following exception will be reported org carbon event output adapter core exception outputeventadapterruntimeexception cannot acquire jndi context jms connection factory topicconnectionfactory or default destinationname cacheinvalidation for jms cf cacheinvalidationjmspublisher using transport jms concurrentpublishers allow java naming provider url repository conf jndi properties java naming factory initial org andes jndi propertiesfileinitialcontextfactory transport jms destinationtype topic transport jms connectionfactoryjndiname topicconnectionfactory transport jms destination cacheinvalidation at org carbon event output adapter jms internal util jmsconnectionfactory jmsconnectionfactory java at org carbon event output adapter jms jmseventadapter initpublisher jmseventadapter java at org carbon event output adapter jms jmseventadapter connect jmseventadapter java at org carbon event output adapter core internal outputadapterruntime publish outputadapterruntime java at org carbon event output adapter core internal carbonoutputeventadapterservice publish carbonoutputeventadapterservice java at org carbon event publisher core internal eventpublisher process eventpublisher java at org carbon event publisher core internal eventpublisher sendevent eventpublisher java at org carbon event publisher core internal eventpublisher onevent eventpublisher java at org carbon event stream core internal eventjunction sendevent eventjunction java at org carbon event receiver core internal management inputeventdispatcher onevent inputeventdispatcher java at org carbon event receiver core internal eventreceiver sendevent eventreceiver java at org carbon event receiver core internal eventreceiver processtypedevent eventreceiver java at org carbon event receiver core internal eventreceiver typedeventsubscription onevent eventreceiver java at org carbon event input adapter core internal inputadapterruntime onevent inputadapterruntime java at org carbon event input adapter internal ds receive java at org carbon databridge core internal queue queueworker run queueworker java at java util concurrent executors runnableadapter call executors java at java util concurrent futuretask run futuretask java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java caused by javax naming configurationexception failed to parse entry user information not found on url between indicies and amqp admin clientid carbon brokerlist tcp due to user information not found on url at index amqp admin clientid carbon brokerlist tcp at org andes jndi propertiesfileinitialcontextfactory createfactory propertiesfileinitialcontextfactory java at org andes jndi propertiesfileinitialcontextfactory createconnectionfactories propertiesfileinitialcontextfactory java at org andes jndi propertiesfileinitialcontextfactory getinitialcontext propertiesfileinitialcontextfactory java at javax naming spi namingmanager getinitialcontext namingmanager java at javax naming initialcontext getdefaultinitctx initialcontext java at javax naming initialcontext init initialcontext java at javax naming initialcontext initialcontext java at org carbon event output adapter jms internal util jmsconnectionfactory jmsconnectionfactory java more caused by org andes url urlsyntaxexception user information not found on url at index amqp admin clientid carbon brokerlist tcp at org andes url urlhelper parseerror urlhelper java at org andes url urlhelper parseerror urlhelper java at org andes client url urlparser parseurl urlparser java at org andes client url urlparser urlparser java at org andes client amqconnectionurl amqconnectionurl java at org andes client amqconnectionfactory amqconnectionfactory java at org andes jndi propertiesfileinitialcontextfactory createfactory propertiesfileinitialcontextfactory java at org andes jndi propertiesfileinitialcontextfactory createconnectionfactories propertiesfileinitialcontextfactory java at org andes jndi propertiesfileinitialcontextfactory getinitialcontext propertiesfileinitialcontextfactory java at javax naming spi namingmanager getinitialcontext namingmanager java at javax naming initialcontext getdefaultinitctx initialcontext java at javax naming initialcontext init initialcontext java at javax naming initialcontext initialcontext java at org carbon event output adapter jms internal util jmsconnectionfactory jmsconnectionfactory java more affected product version environment details with versions os debian client e g postman env docker in a proxmox vm optional fields related issues failed to fetch or jndi incidents may be caused and reported due to this problem candidates e g include and suggested labels suggested assignees
| 0
|
21,321
| 3,488,407,108
|
IssuesEvent
|
2016-01-02 22:55:26
|
opalmer/lzma
|
https://api.github.com/repos/opalmer/lzma
|
closed
|
govet + golint + errcheck
|
auto-migrated Priority-Medium Type-Defect
|
```
Just some linting.
```
Original issue reported on code.google.com by `tgulacs...@gmail.com` on 26 Apr 2014 at 3:40
Attachments:
* [vet.bundle.bz2](https://storage.googleapis.com/google-code-attachments/lzma/issue-7/comment-0/vet.bundle.bz2)
|
1.0
|
govet + golint + errcheck - ```
Just some linting.
```
Original issue reported on code.google.com by `tgulacs...@gmail.com` on 26 Apr 2014 at 3:40
Attachments:
* [vet.bundle.bz2](https://storage.googleapis.com/google-code-attachments/lzma/issue-7/comment-0/vet.bundle.bz2)
|
defect
|
govet golint errcheck just some linting original issue reported on code google com by tgulacs gmail com on apr at attachments
| 1
|
59,191
| 24,681,686,446
|
IssuesEvent
|
2022-10-18 22:04:02
|
microsoft/vscode-cpptools
|
https://api.github.com/repos/microsoft/vscode-cpptools
|
closed
|
command-line error: language modes specified are incompatible for .in files
|
bug Language Service Feature: Configuration
|
### Environment
- OS and Version: WSL Ubuntu 20.04 in Windows 10 19044.2006
- VS Code Version: 1.71.2
- C/C++ Extension Version: 1.12.4
- Other extensions you installed (and if the issue persists after disabling them):
- CMake Language Support
- CMake Tools
### Bug Summary and Steps to Reproduce
Bug Summary:
When opening template file `foo.hpp.in` on the first line i get `command-line error: language modes specified are incompatible C/C++(1027)` error.
Steps to reproduce:
Codebase made out of three files
`version.hpp.in`
```c++
#define VersionTry_VERSION "@VersionTry_VERSION@"
```
`main.cpp`
```c++
#include <iostream>
#include "version.hpp"
int main(int argc, char *argv[])
{
std::cout << argv[0] << " Version " << VersionTry_VERSION << std::endl;
}
```
`CMakeLists.txt`
```CMake
cmake_minimum_required(VERSION 3.0.0)
project(VersionTry
VERSION 0.1.0
)
set(CMAKE_EXPORT_COMPILE_COMMANDS ON)
set(CMAKE_CXX_STANDARD 17)
set(CMAKE_CXX_STANDARD_REQUIRED ON)
set(CMAKE_CXX_EXTENSIONS OFF)
configure_file(
"${PROJECT_SOURCE_DIR}/version.hpp.in"
"${PROJECT_BINARY_DIR}/version.hpp"
)
add_executable(VersionTry main.cpp)
target_include_directories(VersionTry PUBLIC "${PROJECT_BINARY_DIR}")
```
1. Configure the project using CMake (through CMake plugin)
2. Open file `version.hpp.in`
3. The first character on the first line will present squiggly underline with error `command-line error: language modes specified are incompatibleC/C++(1027)`
The code configures and compiles correctly.
Looking at diagnostics log i see that the c standard is set to 'c17', and cpp standard is set to 'c++17', the same as in `c_cpp_properties.json`.
In the language server logs i see that for the `main.cpp` file `stdver` gets set to `c++17`, while for `version.hpp.in` it gets set to `c17`.
### Expected behavior
No error should appear in file `version.hpp.in`.
### Code sample and Logs
Code sample: look above
Configuration in `c_cpp_properties.json`:
```json
{
"configurations": [
{
"name": "Linux",
"includePath": [
"${workspaceFolder}/**"
],
"defines": [],
"compilerPath": "/usr/bin/g++-10",
"cStandard": "c17",
"cppStandard": "c++17",
"intelliSenseMode": "linux-gcc-x64",
"configurationProvider": "ms-vscode.cmake-tools"
}
],
"version": 4
}
```
Logs from `C/C++ Log Diagnostics:
```
-------- Diagnostics - 9/18/2022, 5:54:56 PM
Version: 1.12.4
Current Configuration:
{
"name": "Linux",
"includePath": [
"${workspaceFolder}/**"
],
"defines": [],
"compilerPath": "/usr/bin/g++-10",
"cStandard": "c17",
"cppStandard": "c++17",
"intelliSenseMode": "linux-gcc-x64",
"configurationProvider": "ms-vscode.cmake-tools",
"compilerPathIsExplicit": true,
"cStandardIsExplicit": true,
"cppStandardIsExplicit": true,
"intelliSenseModeIsExplicit": true
}
Custom browse configuration:
{
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
No active translation units.
------- Workspace parsing diagnostics -------
Number of files discovered (not excluded): 27035
```
Logs from Language server:
```
loggingLevel: Debug
Custom configuration provider 'CMake Tools' registered
Custom browse configuration received: {
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
Custom browse configuration received: {
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
Custom browse configuration received: {
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
Custom browse configuration received: {
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
Custom browse configuration received: {
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
cpptools/didChangeCppProperties
Attempting to get defaults from C compiler in "compilerPath" property: '/usr/bin/g++-10'
Querying compiler for default C++ language standard using command line: /usr/bin/g++-10 -x c++ -E -dM /dev/null
Detected language standard version: gnu++14
Querying compiler for default C language standard using command line: /usr/bin/g++-10 -x c -E -dM /dev/null
Detected language standard version: gnu17
Querying compiler's default target using command line: "/usr/bin/g++-10" -dumpmachine
Compiler returned default target value: x86_64-linux-gnu
Compiler query command line: /usr/bin/g++-10 -std=c17 -m64 -Wp,-v -E -dM -x c /dev/null
Code browsing service initialized
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
Compiler query command line: /usr/bin/g++-10 -std=c++17 -m64 -Wp,-v -E -dM -x c++ /dev/null
Folder: /usr/include/ will be indexed
Folder: /usr/lib/gcc/x86_64-linux-gnu/10/include/ will be indexed
Folder: /usr/local/include/ will be indexed
Folder: /home/pawel/projects/cmake-vscode/ will be indexed
cpptools/didChangeCustomBrowseConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
Compiler query command line: /usr/bin/g++-10 -g -std=c++17 -m64 -Wp,-v -E -dM -x c++ /dev/null
Folder: /usr/lib/gcc/x86_64-linux-gnu/10/include/ will be indexed
Folder: /usr/local/include/ will be indexed
Folder: /usr/include/ will be indexed
Folder: /home/pawel/projects/cmake-vscode/ will be indexed
cpptools/didChangeSettings
IntelliSense Engine = Default.
Enhanced Colorization is enabled.
Error squiggles are enabled if all header dependencies are resolved.
Autocomplete is enabled.
cpptools/didChangeCppProperties
cpptools/pauseParsing
cpptools/clearCustomConfigurations
cpptools/clearCustomConfigurations
cpptools/clearCustomConfigurations
cpptools/clearCustomConfigurations
cpptools/didChangeCustomBrowseConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
cpptools/resumeParsing
cpptools/didChangeCustomBrowseConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
cpptools/resumeParsing
cpptools/didChangeCustomBrowseConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
cpptools/resumeParsing
cpptools/didChangeCustomBrowseConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
cpptools/resumeParsing
Discovering files...
Processing folder (recursive): /usr/lib/gcc/x86_64-linux-gnu/10/include/
Processing folder (recursive): /usr/local/include/
Processing folder (recursive): /usr/include/
Processing folder (recursive): /home/pawel/projects/cmake-vscode/
Discovering files: 27035 file(s) processed
1 file(s) removed from database
Done discovering files.
Populating include completion cache.
Parsing remaining files...
Parsing: 0 files(s) processed
Done parsing remaining files.
cpptools/getCodeActions: /home/pawel/projects/cmake-vscode/main.cpp (id: 2)
cpptools/queryTranslationUnitSource: /home/pawel/projects/cmake-vscode/main.cpp (id: 3)
Custom configurations received:
uri: file:///home/pawel/projects/cmake-vscode/main.cpp
config: {
"includePath": [
"/home/pawel/projects/cmake-vscode/build"
],
"defines": [],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
cpptools/didChangeCustomConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
Compiler query command line: /usr/bin/g++-10 -g -std=c++17 -m64 -Wp,-v -E -dM -x c++ /dev/null
textDocument/didOpen: /home/pawel/projects/cmake-vscode/main.cpp
cpptools/textEditorSelectionChange
cpptools/getDocumentSymbols: /home/pawel/projects/cmake-vscode/main.cpp (id: 4)
cpptools/textEditorSelectionChange
cpptools/getSemanticTokens: /home/pawel/projects/cmake-vscode/main.cpp (id: 5)
cpptools/activeDocumentChange: /home/pawel/projects/cmake-vscode/main.cpp
cpptools/getInlayHints: /home/pawel/projects/cmake-vscode/main.cpp (id: 6)
cpptools/getDocumentSymbols
sending compilation args for /home/pawel/projects/cmake-vscode/main.cpp
include: /home/pawel/projects/cmake-vscode/build
include: /usr/include/c++/10
include: /usr/include/x86_64-linux-gnu/c++/10
include: /usr/include/c++/10/backward
include: /usr/lib/gcc/x86_64-linux-gnu/10/include
include: /usr/local/include
include: /usr/include/x86_64-linux-gnu
include: /usr/include
define: __SSP_STRONG__=3
define: __DBL_MIN_EXP__=(-1021)
define: __UINT_LEAST16_MAX__=0xffff
define: __ATOMIC_ACQUIRE=2
define: __FLT128_MAX_10_EXP__=4932
define: __FLT_MIN__=1.17549435082228750796873653722224568e-38F
define: __GCC_IEC_559_COMPLEX=2
define: __UINT_LEAST8_TYPE__=unsigned char
define: __SIZEOF_FLOAT80__=16
define: __INTMAX_C(c)=c ## L
define: __CHAR_BIT__=8
define: __UINT8_MAX__=0xff
define: __SCHAR_WIDTH__=8
define: __WINT_MAX__=0xffffffffU
define: __FLT32_MIN_EXP__=(-125)
define: __ORDER_LITTLE_ENDIAN__=1234
define: __SIZE_MAX__=0xffffffffffffffffUL
define: __WCHAR_MAX__=0x7fffffff
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_1=1
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_2=1
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_4=1
define: __DBL_DENORM_MIN__=double(4.94065645841246544176568792868221372e-324L)
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_8=1
define: __GCC_ATOMIC_CHAR_LOCK_FREE=2
define: __GCC_IEC_559=2
define: __FLT32X_DECIMAL_DIG__=17
define: __FLT_EVAL_METHOD__=0
define: __FLT64_DECIMAL_DIG__=17
define: __CET__=3
define: __GCC_ATOMIC_CHAR32_T_LOCK_FREE=2
define: __UINT_FAST64_MAX__=0xffffffffffffffffUL
define: __SIG_ATOMIC_TYPE__=int
define: __DBL_MIN_10_EXP__=(-307)
define: __FINITE_MATH_ONLY__=0
define: __FLT32X_MAX_EXP__=1024
define: __FLT32_HAS_DENORM__=1
define: __UINT_FAST8_MAX__=0xff
define: __DEC64_MAX_EXP__=385
define: __INT8_C(c)=c
define: __INT_LEAST8_WIDTH__=8
define: __UINT_LEAST64_MAX__=0xffffffffffffffffUL
define: __SHRT_MAX__=0x7fff
define: __LDBL_MAX__=1.18973149535723176502126385303097021e+4932L
define: __FLT64X_MAX_10_EXP__=4932
define: __FLT64X_HAS_QUIET_NAN__=1
define: __UINT_LEAST8_MAX__=0xff
define: __GCC_ATOMIC_BOOL_LOCK_FREE=2
define: __FLT128_DENORM_MIN__=6.47517511943802511092443895822764655e-4966F128
define: __UINTMAX_TYPE__=long unsigned int
define: __linux=1
define: __DEC32_EPSILON__=1E-6DF
define: __FLT_EVAL_METHOD_TS_18661_3__=0
define: __unix=1
define: __UINT32_MAX__=0xffffffffU
define: __GXX_EXPERIMENTAL_CXX0X__=1
define: __FLT128_MIN_EXP__=(-16381)
define: __WINT_MIN__=0U
define: __FLT128_MIN_10_EXP__=(-4931)
define: __INT_LEAST16_WIDTH__=16
define: __SCHAR_MAX__=0x7f
define: __FLT128_MANT_DIG__=113
define: __WCHAR_MIN__=(-__WCHAR_MAX__ - 1)
define: __INT64_C(c)=c ## L
define: __GCC_ATOMIC_POINTER_LOCK_FREE=2
define: __FLT32X_MANT_DIG__=53
define: __GCC_ATOMIC_CHAR16_T_LOCK_FREE=2
define: __USER_LABEL_PREFIX__=
define: __FLT32_MAX_10_EXP__=38
define: __FLT64X_EPSILON__=1.08420217248550443400745280086994171e-19F64x
define: __STDC_HOSTED__=1
define: __DEC64_MIN_EXP__=(-382)
define: __DBL_DIG__=15
define: __FLT32_DIG__=6
define: __FLT_EPSILON__=1.19209289550781250000000000000000000e-7F
define: __GXX_WEAK__=1
define: __SHRT_WIDTH__=16
define: __FLT32_MAX_EXP__=128
define: __LDBL_MIN__=3.36210314311209350626267781732175260e-4932L
define: __DEC32_MAX__=9.999999E96DF
define: __FLT64X_DENORM_MIN__=3.64519953188247460252840593361941982e-4951F64x
define: __FLT32X_HAS_INFINITY__=1
define: __INT32_MAX__=0x7fffffff
define: __unix__=1
define: __INT_WIDTH__=32
define: __SIZEOF_LONG__=8
define: __STDC_IEC_559__=1
define: __STDC_ISO_10646__=201706L
define: __UINT16_C(c)=c
define: __DECIMAL_DIG__=21
define: __STDC_IEC_559_COMPLEX__=1
define: __FLT64_EPSILON__=2.22044604925031308084726333618164062e-16F64
define: __gnu_linux__=1
define: __INT16_MAX__=0x7fff
define: __FLT64_MIN_EXP__=(-1021)
define: __FLT64X_MIN_10_EXP__=(-4931)
define: __LDBL_HAS_QUIET_NAN__=1
define: __FLT64_MANT_DIG__=53
define: __FLT64X_MANT_DIG__=64
define: __GNUC__=10
define: __GXX_RTTI=1
define: __pie__=2
define: __MMX__=1
define: __FLT_HAS_DENORM__=1
define: __SIZEOF_LONG_DOUBLE__=16
define: __BIGGEST_ALIGNMENT__=16
define: __STDC_UTF_16__=1
define: __FLT64_MAX_10_EXP__=308
define: __FLT32_HAS_INFINITY__=1
define: __DBL_MAX__=double(1.79769313486231570814527423731704357e+308L)
define: __INT_FAST32_MAX__=0x7fffffffffffffffL
define: __DBL_HAS_INFINITY__=1
define: __SIZEOF_FLOAT__=4
define: __HAVE_SPECULATION_SAFE_VALUE=1
define: __DEC32_MIN_EXP__=(-94)
define: __INTPTR_WIDTH__=64
define: __FLT64X_HAS_INFINITY__=1
define: __UINT_LEAST32_MAX__=0xffffffffU
define: __FLT32X_HAS_DENORM__=1
define: __INT_FAST16_TYPE__=long int
define: __STRICT_ANSI__=1
define: __MMX_WITH_SSE__=1
define: __LDBL_HAS_DENORM__=1
define: __cplusplus=201703L
define: __DEC32_MIN__=1E-95DF
define: __DEPRECATED=1
define: __DBL_MAX_EXP__=1024
define: __WCHAR_WIDTH__=32
define: __FLT32_MAX__=3.40282346638528859811704183484516925e+38F32
define: __DEC128_EPSILON__=1E-33DL
define: __SSE2_MATH__=1
define: __ATOMIC_HLE_RELEASE=131072
define: __PTRDIFF_MAX__=0x7fffffffffffffffL
define: __amd64=1
define: __ATOMIC_HLE_ACQUIRE=65536
define: __GNUG__=10
define: __LONG_LONG_MAX__=0x7fffffffffffffffLL
define: __SIZEOF_SIZE_T__=8
define: __FLT64X_MIN_EXP__=(-16381)
define: __SIZEOF_WINT_T__=4
define: __LONG_LONG_WIDTH__=64
define: __GXX_ABI_VERSION=1014
define: __FLT128_HAS_INFINITY__=1
define: __FLT_MIN_EXP__=(-125)
define: __GCC_HAVE_DWARF2_CFI_ASM=1
define: __x86_64=1
define: __INT_FAST64_TYPE__=long int
define: __FLT64_DENORM_MIN__=4.94065645841246544176568792868221372e-324F64
define: __DBL_MIN__=double(2.22507385850720138309023271733240406e-308L)
define: __FLT128_EPSILON__=1.92592994438723585305597794258492732e-34F128
define: __FLT64X_NORM_MAX__=1.18973149535723176502126385303097021e+4932F64x
define: __SIZEOF_POINTER__=8
define: __LP64__=1
define: __DBL_HAS_QUIET_NAN__=1
define: __FLT32X_EPSILON__=2.22044604925031308084726333618164062e-16F32x
define: __DECIMAL_BID_FORMAT__=1
define: __FLT64_MIN_10_EXP__=(-307)
define: __FLT64X_DECIMAL_DIG__=21
define: __DEC128_MIN__=1E-6143DL
define: __REGISTER_PREFIX__=
define: __UINT16_MAX__=0xffff
define: __LDBL_HAS_INFINITY__=1
define: __FLT32_MIN__=1.17549435082228750796873653722224568e-38F32
define: __UINT8_TYPE__=unsigned char
define: __FLT_DIG__=6
define: __NO_INLINE__=1
define: __DEC_EVAL_METHOD__=2
define: __DEC128_MAX__=9.999999999999999999999999999999999E6144DL
define: __FLT_MANT_DIG__=24
define: __LDBL_DECIMAL_DIG__=21
define: __VERSION__="10.3.0"
define: __UINT64_C(c)=c ## UL
define: _STDC_PREDEF_H=1
define: __INT_LEAST32_MAX__=0x7fffffff
define: __GCC_ATOMIC_INT_LOCK_FREE=2
define: __FLT128_MAX_EXP__=16384
define: __FLT32_MANT_DIG__=24
define: __FLOAT_WORD_ORDER__=__ORDER_LITTLE_ENDIAN__
define: __FLT128_HAS_DENORM__=1
define: __FLT32_DECIMAL_DIG__=9
define: __FLT128_DIG__=33
define: __INT32_C(c)=c
define: __DEC64_EPSILON__=1E-15DD
define: __ORDER_PDP_ENDIAN__=3412
define: __DEC128_MIN_EXP__=(-6142)
define: __INT_FAST32_TYPE__=long int
define: __UINT_LEAST16_TYPE__=short unsigned int
define: __DBL_HAS_DENORM__=1
define: __SIZE_TYPE__=long unsigned int
define: __UINT64_MAX__=0xffffffffffffffffUL
define: __FLT64X_DIG__=18
define: __INT8_TYPE__=signed char
define: __ELF__=1
define: __GCC_ASM_FLAG_OUTPUTS__=1
define: __UINT32_TYPE__=unsigned int
define: __FLT_RADIX__=2
define: __INT_LEAST16_TYPE__=short int
define: __LDBL_EPSILON__=1.08420217248550443400745280086994171e-19L
define: __UINTMAX_C(c)=c ## UL
define: __k8=1
define: __FLT32X_MIN__=2.22507385850720138309023271733240406e-308F32x
define: __SIG_ATOMIC_MAX__=0x7fffffff
define: __GCC_ATOMIC_WCHAR_T_LOCK_FREE=2
define: __SIZEOF_PTRDIFF_T__=8
define: __LDBL_DIG__=18
define: __x86_64__=1
define: __FLT32X_MIN_EXP__=(-1021)
define: __DEC32_SUBNORMAL_MIN__=0.000001E-95DF
define: __INT_FAST16_MAX__=0x7fffffffffffffffL
define: __FLT64_DIG__=15
define: __UINT_FAST32_MAX__=0xffffffffffffffffUL
define: __UINT_LEAST64_TYPE__=long unsigned int
define: __FLT_HAS_QUIET_NAN__=1
define: __FLT_MAX_10_EXP__=38
define: __LONG_MAX__=0x7fffffffffffffffL
define: __FLT64X_HAS_DENORM__=1
define: __DEC128_SUBNORMAL_MIN__=0.000000000000000000000000000000001E-6143DL
define: __FLT_HAS_INFINITY__=1
define: __UINT_FAST16_TYPE__=long unsigned int
define: __DEC64_MAX__=9.999999999999999E384DD
define: __INT_FAST32_WIDTH__=64
define: __CHAR16_TYPE__=short unsigned int
define: __PRAGMA_REDEFINE_EXTNAME=1
define: __SIZE_WIDTH__=64
define: __SEG_FS=1
define: __INT_LEAST16_MAX__=0x7fff
define: __DEC64_MANT_DIG__=16
define: __INT64_MAX__=0x7fffffffffffffffL
define: __SEG_GS=1
define: __FLT32_DENORM_MIN__=1.40129846432481707092372958328991613e-45F32
define: __SIG_ATOMIC_WIDTH__=32
define: __INT_LEAST64_TYPE__=long int
define: __INT16_TYPE__=short int
define: __INT_LEAST8_TYPE__=signed char
define: __SIZEOF_INT__=4
define: __DEC32_MAX_EXP__=97
define: __INT_FAST8_MAX__=0x7f
define: __FLT128_MAX__=1.18973149535723176508575932662800702e+4932F128
define: __INTPTR_MAX__=0x7fffffffffffffffL
define: __FLT64_HAS_QUIET_NAN__=1
define: __FLT32_MIN_10_EXP__=(-37)
define: __EXCEPTIONS=1
define: __PTRDIFF_WIDTH__=64
define: __LDBL_MANT_DIG__=64
define: __FLT64_HAS_INFINITY__=1
define: __FLT64X_MAX__=1.18973149535723176502126385303097021e+4932F64x
define: __STDCPP_DEFAULT_NEW_ALIGNMENT__=16
define: __SIG_ATOMIC_MIN__=(-__SIG_ATOMIC_MAX__ - 1)
define: __code_model_small__=1
define: __GCC_ATOMIC_LONG_LOCK_FREE=2
define: __DEC32_MANT_DIG__=7
define: __k8__=1
define: __INTPTR_TYPE__=long int
define: __UINT16_TYPE__=short unsigned int
define: __WCHAR_TYPE__=int
define: __pic__=2
define: __UINTPTR_MAX__=0xffffffffffffffffUL
define: __INT_FAST64_WIDTH__=64
define: __INT_FAST64_MAX__=0x7fffffffffffffffL
define: __GCC_ATOMIC_TEST_AND_SET_TRUEVAL=1
define: __FLT_NORM_MAX__=3.40282346638528859811704183484516925e+38F
define: __FLT64X_MAX_EXP__=16384
define: __UINT_FAST64_TYPE__=long unsigned int
define: __INT_MAX__=0x7fffffff
define: __linux__=1
define: __INT64_TYPE__=long int
define: __FLT_MAX_EXP__=128
define: __ORDER_BIG_ENDIAN__=4321
define: __DBL_MANT_DIG__=53
define: __SIZEOF_FLOAT128__=16
define: __INT_LEAST64_MAX__=0x7fffffffffffffffL
define: __DEC64_MIN__=1E-383DD
define: __WINT_TYPE__=unsigned int
define: __UINT_LEAST32_TYPE__=unsigned int
define: __SIZEOF_SHORT__=2
define: __FLT32_NORM_MAX__=3.40282346638528859811704183484516925e+38F32
define: __SSE__=1
define: __LDBL_MIN_EXP__=(-16381)
define: __FLT64_MAX__=1.79769313486231570814527423731704357e+308F64
define: __amd64__=1
define: __WINT_WIDTH__=32
define: __INT_LEAST8_MAX__=0x7f
define: __INT_LEAST64_WIDTH__=64
define: __LDBL_MAX_EXP__=16384
define: __FLT32X_MAX_10_EXP__=308
define: __SIZEOF_INT128__=16
define: __LDBL_MAX_10_EXP__=4932
define: __ATOMIC_RELAXED=0
define: __DBL_EPSILON__=double(2.22044604925031308084726333618164062e-16L)
define: __FLT128_MIN__=3.36210314311209350626267781732175260e-4932F128
define: _LP64=1
define: __UINT8_C(c)=c
define: __FLT64_MAX_EXP__=1024
define: __INT_LEAST32_TYPE__=int
define: __SIZEOF_WCHAR_T__=4
define: __GNUC_PATCHLEVEL__=0
define: __FLT128_NORM_MAX__=1.18973149535723176508575932662800702e+4932F128
define: __FLT64_NORM_MAX__=1.79769313486231570814527423731704357e+308F64
define: __FLT128_HAS_QUIET_NAN__=1
define: __INTMAX_MAX__=0x7fffffffffffffffL
define: __INT_FAST8_TYPE__=signed char
define: __FLT64X_MIN__=3.36210314311209350626267781732175260e-4932F64x
define: __GNUC_STDC_INLINE__=1
define: __FLT64_HAS_DENORM__=1
define: __FLT32_EPSILON__=1.19209289550781250000000000000000000e-7F32
define: __DBL_DECIMAL_DIG__=17
define: __STDC_UTF_32__=1
define: __INT_FAST8_WIDTH__=8
define: __FXSR__=1
define: __FLT32X_MAX__=1.79769313486231570814527423731704357e+308F32x
define: __DBL_NORM_MAX__=double(1.79769313486231570814527423731704357e+308L)
define: __BYTE_ORDER__=__ORDER_LITTLE_ENDIAN__
define: __INTMAX_WIDTH__=64
define: __UINT64_TYPE__=long unsigned int
define: __UINT32_C(c)=c ## U
define: __FLT_DENORM_MIN__=1.40129846432481707092372958328991613e-45F
define: __INT8_MAX__=0x7f
define: __LONG_WIDTH__=64
define: __PIC__=2
define: __UINT_FAST32_TYPE__=long unsigned int
define: __FLT32X_NORM_MAX__=1.79769313486231570814527423731704357e+308F32x
define: __CHAR32_TYPE__=unsigned int
define: __FLT_MAX__=3.40282346638528859811704183484516925e+38F
define: __SSE2__=1
define: __INT32_TYPE__=int
define: __SIZEOF_DOUBLE__=8
define: __FLT_MIN_10_EXP__=(-37)
define: __FLT64_MIN__=2.22507385850720138309023271733240406e-308F64
define: __INT_LEAST32_WIDTH__=32
define: __INTMAX_TYPE__=long int
define: __DEC128_MAX_EXP__=6145
define: __FLT32X_HAS_QUIET_NAN__=1
define: __ATOMIC_CONSUME=1
define: __GNUC_MINOR__=3
define: __INT_FAST16_WIDTH__=64
define: __UINTMAX_MAX__=0xffffffffffffffffUL
define: __PIE__=2
define: __FLT32X_DENORM_MIN__=4.94065645841246544176568792868221372e-324F32x
define: __DBL_MAX_10_EXP__=308
define: __LDBL_DENORM_MIN__=3.64519953188247460252840593361941982e-4951L
define: __INT16_C(c)=c
define: __STDC__=1
define: __FLT32X_DIG__=15
define: __PTRDIFF_TYPE__=long int
define: __ATOMIC_SEQ_CST=5
define: __FLT32X_MIN_10_EXP__=(-307)
define: __UINTPTR_TYPE__=long unsigned int
define: __DEC64_SUBNORMAL_MIN__=0.000000000000001E-383DD
define: __DEC128_MANT_DIG__=34
define: __LDBL_MIN_10_EXP__=(-4931)
define: __SSE_MATH__=1
define: __SIZEOF_LONG_LONG__=8
define: __FLT128_DECIMAL_DIG__=36
define: __GCC_ATOMIC_LLONG_LOCK_FREE=2
define: __FLT32_HAS_QUIET_NAN__=1
define: __FLT_DECIMAL_DIG__=9
define: __UINT_FAST16_MAX__=0xffffffffffffffffUL
define: __LDBL_NORM_MAX__=1.18973149535723176502126385303097021e+4932L
define: __GCC_ATOMIC_SHORT_LOCK_FREE=2
define: __UINT_FAST8_TYPE__=unsigned char
define: _GNU_SOURCE=1
define: __ATOMIC_ACQ_REL=4
define: __ATOMIC_RELEASE=3
other: --g++
other: --gnu_version=100300
stdver: c++17
intelliSenseMode: linux-gcc-x64
Checking for syntax errors: /home/pawel/projects/cmake-vscode/main.cpp
Queueing IntelliSense update for files in translation unit of: /home/pawel/projects/cmake-vscode/main.cpp
cpptools/finishUpdateSquiggles
Error squiggle count: 0
Update IntelliSense time (sec): 0.326
Database safe to open
cpptools/getFoldingRanges: /home/pawel/projects/cmake-vscode/main.cpp (id: 7)
textDocument/didClose: /home/pawel/projects/cmake-vscode/main.cpp
cpptools/getCodeActions: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 8)
cpptools/queryTranslationUnitSource: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 9)
textDocument/didOpen: /home/pawel/projects/cmake-vscode/version.hpp.in
Checking for syntax errors: /home/pawel/projects/cmake-vscode/version.hpp.in
cpptools/textEditorSelectionChange
cpptools/getDocumentSymbols: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 10)
cpptools/textEditorSelectionChange
cpptools/getDocumentSymbols
cpptools/getSemanticTokens: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 11)
cpptools/activeDocumentChange: /home/pawel/projects/cmake-vscode/version.hpp.in
cpptools/getInlayHints: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 12)
sending compilation args for /home/pawel/projects/cmake-vscode/version.hpp.in
include: /usr/include/c++/10
include: /usr/include/x86_64-linux-gnu/c++/10
include: /usr/include/c++/10/backward
include: /usr/lib/gcc/x86_64-linux-gnu/10/include
include: /usr/local/include
include: /usr/include/x86_64-linux-gnu
include: /usr/include
define: __SSP_STRONG__=3
define: __DBL_MIN_EXP__=(-1021)
define: __UINT_LEAST16_MAX__=0xffff
define: __ATOMIC_ACQUIRE=2
define: __FLT128_MAX_10_EXP__=4932
define: __FLT_MIN__=1.17549435082228750796873653722224568e-38F
define: __GCC_IEC_559_COMPLEX=2
define: __UINT_LEAST8_TYPE__=unsigned char
define: __SIZEOF_FLOAT80__=16
define: __INTMAX_C(c)=c ## L
define: __CHAR_BIT__=8
define: __UINT8_MAX__=0xff
define: __SCHAR_WIDTH__=8
define: __WINT_MAX__=0xffffffffU
define: __FLT32_MIN_EXP__=(-125)
define: __ORDER_LITTLE_ENDIAN__=1234
define: __SIZE_MAX__=0xffffffffffffffffUL
define: __WCHAR_MAX__=0x7fffffff
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_1=1
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_2=1
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_4=1
define: __DBL_DENORM_MIN__=double(4.94065645841246544176568792868221372e-324L)
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_8=1
define: __GCC_ATOMIC_CHAR_LOCK_FREE=2
define: __GCC_IEC_559=2
define: __FLT32X_DECIMAL_DIG__=17
define: __FLT_EVAL_METHOD__=0
define: __FLT64_DECIMAL_DIG__=17
define: __CET__=3
define: __GCC_ATOMIC_CHAR32_T_LOCK_FREE=2
define: __UINT_FAST64_MAX__=0xffffffffffffffffUL
define: __SIG_ATOMIC_TYPE__=int
define: __DBL_MIN_10_EXP__=(-307)
define: __FINITE_MATH_ONLY__=0
define: __FLT32X_MAX_EXP__=1024
define: __FLT32_HAS_DENORM__=1
define: __UINT_FAST8_MAX__=0xff
define: __DEC64_MAX_EXP__=385
define: __INT8_C(c)=c
define: __INT_LEAST8_WIDTH__=8
define: __UINT_LEAST64_MAX__=0xffffffffffffffffUL
define: __SHRT_MAX__=0x7fff
define: __LDBL_MAX__=1.18973149535723176502126385303097021e+4932L
define: __FLT64X_MAX_10_EXP__=4932
define: __FLT64X_HAS_QUIET_NAN__=1
define: __UINT_LEAST8_MAX__=0xff
define: __GCC_ATOMIC_BOOL_LOCK_FREE=2
define: __FLT128_DENORM_MIN__=6.47517511943802511092443895822764655e-4966F128
define: __UINTMAX_TYPE__=long unsigned int
define: __linux=1
define: __DEC32_EPSILON__=1E-6DF
define: __FLT_EVAL_METHOD_TS_18661_3__=0
define: __unix=1
define: __UINT32_MAX__=0xffffffffU
define: __GXX_EXPERIMENTAL_CXX0X__=1
define: __FLT128_MIN_EXP__=(-16381)
define: __WINT_MIN__=0U
define: __FLT128_MIN_10_EXP__=(-4931)
define: __INT_LEAST16_WIDTH__=16
define: __SCHAR_MAX__=0x7f
define: __FLT128_MANT_DIG__=113
define: __WCHAR_MIN__=(-__WCHAR_MAX__ - 1)
define: __INT64_C(c)=c ## L
define: __GCC_ATOMIC_POINTER_LOCK_FREE=2
define: __FLT32X_MANT_DIG__=53
define: __GCC_ATOMIC_CHAR16_T_LOCK_FREE=2
define: __USER_LABEL_PREFIX__=
define: __FLT32_MAX_10_EXP__=38
define: __FLT64X_EPSILON__=1.08420217248550443400745280086994171e-19F64x
define: __STDC_HOSTED__=1
define: __DEC64_MIN_EXP__=(-382)
define: __DBL_DIG__=15
define: __FLT32_DIG__=6
define: __FLT_EPSILON__=1.19209289550781250000000000000000000e-7F
define: __GXX_WEAK__=1
define: __SHRT_WIDTH__=16
define: __FLT32_MAX_EXP__=128
define: __LDBL_MIN__=3.36210314311209350626267781732175260e-4932L
define: __DEC32_MAX__=9.999999E96DF
define: __FLT64X_DENORM_MIN__=3.64519953188247460252840593361941982e-4951F64x
define: __FLT32X_HAS_INFINITY__=1
define: __INT32_MAX__=0x7fffffff
define: __unix__=1
define: __INT_WIDTH__=32
define: __SIZEOF_LONG__=8
define: __STDC_IEC_559__=1
define: __STDC_ISO_10646__=201706L
define: __UINT16_C(c)=c
define: __DECIMAL_DIG__=21
define: __STDC_IEC_559_COMPLEX__=1
define: __FLT64_EPSILON__=2.22044604925031308084726333618164062e-16F64
define: __gnu_linux__=1
define: __INT16_MAX__=0x7fff
define: __FLT64_MIN_EXP__=(-1021)
define: __FLT64X_MIN_10_EXP__=(-4931)
define: __LDBL_HAS_QUIET_NAN__=1
define: __FLT64_MANT_DIG__=53
define: __FLT64X_MANT_DIG__=64
define: __GNUC__=10
define: __GXX_RTTI=1
define: __pie__=2
define: __MMX__=1
define: __FLT_HAS_DENORM__=1
define: __SIZEOF_LONG_DOUBLE__=16
define: __BIGGEST_ALIGNMENT__=16
define: __STDC_UTF_16__=1
define: __FLT64_MAX_10_EXP__=308
define: __FLT32_HAS_INFINITY__=1
define: __DBL_MAX__=double(1.79769313486231570814527423731704357e+308L)
define: __INT_FAST32_MAX__=0x7fffffffffffffffL
define: __DBL_HAS_INFINITY__=1
define: __SIZEOF_FLOAT__=4
define: __HAVE_SPECULATION_SAFE_VALUE=1
define: __DEC32_MIN_EXP__=(-94)
define: __INTPTR_WIDTH__=64
define: __FLT64X_HAS_INFINITY__=1
define: __UINT_LEAST32_MAX__=0xffffffffU
define: __FLT32X_HAS_DENORM__=1
define: __INT_FAST16_TYPE__=long int
define: __STRICT_ANSI__=1
define: __MMX_WITH_SSE__=1
define: __LDBL_HAS_DENORM__=1
define: __cplusplus=201703L
define: __DEC32_MIN__=1E-95DF
define: __DEPRECATED=1
define: __DBL_MAX_EXP__=1024
define: __WCHAR_WIDTH__=32
define: __FLT32_MAX__=3.40282346638528859811704183484516925e+38F32
define: __DEC128_EPSILON__=1E-33DL
define: __SSE2_MATH__=1
define: __ATOMIC_HLE_RELEASE=131072
define: __PTRDIFF_MAX__=0x7fffffffffffffffL
define: __amd64=1
define: __ATOMIC_HLE_ACQUIRE=65536
define: __GNUG__=10
define: __LONG_LONG_MAX__=0x7fffffffffffffffLL
define: __SIZEOF_SIZE_T__=8
define: __FLT64X_MIN_EXP__=(-16381)
define: __SIZEOF_WINT_T__=4
define: __LONG_LONG_WIDTH__=64
define: __GXX_ABI_VERSION=1014
define: __FLT128_HAS_INFINITY__=1
define: __FLT_MIN_EXP__=(-125)
define: __GCC_HAVE_DWARF2_CFI_ASM=1
define: __x86_64=1
define: __INT_FAST64_TYPE__=long int
define: __FLT64_DENORM_MIN__=4.94065645841246544176568792868221372e-324F64
define: __DBL_MIN__=double(2.22507385850720138309023271733240406e-308L)
define: __FLT128_EPSILON__=1.92592994438723585305597794258492732e-34F128
define: __FLT64X_NORM_MAX__=1.18973149535723176502126385303097021e+4932F64x
define: __SIZEOF_POINTER__=8
define: __LP64__=1
define: __DBL_HAS_QUIET_NAN__=1
define: __FLT32X_EPSILON__=2.22044604925031308084726333618164062e-16F32x
define: __DECIMAL_BID_FORMAT__=1
define: __FLT64_MIN_10_EXP__=(-307)
define: __FLT64X_DECIMAL_DIG__=21
define: __DEC128_MIN__=1E-6143DL
define: __REGISTER_PREFIX__=
define: __UINT16_MAX__=0xffff
define: __LDBL_HAS_INFINITY__=1
define: __FLT32_MIN__=1.17549435082228750796873653722224568e-38F32
define: __UINT8_TYPE__=unsigned char
define: __FLT_DIG__=6
define: __NO_INLINE__=1
define: __DEC_EVAL_METHOD__=2
define: __DEC128_MAX__=9.999999999999999999999999999999999E6144DL
define: __FLT_MANT_DIG__=24
define: __LDBL_DECIMAL_DIG__=21
define: __VERSION__="10.3.0"
define: __UINT64_C(c)=c ## UL
define: _STDC_PREDEF_H=1
define: __INT_LEAST32_MAX__=0x7fffffff
define: __GCC_ATOMIC_INT_LOCK_FREE=2
define: __FLT128_MAX_EXP__=16384
define: __FLT32_MANT_DIG__=24
define: __FLOAT_WORD_ORDER__=__ORDER_LITTLE_ENDIAN__
define: __FLT128_HAS_DENORM__=1
define: __FLT32_DECIMAL_DIG__=9
define: __FLT128_DIG__=33
define: __INT32_C(c)=c
define: __DEC64_EPSILON__=1E-15DD
define: __ORDER_PDP_ENDIAN__=3412
define: __DEC128_MIN_EXP__=(-6142)
define: __INT_FAST32_TYPE__=long int
define: __UINT_LEAST16_TYPE__=short unsigned int
define: __DBL_HAS_DENORM__=1
define: __SIZE_TYPE__=long unsigned int
define: __UINT64_MAX__=0xffffffffffffffffUL
define: __FLT64X_DIG__=18
define: __INT8_TYPE__=signed char
define: __ELF__=1
define: __GCC_ASM_FLAG_OUTPUTS__=1
define: __UINT32_TYPE__=unsigned int
define: __FLT_RADIX__=2
define: __INT_LEAST16_TYPE__=short int
define: __LDBL_EPSILON__=1.08420217248550443400745280086994171e-19L
define: __UINTMAX_C(c)=c ## UL
define: __k8=1
define: __FLT32X_MIN__=2.22507385850720138309023271733240406e-308F32x
define: __SIG_ATOMIC_MAX__=0x7fffffff
define: __GCC_ATOMIC_WCHAR_T_LOCK_FREE=2
define: __SIZEOF_PTRDIFF_T__=8
define: __LDBL_DIG__=18
define: __x86_64__=1
define: __FLT32X_MIN_EXP__=(-1021)
define: __DEC32_SUBNORMAL_MIN__=0.000001E-95DF
define: __INT_FAST16_MAX__=0x7fffffffffffffffL
define: __FLT64_DIG__=15
define: __UINT_FAST32_MAX__=0xffffffffffffffffUL
define: __UINT_LEAST64_TYPE__=long unsigned int
define: __FLT_HAS_QUIET_NAN__=1
define: __FLT_MAX_10_EXP__=38
define: __LONG_MAX__=0x7fffffffffffffffL
define: __FLT64X_HAS_DENORM__=1
define: __DEC128_SUBNORMAL_MIN__=0.000000000000000000000000000000001E-6143DL
define: __FLT_HAS_INFINITY__=1
define: __UINT_FAST16_TYPE__=long unsigned int
define: __DEC64_MAX__=9.999999999999999E384DD
define: __INT_FAST32_WIDTH__=64
define: __CHAR16_TYPE__=short unsigned int
define: __PRAGMA_REDEFINE_EXTNAME=1
define: __SIZE_WIDTH__=64
define: __SEG_FS=1
define: __INT_LEAST16_MAX__=0x7fff
define: __DEC64_MANT_DIG__=16
define: __INT64_MAX__=0x7fffffffffffffffL
define: __SEG_GS=1
define: __FLT32_DENORM_MIN__=1.40129846432481707092372958328991613e-45F32
define: __SIG_ATOMIC_WIDTH__=32
define: __INT_LEAST64_TYPE__=long int
define: __INT16_TYPE__=short int
define: __INT_LEAST8_TYPE__=signed char
define: __SIZEOF_INT__=4
define: __DEC32_MAX_EXP__=97
define: __INT_FAST8_MAX__=0x7f
define: __FLT128_MAX__=1.18973149535723176508575932662800702e+4932F128
define: __INTPTR_MAX__=0x7fffffffffffffffL
define: __FLT64_HAS_QUIET_NAN__=1
define: __FLT32_MIN_10_EXP__=(-37)
define: __EXCEPTIONS=1
define: __PTRDIFF_WIDTH__=64
define: __LDBL_MANT_DIG__=64
define: __FLT64_HAS_INFINITY__=1
define: __FLT64X_MAX__=1.18973149535723176502126385303097021e+4932F64x
define: __STDCPP_DEFAULT_NEW_ALIGNMENT__=16
define: __SIG_ATOMIC_MIN__=(-__SIG_ATOMIC_MAX__ - 1)
define: __code_model_small__=1
define: __GCC_ATOMIC_LONG_LOCK_FREE=2
define: __DEC32_MANT_DIG__=7
define: __k8__=1
define: __INTPTR_TYPE__=long int
define: __UINT16_TYPE__=short unsigned int
define: __WCHAR_TYPE__=int
define: __pic__=2
define: __UINTPTR_MAX__=0xffffffffffffffffUL
define: __INT_FAST64_WIDTH__=64
define: __INT_FAST64_MAX__=0x7fffffffffffffffL
define: __GCC_ATOMIC_TEST_AND_SET_TRUEVAL=1
define: __FLT_NORM_MAX__=3.40282346638528859811704183484516925e+38F
define: __FLT64X_MAX_EXP__=16384
define: __UINT_FAST64_TYPE__=long unsigned int
define: __INT_MAX__=0x7fffffff
define: __linux__=1
define: __INT64_TYPE__=long int
define: __FLT_MAX_EXP__=128
define: __ORDER_BIG_ENDIAN__=4321
define: __DBL_MANT_DIG__=53
define: __SIZEOF_FLOAT128__=16
define: __INT_LEAST64_MAX__=0x7fffffffffffffffL
define: __DEC64_MIN__=1E-383DD
define: __WINT_TYPE__=unsigned int
define: __UINT_LEAST32_TYPE__=unsigned int
define: __SIZEOF_SHORT__=2
define: __FLT32_NORM_MAX__=3.40282346638528859811704183484516925e+38F32
define: __SSE__=1
define: __LDBL_MIN_EXP__=(-16381)
define: __FLT64_MAX__=1.79769313486231570814527423731704357e+308F64
define: __amd64__=1
define: __WINT_WIDTH__=32
define: __INT_LEAST8_MAX__=0x7f
define: __INT_LEAST64_WIDTH__=64
define: __LDBL_MAX_EXP__=16384
define: __FLT32X_MAX_10_EXP__=308
define: __SIZEOF_INT128__=16
define: __LDBL_MAX_10_EXP__=4932
define: __ATOMIC_RELAXED=0
define: __DBL_EPSILON__=double(2.22044604925031308084726333618164062e-16L)
define: __FLT128_MIN__=3.36210314311209350626267781732175260e-4932F128
define: _LP64=1
define: __UINT8_C(c)=c
define: __FLT64_MAX_EXP__=1024
define: __INT_LEAST32_TYPE__=int
define: __SIZEOF_WCHAR_T__=4
define: __GNUC_PATCHLEVEL__=0
define: __FLT128_NORM_MAX__=1.18973149535723176508575932662800702e+4932F128
define: __FLT64_NORM_MAX__=1.79769313486231570814527423731704357e+308F64
define: __FLT128_HAS_QUIET_NAN__=1
define: __INTMAX_MAX__=0x7fffffffffffffffL
define: __INT_FAST8_TYPE__=signed char
define: __FLT64X_MIN__=3.36210314311209350626267781732175260e-4932F64x
define: __GNUC_STDC_INLINE__=1
define: __FLT64_HAS_DENORM__=1
define: __FLT32_EPSILON__=1.19209289550781250000000000000000000e-7F32
define: __DBL_DECIMAL_DIG__=17
define: __STDC_UTF_32__=1
define: __INT_FAST8_WIDTH__=8
define: __FXSR__=1
define: __FLT32X_MAX__=1.79769313486231570814527423731704357e+308F32x
define: __DBL_NORM_MAX__=double(1.79769313486231570814527423731704357e+308L)
define: __BYTE_ORDER__=__ORDER_LITTLE_ENDIAN__
define: __INTMAX_WIDTH__=64
define: __UINT64_TYPE__=long unsigned int
define: __UINT32_C(c)=c ## U
define: __FLT_DENORM_MIN__=1.40129846432481707092372958328991613e-45F
define: __INT8_MAX__=0x7f
define: __LONG_WIDTH__=64
define: __PIC__=2
define: __UINT_FAST32_TYPE__=long unsigned int
define: __FLT32X_NORM_MAX__=1.79769313486231570814527423731704357e+308F32x
define: __CHAR32_TYPE__=unsigned int
define: __FLT_MAX__=3.40282346638528859811704183484516925e+38F
define: __SSE2__=1
define: __INT32_TYPE__=int
define: __SIZEOF_DOUBLE__=8
define: __FLT_MIN_10_EXP__=(-37)
define: __FLT64_MIN__=2.22507385850720138309023271733240406e-308F64
define: __INT_LEAST32_WIDTH__=32
define: __INTMAX_TYPE__=long int
define: __DEC128_MAX_EXP__=6145
define: __FLT32X_HAS_QUIET_NAN__=1
define: __ATOMIC_CONSUME=1
define: __GNUC_MINOR__=3
define: __INT_FAST16_WIDTH__=64
define: __UINTMAX_MAX__=0xffffffffffffffffUL
define: __PIE__=2
define: __FLT32X_DENORM_MIN__=4.94065645841246544176568792868221372e-324F32x
define: __DBL_MAX_10_EXP__=308
define: __LDBL_DENORM_MIN__=3.64519953188247460252840593361941982e-4951L
define: __INT16_C(c)=c
define: __STDC__=1
define: __FLT32X_DIG__=15
define: __PTRDIFF_TYPE__=long int
define: __ATOMIC_SEQ_CST=5
define: __FLT32X_MIN_10_EXP__=(-307)
define: __UINTPTR_TYPE__=long unsigned int
define: __DEC64_SUBNORMAL_MIN__=0.000000000000001E-383DD
define: __DEC128_MANT_DIG__=34
define: __LDBL_MIN_10_EXP__=(-4931)
define: __SSE_MATH__=1
define: __SIZEOF_LONG_LONG__=8
define: __FLT128_DECIMAL_DIG__=36
define: __GCC_ATOMIC_LLONG_LOCK_FREE=2
define: __FLT32_HAS_QUIET_NAN__=1
define: __FLT_DECIMAL_DIG__=9
define: __UINT_FAST16_MAX__=0xffffffffffffffffUL
define: __LDBL_NORM_MAX__=1.18973149535723176502126385303097021e+4932L
define: __GCC_ATOMIC_SHORT_LOCK_FREE=2
define: __UINT_FAST8_TYPE__=unsigned char
define: _GNU_SOURCE=1
define: __ATOMIC_ACQ_REL=4
define: __ATOMIC_RELEASE=3
other: --g++
other: --gnu_version=100300
stdver: c17
intelliSenseMode: linux-gcc-x64
Queueing IntelliSense update for files in translation unit of: /home/pawel/projects/cmake-vscode/version.hpp.in
cpptools/getFoldingRanges: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 13)
cpptools/finishUpdateSquiggles
Error squiggle count: 1
Update IntelliSense time (sec): 0.331
```
|
1.0
|
command-line error: language modes specified are incompatible for .in files - ### Environment
- OS and Version: WSL Ubuntu 20.04 in Windows 10 19044.2006
- VS Code Version: 1.71.2
- C/C++ Extension Version: 1.12.4
- Other extensions you installed (and if the issue persists after disabling them):
- CMake Language Support
- CMake Tools
### Bug Summary and Steps to Reproduce
Bug Summary:
When opening template file `foo.hpp.in` on the first line i get `command-line error: language modes specified are incompatible C/C++(1027)` error.
Steps to reproduce:
Codebase made out of three files
`version.hpp.in`
```c++
#define VersionTry_VERSION "@VersionTry_VERSION@"
```
`main.cpp`
```c++
#include <iostream>
#include "version.hpp"
int main(int argc, char *argv[])
{
std::cout << argv[0] << " Version " << VersionTry_VERSION << std::endl;
}
```
`CMakeLists.txt`
```CMake
cmake_minimum_required(VERSION 3.0.0)
project(VersionTry
VERSION 0.1.0
)
set(CMAKE_EXPORT_COMPILE_COMMANDS ON)
set(CMAKE_CXX_STANDARD 17)
set(CMAKE_CXX_STANDARD_REQUIRED ON)
set(CMAKE_CXX_EXTENSIONS OFF)
configure_file(
"${PROJECT_SOURCE_DIR}/version.hpp.in"
"${PROJECT_BINARY_DIR}/version.hpp"
)
add_executable(VersionTry main.cpp)
target_include_directories(VersionTry PUBLIC "${PROJECT_BINARY_DIR}")
```
1. Configure the project using CMake (through CMake plugin)
2. Open file `version.hpp.in`
3. The first character on the first line will present squiggly underline with error `command-line error: language modes specified are incompatibleC/C++(1027)`
The code configures and compiles correctly.
Looking at diagnostics log i see that the c standard is set to 'c17', and cpp standard is set to 'c++17', the same as in `c_cpp_properties.json`.
In the language server logs i see that for the `main.cpp` file `stdver` gets set to `c++17`, while for `version.hpp.in` it gets set to `c17`.
### Expected behavior
No error should appear in file `version.hpp.in`.
### Code sample and Logs
Code sample: look above
Configuration in `c_cpp_properties.json`:
```json
{
"configurations": [
{
"name": "Linux",
"includePath": [
"${workspaceFolder}/**"
],
"defines": [],
"compilerPath": "/usr/bin/g++-10",
"cStandard": "c17",
"cppStandard": "c++17",
"intelliSenseMode": "linux-gcc-x64",
"configurationProvider": "ms-vscode.cmake-tools"
}
],
"version": 4
}
```
Logs from `C/C++ Log Diagnostics:
```
-------- Diagnostics - 9/18/2022, 5:54:56 PM
Version: 1.12.4
Current Configuration:
{
"name": "Linux",
"includePath": [
"${workspaceFolder}/**"
],
"defines": [],
"compilerPath": "/usr/bin/g++-10",
"cStandard": "c17",
"cppStandard": "c++17",
"intelliSenseMode": "linux-gcc-x64",
"configurationProvider": "ms-vscode.cmake-tools",
"compilerPathIsExplicit": true,
"cStandardIsExplicit": true,
"cppStandardIsExplicit": true,
"intelliSenseModeIsExplicit": true
}
Custom browse configuration:
{
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
No active translation units.
------- Workspace parsing diagnostics -------
Number of files discovered (not excluded): 27035
```
Logs from Language server:
```
loggingLevel: Debug
Custom configuration provider 'CMake Tools' registered
Custom browse configuration received: {
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
Custom browse configuration received: {
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
Custom browse configuration received: {
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
Custom browse configuration received: {
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
Custom browse configuration received: {
"browsePath": [
"/home/pawel/projects/cmake-vscode/build",
"/home/pawel/projects/cmake-vscode"
],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
cpptools/didChangeCppProperties
Attempting to get defaults from C compiler in "compilerPath" property: '/usr/bin/g++-10'
Querying compiler for default C++ language standard using command line: /usr/bin/g++-10 -x c++ -E -dM /dev/null
Detected language standard version: gnu++14
Querying compiler for default C language standard using command line: /usr/bin/g++-10 -x c -E -dM /dev/null
Detected language standard version: gnu17
Querying compiler's default target using command line: "/usr/bin/g++-10" -dumpmachine
Compiler returned default target value: x86_64-linux-gnu
Compiler query command line: /usr/bin/g++-10 -std=c17 -m64 -Wp,-v -E -dM -x c /dev/null
Code browsing service initialized
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
Compiler query command line: /usr/bin/g++-10 -std=c++17 -m64 -Wp,-v -E -dM -x c++ /dev/null
Folder: /usr/include/ will be indexed
Folder: /usr/lib/gcc/x86_64-linux-gnu/10/include/ will be indexed
Folder: /usr/local/include/ will be indexed
Folder: /home/pawel/projects/cmake-vscode/ will be indexed
cpptools/didChangeCustomBrowseConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
Compiler query command line: /usr/bin/g++-10 -g -std=c++17 -m64 -Wp,-v -E -dM -x c++ /dev/null
Folder: /usr/lib/gcc/x86_64-linux-gnu/10/include/ will be indexed
Folder: /usr/local/include/ will be indexed
Folder: /usr/include/ will be indexed
Folder: /home/pawel/projects/cmake-vscode/ will be indexed
cpptools/didChangeSettings
IntelliSense Engine = Default.
Enhanced Colorization is enabled.
Error squiggles are enabled if all header dependencies are resolved.
Autocomplete is enabled.
cpptools/didChangeCppProperties
cpptools/pauseParsing
cpptools/clearCustomConfigurations
cpptools/clearCustomConfigurations
cpptools/clearCustomConfigurations
cpptools/clearCustomConfigurations
cpptools/didChangeCustomBrowseConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
cpptools/resumeParsing
cpptools/didChangeCustomBrowseConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
cpptools/resumeParsing
cpptools/didChangeCustomBrowseConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
cpptools/resumeParsing
cpptools/didChangeCustomBrowseConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
cpptools/resumeParsing
Discovering files...
Processing folder (recursive): /usr/lib/gcc/x86_64-linux-gnu/10/include/
Processing folder (recursive): /usr/local/include/
Processing folder (recursive): /usr/include/
Processing folder (recursive): /home/pawel/projects/cmake-vscode/
Discovering files: 27035 file(s) processed
1 file(s) removed from database
Done discovering files.
Populating include completion cache.
Parsing remaining files...
Parsing: 0 files(s) processed
Done parsing remaining files.
cpptools/getCodeActions: /home/pawel/projects/cmake-vscode/main.cpp (id: 2)
cpptools/queryTranslationUnitSource: /home/pawel/projects/cmake-vscode/main.cpp (id: 3)
Custom configurations received:
uri: file:///home/pawel/projects/cmake-vscode/main.cpp
config: {
"includePath": [
"/home/pawel/projects/cmake-vscode/build"
],
"defines": [],
"compilerPath": "/usr/bin/g++-10",
"compilerArgs": [],
"compilerFragments": [
"-g ",
"-std=c++17"
]
}
cpptools/didChangeCustomConfiguration
Attempting to get defaults from C++ compiler in "compilerPath" property: '/usr/bin/g++-10'
Compiler query command line: /usr/bin/g++-10 -g -std=c++17 -m64 -Wp,-v -E -dM -x c++ /dev/null
textDocument/didOpen: /home/pawel/projects/cmake-vscode/main.cpp
cpptools/textEditorSelectionChange
cpptools/getDocumentSymbols: /home/pawel/projects/cmake-vscode/main.cpp (id: 4)
cpptools/textEditorSelectionChange
cpptools/getSemanticTokens: /home/pawel/projects/cmake-vscode/main.cpp (id: 5)
cpptools/activeDocumentChange: /home/pawel/projects/cmake-vscode/main.cpp
cpptools/getInlayHints: /home/pawel/projects/cmake-vscode/main.cpp (id: 6)
cpptools/getDocumentSymbols
sending compilation args for /home/pawel/projects/cmake-vscode/main.cpp
include: /home/pawel/projects/cmake-vscode/build
include: /usr/include/c++/10
include: /usr/include/x86_64-linux-gnu/c++/10
include: /usr/include/c++/10/backward
include: /usr/lib/gcc/x86_64-linux-gnu/10/include
include: /usr/local/include
include: /usr/include/x86_64-linux-gnu
include: /usr/include
define: __SSP_STRONG__=3
define: __DBL_MIN_EXP__=(-1021)
define: __UINT_LEAST16_MAX__=0xffff
define: __ATOMIC_ACQUIRE=2
define: __FLT128_MAX_10_EXP__=4932
define: __FLT_MIN__=1.17549435082228750796873653722224568e-38F
define: __GCC_IEC_559_COMPLEX=2
define: __UINT_LEAST8_TYPE__=unsigned char
define: __SIZEOF_FLOAT80__=16
define: __INTMAX_C(c)=c ## L
define: __CHAR_BIT__=8
define: __UINT8_MAX__=0xff
define: __SCHAR_WIDTH__=8
define: __WINT_MAX__=0xffffffffU
define: __FLT32_MIN_EXP__=(-125)
define: __ORDER_LITTLE_ENDIAN__=1234
define: __SIZE_MAX__=0xffffffffffffffffUL
define: __WCHAR_MAX__=0x7fffffff
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_1=1
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_2=1
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_4=1
define: __DBL_DENORM_MIN__=double(4.94065645841246544176568792868221372e-324L)
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_8=1
define: __GCC_ATOMIC_CHAR_LOCK_FREE=2
define: __GCC_IEC_559=2
define: __FLT32X_DECIMAL_DIG__=17
define: __FLT_EVAL_METHOD__=0
define: __FLT64_DECIMAL_DIG__=17
define: __CET__=3
define: __GCC_ATOMIC_CHAR32_T_LOCK_FREE=2
define: __UINT_FAST64_MAX__=0xffffffffffffffffUL
define: __SIG_ATOMIC_TYPE__=int
define: __DBL_MIN_10_EXP__=(-307)
define: __FINITE_MATH_ONLY__=0
define: __FLT32X_MAX_EXP__=1024
define: __FLT32_HAS_DENORM__=1
define: __UINT_FAST8_MAX__=0xff
define: __DEC64_MAX_EXP__=385
define: __INT8_C(c)=c
define: __INT_LEAST8_WIDTH__=8
define: __UINT_LEAST64_MAX__=0xffffffffffffffffUL
define: __SHRT_MAX__=0x7fff
define: __LDBL_MAX__=1.18973149535723176502126385303097021e+4932L
define: __FLT64X_MAX_10_EXP__=4932
define: __FLT64X_HAS_QUIET_NAN__=1
define: __UINT_LEAST8_MAX__=0xff
define: __GCC_ATOMIC_BOOL_LOCK_FREE=2
define: __FLT128_DENORM_MIN__=6.47517511943802511092443895822764655e-4966F128
define: __UINTMAX_TYPE__=long unsigned int
define: __linux=1
define: __DEC32_EPSILON__=1E-6DF
define: __FLT_EVAL_METHOD_TS_18661_3__=0
define: __unix=1
define: __UINT32_MAX__=0xffffffffU
define: __GXX_EXPERIMENTAL_CXX0X__=1
define: __FLT128_MIN_EXP__=(-16381)
define: __WINT_MIN__=0U
define: __FLT128_MIN_10_EXP__=(-4931)
define: __INT_LEAST16_WIDTH__=16
define: __SCHAR_MAX__=0x7f
define: __FLT128_MANT_DIG__=113
define: __WCHAR_MIN__=(-__WCHAR_MAX__ - 1)
define: __INT64_C(c)=c ## L
define: __GCC_ATOMIC_POINTER_LOCK_FREE=2
define: __FLT32X_MANT_DIG__=53
define: __GCC_ATOMIC_CHAR16_T_LOCK_FREE=2
define: __USER_LABEL_PREFIX__=
define: __FLT32_MAX_10_EXP__=38
define: __FLT64X_EPSILON__=1.08420217248550443400745280086994171e-19F64x
define: __STDC_HOSTED__=1
define: __DEC64_MIN_EXP__=(-382)
define: __DBL_DIG__=15
define: __FLT32_DIG__=6
define: __FLT_EPSILON__=1.19209289550781250000000000000000000e-7F
define: __GXX_WEAK__=1
define: __SHRT_WIDTH__=16
define: __FLT32_MAX_EXP__=128
define: __LDBL_MIN__=3.36210314311209350626267781732175260e-4932L
define: __DEC32_MAX__=9.999999E96DF
define: __FLT64X_DENORM_MIN__=3.64519953188247460252840593361941982e-4951F64x
define: __FLT32X_HAS_INFINITY__=1
define: __INT32_MAX__=0x7fffffff
define: __unix__=1
define: __INT_WIDTH__=32
define: __SIZEOF_LONG__=8
define: __STDC_IEC_559__=1
define: __STDC_ISO_10646__=201706L
define: __UINT16_C(c)=c
define: __DECIMAL_DIG__=21
define: __STDC_IEC_559_COMPLEX__=1
define: __FLT64_EPSILON__=2.22044604925031308084726333618164062e-16F64
define: __gnu_linux__=1
define: __INT16_MAX__=0x7fff
define: __FLT64_MIN_EXP__=(-1021)
define: __FLT64X_MIN_10_EXP__=(-4931)
define: __LDBL_HAS_QUIET_NAN__=1
define: __FLT64_MANT_DIG__=53
define: __FLT64X_MANT_DIG__=64
define: __GNUC__=10
define: __GXX_RTTI=1
define: __pie__=2
define: __MMX__=1
define: __FLT_HAS_DENORM__=1
define: __SIZEOF_LONG_DOUBLE__=16
define: __BIGGEST_ALIGNMENT__=16
define: __STDC_UTF_16__=1
define: __FLT64_MAX_10_EXP__=308
define: __FLT32_HAS_INFINITY__=1
define: __DBL_MAX__=double(1.79769313486231570814527423731704357e+308L)
define: __INT_FAST32_MAX__=0x7fffffffffffffffL
define: __DBL_HAS_INFINITY__=1
define: __SIZEOF_FLOAT__=4
define: __HAVE_SPECULATION_SAFE_VALUE=1
define: __DEC32_MIN_EXP__=(-94)
define: __INTPTR_WIDTH__=64
define: __FLT64X_HAS_INFINITY__=1
define: __UINT_LEAST32_MAX__=0xffffffffU
define: __FLT32X_HAS_DENORM__=1
define: __INT_FAST16_TYPE__=long int
define: __STRICT_ANSI__=1
define: __MMX_WITH_SSE__=1
define: __LDBL_HAS_DENORM__=1
define: __cplusplus=201703L
define: __DEC32_MIN__=1E-95DF
define: __DEPRECATED=1
define: __DBL_MAX_EXP__=1024
define: __WCHAR_WIDTH__=32
define: __FLT32_MAX__=3.40282346638528859811704183484516925e+38F32
define: __DEC128_EPSILON__=1E-33DL
define: __SSE2_MATH__=1
define: __ATOMIC_HLE_RELEASE=131072
define: __PTRDIFF_MAX__=0x7fffffffffffffffL
define: __amd64=1
define: __ATOMIC_HLE_ACQUIRE=65536
define: __GNUG__=10
define: __LONG_LONG_MAX__=0x7fffffffffffffffLL
define: __SIZEOF_SIZE_T__=8
define: __FLT64X_MIN_EXP__=(-16381)
define: __SIZEOF_WINT_T__=4
define: __LONG_LONG_WIDTH__=64
define: __GXX_ABI_VERSION=1014
define: __FLT128_HAS_INFINITY__=1
define: __FLT_MIN_EXP__=(-125)
define: __GCC_HAVE_DWARF2_CFI_ASM=1
define: __x86_64=1
define: __INT_FAST64_TYPE__=long int
define: __FLT64_DENORM_MIN__=4.94065645841246544176568792868221372e-324F64
define: __DBL_MIN__=double(2.22507385850720138309023271733240406e-308L)
define: __FLT128_EPSILON__=1.92592994438723585305597794258492732e-34F128
define: __FLT64X_NORM_MAX__=1.18973149535723176502126385303097021e+4932F64x
define: __SIZEOF_POINTER__=8
define: __LP64__=1
define: __DBL_HAS_QUIET_NAN__=1
define: __FLT32X_EPSILON__=2.22044604925031308084726333618164062e-16F32x
define: __DECIMAL_BID_FORMAT__=1
define: __FLT64_MIN_10_EXP__=(-307)
define: __FLT64X_DECIMAL_DIG__=21
define: __DEC128_MIN__=1E-6143DL
define: __REGISTER_PREFIX__=
define: __UINT16_MAX__=0xffff
define: __LDBL_HAS_INFINITY__=1
define: __FLT32_MIN__=1.17549435082228750796873653722224568e-38F32
define: __UINT8_TYPE__=unsigned char
define: __FLT_DIG__=6
define: __NO_INLINE__=1
define: __DEC_EVAL_METHOD__=2
define: __DEC128_MAX__=9.999999999999999999999999999999999E6144DL
define: __FLT_MANT_DIG__=24
define: __LDBL_DECIMAL_DIG__=21
define: __VERSION__="10.3.0"
define: __UINT64_C(c)=c ## UL
define: _STDC_PREDEF_H=1
define: __INT_LEAST32_MAX__=0x7fffffff
define: __GCC_ATOMIC_INT_LOCK_FREE=2
define: __FLT128_MAX_EXP__=16384
define: __FLT32_MANT_DIG__=24
define: __FLOAT_WORD_ORDER__=__ORDER_LITTLE_ENDIAN__
define: __FLT128_HAS_DENORM__=1
define: __FLT32_DECIMAL_DIG__=9
define: __FLT128_DIG__=33
define: __INT32_C(c)=c
define: __DEC64_EPSILON__=1E-15DD
define: __ORDER_PDP_ENDIAN__=3412
define: __DEC128_MIN_EXP__=(-6142)
define: __INT_FAST32_TYPE__=long int
define: __UINT_LEAST16_TYPE__=short unsigned int
define: __DBL_HAS_DENORM__=1
define: __SIZE_TYPE__=long unsigned int
define: __UINT64_MAX__=0xffffffffffffffffUL
define: __FLT64X_DIG__=18
define: __INT8_TYPE__=signed char
define: __ELF__=1
define: __GCC_ASM_FLAG_OUTPUTS__=1
define: __UINT32_TYPE__=unsigned int
define: __FLT_RADIX__=2
define: __INT_LEAST16_TYPE__=short int
define: __LDBL_EPSILON__=1.08420217248550443400745280086994171e-19L
define: __UINTMAX_C(c)=c ## UL
define: __k8=1
define: __FLT32X_MIN__=2.22507385850720138309023271733240406e-308F32x
define: __SIG_ATOMIC_MAX__=0x7fffffff
define: __GCC_ATOMIC_WCHAR_T_LOCK_FREE=2
define: __SIZEOF_PTRDIFF_T__=8
define: __LDBL_DIG__=18
define: __x86_64__=1
define: __FLT32X_MIN_EXP__=(-1021)
define: __DEC32_SUBNORMAL_MIN__=0.000001E-95DF
define: __INT_FAST16_MAX__=0x7fffffffffffffffL
define: __FLT64_DIG__=15
define: __UINT_FAST32_MAX__=0xffffffffffffffffUL
define: __UINT_LEAST64_TYPE__=long unsigned int
define: __FLT_HAS_QUIET_NAN__=1
define: __FLT_MAX_10_EXP__=38
define: __LONG_MAX__=0x7fffffffffffffffL
define: __FLT64X_HAS_DENORM__=1
define: __DEC128_SUBNORMAL_MIN__=0.000000000000000000000000000000001E-6143DL
define: __FLT_HAS_INFINITY__=1
define: __UINT_FAST16_TYPE__=long unsigned int
define: __DEC64_MAX__=9.999999999999999E384DD
define: __INT_FAST32_WIDTH__=64
define: __CHAR16_TYPE__=short unsigned int
define: __PRAGMA_REDEFINE_EXTNAME=1
define: __SIZE_WIDTH__=64
define: __SEG_FS=1
define: __INT_LEAST16_MAX__=0x7fff
define: __DEC64_MANT_DIG__=16
define: __INT64_MAX__=0x7fffffffffffffffL
define: __SEG_GS=1
define: __FLT32_DENORM_MIN__=1.40129846432481707092372958328991613e-45F32
define: __SIG_ATOMIC_WIDTH__=32
define: __INT_LEAST64_TYPE__=long int
define: __INT16_TYPE__=short int
define: __INT_LEAST8_TYPE__=signed char
define: __SIZEOF_INT__=4
define: __DEC32_MAX_EXP__=97
define: __INT_FAST8_MAX__=0x7f
define: __FLT128_MAX__=1.18973149535723176508575932662800702e+4932F128
define: __INTPTR_MAX__=0x7fffffffffffffffL
define: __FLT64_HAS_QUIET_NAN__=1
define: __FLT32_MIN_10_EXP__=(-37)
define: __EXCEPTIONS=1
define: __PTRDIFF_WIDTH__=64
define: __LDBL_MANT_DIG__=64
define: __FLT64_HAS_INFINITY__=1
define: __FLT64X_MAX__=1.18973149535723176502126385303097021e+4932F64x
define: __STDCPP_DEFAULT_NEW_ALIGNMENT__=16
define: __SIG_ATOMIC_MIN__=(-__SIG_ATOMIC_MAX__ - 1)
define: __code_model_small__=1
define: __GCC_ATOMIC_LONG_LOCK_FREE=2
define: __DEC32_MANT_DIG__=7
define: __k8__=1
define: __INTPTR_TYPE__=long int
define: __UINT16_TYPE__=short unsigned int
define: __WCHAR_TYPE__=int
define: __pic__=2
define: __UINTPTR_MAX__=0xffffffffffffffffUL
define: __INT_FAST64_WIDTH__=64
define: __INT_FAST64_MAX__=0x7fffffffffffffffL
define: __GCC_ATOMIC_TEST_AND_SET_TRUEVAL=1
define: __FLT_NORM_MAX__=3.40282346638528859811704183484516925e+38F
define: __FLT64X_MAX_EXP__=16384
define: __UINT_FAST64_TYPE__=long unsigned int
define: __INT_MAX__=0x7fffffff
define: __linux__=1
define: __INT64_TYPE__=long int
define: __FLT_MAX_EXP__=128
define: __ORDER_BIG_ENDIAN__=4321
define: __DBL_MANT_DIG__=53
define: __SIZEOF_FLOAT128__=16
define: __INT_LEAST64_MAX__=0x7fffffffffffffffL
define: __DEC64_MIN__=1E-383DD
define: __WINT_TYPE__=unsigned int
define: __UINT_LEAST32_TYPE__=unsigned int
define: __SIZEOF_SHORT__=2
define: __FLT32_NORM_MAX__=3.40282346638528859811704183484516925e+38F32
define: __SSE__=1
define: __LDBL_MIN_EXP__=(-16381)
define: __FLT64_MAX__=1.79769313486231570814527423731704357e+308F64
define: __amd64__=1
define: __WINT_WIDTH__=32
define: __INT_LEAST8_MAX__=0x7f
define: __INT_LEAST64_WIDTH__=64
define: __LDBL_MAX_EXP__=16384
define: __FLT32X_MAX_10_EXP__=308
define: __SIZEOF_INT128__=16
define: __LDBL_MAX_10_EXP__=4932
define: __ATOMIC_RELAXED=0
define: __DBL_EPSILON__=double(2.22044604925031308084726333618164062e-16L)
define: __FLT128_MIN__=3.36210314311209350626267781732175260e-4932F128
define: _LP64=1
define: __UINT8_C(c)=c
define: __FLT64_MAX_EXP__=1024
define: __INT_LEAST32_TYPE__=int
define: __SIZEOF_WCHAR_T__=4
define: __GNUC_PATCHLEVEL__=0
define: __FLT128_NORM_MAX__=1.18973149535723176508575932662800702e+4932F128
define: __FLT64_NORM_MAX__=1.79769313486231570814527423731704357e+308F64
define: __FLT128_HAS_QUIET_NAN__=1
define: __INTMAX_MAX__=0x7fffffffffffffffL
define: __INT_FAST8_TYPE__=signed char
define: __FLT64X_MIN__=3.36210314311209350626267781732175260e-4932F64x
define: __GNUC_STDC_INLINE__=1
define: __FLT64_HAS_DENORM__=1
define: __FLT32_EPSILON__=1.19209289550781250000000000000000000e-7F32
define: __DBL_DECIMAL_DIG__=17
define: __STDC_UTF_32__=1
define: __INT_FAST8_WIDTH__=8
define: __FXSR__=1
define: __FLT32X_MAX__=1.79769313486231570814527423731704357e+308F32x
define: __DBL_NORM_MAX__=double(1.79769313486231570814527423731704357e+308L)
define: __BYTE_ORDER__=__ORDER_LITTLE_ENDIAN__
define: __INTMAX_WIDTH__=64
define: __UINT64_TYPE__=long unsigned int
define: __UINT32_C(c)=c ## U
define: __FLT_DENORM_MIN__=1.40129846432481707092372958328991613e-45F
define: __INT8_MAX__=0x7f
define: __LONG_WIDTH__=64
define: __PIC__=2
define: __UINT_FAST32_TYPE__=long unsigned int
define: __FLT32X_NORM_MAX__=1.79769313486231570814527423731704357e+308F32x
define: __CHAR32_TYPE__=unsigned int
define: __FLT_MAX__=3.40282346638528859811704183484516925e+38F
define: __SSE2__=1
define: __INT32_TYPE__=int
define: __SIZEOF_DOUBLE__=8
define: __FLT_MIN_10_EXP__=(-37)
define: __FLT64_MIN__=2.22507385850720138309023271733240406e-308F64
define: __INT_LEAST32_WIDTH__=32
define: __INTMAX_TYPE__=long int
define: __DEC128_MAX_EXP__=6145
define: __FLT32X_HAS_QUIET_NAN__=1
define: __ATOMIC_CONSUME=1
define: __GNUC_MINOR__=3
define: __INT_FAST16_WIDTH__=64
define: __UINTMAX_MAX__=0xffffffffffffffffUL
define: __PIE__=2
define: __FLT32X_DENORM_MIN__=4.94065645841246544176568792868221372e-324F32x
define: __DBL_MAX_10_EXP__=308
define: __LDBL_DENORM_MIN__=3.64519953188247460252840593361941982e-4951L
define: __INT16_C(c)=c
define: __STDC__=1
define: __FLT32X_DIG__=15
define: __PTRDIFF_TYPE__=long int
define: __ATOMIC_SEQ_CST=5
define: __FLT32X_MIN_10_EXP__=(-307)
define: __UINTPTR_TYPE__=long unsigned int
define: __DEC64_SUBNORMAL_MIN__=0.000000000000001E-383DD
define: __DEC128_MANT_DIG__=34
define: __LDBL_MIN_10_EXP__=(-4931)
define: __SSE_MATH__=1
define: __SIZEOF_LONG_LONG__=8
define: __FLT128_DECIMAL_DIG__=36
define: __GCC_ATOMIC_LLONG_LOCK_FREE=2
define: __FLT32_HAS_QUIET_NAN__=1
define: __FLT_DECIMAL_DIG__=9
define: __UINT_FAST16_MAX__=0xffffffffffffffffUL
define: __LDBL_NORM_MAX__=1.18973149535723176502126385303097021e+4932L
define: __GCC_ATOMIC_SHORT_LOCK_FREE=2
define: __UINT_FAST8_TYPE__=unsigned char
define: _GNU_SOURCE=1
define: __ATOMIC_ACQ_REL=4
define: __ATOMIC_RELEASE=3
other: --g++
other: --gnu_version=100300
stdver: c++17
intelliSenseMode: linux-gcc-x64
Checking for syntax errors: /home/pawel/projects/cmake-vscode/main.cpp
Queueing IntelliSense update for files in translation unit of: /home/pawel/projects/cmake-vscode/main.cpp
cpptools/finishUpdateSquiggles
Error squiggle count: 0
Update IntelliSense time (sec): 0.326
Database safe to open
cpptools/getFoldingRanges: /home/pawel/projects/cmake-vscode/main.cpp (id: 7)
textDocument/didClose: /home/pawel/projects/cmake-vscode/main.cpp
cpptools/getCodeActions: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 8)
cpptools/queryTranslationUnitSource: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 9)
textDocument/didOpen: /home/pawel/projects/cmake-vscode/version.hpp.in
Checking for syntax errors: /home/pawel/projects/cmake-vscode/version.hpp.in
cpptools/textEditorSelectionChange
cpptools/getDocumentSymbols: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 10)
cpptools/textEditorSelectionChange
cpptools/getDocumentSymbols
cpptools/getSemanticTokens: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 11)
cpptools/activeDocumentChange: /home/pawel/projects/cmake-vscode/version.hpp.in
cpptools/getInlayHints: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 12)
sending compilation args for /home/pawel/projects/cmake-vscode/version.hpp.in
include: /usr/include/c++/10
include: /usr/include/x86_64-linux-gnu/c++/10
include: /usr/include/c++/10/backward
include: /usr/lib/gcc/x86_64-linux-gnu/10/include
include: /usr/local/include
include: /usr/include/x86_64-linux-gnu
include: /usr/include
define: __SSP_STRONG__=3
define: __DBL_MIN_EXP__=(-1021)
define: __UINT_LEAST16_MAX__=0xffff
define: __ATOMIC_ACQUIRE=2
define: __FLT128_MAX_10_EXP__=4932
define: __FLT_MIN__=1.17549435082228750796873653722224568e-38F
define: __GCC_IEC_559_COMPLEX=2
define: __UINT_LEAST8_TYPE__=unsigned char
define: __SIZEOF_FLOAT80__=16
define: __INTMAX_C(c)=c ## L
define: __CHAR_BIT__=8
define: __UINT8_MAX__=0xff
define: __SCHAR_WIDTH__=8
define: __WINT_MAX__=0xffffffffU
define: __FLT32_MIN_EXP__=(-125)
define: __ORDER_LITTLE_ENDIAN__=1234
define: __SIZE_MAX__=0xffffffffffffffffUL
define: __WCHAR_MAX__=0x7fffffff
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_1=1
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_2=1
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_4=1
define: __DBL_DENORM_MIN__=double(4.94065645841246544176568792868221372e-324L)
define: __GCC_HAVE_SYNC_COMPARE_AND_SWAP_8=1
define: __GCC_ATOMIC_CHAR_LOCK_FREE=2
define: __GCC_IEC_559=2
define: __FLT32X_DECIMAL_DIG__=17
define: __FLT_EVAL_METHOD__=0
define: __FLT64_DECIMAL_DIG__=17
define: __CET__=3
define: __GCC_ATOMIC_CHAR32_T_LOCK_FREE=2
define: __UINT_FAST64_MAX__=0xffffffffffffffffUL
define: __SIG_ATOMIC_TYPE__=int
define: __DBL_MIN_10_EXP__=(-307)
define: __FINITE_MATH_ONLY__=0
define: __FLT32X_MAX_EXP__=1024
define: __FLT32_HAS_DENORM__=1
define: __UINT_FAST8_MAX__=0xff
define: __DEC64_MAX_EXP__=385
define: __INT8_C(c)=c
define: __INT_LEAST8_WIDTH__=8
define: __UINT_LEAST64_MAX__=0xffffffffffffffffUL
define: __SHRT_MAX__=0x7fff
define: __LDBL_MAX__=1.18973149535723176502126385303097021e+4932L
define: __FLT64X_MAX_10_EXP__=4932
define: __FLT64X_HAS_QUIET_NAN__=1
define: __UINT_LEAST8_MAX__=0xff
define: __GCC_ATOMIC_BOOL_LOCK_FREE=2
define: __FLT128_DENORM_MIN__=6.47517511943802511092443895822764655e-4966F128
define: __UINTMAX_TYPE__=long unsigned int
define: __linux=1
define: __DEC32_EPSILON__=1E-6DF
define: __FLT_EVAL_METHOD_TS_18661_3__=0
define: __unix=1
define: __UINT32_MAX__=0xffffffffU
define: __GXX_EXPERIMENTAL_CXX0X__=1
define: __FLT128_MIN_EXP__=(-16381)
define: __WINT_MIN__=0U
define: __FLT128_MIN_10_EXP__=(-4931)
define: __INT_LEAST16_WIDTH__=16
define: __SCHAR_MAX__=0x7f
define: __FLT128_MANT_DIG__=113
define: __WCHAR_MIN__=(-__WCHAR_MAX__ - 1)
define: __INT64_C(c)=c ## L
define: __GCC_ATOMIC_POINTER_LOCK_FREE=2
define: __FLT32X_MANT_DIG__=53
define: __GCC_ATOMIC_CHAR16_T_LOCK_FREE=2
define: __USER_LABEL_PREFIX__=
define: __FLT32_MAX_10_EXP__=38
define: __FLT64X_EPSILON__=1.08420217248550443400745280086994171e-19F64x
define: __STDC_HOSTED__=1
define: __DEC64_MIN_EXP__=(-382)
define: __DBL_DIG__=15
define: __FLT32_DIG__=6
define: __FLT_EPSILON__=1.19209289550781250000000000000000000e-7F
define: __GXX_WEAK__=1
define: __SHRT_WIDTH__=16
define: __FLT32_MAX_EXP__=128
define: __LDBL_MIN__=3.36210314311209350626267781732175260e-4932L
define: __DEC32_MAX__=9.999999E96DF
define: __FLT64X_DENORM_MIN__=3.64519953188247460252840593361941982e-4951F64x
define: __FLT32X_HAS_INFINITY__=1
define: __INT32_MAX__=0x7fffffff
define: __unix__=1
define: __INT_WIDTH__=32
define: __SIZEOF_LONG__=8
define: __STDC_IEC_559__=1
define: __STDC_ISO_10646__=201706L
define: __UINT16_C(c)=c
define: __DECIMAL_DIG__=21
define: __STDC_IEC_559_COMPLEX__=1
define: __FLT64_EPSILON__=2.22044604925031308084726333618164062e-16F64
define: __gnu_linux__=1
define: __INT16_MAX__=0x7fff
define: __FLT64_MIN_EXP__=(-1021)
define: __FLT64X_MIN_10_EXP__=(-4931)
define: __LDBL_HAS_QUIET_NAN__=1
define: __FLT64_MANT_DIG__=53
define: __FLT64X_MANT_DIG__=64
define: __GNUC__=10
define: __GXX_RTTI=1
define: __pie__=2
define: __MMX__=1
define: __FLT_HAS_DENORM__=1
define: __SIZEOF_LONG_DOUBLE__=16
define: __BIGGEST_ALIGNMENT__=16
define: __STDC_UTF_16__=1
define: __FLT64_MAX_10_EXP__=308
define: __FLT32_HAS_INFINITY__=1
define: __DBL_MAX__=double(1.79769313486231570814527423731704357e+308L)
define: __INT_FAST32_MAX__=0x7fffffffffffffffL
define: __DBL_HAS_INFINITY__=1
define: __SIZEOF_FLOAT__=4
define: __HAVE_SPECULATION_SAFE_VALUE=1
define: __DEC32_MIN_EXP__=(-94)
define: __INTPTR_WIDTH__=64
define: __FLT64X_HAS_INFINITY__=1
define: __UINT_LEAST32_MAX__=0xffffffffU
define: __FLT32X_HAS_DENORM__=1
define: __INT_FAST16_TYPE__=long int
define: __STRICT_ANSI__=1
define: __MMX_WITH_SSE__=1
define: __LDBL_HAS_DENORM__=1
define: __cplusplus=201703L
define: __DEC32_MIN__=1E-95DF
define: __DEPRECATED=1
define: __DBL_MAX_EXP__=1024
define: __WCHAR_WIDTH__=32
define: __FLT32_MAX__=3.40282346638528859811704183484516925e+38F32
define: __DEC128_EPSILON__=1E-33DL
define: __SSE2_MATH__=1
define: __ATOMIC_HLE_RELEASE=131072
define: __PTRDIFF_MAX__=0x7fffffffffffffffL
define: __amd64=1
define: __ATOMIC_HLE_ACQUIRE=65536
define: __GNUG__=10
define: __LONG_LONG_MAX__=0x7fffffffffffffffLL
define: __SIZEOF_SIZE_T__=8
define: __FLT64X_MIN_EXP__=(-16381)
define: __SIZEOF_WINT_T__=4
define: __LONG_LONG_WIDTH__=64
define: __GXX_ABI_VERSION=1014
define: __FLT128_HAS_INFINITY__=1
define: __FLT_MIN_EXP__=(-125)
define: __GCC_HAVE_DWARF2_CFI_ASM=1
define: __x86_64=1
define: __INT_FAST64_TYPE__=long int
define: __FLT64_DENORM_MIN__=4.94065645841246544176568792868221372e-324F64
define: __DBL_MIN__=double(2.22507385850720138309023271733240406e-308L)
define: __FLT128_EPSILON__=1.92592994438723585305597794258492732e-34F128
define: __FLT64X_NORM_MAX__=1.18973149535723176502126385303097021e+4932F64x
define: __SIZEOF_POINTER__=8
define: __LP64__=1
define: __DBL_HAS_QUIET_NAN__=1
define: __FLT32X_EPSILON__=2.22044604925031308084726333618164062e-16F32x
define: __DECIMAL_BID_FORMAT__=1
define: __FLT64_MIN_10_EXP__=(-307)
define: __FLT64X_DECIMAL_DIG__=21
define: __DEC128_MIN__=1E-6143DL
define: __REGISTER_PREFIX__=
define: __UINT16_MAX__=0xffff
define: __LDBL_HAS_INFINITY__=1
define: __FLT32_MIN__=1.17549435082228750796873653722224568e-38F32
define: __UINT8_TYPE__=unsigned char
define: __FLT_DIG__=6
define: __NO_INLINE__=1
define: __DEC_EVAL_METHOD__=2
define: __DEC128_MAX__=9.999999999999999999999999999999999E6144DL
define: __FLT_MANT_DIG__=24
define: __LDBL_DECIMAL_DIG__=21
define: __VERSION__="10.3.0"
define: __UINT64_C(c)=c ## UL
define: _STDC_PREDEF_H=1
define: __INT_LEAST32_MAX__=0x7fffffff
define: __GCC_ATOMIC_INT_LOCK_FREE=2
define: __FLT128_MAX_EXP__=16384
define: __FLT32_MANT_DIG__=24
define: __FLOAT_WORD_ORDER__=__ORDER_LITTLE_ENDIAN__
define: __FLT128_HAS_DENORM__=1
define: __FLT32_DECIMAL_DIG__=9
define: __FLT128_DIG__=33
define: __INT32_C(c)=c
define: __DEC64_EPSILON__=1E-15DD
define: __ORDER_PDP_ENDIAN__=3412
define: __DEC128_MIN_EXP__=(-6142)
define: __INT_FAST32_TYPE__=long int
define: __UINT_LEAST16_TYPE__=short unsigned int
define: __DBL_HAS_DENORM__=1
define: __SIZE_TYPE__=long unsigned int
define: __UINT64_MAX__=0xffffffffffffffffUL
define: __FLT64X_DIG__=18
define: __INT8_TYPE__=signed char
define: __ELF__=1
define: __GCC_ASM_FLAG_OUTPUTS__=1
define: __UINT32_TYPE__=unsigned int
define: __FLT_RADIX__=2
define: __INT_LEAST16_TYPE__=short int
define: __LDBL_EPSILON__=1.08420217248550443400745280086994171e-19L
define: __UINTMAX_C(c)=c ## UL
define: __k8=1
define: __FLT32X_MIN__=2.22507385850720138309023271733240406e-308F32x
define: __SIG_ATOMIC_MAX__=0x7fffffff
define: __GCC_ATOMIC_WCHAR_T_LOCK_FREE=2
define: __SIZEOF_PTRDIFF_T__=8
define: __LDBL_DIG__=18
define: __x86_64__=1
define: __FLT32X_MIN_EXP__=(-1021)
define: __DEC32_SUBNORMAL_MIN__=0.000001E-95DF
define: __INT_FAST16_MAX__=0x7fffffffffffffffL
define: __FLT64_DIG__=15
define: __UINT_FAST32_MAX__=0xffffffffffffffffUL
define: __UINT_LEAST64_TYPE__=long unsigned int
define: __FLT_HAS_QUIET_NAN__=1
define: __FLT_MAX_10_EXP__=38
define: __LONG_MAX__=0x7fffffffffffffffL
define: __FLT64X_HAS_DENORM__=1
define: __DEC128_SUBNORMAL_MIN__=0.000000000000000000000000000000001E-6143DL
define: __FLT_HAS_INFINITY__=1
define: __UINT_FAST16_TYPE__=long unsigned int
define: __DEC64_MAX__=9.999999999999999E384DD
define: __INT_FAST32_WIDTH__=64
define: __CHAR16_TYPE__=short unsigned int
define: __PRAGMA_REDEFINE_EXTNAME=1
define: __SIZE_WIDTH__=64
define: __SEG_FS=1
define: __INT_LEAST16_MAX__=0x7fff
define: __DEC64_MANT_DIG__=16
define: __INT64_MAX__=0x7fffffffffffffffL
define: __SEG_GS=1
define: __FLT32_DENORM_MIN__=1.40129846432481707092372958328991613e-45F32
define: __SIG_ATOMIC_WIDTH__=32
define: __INT_LEAST64_TYPE__=long int
define: __INT16_TYPE__=short int
define: __INT_LEAST8_TYPE__=signed char
define: __SIZEOF_INT__=4
define: __DEC32_MAX_EXP__=97
define: __INT_FAST8_MAX__=0x7f
define: __FLT128_MAX__=1.18973149535723176508575932662800702e+4932F128
define: __INTPTR_MAX__=0x7fffffffffffffffL
define: __FLT64_HAS_QUIET_NAN__=1
define: __FLT32_MIN_10_EXP__=(-37)
define: __EXCEPTIONS=1
define: __PTRDIFF_WIDTH__=64
define: __LDBL_MANT_DIG__=64
define: __FLT64_HAS_INFINITY__=1
define: __FLT64X_MAX__=1.18973149535723176502126385303097021e+4932F64x
define: __STDCPP_DEFAULT_NEW_ALIGNMENT__=16
define: __SIG_ATOMIC_MIN__=(-__SIG_ATOMIC_MAX__ - 1)
define: __code_model_small__=1
define: __GCC_ATOMIC_LONG_LOCK_FREE=2
define: __DEC32_MANT_DIG__=7
define: __k8__=1
define: __INTPTR_TYPE__=long int
define: __UINT16_TYPE__=short unsigned int
define: __WCHAR_TYPE__=int
define: __pic__=2
define: __UINTPTR_MAX__=0xffffffffffffffffUL
define: __INT_FAST64_WIDTH__=64
define: __INT_FAST64_MAX__=0x7fffffffffffffffL
define: __GCC_ATOMIC_TEST_AND_SET_TRUEVAL=1
define: __FLT_NORM_MAX__=3.40282346638528859811704183484516925e+38F
define: __FLT64X_MAX_EXP__=16384
define: __UINT_FAST64_TYPE__=long unsigned int
define: __INT_MAX__=0x7fffffff
define: __linux__=1
define: __INT64_TYPE__=long int
define: __FLT_MAX_EXP__=128
define: __ORDER_BIG_ENDIAN__=4321
define: __DBL_MANT_DIG__=53
define: __SIZEOF_FLOAT128__=16
define: __INT_LEAST64_MAX__=0x7fffffffffffffffL
define: __DEC64_MIN__=1E-383DD
define: __WINT_TYPE__=unsigned int
define: __UINT_LEAST32_TYPE__=unsigned int
define: __SIZEOF_SHORT__=2
define: __FLT32_NORM_MAX__=3.40282346638528859811704183484516925e+38F32
define: __SSE__=1
define: __LDBL_MIN_EXP__=(-16381)
define: __FLT64_MAX__=1.79769313486231570814527423731704357e+308F64
define: __amd64__=1
define: __WINT_WIDTH__=32
define: __INT_LEAST8_MAX__=0x7f
define: __INT_LEAST64_WIDTH__=64
define: __LDBL_MAX_EXP__=16384
define: __FLT32X_MAX_10_EXP__=308
define: __SIZEOF_INT128__=16
define: __LDBL_MAX_10_EXP__=4932
define: __ATOMIC_RELAXED=0
define: __DBL_EPSILON__=double(2.22044604925031308084726333618164062e-16L)
define: __FLT128_MIN__=3.36210314311209350626267781732175260e-4932F128
define: _LP64=1
define: __UINT8_C(c)=c
define: __FLT64_MAX_EXP__=1024
define: __INT_LEAST32_TYPE__=int
define: __SIZEOF_WCHAR_T__=4
define: __GNUC_PATCHLEVEL__=0
define: __FLT128_NORM_MAX__=1.18973149535723176508575932662800702e+4932F128
define: __FLT64_NORM_MAX__=1.79769313486231570814527423731704357e+308F64
define: __FLT128_HAS_QUIET_NAN__=1
define: __INTMAX_MAX__=0x7fffffffffffffffL
define: __INT_FAST8_TYPE__=signed char
define: __FLT64X_MIN__=3.36210314311209350626267781732175260e-4932F64x
define: __GNUC_STDC_INLINE__=1
define: __FLT64_HAS_DENORM__=1
define: __FLT32_EPSILON__=1.19209289550781250000000000000000000e-7F32
define: __DBL_DECIMAL_DIG__=17
define: __STDC_UTF_32__=1
define: __INT_FAST8_WIDTH__=8
define: __FXSR__=1
define: __FLT32X_MAX__=1.79769313486231570814527423731704357e+308F32x
define: __DBL_NORM_MAX__=double(1.79769313486231570814527423731704357e+308L)
define: __BYTE_ORDER__=__ORDER_LITTLE_ENDIAN__
define: __INTMAX_WIDTH__=64
define: __UINT64_TYPE__=long unsigned int
define: __UINT32_C(c)=c ## U
define: __FLT_DENORM_MIN__=1.40129846432481707092372958328991613e-45F
define: __INT8_MAX__=0x7f
define: __LONG_WIDTH__=64
define: __PIC__=2
define: __UINT_FAST32_TYPE__=long unsigned int
define: __FLT32X_NORM_MAX__=1.79769313486231570814527423731704357e+308F32x
define: __CHAR32_TYPE__=unsigned int
define: __FLT_MAX__=3.40282346638528859811704183484516925e+38F
define: __SSE2__=1
define: __INT32_TYPE__=int
define: __SIZEOF_DOUBLE__=8
define: __FLT_MIN_10_EXP__=(-37)
define: __FLT64_MIN__=2.22507385850720138309023271733240406e-308F64
define: __INT_LEAST32_WIDTH__=32
define: __INTMAX_TYPE__=long int
define: __DEC128_MAX_EXP__=6145
define: __FLT32X_HAS_QUIET_NAN__=1
define: __ATOMIC_CONSUME=1
define: __GNUC_MINOR__=3
define: __INT_FAST16_WIDTH__=64
define: __UINTMAX_MAX__=0xffffffffffffffffUL
define: __PIE__=2
define: __FLT32X_DENORM_MIN__=4.94065645841246544176568792868221372e-324F32x
define: __DBL_MAX_10_EXP__=308
define: __LDBL_DENORM_MIN__=3.64519953188247460252840593361941982e-4951L
define: __INT16_C(c)=c
define: __STDC__=1
define: __FLT32X_DIG__=15
define: __PTRDIFF_TYPE__=long int
define: __ATOMIC_SEQ_CST=5
define: __FLT32X_MIN_10_EXP__=(-307)
define: __UINTPTR_TYPE__=long unsigned int
define: __DEC64_SUBNORMAL_MIN__=0.000000000000001E-383DD
define: __DEC128_MANT_DIG__=34
define: __LDBL_MIN_10_EXP__=(-4931)
define: __SSE_MATH__=1
define: __SIZEOF_LONG_LONG__=8
define: __FLT128_DECIMAL_DIG__=36
define: __GCC_ATOMIC_LLONG_LOCK_FREE=2
define: __FLT32_HAS_QUIET_NAN__=1
define: __FLT_DECIMAL_DIG__=9
define: __UINT_FAST16_MAX__=0xffffffffffffffffUL
define: __LDBL_NORM_MAX__=1.18973149535723176502126385303097021e+4932L
define: __GCC_ATOMIC_SHORT_LOCK_FREE=2
define: __UINT_FAST8_TYPE__=unsigned char
define: _GNU_SOURCE=1
define: __ATOMIC_ACQ_REL=4
define: __ATOMIC_RELEASE=3
other: --g++
other: --gnu_version=100300
stdver: c17
intelliSenseMode: linux-gcc-x64
Queueing IntelliSense update for files in translation unit of: /home/pawel/projects/cmake-vscode/version.hpp.in
cpptools/getFoldingRanges: /home/pawel/projects/cmake-vscode/version.hpp.in (id: 13)
cpptools/finishUpdateSquiggles
Error squiggle count: 1
Update IntelliSense time (sec): 0.331
```
|
non_defect
|
command line error language modes specified are incompatible for in files environment os and version wsl ubuntu in windows vs code version c c extension version other extensions you installed and if the issue persists after disabling them cmake language support cmake tools bug summary and steps to reproduce bug summary when opening template file foo hpp in on the first line i get command line error language modes specified are incompatible c c error steps to reproduce codebase made out of three files version hpp in c define versiontry version versiontry version main cpp c include include version hpp int main int argc char argv std cout argv version versiontry version std endl cmakelists txt cmake cmake minimum required version project versiontry version set cmake export compile commands on set cmake cxx standard set cmake cxx standard required on set cmake cxx extensions off configure file project source dir version hpp in project binary dir version hpp add executable versiontry main cpp target include directories versiontry public project binary dir configure the project using cmake through cmake plugin open file version hpp in the first character on the first line will present squiggly underline with error command line error language modes specified are incompatiblec c the code configures and compiles correctly looking at diagnostics log i see that the c standard is set to and cpp standard is set to c the same as in c cpp properties json in the language server logs i see that for the main cpp file stdver gets set to c while for version hpp in it gets set to expected behavior no error should appear in file version hpp in code sample and logs code sample look above configuration in c cpp properties json json configurations name linux includepath workspacefolder defines compilerpath usr bin g cstandard cppstandard c intellisensemode linux gcc configurationprovider ms vscode cmake tools version logs from c c log diagnostics diagnostics pm version current configuration name linux includepath workspacefolder defines compilerpath usr bin g cstandard cppstandard c intellisensemode linux gcc configurationprovider ms vscode cmake tools compilerpathisexplicit true cstandardisexplicit true cppstandardisexplicit true intellisensemodeisexplicit true custom browse configuration browsepath home pawel projects cmake vscode build home pawel projects cmake vscode compilerpath usr bin g compilerargs compilerfragments g std c no active translation units workspace parsing diagnostics number of files discovered not excluded logs from language server logginglevel debug custom configuration provider cmake tools registered custom browse configuration received browsepath home pawel projects cmake vscode build home pawel projects cmake vscode compilerpath usr bin g compilerargs compilerfragments g std c custom browse configuration received browsepath home pawel projects cmake vscode build home pawel projects cmake vscode compilerpath usr bin g compilerargs compilerfragments g std c custom browse configuration received browsepath home pawel projects cmake vscode build home pawel projects cmake vscode compilerpath usr bin g compilerargs compilerfragments g std c custom browse configuration received browsepath home pawel projects cmake vscode build home pawel projects cmake vscode compilerpath usr bin g compilerargs compilerfragments g std c custom browse configuration received browsepath home pawel projects cmake vscode build home pawel projects cmake vscode compilerpath usr bin g compilerargs compilerfragments g std c cpptools didchangecppproperties attempting to get defaults from c compiler in compilerpath property usr bin g querying compiler for default c language standard using command line usr bin g x c e dm dev null detected language standard version gnu querying compiler for default c language standard using command line usr bin g x c e dm dev null detected language standard version querying compiler s default target using command line usr bin g dumpmachine compiler returned default target value linux gnu compiler query command line usr bin g std wp v e dm x c dev null code browsing service initialized attempting to get defaults from c compiler in compilerpath property usr bin g compiler query command line usr bin g std c wp v e dm x c dev null folder usr include will be indexed folder usr lib gcc linux gnu include will be indexed folder usr local include will be indexed folder home pawel projects cmake vscode will be indexed cpptools didchangecustombrowseconfiguration attempting to get defaults from c compiler in compilerpath property usr bin g compiler query command line usr bin g g std c wp v e dm x c dev null folder usr lib gcc linux gnu include will be indexed folder usr local include will be indexed folder usr include will be indexed folder home pawel projects cmake vscode will be indexed cpptools didchangesettings intellisense engine default enhanced colorization is enabled error squiggles are enabled if all header dependencies are resolved autocomplete is enabled cpptools didchangecppproperties cpptools pauseparsing cpptools clearcustomconfigurations cpptools clearcustomconfigurations cpptools clearcustomconfigurations cpptools clearcustomconfigurations cpptools didchangecustombrowseconfiguration attempting to get defaults from c compiler in compilerpath property usr bin g cpptools resumeparsing cpptools didchangecustombrowseconfiguration attempting to get defaults from c compiler in compilerpath property usr bin g cpptools resumeparsing cpptools didchangecustombrowseconfiguration attempting to get defaults from c compiler in compilerpath property usr bin g cpptools resumeparsing cpptools didchangecustombrowseconfiguration attempting to get defaults from c compiler in compilerpath property usr bin g cpptools resumeparsing discovering files processing folder recursive usr lib gcc linux gnu include processing folder recursive usr local include processing folder recursive usr include processing folder recursive home pawel projects cmake vscode discovering files file s processed file s removed from database done discovering files populating include completion cache parsing remaining files parsing files s processed done parsing remaining files cpptools getcodeactions home pawel projects cmake vscode main cpp id cpptools querytranslationunitsource home pawel projects cmake vscode main cpp id custom configurations received uri file home pawel projects cmake vscode main cpp config includepath home pawel projects cmake vscode build defines compilerpath usr bin g compilerargs compilerfragments g std c cpptools didchangecustomconfiguration attempting to get defaults from c compiler in compilerpath property usr bin g compiler query command line usr bin g g std c wp v e dm x c dev null textdocument didopen home pawel projects cmake vscode main cpp cpptools texteditorselectionchange cpptools getdocumentsymbols home pawel projects cmake vscode main cpp id cpptools texteditorselectionchange cpptools getsemantictokens home pawel projects cmake vscode main cpp id cpptools activedocumentchange home pawel projects cmake vscode main cpp cpptools getinlayhints home pawel projects cmake vscode main cpp id cpptools getdocumentsymbols sending compilation args for home pawel projects cmake vscode main cpp include home pawel projects cmake vscode build include usr include c include usr include linux gnu c include usr include c backward include usr lib gcc linux gnu include include usr local include include usr include linux gnu include usr include define ssp strong define dbl min exp define uint max define atomic acquire define max exp define flt min define gcc iec complex define uint type unsigned char define sizeof define intmax c c c l define char bit define max define schar width define wint max define min exp define order little endian define size max define wchar max define gcc have sync compare and swap define gcc have sync compare and swap define gcc have sync compare and swap define dbl denorm min double define gcc have sync compare and swap define gcc atomic char lock free define gcc iec define decimal dig define flt eval method define decimal dig define cet define gcc atomic t lock free define uint max define sig atomic type int define dbl min exp define finite math only define max exp define has denorm define uint max define max exp define c c c define int width define uint max define shrt max define ldbl max define max exp define has quiet nan define uint max define gcc atomic bool lock free define denorm min define uintmax type long unsigned int define linux define epsilon define flt eval method ts define unix define max define gxx experimental define min exp define wint min define min exp define int width define schar max define mant dig define wchar min wchar max define c c c l define gcc atomic pointer lock free define mant dig define gcc atomic t lock free define user label prefix define max exp define epsilon define stdc hosted define min exp define dbl dig define dig define flt epsilon define gxx weak define shrt width define max exp define ldbl min define max define denorm min define has infinity define max define unix define int width define sizeof long define stdc iec define stdc iso define c c c define decimal dig define stdc iec complex define epsilon define gnu linux define max define min exp define min exp define ldbl has quiet nan define mant dig define mant dig define gnuc define gxx rtti define pie define mmx define flt has denorm define sizeof long double define biggest alignment define stdc utf define max exp define has infinity define dbl max double define int max define dbl has infinity define sizeof float define have speculation safe value define min exp define intptr width define has infinity define uint max define has denorm define int type long int define strict ansi define mmx with sse define ldbl has denorm define cplusplus define min define deprecated define dbl max exp define wchar width define max define epsilon define math define atomic hle release define ptrdiff max define define atomic hle acquire define gnug define long long max define sizeof size t define min exp define sizeof wint t define long long width define gxx abi version define has infinity define flt min exp define gcc have cfi asm define define int type long int define denorm min define dbl min double define epsilon define norm max define sizeof pointer define define dbl has quiet nan define epsilon define decimal bid format define min exp define decimal dig define min define register prefix define max define ldbl has infinity define min define type unsigned char define flt dig define no inline define dec eval method define max define flt mant dig define ldbl decimal dig define version define c c c ul define stdc predef h define int max define gcc atomic int lock free define max exp define mant dig define float word order order little endian define has denorm define decimal dig define dig define c c c define epsilon define order pdp endian define min exp define int type long int define uint type short unsigned int define dbl has denorm define size type long unsigned int define max define dig define type signed char define elf define gcc asm flag outputs define type unsigned int define flt radix define int type short int define ldbl epsilon define uintmax c c c ul define define min define sig atomic max define gcc atomic wchar t lock free define sizeof ptrdiff t define ldbl dig define define min exp define subnormal min define int max define dig define uint max define uint type long unsigned int define flt has quiet nan define flt max exp define long max define has denorm define subnormal min define flt has infinity define uint type long unsigned int define max define int width define type short unsigned int define pragma redefine extname define size width define seg fs define int max define mant dig define max define seg gs define denorm min define sig atomic width define int type long int define type short int define int type signed char define sizeof int define max exp define int max define max define intptr max define has quiet nan define min exp define exceptions define ptrdiff width define ldbl mant dig define has infinity define max define stdcpp default new alignment define sig atomic min sig atomic max define code model small define gcc atomic long lock free define mant dig define define intptr type long int define type short unsigned int define wchar type int define pic define uintptr max define int width define int max define gcc atomic test and set trueval define flt norm max define max exp define uint type long unsigned int define int max define linux define type long int define flt max exp define order big endian define dbl mant dig define sizeof define int max define min define wint type unsigned int define uint type unsigned int define sizeof short define norm max define sse define ldbl min exp define max define define wint width define int max define int width define ldbl max exp define max exp define sizeof define ldbl max exp define atomic relaxed define dbl epsilon double define min define define c c c define max exp define int type int define sizeof wchar t define gnuc patchlevel define norm max define norm max define has quiet nan define intmax max define int type signed char define min define gnuc stdc inline define has denorm define epsilon define dbl decimal dig define stdc utf define int width define fxsr define max define dbl norm max double define byte order order little endian define intmax width define type long unsigned int define c c c u define flt denorm min define max define long width define pic define uint type long unsigned int define norm max define type unsigned int define flt max define define type int define sizeof double define flt min exp define min define int width define intmax type long int define max exp define has quiet nan define atomic consume define gnuc minor define int width define uintmax max define pie define denorm min define dbl max exp define ldbl denorm min define c c c define stdc define dig define ptrdiff type long int define atomic seq cst define min exp define uintptr type long unsigned int define subnormal min define mant dig define ldbl min exp define sse math define sizeof long long define decimal dig define gcc atomic llong lock free define has quiet nan define flt decimal dig define uint max define ldbl norm max define gcc atomic short lock free define uint type unsigned char define gnu source define atomic acq rel define atomic release other g other gnu version stdver c intellisensemode linux gcc checking for syntax errors home pawel projects cmake vscode main cpp queueing intellisense update for files in translation unit of home pawel projects cmake vscode main cpp cpptools finishupdatesquiggles error squiggle count update intellisense time sec database safe to open cpptools getfoldingranges home pawel projects cmake vscode main cpp id textdocument didclose home pawel projects cmake vscode main cpp cpptools getcodeactions home pawel projects cmake vscode version hpp in id cpptools querytranslationunitsource home pawel projects cmake vscode version hpp in id textdocument didopen home pawel projects cmake vscode version hpp in checking for syntax errors home pawel projects cmake vscode version hpp in cpptools texteditorselectionchange cpptools getdocumentsymbols home pawel projects cmake vscode version hpp in id cpptools texteditorselectionchange cpptools getdocumentsymbols cpptools getsemantictokens home pawel projects cmake vscode version hpp in id cpptools activedocumentchange home pawel projects cmake vscode version hpp in cpptools getinlayhints home pawel projects cmake vscode version hpp in id sending compilation args for home pawel projects cmake vscode version hpp in include usr include c include usr include linux gnu c include usr include c backward include usr lib gcc linux gnu include include usr local include include usr include linux gnu include usr include define ssp strong define dbl min exp define uint max define atomic acquire define max exp define flt min define gcc iec complex define uint type unsigned char define sizeof define intmax c c c l define char bit define max define schar width define wint max define min exp define order little endian define size max define wchar max define gcc have sync compare and swap define gcc have sync compare and swap define gcc have sync compare and swap define dbl denorm min double define gcc have sync compare and swap define gcc atomic char lock free define gcc iec define decimal dig define flt eval method define decimal dig define cet define gcc atomic t lock free define uint max define sig atomic type int define dbl min exp define finite math only define max exp define has denorm define uint max define max exp define c c c define int width define uint max define shrt max define ldbl max define max exp define has quiet nan define uint max define gcc atomic bool lock free define denorm min define uintmax type long unsigned int define linux define epsilon define flt eval method ts define unix define max define gxx experimental define min exp define wint min define min exp define int width define schar max define mant dig define wchar min wchar max define c c c l define gcc atomic pointer lock free define mant dig define gcc atomic t lock free define user label prefix define max exp define epsilon define stdc hosted define min exp define dbl dig define dig define flt epsilon define gxx weak define shrt width define max exp define ldbl min define max define denorm min define has infinity define max define unix define int width define sizeof long define stdc iec define stdc iso define c c c define decimal dig define stdc iec complex define epsilon define gnu linux define max define min exp define min exp define ldbl has quiet nan define mant dig define mant dig define gnuc define gxx rtti define pie define mmx define flt has denorm define sizeof long double define biggest alignment define stdc utf define max exp define has infinity define dbl max double define int max define dbl has infinity define sizeof float define have speculation safe value define min exp define intptr width define has infinity define uint max define has denorm define int type long int define strict ansi define mmx with sse define ldbl has denorm define cplusplus define min define deprecated define dbl max exp define wchar width define max define epsilon define math define atomic hle release define ptrdiff max define define atomic hle acquire define gnug define long long max define sizeof size t define min exp define sizeof wint t define long long width define gxx abi version define has infinity define flt min exp define gcc have cfi asm define define int type long int define denorm min define dbl min double define epsilon define norm max define sizeof pointer define define dbl has quiet nan define epsilon define decimal bid format define min exp define decimal dig define min define register prefix define max define ldbl has infinity define min define type unsigned char define flt dig define no inline define dec eval method define max define flt mant dig define ldbl decimal dig define version define c c c ul define stdc predef h define int max define gcc atomic int lock free define max exp define mant dig define float word order order little endian define has denorm define decimal dig define dig define c c c define epsilon define order pdp endian define min exp define int type long int define uint type short unsigned int define dbl has denorm define size type long unsigned int define max define dig define type signed char define elf define gcc asm flag outputs define type unsigned int define flt radix define int type short int define ldbl epsilon define uintmax c c c ul define define min define sig atomic max define gcc atomic wchar t lock free define sizeof ptrdiff t define ldbl dig define define min exp define subnormal min define int max define dig define uint max define uint type long unsigned int define flt has quiet nan define flt max exp define long max define has denorm define subnormal min define flt has infinity define uint type long unsigned int define max define int width define type short unsigned int define pragma redefine extname define size width define seg fs define int max define mant dig define max define seg gs define denorm min define sig atomic width define int type long int define type short int define int type signed char define sizeof int define max exp define int max define max define intptr max define has quiet nan define min exp define exceptions define ptrdiff width define ldbl mant dig define has infinity define max define stdcpp default new alignment define sig atomic min sig atomic max define code model small define gcc atomic long lock free define mant dig define define intptr type long int define type short unsigned int define wchar type int define pic define uintptr max define int width define int max define gcc atomic test and set trueval define flt norm max define max exp define uint type long unsigned int define int max define linux define type long int define flt max exp define order big endian define dbl mant dig define sizeof define int max define min define wint type unsigned int define uint type unsigned int define sizeof short define norm max define sse define ldbl min exp define max define define wint width define int max define int width define ldbl max exp define max exp define sizeof define ldbl max exp define atomic relaxed define dbl epsilon double define min define define c c c define max exp define int type int define sizeof wchar t define gnuc patchlevel define norm max define norm max define has quiet nan define intmax max define int type signed char define min define gnuc stdc inline define has denorm define epsilon define dbl decimal dig define stdc utf define int width define fxsr define max define dbl norm max double define byte order order little endian define intmax width define type long unsigned int define c c c u define flt denorm min define max define long width define pic define uint type long unsigned int define norm max define type unsigned int define flt max define define type int define sizeof double define flt min exp define min define int width define intmax type long int define max exp define has quiet nan define atomic consume define gnuc minor define int width define uintmax max define pie define denorm min define dbl max exp define ldbl denorm min define c c c define stdc define dig define ptrdiff type long int define atomic seq cst define min exp define uintptr type long unsigned int define subnormal min define mant dig define ldbl min exp define sse math define sizeof long long define decimal dig define gcc atomic llong lock free define has quiet nan define flt decimal dig define uint max define ldbl norm max define gcc atomic short lock free define uint type unsigned char define gnu source define atomic acq rel define atomic release other g other gnu version stdver intellisensemode linux gcc queueing intellisense update for files in translation unit of home pawel projects cmake vscode version hpp in cpptools getfoldingranges home pawel projects cmake vscode version hpp in id cpptools finishupdatesquiggles error squiggle count update intellisense time sec
| 0
|
1,969
| 2,603,974,218
|
IssuesEvent
|
2015-02-24 19:01:05
|
chrsmith/nishazi6
|
https://api.github.com/repos/chrsmith/nishazi6
|
opened
|
沈阳阴部疱疹治疗价格
|
auto-migrated Priority-Medium Type-Defect
|
```
沈阳阴部疱疹治疗价格〓沈陽軍區政治部醫院性病〓TEL:024-3
1023308〓成立于1946年,68年專注于性傳播疾病的研究和治療。�
��于沈陽市沈河區二緯路32號。是一所與新中國同建立共輝煌�
��歷史悠久、設備精良、技術權威、專家云集,是預防、保健
、醫療、科研康復為一體的綜合性醫院。是國家首批公立甲��
�部隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、�
��南大學等知名高等院校的教學醫院。曾被中國人民解放軍空
軍后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體��
�等功。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 8:10
|
1.0
|
沈阳阴部疱疹治疗价格 - ```
沈阳阴部疱疹治疗价格〓沈陽軍區政治部醫院性病〓TEL:024-3
1023308〓成立于1946年,68年專注于性傳播疾病的研究和治療。�
��于沈陽市沈河區二緯路32號。是一所與新中國同建立共輝煌�
��歷史悠久、設備精良、技術權威、專家云集,是預防、保健
、醫療、科研康復為一體的綜合性醫院。是國家首批公立甲��
�部隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、�
��南大學等知名高等院校的教學醫院。曾被中國人民解放軍空
軍后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體��
�等功。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 8:10
|
defect
|
沈阳阴部疱疹治疗价格 沈阳阴部疱疹治疗价格〓沈陽軍區政治部醫院性病〓tel: 〓 , 。� �� 。是一所與新中國同建立共輝煌� ��歷史悠久、設備精良、技術權威、專家云集,是預防、保健 、醫療、科研康復為一體的綜合性醫院。是國家首批公立甲�� �部隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、� ��南大學等知名高等院校的教學醫院。曾被中國人民解放軍空 軍后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體�� �等功。 original issue reported on code google com by gmail com on jun at
| 1
|
42,376
| 10,964,217,219
|
IssuesEvent
|
2019-11-27 21:53:05
|
agda/agda
|
https://api.github.com/repos/agda/agda
|
opened
|
Fail when running `cabal repl`
|
build-failure cabal not-in-changelog type: bug
|
I realised that there are '*.ghci' files for every supported version of GHC:
```bash
$ ls .ghci*
.ghci .ghci800 .ghci820 .ghci860
```
I'm not familiar using Agda from GHCi/cabal repl. Using `cabal repl` I got the following error:
```bash
$ ghc --version
The Glorious Glasgow Haskell Compilation System, version 8.6.5
$ cabal -- version
cabal-install version 2.4.1.0
compiled using version 2.4.1.0 of the Cabal library
$ cabal repl
...
setup: The 'repl' command does not support multiple targets at once.
```
@erydo, since you are the author of the '.ghci' files, I assigned you this issue.
|
1.0
|
Fail when running `cabal repl` - I realised that there are '*.ghci' files for every supported version of GHC:
```bash
$ ls .ghci*
.ghci .ghci800 .ghci820 .ghci860
```
I'm not familiar using Agda from GHCi/cabal repl. Using `cabal repl` I got the following error:
```bash
$ ghc --version
The Glorious Glasgow Haskell Compilation System, version 8.6.5
$ cabal -- version
cabal-install version 2.4.1.0
compiled using version 2.4.1.0 of the Cabal library
$ cabal repl
...
setup: The 'repl' command does not support multiple targets at once.
```
@erydo, since you are the author of the '.ghci' files, I assigned you this issue.
|
non_defect
|
fail when running cabal repl i realised that there are ghci files for every supported version of ghc bash ls ghci ghci i m not familiar using agda from ghci cabal repl using cabal repl i got the following error bash ghc version the glorious glasgow haskell compilation system version cabal version cabal install version compiled using version of the cabal library cabal repl setup the repl command does not support multiple targets at once erydo since you are the author of the ghci files i assigned you this issue
| 0
|
365,779
| 25,551,374,929
|
IssuesEvent
|
2022-11-30 00:13:44
|
UnBArqDsw2022-2/2022.2_G4_IDotPet
|
https://api.github.com/repos/UnBArqDsw2022-2/2022.2_G4_IDotPet
|
closed
|
Correção do Léxico
|
documentation
|
<!-- Certifique-se de ser uma tarefa bem contida. Certifique-se da possibilidade de desmembrar a issue em issues melhores e, caso seja possível, o faça -->
# Descrição:
<!-- Dê os objetivos da issue, para quê serve, qual issue afeta, que artefato é criado/alterado. Ao citar outras issues, utilize o código delas: #Número_da_issue -->
Essa issue tem como objetivo corrigir o Léxico conforme recomendações da apresentação base.
# Tarefas:
<!-- Não economize na listagem de tarefas -->
- [x] Revisar e corrigir Léxico (Nicolas e Herick)
- [x] Alterar nomes da noção e impacto da classe objeto (Nicolas e Herick)
- [x] Dividir usando as classe como divisor (Nicolas e Herick)
- [ ] Aumentar o número de impactos (Nicolas e Herick)
# Critério de aceitação:
<!-- O revisor da issue deve marcar esses critérios antes de fechá-la -->
- [ ] Documento de Léxico revisado e corrigido.
|
1.0
|
Correção do Léxico - <!-- Certifique-se de ser uma tarefa bem contida. Certifique-se da possibilidade de desmembrar a issue em issues melhores e, caso seja possível, o faça -->
# Descrição:
<!-- Dê os objetivos da issue, para quê serve, qual issue afeta, que artefato é criado/alterado. Ao citar outras issues, utilize o código delas: #Número_da_issue -->
Essa issue tem como objetivo corrigir o Léxico conforme recomendações da apresentação base.
# Tarefas:
<!-- Não economize na listagem de tarefas -->
- [x] Revisar e corrigir Léxico (Nicolas e Herick)
- [x] Alterar nomes da noção e impacto da classe objeto (Nicolas e Herick)
- [x] Dividir usando as classe como divisor (Nicolas e Herick)
- [ ] Aumentar o número de impactos (Nicolas e Herick)
# Critério de aceitação:
<!-- O revisor da issue deve marcar esses critérios antes de fechá-la -->
- [ ] Documento de Léxico revisado e corrigido.
|
non_defect
|
correção do léxico descrição essa issue tem como objetivo corrigir o léxico conforme recomendações da apresentação base tarefas revisar e corrigir léxico nicolas e herick alterar nomes da noção e impacto da classe objeto nicolas e herick dividir usando as classe como divisor nicolas e herick aumentar o número de impactos nicolas e herick critério de aceitação documento de léxico revisado e corrigido
| 0
|
106,938
| 13,399,529,868
|
IssuesEvent
|
2020-09-03 14:36:30
|
12rambau/accuracy-assessment
|
https://api.github.com/repos/12rambau/accuracy-assessment
|
closed
|
select a stretching method
|
design
|
- [x] stretch each band on the mean max-min value (each year image separately) as gee natural strech

- [x] stretch each band to the max value (each year image separately)
<img width="836" alt="Capture d’écran 2020-08-28 à 18 00 56" src="https://user-images.githubusercontent.com/12596392/91588450-79ea1800-e958-11ea-8cb1-36e843e29738.png">
|
1.0
|
select a stretching method - - [x] stretch each band on the mean max-min value (each year image separately) as gee natural strech

- [x] stretch each band to the max value (each year image separately)
<img width="836" alt="Capture d’écran 2020-08-28 à 18 00 56" src="https://user-images.githubusercontent.com/12596392/91588450-79ea1800-e958-11ea-8cb1-36e843e29738.png">
|
non_defect
|
select a stretching method stretch each band on the mean max min value each year image separately as gee natural strech stretch each band to the max value each year image separately img width alt capture d’écran à src
| 0
|
74,879
| 25,381,474,700
|
IssuesEvent
|
2022-11-21 17:54:46
|
primefaces/primefaces
|
https://api.github.com/repos/primefaces/primefaces
|
opened
|
DataTable: selectionMode=multiple with rowSelectMode=none still shows cursor pointer
|
:lady_beetle: defect :bangbang: needs-triage
|
### Describe the bug
DataTable Checkbox selection with `rowSelectMode="none"` still sets the `cursor: pointer` style on hover of the entire row, despite only being able to select via the Checkbox.
### Reproducer
This issue can be reproduced running the showcase locally. Modify the Checkbox example in the `ui/data/datatable/selection.xhtml` showcase page and set `rowSelectMode="none"`. Run the showcase and hover the rows in that example.
### Expected behavior
If a row cannot be selected by clicking on the row itself, the cursor should remain as the arrow rather than changing to a pointer.
### PrimeFaces edition
Community
### PrimeFaces version
13.0.0
### Theme
All
### JSF implementation
All
### JSF version
2.3
### Java version
11
### Browser(s)
All
|
1.0
|
DataTable: selectionMode=multiple with rowSelectMode=none still shows cursor pointer - ### Describe the bug
DataTable Checkbox selection with `rowSelectMode="none"` still sets the `cursor: pointer` style on hover of the entire row, despite only being able to select via the Checkbox.
### Reproducer
This issue can be reproduced running the showcase locally. Modify the Checkbox example in the `ui/data/datatable/selection.xhtml` showcase page and set `rowSelectMode="none"`. Run the showcase and hover the rows in that example.
### Expected behavior
If a row cannot be selected by clicking on the row itself, the cursor should remain as the arrow rather than changing to a pointer.
### PrimeFaces edition
Community
### PrimeFaces version
13.0.0
### Theme
All
### JSF implementation
All
### JSF version
2.3
### Java version
11
### Browser(s)
All
|
defect
|
datatable selectionmode multiple with rowselectmode none still shows cursor pointer describe the bug datatable checkbox selection with rowselectmode none still sets the cursor pointer style on hover of the entire row despite only being able to select via the checkbox reproducer this issue can be reproduced running the showcase locally modify the checkbox example in the ui data datatable selection xhtml showcase page and set rowselectmode none run the showcase and hover the rows in that example expected behavior if a row cannot be selected by clicking on the row itself the cursor should remain as the arrow rather than changing to a pointer primefaces edition community primefaces version theme all jsf implementation all jsf version java version browser s all
| 1
|
70,473
| 23,184,600,949
|
IssuesEvent
|
2022-08-01 07:13:37
|
beefproject/beef
|
https://api.github.com/repos/beefproject/beef
|
closed
|
hook.js undefined method error when getting call back
|
Defect Low Install
|
Verify first that your issue/request has not been posted previously:
* https://github.com/beefproject/beef/issues
* https://github.com/beefproject/beef/wiki/FAQ
Ensure you're using the [latest version of BeEF](https://github.com/beefproject/beef/releases/tag/beef-0.4.7.1).
#### Environment
What version/revision of BeEF are you using?
0.4.7.2-alpha-pre
On what version of Ruby?
ruby 2.5.3p105 (2018-10-18 revision 65156) [x86_64-linux-gnu
On what browser?
60.5.0esr (64-bit)
On what operating system?
Kali 4.19.0-kali1-amd64
#### Configuration
Default config
Are you using a non-default configuration?
no
Have you enabled or disabled any BeEF extensions?
no
#### Summary
Please provide a summary of the issue.
I insert hook.js into an injection point and see this error on from the beef server output:
Traceback (most recent call last):
3: from /root/extra-tools/beef/core/main/network_stack/handlers/dynamicreconstruction.rb:48:in `block (2 levels) in <class:DynamicReconstruction>'
2: from /root/extra-tools/beef/core/main/network_stack/handlers/dynamicreconstruction.rb:55:in `check_packets'
1: from /root/extra-tools/beef/core/main/network_stack/handlers/dynamicreconstruction.rb:55:in `each'
/root/extra-tools/beef/core/main/network_stack/handlers/dynamicreconstruction.rb:76:in `block in check_packets': undefined method `first' for #<String:0x00005585321d58a0> (NoMethodError)
#<Thread:0x00005585315378a0@/root/extra-tools/beef/core/main/network_stack/handlers/dynamicreconstruction.rb:47 run> terminated with exception (report_on_exception is true):
#### Expected Behaviour
What was the expected result?
Expecting to see a hooked client on the beef UI console
#### Actual Behaviour
What was the actual result?
Error stated above
#### Steps to Reproduce
Please provide steps to reproduce this issue.
perform injection using hook.js file and exploit a browser client
#### Additional Information
I'm wondering if this is suppose to be normal behavior. My thought is that whenever a hooked client calls back it would hook properly or is it possible it can cause this error?
Please provide any additional information which may be useful in resolving this issue, such as debugging output and relevant screen shots. Debug output can be enabled by specifying `debug: true` in the `config.yaml` configuration file.
sadf
|
1.0
|
hook.js undefined method error when getting call back - Verify first that your issue/request has not been posted previously:
* https://github.com/beefproject/beef/issues
* https://github.com/beefproject/beef/wiki/FAQ
Ensure you're using the [latest version of BeEF](https://github.com/beefproject/beef/releases/tag/beef-0.4.7.1).
#### Environment
What version/revision of BeEF are you using?
0.4.7.2-alpha-pre
On what version of Ruby?
ruby 2.5.3p105 (2018-10-18 revision 65156) [x86_64-linux-gnu
On what browser?
60.5.0esr (64-bit)
On what operating system?
Kali 4.19.0-kali1-amd64
#### Configuration
Default config
Are you using a non-default configuration?
no
Have you enabled or disabled any BeEF extensions?
no
#### Summary
Please provide a summary of the issue.
I insert hook.js into an injection point and see this error on from the beef server output:
Traceback (most recent call last):
3: from /root/extra-tools/beef/core/main/network_stack/handlers/dynamicreconstruction.rb:48:in `block (2 levels) in <class:DynamicReconstruction>'
2: from /root/extra-tools/beef/core/main/network_stack/handlers/dynamicreconstruction.rb:55:in `check_packets'
1: from /root/extra-tools/beef/core/main/network_stack/handlers/dynamicreconstruction.rb:55:in `each'
/root/extra-tools/beef/core/main/network_stack/handlers/dynamicreconstruction.rb:76:in `block in check_packets': undefined method `first' for #<String:0x00005585321d58a0> (NoMethodError)
#<Thread:0x00005585315378a0@/root/extra-tools/beef/core/main/network_stack/handlers/dynamicreconstruction.rb:47 run> terminated with exception (report_on_exception is true):
#### Expected Behaviour
What was the expected result?
Expecting to see a hooked client on the beef UI console
#### Actual Behaviour
What was the actual result?
Error stated above
#### Steps to Reproduce
Please provide steps to reproduce this issue.
perform injection using hook.js file and exploit a browser client
#### Additional Information
I'm wondering if this is suppose to be normal behavior. My thought is that whenever a hooked client calls back it would hook properly or is it possible it can cause this error?
Please provide any additional information which may be useful in resolving this issue, such as debugging output and relevant screen shots. Debug output can be enabled by specifying `debug: true` in the `config.yaml` configuration file.
sadf
|
defect
|
hook js undefined method error when getting call back verify first that your issue request has not been posted previously ensure you re using the environment what version revision of beef are you using alpha pre on what version of ruby ruby revision linux gnu on what browser bit on what operating system kali configuration default config are you using a non default configuration no have you enabled or disabled any beef extensions no summary please provide a summary of the issue i insert hook js into an injection point and see this error on from the beef server output traceback most recent call last from root extra tools beef core main network stack handlers dynamicreconstruction rb in block levels in from root extra tools beef core main network stack handlers dynamicreconstruction rb in check packets from root extra tools beef core main network stack handlers dynamicreconstruction rb in each root extra tools beef core main network stack handlers dynamicreconstruction rb in block in check packets undefined method first for nomethoderror terminated with exception report on exception is true expected behaviour what was the expected result expecting to see a hooked client on the beef ui console actual behaviour what was the actual result error stated above steps to reproduce please provide steps to reproduce this issue perform injection using hook js file and exploit a browser client additional information i m wondering if this is suppose to be normal behavior my thought is that whenever a hooked client calls back it would hook properly or is it possible it can cause this error please provide any additional information which may be useful in resolving this issue such as debugging output and relevant screen shots debug output can be enabled by specifying debug true in the config yaml configuration file sadf
| 1
|
55,048
| 6,424,263,925
|
IssuesEvent
|
2017-08-09 13:09:31
|
brave/browser-laptop
|
https://api.github.com/repos/brave/browser-laptop
|
opened
|
Manual test run on OS X for 0.18.x Hotfix
|
OS/macOS release-notes/exclude tests
|
## Per release specialty tests
- [ ] Hide bitwarden and pinterest for 0.18.x . ([#10343](https://github.com/brave/browser-laptop/issues/10343))
- [ ] Tab previews: stick to changing properties that can be handled by the compositor alone. ([#10291](https://github.com/brave/browser-laptop/issues/10291))
- [ ] Fix issue where pinned tab can't be really unpinned. ([#10241](https://github.com/brave/browser-laptop/issues/10241))
- [ ] Ledger getPublisher perf is bad even if ledger is off. ([#10186](https://github.com/brave/browser-laptop/issues/10186))
- [ ] Rework code to not use class names. ([#10133](https://github.com/brave/browser-laptop/issues/10133))
- [ ] Extension popup menu items dismissed on click. ([#10130](https://github.com/brave/browser-laptop/issues/10130))
- [ ] Browser freezes per 5 minutes with existing profile. ([#10094](https://github.com/brave/browser-laptop/issues/10094))
- [ ] Spell check not working on Disqus comment boxes. ([#10040](https://github.com/brave/browser-laptop/issues/10040))
## Installer
1. [ ] Check that installer is close to the size of last release.
2. [ ] Check signature: If OS Run `spctl --assess --verbose /Applications/Brave.app/` and make sure it returns `accepted`. If Windows right click on the installer exe and go to Properties, go to the Digital Signatures tab and double click on the signature. Make sure it says "The digital signature is OK" in the popup window.
3. [ ] Check Brave, muon, and libchromiumcontent version in About and make sure it is EXACTLY as expected.
## Last changeset test
1. [ ] Test what is covered by the last changeset (you can find this by clicking on the SHA in about:brave).
## Widevine/Netflix test
1. [ ] Test that you can log into Netflix and start a show.
## Ledger
1. [ ] Create a wallet with a value other than $5 selected in the monthly budget dropdown. Click on the 'Add Funds' button and check that Coinbase transactions are blocked.
2. [ ] Remove all `ledger-*.json` files from `~/Library/Application\ Support/Brave/`. Go to the Payments tab in about:preferences, enable payments, click on `create wallet`. Check that the `add funds` button appears after a wallet is created.
3. [ ] Click on `add funds` and verify that adding funds through Coinbase increases the account balance.
4. [ ] Repeat the step above but add funds by scanning the QR code in a mobile bitcoin app instead of through Coinbase.
5. [ ] Visit nytimes.com for a few seconds and make sure it shows up in the Payments table.
6. [ ] Go to https://jsfiddle.net/LnwtLckc/5/ and click the register button. In the Payments tab, click `add funds`. Verify that the `transfer funds` button is visible and that clicking on `transfer funds` opens a jsfiddle URL in a new tab.
7. [ ] Go to https://jsfiddle.net/LnwtLckc/5/ and click `unregister`. Verify that the `transfer funds` button no longer appears in the `add funds` modal.
8. [ ] Check that disabling payments and enabling them again does not lose state.
## Sync
1. [ ] Verify you are able to sync two devices using the secret code
2. [ ] Visit a site on device 1 and change shield setting, ensure that the saved site preference is synced to device 2
3. [ ] Enable Browsing history sync on device 1, ensure the history is shown on device 2
4. [ ] Import/Add bookmarks on device 1, ensure it is synced on device 2
5. [ ] Ensure imported bookmark folder structure is maintained on device 2
6. [ ] Ensure bookmark favicons are shown after sync
## Data
1. [ ] Make sure that data from the last version appears in the new version OK.
2. [ ] Test that the previous version's cookies are preserved in the next version.
## About pages
1. [ ] Test that about:adblock loads
2. [ ] Test that about:autofill loads
3. [ ] Test that about:bookmarks loads bookmarks
4. [ ] Test that about:downloads loads downloads
5. [ ] Test that about:extensions loads
6. [ ] Test that about:history loads history
7. [ ] Test that about:passwords loads
8. [ ] Test that about:styles loads
9. [ ] Test that about:welcome loads
10. [ ] Test that about:preferences changing a preference takes effect right away
11. [ ] Test that about:preferences language change takes effect on re-start
## Bookmarks
1. [ ] Test that creating a bookmark on the bookmarks toolbar with the star button works
2. [ ] Test that creating a bookmark on the bookmarks toolbar by dragging the un/lock icon works
3. [ ] Test that creating a bookmark folder on the bookmarks toolbar works
4. [ ] Test that moving a bookmark into a folder by drag and drop on the bookmarks folder works
5. [ ] Test that clicking a bookmark in the toolbar loads the bookmark.
6. [ ] Test that clicking a bookmark in a bookmark toolbar folder loads the bookmark.
## Context menus
1. [ ] Make sure context menu items in the URL bar work
2. [ ] Make sure context menu items on content work with no selected text.
3. [ ] Make sure context menu items on content work with selected text.
4. [ ] Make sure context menu items on content work inside an editable control on `about:styles` (input, textarea, or contenteditable).
## Find on page
1. [ ] Ensure search box is shown with shortcut
2. [ ] Test successful find
3. [ ] Test forward and backward find navigation
4. [ ] Test failed find shows 0 results
5. [ ] Test match case find
## Geolocation
1. [ ] Check that https://developer.mozilla.org/en-US/docs/Web/API/Geolocation/Using_geolocation works
## Site hacks
1. [ ] Test https://www.twitch.tv/adobe sub-page loads a video and you can play it
## Downloads
1. [ ] Test downloading a file works and that all actions on the download item works.
## Fullscreen
1. [ ] Test that entering full screen window works View -> Toggle Full Screen. And exit back (Not Esc).
2. [ ] Test that entering HTML5 full screen works. And Esc to go back. (youtube.com)
## Tabs, Pinning and Tear off tabs
1. [ ] Test that tabs are pinnable
2. [ ] Test that tabs are unpinnable
3. [ ] Test that tabs are draggable to same tabset
4. [ ] Test that tabs are draggable to alternate tabset
5. [ ] Test that tabs can be teared off into a new window
6. [ ] Test that you are able to reattach a tab that is teared off into a new window
7. [ ] Test that tab pages can be closed
8. [ ] Test that tab pages can be muted
## Zoom
1. [ ] Test zoom in / out shortcut works
2. [ ] Test hamburger menu zooms.
3. [ ] Test zoom saved when you close the browser and restore on a single site.
4. [ ] Test zoom saved when you navigate within a single origin site.
5. [ ] Test that navigating to a different origin resets the zoom
## Bravery settings
1. [ ] Check that HTTPS Everywhere works by loading https://https-everywhere.badssl.com/
2. [ ] Turning HTTPS Everywhere off and shields off both disable the redirect to https://https-everywhere.badssl.com/
3. [ ] Check that ad replacement works on http://slashdot.org
4. [ ] Check that toggling to blocking and allow ads works as expected.
5. [ ] Test that clicking through a cert error in https://badssl.com/ works.
6. [ ] Test that Safe Browsing works (http://downloadme.org/)
7. [ ] Turning Safe Browsing off and shields off both disable safe browsing for http://downloadme.org/.
8. [ ] Visit https://brianbondy.com/ and then turn on script blocking, nothing should load. Allow it from the script blocking UI in the URL bar and it should work.
9. [ ] Test that about:preferences default Bravery settings take effect on pages with no site settings.
10. [ ] Test that turning on fingerprinting protection in about:preferences shows 3 fingerprints blocked at https://jsfiddle.net/bkf50r8v/13/. Test that turning it off in the Bravery menu shows 0 fingerprints blocked.
11. [ ] Test that 3rd party storage results are blank at https://jsfiddle.net/7ke9r14a/9/ when 3rd party cookies are blocked and not blank when 3rd party cookies are unblocked.
12. [ ] Test that audio fingerprint is blocked at https://audiofingerprint.openwpm.com/ when fingerprinting protection is on.
13. [ ] Test that browser is not detected on https://extensions.inrialpes.fr/brave/
## Content tests
1. [ ] Go to https://brianbondy.com/ and click on the twitter icon on the top right. Test that context menus work in the new twitter tab.
2. [ ] Load twitter and click on a tweet so the popup div shows. Click to dismiss and repeat with another div. Make sure it shows.
3. [ ] Go to http://www.bennish.net/web-notifications.html and test that clicking on 'Show' pops up a notification asking for permission. Make sure that clicking 'Deny' leads to no notifications being shown.
4. [ ] Go to https://trac.torproject.org/projects/tor/login and make sure that the password can be saved. Make sure the saved password shows up in `about:passwords`. Then reload https://trac.torproject.org/projects/tor/login and make sure the password is autofilled.
5. [ ] Open `about:styles` and type some misspellings on a textbox, make sure they are underlined.
6. [ ] Make sure that right clicking on a word with suggestions gives a suggestion and that clicking on the suggestion replaces the text.
7. [ ] Make sure that Command + Click (Control + Click on Windows, Control + Click on Ubuntu) on a link opens a new tab but does NOT switch to it. Click on it and make sure it is already loaded.
8. [ ] Open an email on http://mail.google.com/ or inbox.google.com and click on a link. Make sure it works.
9. [ ] Test that PDF is loaded at http://www.orimi.com/pdf-test.pdf
10. [ ] Test that https://mixed-script.badssl.com/ shows up as grey not red (no mixed content scripts are run).
## Flash tests
1. [ ] Turn on Flash in about:preferences#security. Test that clicking on 'Install Flash' banner on myspace.com shows a notification to allow Flash and that the banner disappears when 'Allow' is clicked.
2. [ ] Test that flash placeholder appears on http://www.homestarrunner.com
## Autofill tests
1. [ ] Test that autofill works on http://www.roboform.com/filling-test-all-fields
## Session storage
Do not forget to make a backup of your entire `~/Library/Application\ Support/Brave` folder.
1. [ ] Temporarily move away your `~/Library/Application\ Support/Brave/session-store-1` and test that clean session storage works. (`%appdata%\Brave in Windows`, `./config/brave` in Ubuntu)
2. [ ] Test that windows and tabs restore when closed, including active tab.
3. [ ] Move away your entire `~/Library/Application\ Support/Brave` folder (`%appdata%\Brave in Windows`, `./config/brave` in Ubuntu)
## Cookie and Cache
1. [ ] Make a backup of your profile, turn on all clearing in preferences and shut down. Make sure when you bring the browser back up everything is gone that is specified.
2. [ ] Go to http://samy.pl/evercookie/ and set an evercookie. Check that going to prefs, clearing site data and cache, and going back to the Evercookie site does not remember the old evercookie value.
## Update tests
1. [ ] Test that updating using `BRAVE_UPDATE_VERSION=0.8.3` env variable works correctly.
|
1.0
|
Manual test run on OS X for 0.18.x Hotfix - ## Per release specialty tests
- [ ] Hide bitwarden and pinterest for 0.18.x . ([#10343](https://github.com/brave/browser-laptop/issues/10343))
- [ ] Tab previews: stick to changing properties that can be handled by the compositor alone. ([#10291](https://github.com/brave/browser-laptop/issues/10291))
- [ ] Fix issue where pinned tab can't be really unpinned. ([#10241](https://github.com/brave/browser-laptop/issues/10241))
- [ ] Ledger getPublisher perf is bad even if ledger is off. ([#10186](https://github.com/brave/browser-laptop/issues/10186))
- [ ] Rework code to not use class names. ([#10133](https://github.com/brave/browser-laptop/issues/10133))
- [ ] Extension popup menu items dismissed on click. ([#10130](https://github.com/brave/browser-laptop/issues/10130))
- [ ] Browser freezes per 5 minutes with existing profile. ([#10094](https://github.com/brave/browser-laptop/issues/10094))
- [ ] Spell check not working on Disqus comment boxes. ([#10040](https://github.com/brave/browser-laptop/issues/10040))
## Installer
1. [ ] Check that installer is close to the size of last release.
2. [ ] Check signature: If OS Run `spctl --assess --verbose /Applications/Brave.app/` and make sure it returns `accepted`. If Windows right click on the installer exe and go to Properties, go to the Digital Signatures tab and double click on the signature. Make sure it says "The digital signature is OK" in the popup window.
3. [ ] Check Brave, muon, and libchromiumcontent version in About and make sure it is EXACTLY as expected.
## Last changeset test
1. [ ] Test what is covered by the last changeset (you can find this by clicking on the SHA in about:brave).
## Widevine/Netflix test
1. [ ] Test that you can log into Netflix and start a show.
## Ledger
1. [ ] Create a wallet with a value other than $5 selected in the monthly budget dropdown. Click on the 'Add Funds' button and check that Coinbase transactions are blocked.
2. [ ] Remove all `ledger-*.json` files from `~/Library/Application\ Support/Brave/`. Go to the Payments tab in about:preferences, enable payments, click on `create wallet`. Check that the `add funds` button appears after a wallet is created.
3. [ ] Click on `add funds` and verify that adding funds through Coinbase increases the account balance.
4. [ ] Repeat the step above but add funds by scanning the QR code in a mobile bitcoin app instead of through Coinbase.
5. [ ] Visit nytimes.com for a few seconds and make sure it shows up in the Payments table.
6. [ ] Go to https://jsfiddle.net/LnwtLckc/5/ and click the register button. In the Payments tab, click `add funds`. Verify that the `transfer funds` button is visible and that clicking on `transfer funds` opens a jsfiddle URL in a new tab.
7. [ ] Go to https://jsfiddle.net/LnwtLckc/5/ and click `unregister`. Verify that the `transfer funds` button no longer appears in the `add funds` modal.
8. [ ] Check that disabling payments and enabling them again does not lose state.
## Sync
1. [ ] Verify you are able to sync two devices using the secret code
2. [ ] Visit a site on device 1 and change shield setting, ensure that the saved site preference is synced to device 2
3. [ ] Enable Browsing history sync on device 1, ensure the history is shown on device 2
4. [ ] Import/Add bookmarks on device 1, ensure it is synced on device 2
5. [ ] Ensure imported bookmark folder structure is maintained on device 2
6. [ ] Ensure bookmark favicons are shown after sync
## Data
1. [ ] Make sure that data from the last version appears in the new version OK.
2. [ ] Test that the previous version's cookies are preserved in the next version.
## About pages
1. [ ] Test that about:adblock loads
2. [ ] Test that about:autofill loads
3. [ ] Test that about:bookmarks loads bookmarks
4. [ ] Test that about:downloads loads downloads
5. [ ] Test that about:extensions loads
6. [ ] Test that about:history loads history
7. [ ] Test that about:passwords loads
8. [ ] Test that about:styles loads
9. [ ] Test that about:welcome loads
10. [ ] Test that about:preferences changing a preference takes effect right away
11. [ ] Test that about:preferences language change takes effect on re-start
## Bookmarks
1. [ ] Test that creating a bookmark on the bookmarks toolbar with the star button works
2. [ ] Test that creating a bookmark on the bookmarks toolbar by dragging the un/lock icon works
3. [ ] Test that creating a bookmark folder on the bookmarks toolbar works
4. [ ] Test that moving a bookmark into a folder by drag and drop on the bookmarks folder works
5. [ ] Test that clicking a bookmark in the toolbar loads the bookmark.
6. [ ] Test that clicking a bookmark in a bookmark toolbar folder loads the bookmark.
## Context menus
1. [ ] Make sure context menu items in the URL bar work
2. [ ] Make sure context menu items on content work with no selected text.
3. [ ] Make sure context menu items on content work with selected text.
4. [ ] Make sure context menu items on content work inside an editable control on `about:styles` (input, textarea, or contenteditable).
## Find on page
1. [ ] Ensure search box is shown with shortcut
2. [ ] Test successful find
3. [ ] Test forward and backward find navigation
4. [ ] Test failed find shows 0 results
5. [ ] Test match case find
## Geolocation
1. [ ] Check that https://developer.mozilla.org/en-US/docs/Web/API/Geolocation/Using_geolocation works
## Site hacks
1. [ ] Test https://www.twitch.tv/adobe sub-page loads a video and you can play it
## Downloads
1. [ ] Test downloading a file works and that all actions on the download item works.
## Fullscreen
1. [ ] Test that entering full screen window works View -> Toggle Full Screen. And exit back (Not Esc).
2. [ ] Test that entering HTML5 full screen works. And Esc to go back. (youtube.com)
## Tabs, Pinning and Tear off tabs
1. [ ] Test that tabs are pinnable
2. [ ] Test that tabs are unpinnable
3. [ ] Test that tabs are draggable to same tabset
4. [ ] Test that tabs are draggable to alternate tabset
5. [ ] Test that tabs can be teared off into a new window
6. [ ] Test that you are able to reattach a tab that is teared off into a new window
7. [ ] Test that tab pages can be closed
8. [ ] Test that tab pages can be muted
## Zoom
1. [ ] Test zoom in / out shortcut works
2. [ ] Test hamburger menu zooms.
3. [ ] Test zoom saved when you close the browser and restore on a single site.
4. [ ] Test zoom saved when you navigate within a single origin site.
5. [ ] Test that navigating to a different origin resets the zoom
## Bravery settings
1. [ ] Check that HTTPS Everywhere works by loading https://https-everywhere.badssl.com/
2. [ ] Turning HTTPS Everywhere off and shields off both disable the redirect to https://https-everywhere.badssl.com/
3. [ ] Check that ad replacement works on http://slashdot.org
4. [ ] Check that toggling to blocking and allow ads works as expected.
5. [ ] Test that clicking through a cert error in https://badssl.com/ works.
6. [ ] Test that Safe Browsing works (http://downloadme.org/)
7. [ ] Turning Safe Browsing off and shields off both disable safe browsing for http://downloadme.org/.
8. [ ] Visit https://brianbondy.com/ and then turn on script blocking, nothing should load. Allow it from the script blocking UI in the URL bar and it should work.
9. [ ] Test that about:preferences default Bravery settings take effect on pages with no site settings.
10. [ ] Test that turning on fingerprinting protection in about:preferences shows 3 fingerprints blocked at https://jsfiddle.net/bkf50r8v/13/. Test that turning it off in the Bravery menu shows 0 fingerprints blocked.
11. [ ] Test that 3rd party storage results are blank at https://jsfiddle.net/7ke9r14a/9/ when 3rd party cookies are blocked and not blank when 3rd party cookies are unblocked.
12. [ ] Test that audio fingerprint is blocked at https://audiofingerprint.openwpm.com/ when fingerprinting protection is on.
13. [ ] Test that browser is not detected on https://extensions.inrialpes.fr/brave/
## Content tests
1. [ ] Go to https://brianbondy.com/ and click on the twitter icon on the top right. Test that context menus work in the new twitter tab.
2. [ ] Load twitter and click on a tweet so the popup div shows. Click to dismiss and repeat with another div. Make sure it shows.
3. [ ] Go to http://www.bennish.net/web-notifications.html and test that clicking on 'Show' pops up a notification asking for permission. Make sure that clicking 'Deny' leads to no notifications being shown.
4. [ ] Go to https://trac.torproject.org/projects/tor/login and make sure that the password can be saved. Make sure the saved password shows up in `about:passwords`. Then reload https://trac.torproject.org/projects/tor/login and make sure the password is autofilled.
5. [ ] Open `about:styles` and type some misspellings on a textbox, make sure they are underlined.
6. [ ] Make sure that right clicking on a word with suggestions gives a suggestion and that clicking on the suggestion replaces the text.
7. [ ] Make sure that Command + Click (Control + Click on Windows, Control + Click on Ubuntu) on a link opens a new tab but does NOT switch to it. Click on it and make sure it is already loaded.
8. [ ] Open an email on http://mail.google.com/ or inbox.google.com and click on a link. Make sure it works.
9. [ ] Test that PDF is loaded at http://www.orimi.com/pdf-test.pdf
10. [ ] Test that https://mixed-script.badssl.com/ shows up as grey not red (no mixed content scripts are run).
## Flash tests
1. [ ] Turn on Flash in about:preferences#security. Test that clicking on 'Install Flash' banner on myspace.com shows a notification to allow Flash and that the banner disappears when 'Allow' is clicked.
2. [ ] Test that flash placeholder appears on http://www.homestarrunner.com
## Autofill tests
1. [ ] Test that autofill works on http://www.roboform.com/filling-test-all-fields
## Session storage
Do not forget to make a backup of your entire `~/Library/Application\ Support/Brave` folder.
1. [ ] Temporarily move away your `~/Library/Application\ Support/Brave/session-store-1` and test that clean session storage works. (`%appdata%\Brave in Windows`, `./config/brave` in Ubuntu)
2. [ ] Test that windows and tabs restore when closed, including active tab.
3. [ ] Move away your entire `~/Library/Application\ Support/Brave` folder (`%appdata%\Brave in Windows`, `./config/brave` in Ubuntu)
## Cookie and Cache
1. [ ] Make a backup of your profile, turn on all clearing in preferences and shut down. Make sure when you bring the browser back up everything is gone that is specified.
2. [ ] Go to http://samy.pl/evercookie/ and set an evercookie. Check that going to prefs, clearing site data and cache, and going back to the Evercookie site does not remember the old evercookie value.
## Update tests
1. [ ] Test that updating using `BRAVE_UPDATE_VERSION=0.8.3` env variable works correctly.
|
non_defect
|
manual test run on os x for x hotfix per release specialty tests hide bitwarden and pinterest for x tab previews stick to changing properties that can be handled by the compositor alone fix issue where pinned tab can t be really unpinned ledger getpublisher perf is bad even if ledger is off rework code to not use class names extension popup menu items dismissed on click browser freezes per minutes with existing profile spell check not working on disqus comment boxes installer check that installer is close to the size of last release check signature if os run spctl assess verbose applications brave app and make sure it returns accepted if windows right click on the installer exe and go to properties go to the digital signatures tab and double click on the signature make sure it says the digital signature is ok in the popup window check brave muon and libchromiumcontent version in about and make sure it is exactly as expected last changeset test test what is covered by the last changeset you can find this by clicking on the sha in about brave widevine netflix test test that you can log into netflix and start a show ledger create a wallet with a value other than selected in the monthly budget dropdown click on the add funds button and check that coinbase transactions are blocked remove all ledger json files from library application support brave go to the payments tab in about preferences enable payments click on create wallet check that the add funds button appears after a wallet is created click on add funds and verify that adding funds through coinbase increases the account balance repeat the step above but add funds by scanning the qr code in a mobile bitcoin app instead of through coinbase visit nytimes com for a few seconds and make sure it shows up in the payments table go to and click the register button in the payments tab click add funds verify that the transfer funds button is visible and that clicking on transfer funds opens a jsfiddle url in a new tab go to and click unregister verify that the transfer funds button no longer appears in the add funds modal check that disabling payments and enabling them again does not lose state sync verify you are able to sync two devices using the secret code visit a site on device and change shield setting ensure that the saved site preference is synced to device enable browsing history sync on device ensure the history is shown on device import add bookmarks on device ensure it is synced on device ensure imported bookmark folder structure is maintained on device ensure bookmark favicons are shown after sync data make sure that data from the last version appears in the new version ok test that the previous version s cookies are preserved in the next version about pages test that about adblock loads test that about autofill loads test that about bookmarks loads bookmarks test that about downloads loads downloads test that about extensions loads test that about history loads history test that about passwords loads test that about styles loads test that about welcome loads test that about preferences changing a preference takes effect right away test that about preferences language change takes effect on re start bookmarks test that creating a bookmark on the bookmarks toolbar with the star button works test that creating a bookmark on the bookmarks toolbar by dragging the un lock icon works test that creating a bookmark folder on the bookmarks toolbar works test that moving a bookmark into a folder by drag and drop on the bookmarks folder works test that clicking a bookmark in the toolbar loads the bookmark test that clicking a bookmark in a bookmark toolbar folder loads the bookmark context menus make sure context menu items in the url bar work make sure context menu items on content work with no selected text make sure context menu items on content work with selected text make sure context menu items on content work inside an editable control on about styles input textarea or contenteditable find on page ensure search box is shown with shortcut test successful find test forward and backward find navigation test failed find shows results test match case find geolocation check that works site hacks test sub page loads a video and you can play it downloads test downloading a file works and that all actions on the download item works fullscreen test that entering full screen window works view toggle full screen and exit back not esc test that entering full screen works and esc to go back youtube com tabs pinning and tear off tabs test that tabs are pinnable test that tabs are unpinnable test that tabs are draggable to same tabset test that tabs are draggable to alternate tabset test that tabs can be teared off into a new window test that you are able to reattach a tab that is teared off into a new window test that tab pages can be closed test that tab pages can be muted zoom test zoom in out shortcut works test hamburger menu zooms test zoom saved when you close the browser and restore on a single site test zoom saved when you navigate within a single origin site test that navigating to a different origin resets the zoom bravery settings check that https everywhere works by loading turning https everywhere off and shields off both disable the redirect to check that ad replacement works on check that toggling to blocking and allow ads works as expected test that clicking through a cert error in works test that safe browsing works turning safe browsing off and shields off both disable safe browsing for visit and then turn on script blocking nothing should load allow it from the script blocking ui in the url bar and it should work test that about preferences default bravery settings take effect on pages with no site settings test that turning on fingerprinting protection in about preferences shows fingerprints blocked at test that turning it off in the bravery menu shows fingerprints blocked test that party storage results are blank at when party cookies are blocked and not blank when party cookies are unblocked test that audio fingerprint is blocked at when fingerprinting protection is on test that browser is not detected on content tests go to and click on the twitter icon on the top right test that context menus work in the new twitter tab load twitter and click on a tweet so the popup div shows click to dismiss and repeat with another div make sure it shows go to and test that clicking on show pops up a notification asking for permission make sure that clicking deny leads to no notifications being shown go to and make sure that the password can be saved make sure the saved password shows up in about passwords then reload and make sure the password is autofilled open about styles and type some misspellings on a textbox make sure they are underlined make sure that right clicking on a word with suggestions gives a suggestion and that clicking on the suggestion replaces the text make sure that command click control click on windows control click on ubuntu on a link opens a new tab but does not switch to it click on it and make sure it is already loaded open an email on or inbox google com and click on a link make sure it works test that pdf is loaded at test that shows up as grey not red no mixed content scripts are run flash tests turn on flash in about preferences security test that clicking on install flash banner on myspace com shows a notification to allow flash and that the banner disappears when allow is clicked test that flash placeholder appears on autofill tests test that autofill works on session storage do not forget to make a backup of your entire library application support brave folder temporarily move away your library application support brave session store and test that clean session storage works appdata brave in windows config brave in ubuntu test that windows and tabs restore when closed including active tab move away your entire library application support brave folder appdata brave in windows config brave in ubuntu cookie and cache make a backup of your profile turn on all clearing in preferences and shut down make sure when you bring the browser back up everything is gone that is specified go to and set an evercookie check that going to prefs clearing site data and cache and going back to the evercookie site does not remember the old evercookie value update tests test that updating using brave update version env variable works correctly
| 0
|
36,571
| 7,993,556,974
|
IssuesEvent
|
2018-07-20 08:09:14
|
jOOQ/jOOQ
|
https://api.github.com/repos/jOOQ/jOOQ
|
closed
|
NPE in DefaultRecordMapper when returning it from custom RecordMapperProvider
|
C: Functionality P: Urgent T: Defect
|
Code from [JOOQ manual](https://www.jooq.org/doc/3.11/manual/sql-execution/fetching/pojos-with-recordmapper-provider/) cause NullPointerException
The problem is in line
```java
boolean mapConstructorParameterNames = TRUE.equals(configuration.settings().isMapConstructorParameterNames());
```
in `init` method in `DefaultRecordMapper.`
When use custom RecordMapperProvider and create instance of DefaultRecordMapper then `init` method is called with `configuration = null`.
JOOQ version : 3.11
|
1.0
|
NPE in DefaultRecordMapper when returning it from custom RecordMapperProvider - Code from [JOOQ manual](https://www.jooq.org/doc/3.11/manual/sql-execution/fetching/pojos-with-recordmapper-provider/) cause NullPointerException
The problem is in line
```java
boolean mapConstructorParameterNames = TRUE.equals(configuration.settings().isMapConstructorParameterNames());
```
in `init` method in `DefaultRecordMapper.`
When use custom RecordMapperProvider and create instance of DefaultRecordMapper then `init` method is called with `configuration = null`.
JOOQ version : 3.11
|
defect
|
npe in defaultrecordmapper when returning it from custom recordmapperprovider code from cause nullpointerexception the problem is in line java boolean mapconstructorparameternames true equals configuration settings ismapconstructorparameternames in init method in defaultrecordmapper when use custom recordmapperprovider and create instance of defaultrecordmapper then init method is called with configuration null jooq version
| 1
|
9,661
| 3,063,254,821
|
IssuesEvent
|
2015-08-17 05:45:38
|
e-government-ua/i
|
https://api.github.com/repos/e-government-ua/i
|
closed
|
На главном портале доработать раздел "Документы"
|
hi priority test
|
1. Вводя емейл (мол, на него будет отправлено письмо) -должно приходить письмо на него вида:
https://docs.google.com/document/d/1n2FIhsBrZMq6b8vqyvBoGdSfJiNLNVQZDTQucw7d2C0/edit?pli=1
2. В поле ввода телефона сразу подставлять +380
|
1.0
|
На главном портале доработать раздел "Документы" - 1. Вводя емейл (мол, на него будет отправлено письмо) -должно приходить письмо на него вида:
https://docs.google.com/document/d/1n2FIhsBrZMq6b8vqyvBoGdSfJiNLNVQZDTQucw7d2C0/edit?pli=1
2. В поле ввода телефона сразу подставлять +380
|
non_defect
|
на главном портале доработать раздел документы вводя емейл мол на него будет отправлено письмо должно приходить письмо на него вида в поле ввода телефона сразу подставлять
| 0
|
34,501
| 7,452,393,548
|
IssuesEvent
|
2018-03-29 08:13:40
|
kerdokullamae/test_koik_issued
|
https://api.github.com/repos/kerdokullamae/test_koik_issued
|
closed
|
Lisatud kirjeldusüksused päringuga välja ei tule
|
P: highest R: fixed T: defect
|
**Reported by katrin vesterblom on 5 Jun 2013 09:57 UTC**
rahvusarhiiv.tietotest.ee
Eile lisasin andmebaasi läbi kasutajaliidese kirjeldusüksuse=Arhiiv (Arhiiviüksus=TLA, Leidandmed=TLA.1484). Lisasin sellele ka ühe sarja, ühe nimistu ja ühe säiliku. Otsinguga ei tulnud see välja ei eile ega tule ka täna (arhiiviüksuse järgi otsing; leidandmete järgi otsing). Küll aga eile sisestamise käigus sain ma liikuda kirjeldushierarhias, ja arhiivi tasandi lehele jõudes sain lingi Trükivaade abil kätte vaate, kus oli näha, et on arhiiv ja sari ja säilik. Tundub seega, et andmebaasi minu sisestatud andmed ikkagi jõudsid?
NB! Täna on kõik Koit Saareveti loodavad ticketid kõrgema prioriteediga kui minu omad, kuna Koit katsetab homse esitluse jaoks! Katrin
|
1.0
|
Lisatud kirjeldusüksused päringuga välja ei tule - **Reported by katrin vesterblom on 5 Jun 2013 09:57 UTC**
rahvusarhiiv.tietotest.ee
Eile lisasin andmebaasi läbi kasutajaliidese kirjeldusüksuse=Arhiiv (Arhiiviüksus=TLA, Leidandmed=TLA.1484). Lisasin sellele ka ühe sarja, ühe nimistu ja ühe säiliku. Otsinguga ei tulnud see välja ei eile ega tule ka täna (arhiiviüksuse järgi otsing; leidandmete järgi otsing). Küll aga eile sisestamise käigus sain ma liikuda kirjeldushierarhias, ja arhiivi tasandi lehele jõudes sain lingi Trükivaade abil kätte vaate, kus oli näha, et on arhiiv ja sari ja säilik. Tundub seega, et andmebaasi minu sisestatud andmed ikkagi jõudsid?
NB! Täna on kõik Koit Saareveti loodavad ticketid kõrgema prioriteediga kui minu omad, kuna Koit katsetab homse esitluse jaoks! Katrin
|
defect
|
lisatud kirjeldusüksused päringuga välja ei tule reported by katrin vesterblom on jun utc rahvusarhiiv tietotest ee eile lisasin andmebaasi läbi kasutajaliidese kirjeldusüksuse arhiiv arhiiviüksus tla leidandmed tla lisasin sellele ka ühe sarja ühe nimistu ja ühe säiliku otsinguga ei tulnud see välja ei eile ega tule ka täna arhiiviüksuse järgi otsing leidandmete järgi otsing küll aga eile sisestamise käigus sain ma liikuda kirjeldushierarhias ja arhiivi tasandi lehele jõudes sain lingi trükivaade abil kätte vaate kus oli näha et on arhiiv ja sari ja säilik tundub seega et andmebaasi minu sisestatud andmed ikkagi jõudsid nb täna on kõik koit saareveti loodavad ticketid kõrgema prioriteediga kui minu omad kuna koit katsetab homse esitluse jaoks katrin
| 1
|
47,706
| 13,066,121,177
|
IssuesEvent
|
2020-07-30 21:02:14
|
icecube-trac/tix2
|
https://api.github.com/repos/icecube-trac/tix2
|
closed
|
wavedeform - heap buffer overflow in I3Wavedeform.cxx (Trac #1024)
|
Migrated from Trac combo reconstruction defect
|
at the bootcamp we discovered a heap-buffer-overflow in `I3Wavedeform.cxx:612`.
```text
#!c
608 basis = cholmod_l_allocate_sparse(basis_trip->nrow, basis_trip->ncol,
609: basis_trip->nnz, true, true, 0, CHOLMOD_REAL, &c);
610: for (int i = 0, accum = 0; i < nspes; ++i) {
611: ((long *)(basis->p))[i] = accum;
612: accum += col_counts[i];
613: }
614: std::vector<long> col_indices(nspes,0);
```
ASan output:
```text
=================================================================
==23247== ERROR: AddressSanitizer: heap-buffer-overflow on address 0x60700001dfe8 at pc 0x7fd5b962bbb1 bp 0x7fff110978d0 sp 0x7fff110978c8
READ of size 4 at 0x60700001dfe8 thread T0
https://code.icecube.wisc.edu/ticket/0 0x7fd5b962bbb0 in I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:612
#1 0x7fd5b9627492 in I3Wavedeform::DAQ(boost::shared_ptr<I3Frame>) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:213
#2 0x7fd5b45ecdac in I3Module::Process() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:226
#3 0x7fd5b45eb86c in I3Module::Process_() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:182
#4 0x7fd5b45ea014 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:111
#5 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#6 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#7 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#8 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#9 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#10 0x7fd5b45d29d6 in I3Tray::Execute(unsigned int) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Tray.cxx:494
#11 0x4f599a in local_test_routine_PulseTemplateTest() /home/nega/i3/combo/build/DOMLauncher/../../src/DOMLauncher/private/test/PulseTemplateTests.cxx:158
#12 0x482196 in I3Test::test_group::run(std::string const&, bool) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:182
#13 0x483ebf in I3Test::test_suite::run(std::string const&) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:372
#14 0x485069 in main /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:563
#15 0x7fd5aae99ec4 in __libc_start_main /build/buildd/eglibc-2.19/csu/libc-start.c:287
#16 0x480fa8 in _start (/home/nega/i3/combo/build/bin/DOMLauncher-test+0x480fa8)
0x60700001dfe8 is located 0 bytes to the right of 7912-byte region [0x60700001c100,0x60700001dfe8)
allocated by thread T0 here:
https://code.icecube.wisc.edu/ticket/0 0x7fd5bb14e81a in operator new(unsigned long) (/usr/lib/x86_64-linux-gnu/libasan.so.0+0x1181a)
#1 0x7fd5ba93a7b6 in __gnu_cxx::new_allocator<int>::allocate(unsigned long, void const*) /usr/include/c++/4.8/ext/new_allocator.h:104
#2 0x7fd5ba93407c in std::_Vector_base<int, std::allocator<int> >::_M_allocate(unsigned long) /usr/include/c++/4.8/bits/stl_vector.h:168
#3 0x7fd5b96402a8 in void std::vector<int, std::allocator<int> >::_M_initialize_dispatch<int>(int, int, std::__true_type) /usr/include/c++/4.8/bits/stl_vector.h:1163
#4 0x7fd5b9637a82 in std::vector<int, std::allocator<int> >::vector<int>(int, int, std::allocator<int> const&) /usr/include/c++/4.8/bits/stl_vector.h:404
#5 0x7fd5b962b0f1 in I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:551
#6 0x7fd5b9627492 in I3Wavedeform::DAQ(boost::shared_ptr<I3Frame>) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:213
#7 0x7fd5b45ecdac in I3Module::Process() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:226
#8 0x7fd5b45eb86c in I3Module::Process_() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:182
#9 0x7fd5b45ea014 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:111
#10 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#11 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#12 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#13 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#14 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#15 0x7fd5b45d29d6 in I3Tray::Execute(unsigned int) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Tray.cxx:494
#16 0x4f599a in local_test_routine_PulseTemplateTest() /home/nega/i3/combo/build/DOMLauncher/../../src/DOMLauncher/private/test/PulseTemplateTests.cxx:158
#17 0x482196 in I3Test::test_group::run(std::string const&, bool) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:182
#18 0x483ebf in I3Test::test_suite::run(std::string const&) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:372
#19 0x485069 in main /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:563
#20 0x7fd5aae99ec4 in __libc_start_main /build/buildd/eglibc-2.19/csu/libc-start.c:287
SUMMARY: AddressSanitizer: heap-buffer-overflow /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:612 I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double)
Shadow bytes around the buggy address:
0x0c0e7fffbba0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbbb0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbbc0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbbd0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbbe0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
=>0x0c0e7fffbbf0: 00 00 00 00 00 00 00 00 00 00 00 00 00[fa]fa fa
0x0c0e7fffbc00: fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa
0x0c0e7fffbc10: fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa
0x0c0e7fffbc20: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbc30: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbc40: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
Shadow byte legend (one shadow byte represents 8 application bytes):
Addressable: 00
Partially addressable: 01 02 03 04 05 06 07
Heap left redzone: fa
Heap righ redzone: fb
Freed Heap region: fd
Stack left redzone: f1
Stack mid redzone: f2
Stack right redzone: f3
Stack partial redzone: f4
Stack after return: f5
Stack use after scope: f8
Global redzone: f9
Global init order: f6
Poisoned by user: f7
ASan internal: fe
==23247== ABORTING
```
Migrated from https://code.icecube.wisc.edu/ticket/1024
```json
{
"status": "closed",
"changetime": "2015-06-19T02:50:17",
"description": "at the bootcamp we discovered a heap-buffer-overflow in `I3Wavedeform.cxx:612`.\n\n{{{\n#!c\n608 basis = cholmod_l_allocate_sparse(basis_trip->nrow, basis_trip->ncol,\n609: basis_trip->nnz, true, true, 0, CHOLMOD_REAL, &c); \n610: for (int i = 0, accum = 0; i < nspes; ++i) { \n611: ((long *)(basis->p))[i] = accum; \n612: accum += col_counts[i]; \n613: } \n614: std::vector<long> col_indices(nspes,0); \n}}}\n\nASan output:\n{{{\n=================================================================\n==23247== ERROR: AddressSanitizer: heap-buffer-overflow on address 0x60700001dfe8 at pc 0x7fd5b962bbb1 bp 0x7fff110978d0 sp 0x7fff110978c8\nREAD of size 4 at 0x60700001dfe8 thread T0\n #0 0x7fd5b962bbb0 in I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:612\n #1 0x7fd5b9627492 in I3Wavedeform::DAQ(boost::shared_ptr<I3Frame>) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:213\n #2 0x7fd5b45ecdac in I3Module::Process() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:226\n #3 0x7fd5b45eb86c in I3Module::Process_() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:182\n #4 0x7fd5b45ea014 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:111\n #5 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #6 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #7 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #8 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #9 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #10 0x7fd5b45d29d6 in I3Tray::Execute(unsigned int) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Tray.cxx:494\n #11 0x4f599a in local_test_routine_PulseTemplateTest() /home/nega/i3/combo/build/DOMLauncher/../../src/DOMLauncher/private/test/PulseTemplateTests.cxx:158\n #12 0x482196 in I3Test::test_group::run(std::string const&, bool) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:182\n #13 0x483ebf in I3Test::test_suite::run(std::string const&) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:372\n #14 0x485069 in main /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:563\n #15 0x7fd5aae99ec4 in __libc_start_main /build/buildd/eglibc-2.19/csu/libc-start.c:287\n #16 0x480fa8 in _start (/home/nega/i3/combo/build/bin/DOMLauncher-test+0x480fa8)\n0x60700001dfe8 is located 0 bytes to the right of 7912-byte region [0x60700001c100,0x60700001dfe8)\nallocated by thread T0 here:\n #0 0x7fd5bb14e81a in operator new(unsigned long) (/usr/lib/x86_64-linux-gnu/libasan.so.0+0x1181a)\n #1 0x7fd5ba93a7b6 in __gnu_cxx::new_allocator<int>::allocate(unsigned long, void const*) /usr/include/c++/4.8/ext/new_allocator.h:104\n #2 0x7fd5ba93407c in std::_Vector_base<int, std::allocator<int> >::_M_allocate(unsigned long) /usr/include/c++/4.8/bits/stl_vector.h:168\n #3 0x7fd5b96402a8 in void std::vector<int, std::allocator<int> >::_M_initialize_dispatch<int>(int, int, std::__true_type) /usr/include/c++/4.8/bits/stl_vector.h:1163\n #4 0x7fd5b9637a82 in std::vector<int, std::allocator<int> >::vector<int>(int, int, std::allocator<int> const&) /usr/include/c++/4.8/bits/stl_vector.h:404\n #5 0x7fd5b962b0f1 in I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:551\n #6 0x7fd5b9627492 in I3Wavedeform::DAQ(boost::shared_ptr<I3Frame>) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:213\n #7 0x7fd5b45ecdac in I3Module::Process() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:226\n #8 0x7fd5b45eb86c in I3Module::Process_() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:182\n #9 0x7fd5b45ea014 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:111\n #10 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #11 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #12 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #13 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #14 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #15 0x7fd5b45d29d6 in I3Tray::Execute(unsigned int) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Tray.cxx:494\n #16 0x4f599a in local_test_routine_PulseTemplateTest() /home/nega/i3/combo/build/DOMLauncher/../../src/DOMLauncher/private/test/PulseTemplateTests.cxx:158\n #17 0x482196 in I3Test::test_group::run(std::string const&, bool) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:182\n #18 0x483ebf in I3Test::test_suite::run(std::string const&) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:372\n #19 0x485069 in main /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:563\n #20 0x7fd5aae99ec4 in __libc_start_main /build/buildd/eglibc-2.19/csu/libc-start.c:287\nSUMMARY: AddressSanitizer: heap-buffer-overflow /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:612 I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double)\nShadow bytes around the buggy address:\n 0x0c0e7fffbba0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbbb0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbbc0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbbd0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbbe0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n=>0x0c0e7fffbbf0: 00 00 00 00 00 00 00 00 00 00 00 00 00[fa]fa fa\n 0x0c0e7fffbc00: fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa\n 0x0c0e7fffbc10: fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa\n 0x0c0e7fffbc20: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbc30: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbc40: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\nShadow byte legend (one shadow byte represents 8 application bytes):\n Addressable: 00\n Partially addressable: 01 02 03 04 05 06 07 \n Heap left redzone: fa\n Heap righ redzone: fb\n Freed Heap region: fd\n Stack left redzone: f1\n Stack mid redzone: f2\n Stack right redzone: f3\n Stack partial redzone: f4\n Stack after return: f5\n Stack use after scope: f8\n Global redzone: f9\n Global init order: f6\n Poisoned by user: f7\n ASan internal: fe\n==23247== ABORTING\n}}}",
"reporter": "nega",
"cc": "",
"resolution": "fixed",
"_ts": "1434682217191362",
"component": "combo reconstruction",
"summary": "wavedeform - heap buffer overflow in I3Wavedeform.cxx",
"priority": "normal",
"keywords": "",
"time": "2015-06-18T22:18:27",
"milestone": "",
"owner": "jbraun",
"type": "defect"
}
```
|
1.0
|
wavedeform - heap buffer overflow in I3Wavedeform.cxx (Trac #1024) - at the bootcamp we discovered a heap-buffer-overflow in `I3Wavedeform.cxx:612`.
```text
#!c
608 basis = cholmod_l_allocate_sparse(basis_trip->nrow, basis_trip->ncol,
609: basis_trip->nnz, true, true, 0, CHOLMOD_REAL, &c);
610: for (int i = 0, accum = 0; i < nspes; ++i) {
611: ((long *)(basis->p))[i] = accum;
612: accum += col_counts[i];
613: }
614: std::vector<long> col_indices(nspes,0);
```
ASan output:
```text
=================================================================
==23247== ERROR: AddressSanitizer: heap-buffer-overflow on address 0x60700001dfe8 at pc 0x7fd5b962bbb1 bp 0x7fff110978d0 sp 0x7fff110978c8
READ of size 4 at 0x60700001dfe8 thread T0
https://code.icecube.wisc.edu/ticket/0 0x7fd5b962bbb0 in I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:612
#1 0x7fd5b9627492 in I3Wavedeform::DAQ(boost::shared_ptr<I3Frame>) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:213
#2 0x7fd5b45ecdac in I3Module::Process() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:226
#3 0x7fd5b45eb86c in I3Module::Process_() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:182
#4 0x7fd5b45ea014 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:111
#5 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#6 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#7 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#8 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#9 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#10 0x7fd5b45d29d6 in I3Tray::Execute(unsigned int) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Tray.cxx:494
#11 0x4f599a in local_test_routine_PulseTemplateTest() /home/nega/i3/combo/build/DOMLauncher/../../src/DOMLauncher/private/test/PulseTemplateTests.cxx:158
#12 0x482196 in I3Test::test_group::run(std::string const&, bool) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:182
#13 0x483ebf in I3Test::test_suite::run(std::string const&) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:372
#14 0x485069 in main /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:563
#15 0x7fd5aae99ec4 in __libc_start_main /build/buildd/eglibc-2.19/csu/libc-start.c:287
#16 0x480fa8 in _start (/home/nega/i3/combo/build/bin/DOMLauncher-test+0x480fa8)
0x60700001dfe8 is located 0 bytes to the right of 7912-byte region [0x60700001c100,0x60700001dfe8)
allocated by thread T0 here:
https://code.icecube.wisc.edu/ticket/0 0x7fd5bb14e81a in operator new(unsigned long) (/usr/lib/x86_64-linux-gnu/libasan.so.0+0x1181a)
#1 0x7fd5ba93a7b6 in __gnu_cxx::new_allocator<int>::allocate(unsigned long, void const*) /usr/include/c++/4.8/ext/new_allocator.h:104
#2 0x7fd5ba93407c in std::_Vector_base<int, std::allocator<int> >::_M_allocate(unsigned long) /usr/include/c++/4.8/bits/stl_vector.h:168
#3 0x7fd5b96402a8 in void std::vector<int, std::allocator<int> >::_M_initialize_dispatch<int>(int, int, std::__true_type) /usr/include/c++/4.8/bits/stl_vector.h:1163
#4 0x7fd5b9637a82 in std::vector<int, std::allocator<int> >::vector<int>(int, int, std::allocator<int> const&) /usr/include/c++/4.8/bits/stl_vector.h:404
#5 0x7fd5b962b0f1 in I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:551
#6 0x7fd5b9627492 in I3Wavedeform::DAQ(boost::shared_ptr<I3Frame>) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:213
#7 0x7fd5b45ecdac in I3Module::Process() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:226
#8 0x7fd5b45eb86c in I3Module::Process_() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:182
#9 0x7fd5b45ea014 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:111
#10 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#11 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#12 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#13 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#14 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132
#15 0x7fd5b45d29d6 in I3Tray::Execute(unsigned int) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Tray.cxx:494
#16 0x4f599a in local_test_routine_PulseTemplateTest() /home/nega/i3/combo/build/DOMLauncher/../../src/DOMLauncher/private/test/PulseTemplateTests.cxx:158
#17 0x482196 in I3Test::test_group::run(std::string const&, bool) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:182
#18 0x483ebf in I3Test::test_suite::run(std::string const&) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:372
#19 0x485069 in main /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:563
#20 0x7fd5aae99ec4 in __libc_start_main /build/buildd/eglibc-2.19/csu/libc-start.c:287
SUMMARY: AddressSanitizer: heap-buffer-overflow /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:612 I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double)
Shadow bytes around the buggy address:
0x0c0e7fffbba0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbbb0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbbc0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbbd0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbbe0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
=>0x0c0e7fffbbf0: 00 00 00 00 00 00 00 00 00 00 00 00 00[fa]fa fa
0x0c0e7fffbc00: fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa
0x0c0e7fffbc10: fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa
0x0c0e7fffbc20: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbc30: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
0x0c0e7fffbc40: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00
Shadow byte legend (one shadow byte represents 8 application bytes):
Addressable: 00
Partially addressable: 01 02 03 04 05 06 07
Heap left redzone: fa
Heap righ redzone: fb
Freed Heap region: fd
Stack left redzone: f1
Stack mid redzone: f2
Stack right redzone: f3
Stack partial redzone: f4
Stack after return: f5
Stack use after scope: f8
Global redzone: f9
Global init order: f6
Poisoned by user: f7
ASan internal: fe
==23247== ABORTING
```
Migrated from https://code.icecube.wisc.edu/ticket/1024
```json
{
"status": "closed",
"changetime": "2015-06-19T02:50:17",
"description": "at the bootcamp we discovered a heap-buffer-overflow in `I3Wavedeform.cxx:612`.\n\n{{{\n#!c\n608 basis = cholmod_l_allocate_sparse(basis_trip->nrow, basis_trip->ncol,\n609: basis_trip->nnz, true, true, 0, CHOLMOD_REAL, &c); \n610: for (int i = 0, accum = 0; i < nspes; ++i) { \n611: ((long *)(basis->p))[i] = accum; \n612: accum += col_counts[i]; \n613: } \n614: std::vector<long> col_indices(nspes,0); \n}}}\n\nASan output:\n{{{\n=================================================================\n==23247== ERROR: AddressSanitizer: heap-buffer-overflow on address 0x60700001dfe8 at pc 0x7fd5b962bbb1 bp 0x7fff110978d0 sp 0x7fff110978c8\nREAD of size 4 at 0x60700001dfe8 thread T0\n #0 0x7fd5b962bbb0 in I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:612\n #1 0x7fd5b9627492 in I3Wavedeform::DAQ(boost::shared_ptr<I3Frame>) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:213\n #2 0x7fd5b45ecdac in I3Module::Process() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:226\n #3 0x7fd5b45eb86c in I3Module::Process_() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:182\n #4 0x7fd5b45ea014 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:111\n #5 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #6 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #7 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #8 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #9 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #10 0x7fd5b45d29d6 in I3Tray::Execute(unsigned int) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Tray.cxx:494\n #11 0x4f599a in local_test_routine_PulseTemplateTest() /home/nega/i3/combo/build/DOMLauncher/../../src/DOMLauncher/private/test/PulseTemplateTests.cxx:158\n #12 0x482196 in I3Test::test_group::run(std::string const&, bool) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:182\n #13 0x483ebf in I3Test::test_suite::run(std::string const&) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:372\n #14 0x485069 in main /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:563\n #15 0x7fd5aae99ec4 in __libc_start_main /build/buildd/eglibc-2.19/csu/libc-start.c:287\n #16 0x480fa8 in _start (/home/nega/i3/combo/build/bin/DOMLauncher-test+0x480fa8)\n0x60700001dfe8 is located 0 bytes to the right of 7912-byte region [0x60700001c100,0x60700001dfe8)\nallocated by thread T0 here:\n #0 0x7fd5bb14e81a in operator new(unsigned long) (/usr/lib/x86_64-linux-gnu/libasan.so.0+0x1181a)\n #1 0x7fd5ba93a7b6 in __gnu_cxx::new_allocator<int>::allocate(unsigned long, void const*) /usr/include/c++/4.8/ext/new_allocator.h:104\n #2 0x7fd5ba93407c in std::_Vector_base<int, std::allocator<int> >::_M_allocate(unsigned long) /usr/include/c++/4.8/bits/stl_vector.h:168\n #3 0x7fd5b96402a8 in void std::vector<int, std::allocator<int> >::_M_initialize_dispatch<int>(int, int, std::__true_type) /usr/include/c++/4.8/bits/stl_vector.h:1163\n #4 0x7fd5b9637a82 in std::vector<int, std::allocator<int> >::vector<int>(int, int, std::allocator<int> const&) /usr/include/c++/4.8/bits/stl_vector.h:404\n #5 0x7fd5b962b0f1 in I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:551\n #6 0x7fd5b9627492 in I3Wavedeform::DAQ(boost::shared_ptr<I3Frame>) /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:213\n #7 0x7fd5b45ecdac in I3Module::Process() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:226\n #8 0x7fd5b45eb86c in I3Module::Process_() /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:182\n #9 0x7fd5b45ea014 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:111\n #10 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #11 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #12 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #13 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #14 0x7fd5b45ea457 in I3Module::Do(void (I3Module::*)()) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Module.cxx:132\n #15 0x7fd5b45d29d6 in I3Tray::Execute(unsigned int) /home/nega/i3/combo/build/icetray/../../src/icetray/private/icetray/I3Tray.cxx:494\n #16 0x4f599a in local_test_routine_PulseTemplateTest() /home/nega/i3/combo/build/DOMLauncher/../../src/DOMLauncher/private/test/PulseTemplateTests.cxx:158\n #17 0x482196 in I3Test::test_group::run(std::string const&, bool) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:182\n #18 0x483ebf in I3Test::test_suite::run(std::string const&) /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:372\n #19 0x485069 in main /home/nega/i3/combo/build/DOMLauncher/../../src/cmake/tool-patches/common/I3TestMain.ixx:563\n #20 0x7fd5aae99ec4 in __libc_start_main /build/buildd/eglibc-2.19/csu/libc-start.c:287\nSUMMARY: AddressSanitizer: heap-buffer-overflow /home/nega/i3/combo/build/wavedeform/../../src/wavedeform/private/wavedeform/I3Wavedeform.cxx:612 I3Wavedeform::GetPulses(__gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, __gnu_cxx::__normal_iterator<I3Waveform const*, std::vector<I3Waveform, std::allocator<I3Waveform> > >, OMKey const&, bool, WaveformTemplate const&, I3DOMCalibration const&, double)\nShadow bytes around the buggy address:\n 0x0c0e7fffbba0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbbb0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbbc0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbbd0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbbe0: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n=>0x0c0e7fffbbf0: 00 00 00 00 00 00 00 00 00 00 00 00 00[fa]fa fa\n 0x0c0e7fffbc00: fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa\n 0x0c0e7fffbc10: fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa\n 0x0c0e7fffbc20: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbc30: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\n 0x0c0e7fffbc40: 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00 00\nShadow byte legend (one shadow byte represents 8 application bytes):\n Addressable: 00\n Partially addressable: 01 02 03 04 05 06 07 \n Heap left redzone: fa\n Heap righ redzone: fb\n Freed Heap region: fd\n Stack left redzone: f1\n Stack mid redzone: f2\n Stack right redzone: f3\n Stack partial redzone: f4\n Stack after return: f5\n Stack use after scope: f8\n Global redzone: f9\n Global init order: f6\n Poisoned by user: f7\n ASan internal: fe\n==23247== ABORTING\n}}}",
"reporter": "nega",
"cc": "",
"resolution": "fixed",
"_ts": "1434682217191362",
"component": "combo reconstruction",
"summary": "wavedeform - heap buffer overflow in I3Wavedeform.cxx",
"priority": "normal",
"keywords": "",
"time": "2015-06-18T22:18:27",
"milestone": "",
"owner": "jbraun",
"type": "defect"
}
```
|
defect
|
wavedeform heap buffer overflow in cxx trac at the bootcamp we discovered a heap buffer overflow in cxx text c basis cholmod l allocate sparse basis trip nrow basis trip ncol basis trip nnz true true cholmod real c for int i accum i nspes i long basis p accum accum col counts std vector col indices nspes asan output text error addresssanitizer heap buffer overflow on address at pc bp sp read of size at thread in getpulses gnu cxx normal iterator gnu cxx normal iterator omkey const bool waveformtemplate const const double home nega combo build wavedeform src wavedeform private wavedeform cxx in daq boost shared ptr home nega combo build wavedeform src wavedeform private wavedeform cxx in process home nega combo build icetray src icetray private icetray cxx in process home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in execute unsigned int home nega combo build icetray src icetray private icetray cxx in local test routine pulsetemplatetest home nega combo build domlauncher src domlauncher private test pulsetemplatetests cxx in test group run std string const bool home nega combo build domlauncher src cmake tool patches common ixx in test suite run std string const home nega combo build domlauncher src cmake tool patches common ixx in main home nega combo build domlauncher src cmake tool patches common ixx in libc start main build buildd eglibc csu libc start c in start home nega combo build bin domlauncher test is located bytes to the right of byte region allocated by thread here in operator new unsigned long usr lib linux gnu libasan so in gnu cxx new allocator allocate unsigned long void const usr include c ext new allocator h in std vector base m allocate unsigned long usr include c bits stl vector h in void std vector m initialize dispatch int int std true type usr include c bits stl vector h in std vector vector int int std allocator const usr include c bits stl vector h in getpulses gnu cxx normal iterator gnu cxx normal iterator omkey const bool waveformtemplate const const double home nega combo build wavedeform src wavedeform private wavedeform cxx in daq boost shared ptr home nega combo build wavedeform src wavedeform private wavedeform cxx in process home nega combo build icetray src icetray private icetray cxx in process home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in do void home nega combo build icetray src icetray private icetray cxx in execute unsigned int home nega combo build icetray src icetray private icetray cxx in local test routine pulsetemplatetest home nega combo build domlauncher src domlauncher private test pulsetemplatetests cxx in test group run std string const bool home nega combo build domlauncher src cmake tool patches common ixx in test suite run std string const home nega combo build domlauncher src cmake tool patches common ixx in main home nega combo build domlauncher src cmake tool patches common ixx in libc start main build buildd eglibc csu libc start c summary addresssanitizer heap buffer overflow home nega combo build wavedeform src wavedeform private wavedeform cxx getpulses gnu cxx normal iterator gnu cxx normal iterator omkey const bool waveformtemplate const const double shadow bytes around the buggy address fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa shadow byte legend one shadow byte represents application bytes addressable partially addressable heap left redzone fa heap righ redzone fb freed heap region fd stack left redzone stack mid redzone stack right redzone stack partial redzone stack after return stack use after scope global redzone global init order poisoned by user asan internal fe aborting migrated from json status closed changetime description at the bootcamp we discovered a heap buffer overflow in cxx n n n c basis cholmod l allocate sparse basis trip nrow basis trip ncol basis trip nnz true true cholmod real c for int i accum i p accum accum col counts std vector col indices nspes n n nasan output n n n error addresssanitizer heap buffer overflow on address at pc bp sp nread of size at thread n in getpulses gnu cxx normal iterator gnu cxx normal iterator omkey const bool waveformtemplate const const double home nega combo build wavedeform src wavedeform private wavedeform cxx n in daq boost shared ptr home nega combo build wavedeform src wavedeform private wavedeform cxx n in process home nega combo build icetray src icetray private icetray cxx n in process home nega combo build icetray src icetray private icetray cxx n in do void home nega combo build icetray src icetray private icetray cxx n in do void home nega combo build icetray src icetray private icetray cxx n in do void home nega combo build icetray src icetray private icetray cxx n in do void home nega combo build icetray src icetray private icetray cxx n in do void home nega combo build icetray src icetray private icetray cxx n in do void home nega combo build icetray src icetray private icetray cxx n in execute unsigned int home nega combo build icetray src icetray private icetray cxx n in local test routine pulsetemplatetest home nega combo build domlauncher src domlauncher private test pulsetemplatetests cxx n in test group run std string const bool home nega combo build domlauncher src cmake tool patches common ixx n in test suite run std string const home nega combo build domlauncher src cmake tool patches common ixx n in main home nega combo build domlauncher src cmake tool patches common ixx n in libc start main build buildd eglibc csu libc start c n in start home nega combo build bin domlauncher test is located bytes to the right of byte region fa fa n fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa n fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa fa n n n nshadow byte legend one shadow byte represents application bytes n addressable n partially addressable n heap left redzone fa n heap righ redzone fb n freed heap region fd n stack left redzone n stack mid redzone n stack right redzone n stack partial redzone n stack after return n stack use after scope n global redzone n global init order n poisoned by user n asan internal fe n aborting n reporter nega cc resolution fixed ts component combo reconstruction summary wavedeform heap buffer overflow in cxx priority normal keywords time milestone owner jbraun type defect
| 1
|
11,275
| 2,648,762,427
|
IssuesEvent
|
2015-03-14 07:10:30
|
kronometrix/recording
|
https://api.github.com/repos/kronometrix/recording
|
opened
|
debian pkg does not check for cron.allow
|
defect-normal
|
During dpkg installation we can see an error that cron.allow does not exist. We need to properly check if the file exists if not make it.
|
1.0
|
debian pkg does not check for cron.allow - During dpkg installation we can see an error that cron.allow does not exist. We need to properly check if the file exists if not make it.
|
defect
|
debian pkg does not check for cron allow during dpkg installation we can see an error that cron allow does not exist we need to properly check if the file exists if not make it
| 1
|
24,213
| 3,924,621,042
|
IssuesEvent
|
2016-04-22 15:48:28
|
googlei18n/libphonenumber
|
https://api.github.com/repos/googlei18n/libphonenumber
|
reopened
|
Not validating service numbers of India
|
priority-medium type-defect
|
Imported from [Google Code issue #334](https://code.google.com/p/libphonenumber/issues/detail?id=334) created by [nayak.chandra1](https://code.google.com/u/103360693919767078519/) on 2013-08-06T11:15:54.000Z:
----
<b>What steps will reproduce the problem?</b>
1. Go to "Phone Number Parser Demo" page, under "Demo" section.
2. Give any emergency numbers like 100(local police), 101(fire service) etc
3. Result shows Invalid Number.
<b>What is the expected output? What do you see instead?</b>
1. It should show the given number as a valid one.
2. The getNumberType() should be EMERGENCY.
<b>What version of the product are you using? On what operating system?</b>
<b>Please provide any additional information below.</b>
|
1.0
|
Not validating service numbers of India - Imported from [Google Code issue #334](https://code.google.com/p/libphonenumber/issues/detail?id=334) created by [nayak.chandra1](https://code.google.com/u/103360693919767078519/) on 2013-08-06T11:15:54.000Z:
----
<b>What steps will reproduce the problem?</b>
1. Go to "Phone Number Parser Demo" page, under "Demo" section.
2. Give any emergency numbers like 100(local police), 101(fire service) etc
3. Result shows Invalid Number.
<b>What is the expected output? What do you see instead?</b>
1. It should show the given number as a valid one.
2. The getNumberType() should be EMERGENCY.
<b>What version of the product are you using? On what operating system?</b>
<b>Please provide any additional information below.</b>
|
defect
|
not validating service numbers of india imported from created by on what steps will reproduce the problem go to quot phone number parser demo quot page under quot demo quot section give any emergency numbers like local police fire service etc result shows invalid number what is the expected output what do you see instead it should show the given number as a valid one the getnumbertype should be emergency what version of the product are you using on what operating system please provide any additional information below
| 1
|
347,449
| 10,430,172,694
|
IssuesEvent
|
2019-09-17 05:54:11
|
ahmedkaludi/accelerated-mobile-pages
|
https://api.github.com/repos/ahmedkaludi/accelerated-mobile-pages
|
closed
|
Recent Posts below Related needs new options
|
NEXT UPDATE [Priority: MEDIUM] enhancement
|
- [x] Image on off
- [x] number of posts
REF: https://wordpress.org/support/topic/customise-recent-post-without-image-and-number-of-post/#post-11776427
|
1.0
|
Recent Posts below Related needs new options - - [x] Image on off
- [x] number of posts
REF: https://wordpress.org/support/topic/customise-recent-post-without-image-and-number-of-post/#post-11776427
|
non_defect
|
recent posts below related needs new options image on off number of posts ref
| 0
|
32,808
| 6,951,523,851
|
IssuesEvent
|
2017-12-06 14:45:11
|
buildo/react-autosize-textarea
|
https://api.github.com/repos/buildo/react-autosize-textarea
|
closed
|
TextareaAutosize.Props type annotations are not working in VSCode
|
defect waiting for merge
|
## description
TextareaAutosize.Props type annotations are not working in VSCode
## how to reproduce
- TextareaAutosize.Props['maxRows'] does not show the annotation "Maximum number of visible rows"
## specs
use supported format for annotations
## misc
{optional: other useful info}
|
1.0
|
TextareaAutosize.Props type annotations are not working in VSCode - ## description
TextareaAutosize.Props type annotations are not working in VSCode
## how to reproduce
- TextareaAutosize.Props['maxRows'] does not show the annotation "Maximum number of visible rows"
## specs
use supported format for annotations
## misc
{optional: other useful info}
|
defect
|
textareaautosize props type annotations are not working in vscode description textareaautosize props type annotations are not working in vscode how to reproduce textareaautosize props does not show the annotation maximum number of visible rows specs use supported format for annotations misc optional other useful info
| 1
|
66,343
| 20,156,446,013
|
IssuesEvent
|
2022-02-09 16:52:59
|
vector-im/element-web
|
https://api.github.com/repos/vector-im/element-web
|
opened
|
Threads does not switch to new/other thread
|
T-Defect A-Threads
|
### Steps to reproduce
Ff the thread panel is open on a thread, clicking on the timeline on another thread or
Uploading Screen Recording 2022-02-09 at 17.05.34.mov…
reply in a thread does not switch to the new/other thread. You must go back to the thread list and then, clicking new/other thread works properly
### Outcome
#### What did you expect?
Clicking on another thread or answer in a thread button should bring me automatically in the selected/new thread
#### What happened instead?
the thread displayed in the thread pane remains the same
### Operating system
OSX
### Application version
Element Nightly version: 2022020901 Olm version: 3.2.8
### How did you install the app?
_No response_
### Homeserver
_No response_
### Will you send logs?
No
|
1.0
|
Threads does not switch to new/other thread - ### Steps to reproduce
Ff the thread panel is open on a thread, clicking on the timeline on another thread or
Uploading Screen Recording 2022-02-09 at 17.05.34.mov…
reply in a thread does not switch to the new/other thread. You must go back to the thread list and then, clicking new/other thread works properly
### Outcome
#### What did you expect?
Clicking on another thread or answer in a thread button should bring me automatically in the selected/new thread
#### What happened instead?
the thread displayed in the thread pane remains the same
### Operating system
OSX
### Application version
Element Nightly version: 2022020901 Olm version: 3.2.8
### How did you install the app?
_No response_
### Homeserver
_No response_
### Will you send logs?
No
|
defect
|
threads does not switch to new other thread steps to reproduce ff the thread panel is open on a thread clicking on the timeline on another thread or uploading screen recording at mov… reply in a thread does not switch to the new other thread you must go back to the thread list and then clicking new other thread works properly outcome what did you expect clicking on another thread or answer in a thread button should bring me automatically in the selected new thread what happened instead the thread displayed in the thread pane remains the same operating system osx application version element nightly version olm version how did you install the app no response homeserver no response will you send logs no
| 1
|
6,678
| 2,610,258,980
|
IssuesEvent
|
2015-02-26 19:22:33
|
chrsmith/dsdsdaadf
|
https://api.github.com/repos/chrsmith/dsdsdaadf
|
opened
|
深圳结节性痤疮怎么祛
|
auto-migrated Priority-Medium Type-Defect
|
```
深圳结节性痤疮怎么祛【深圳韩方科颜全国热线400-869-1818,24
小时QQ4008691818】深圳韩方科颜专业祛痘连锁机构,机构以韩��
�秘方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品,�
��方科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反弹
”健康祛痘技术并结合先进“先进豪华彩光”仪,开创国内��
�业治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸上�
��痘痘。
```
-----
Original issue reported on code.google.com by `szft...@163.com` on 14 May 2014 at 8:55
|
1.0
|
深圳结节性痤疮怎么祛 - ```
深圳结节性痤疮怎么祛【深圳韩方科颜全国热线400-869-1818,24
小时QQ4008691818】深圳韩方科颜专业祛痘连锁机构,机构以韩��
�秘方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品,�
��方科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反弹
”健康祛痘技术并结合先进“先进豪华彩光”仪,开创国内��
�业治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸上�
��痘痘。
```
-----
Original issue reported on code.google.com by `szft...@163.com` on 14 May 2014 at 8:55
|
defect
|
深圳结节性痤疮怎么祛 深圳结节性痤疮怎么祛【 , 】深圳韩方科颜专业祛痘连锁机构,机构以韩�� �秘方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品,� ��方科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反弹 ”健康祛痘技术并结合先进“先进豪华彩光”仪,开创国内�� �业治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸上� ��痘痘。 original issue reported on code google com by szft com on may at
| 1
|
95,191
| 8,552,461,485
|
IssuesEvent
|
2018-11-07 21:08:58
|
aeternity/elixir-node
|
https://api.github.com/repos/aeternity/elixir-node
|
opened
|
Allow delegates to make transactions
|
channel latest-compatibility
|
Allow delegates to: SoloClose, Slash, ForceProgress (if already implemented), Snapshot (if already implemented)
This is blocked by #755
|
1.0
|
Allow delegates to make transactions - Allow delegates to: SoloClose, Slash, ForceProgress (if already implemented), Snapshot (if already implemented)
This is blocked by #755
|
non_defect
|
allow delegates to make transactions allow delegates to soloclose slash forceprogress if already implemented snapshot if already implemented this is blocked by
| 0
|
109,265
| 11,631,132,459
|
IssuesEvent
|
2020-02-28 00:22:16
|
PegaSysEng/teku
|
https://api.github.com/repos/PegaSysEng/teku
|
closed
|
Research: CrosslinkCommittee Data Structure Does Not Exist in the Spec
|
documentation :memo:
|
### Description
As an implementor, I want to know what the CrosslinkCommittee data structure is used for in Artemis, as it does not exist in the Beacon Chain spec. Having documentation explaining the data structures that exist in Artemis that are not mentioned in the spec is beneficial in maintaining the client.
### Acceptance Criteria
* The usage of CrosslinkCommittee is understood, and the name is updated as appropriate for the v0.7.1 version of the spec.
|
1.0
|
Research: CrosslinkCommittee Data Structure Does Not Exist in the Spec - ### Description
As an implementor, I want to know what the CrosslinkCommittee data structure is used for in Artemis, as it does not exist in the Beacon Chain spec. Having documentation explaining the data structures that exist in Artemis that are not mentioned in the spec is beneficial in maintaining the client.
### Acceptance Criteria
* The usage of CrosslinkCommittee is understood, and the name is updated as appropriate for the v0.7.1 version of the spec.
|
non_defect
|
research crosslinkcommittee data structure does not exist in the spec description as an implementor i want to know what the crosslinkcommittee data structure is used for in artemis as it does not exist in the beacon chain spec having documentation explaining the data structures that exist in artemis that are not mentioned in the spec is beneficial in maintaining the client acceptance criteria the usage of crosslinkcommittee is understood and the name is updated as appropriate for the version of the spec
| 0
|
80,229
| 3,555,897,857
|
IssuesEvent
|
2016-01-22 00:52:13
|
NuGet/Home
|
https://api.github.com/repos/NuGet/Home
|
closed
|
Update-Package will give error if the package installed has a higher version than the latest version uploaded to nuget.org
|
Priority:1 Type:Bug
|
Repro steps:
1. create a new Razor 3 web site
2. start PMC, type update-package
Expected: no package updates available
Actual:
PM> update-package
Attempting to gather dependencies information for multiple packages with respect to project 'WebSite1(1)', targeting '.NETFramework,Version=v4.5.2'
Attempting to resolve dependencies for multiple packages
update-package : Unable to find package 'Microsoft.CodeDom.Providers.DotNetCompilerPlatform'. Existing packages must be restored before performing an install or
update.
At line:1 char:1
+ update-package
+ ~~~~~~~~~~~~~~
+ CategoryInfo : NotSpecified: (:) [Update-Package], Exception
+ FullyQualifiedErrorId : NuGetCmdletUnhandledException,NuGet.PackageManagement.PowerShellCmdlets.UpdatePackageCommand
|
1.0
|
Update-Package will give error if the package installed has a higher version than the latest version uploaded to nuget.org - Repro steps:
1. create a new Razor 3 web site
2. start PMC, type update-package
Expected: no package updates available
Actual:
PM> update-package
Attempting to gather dependencies information for multiple packages with respect to project 'WebSite1(1)', targeting '.NETFramework,Version=v4.5.2'
Attempting to resolve dependencies for multiple packages
update-package : Unable to find package 'Microsoft.CodeDom.Providers.DotNetCompilerPlatform'. Existing packages must be restored before performing an install or
update.
At line:1 char:1
+ update-package
+ ~~~~~~~~~~~~~~
+ CategoryInfo : NotSpecified: (:) [Update-Package], Exception
+ FullyQualifiedErrorId : NuGetCmdletUnhandledException,NuGet.PackageManagement.PowerShellCmdlets.UpdatePackageCommand
|
non_defect
|
update package will give error if the package installed has a higher version than the latest version uploaded to nuget org repro steps create a new razor web site start pmc type update package expected no package updates available actual pm update package attempting to gather dependencies information for multiple packages with respect to project targeting netframework version attempting to resolve dependencies for multiple packages update package unable to find package microsoft codedom providers dotnetcompilerplatform existing packages must be restored before performing an install or update at line char update package categoryinfo notspecified exception fullyqualifiederrorid nugetcmdletunhandledexception nuget packagemanagement powershellcmdlets updatepackagecommand
| 0
|
38,868
| 8,997,203,490
|
IssuesEvent
|
2019-02-02 09:38:56
|
BOINC/boinc
|
https://api.github.com/repos/BOINC/boinc
|
closed
|
Web: wrong use of error_page() function throughout the code
|
C: Web - Forums C: Web - Project E: 1 week P: Major T: Defect
|
**Describe the bug**
The current implementation of `error_page()` in [html/inc/util.inc#L367](https://github.com/BOINC/boinc/blob/3979d30c41ff629e2fbbd23b8efc41792eb669e7/html/inc/util.inc#L367) contains a call to `page_head()` which among other things outputs header information (via `header()`. This means that after a page called `page_head()` itself it can't use the current `error_page()` function or the header is output twice. This leads to duplication of HTML code (two navbars) and PHP warnings `Cannot modify header information - headers already sent by`.
**Steps To Reproduce**
1. Create a page that calls `error_page()` after `page_head()`
2. View this page with a browser
**Expected behavior**
There should be no warnings and only one vaigation bar on the top. Therefore the second call to `page_head()` when calling `error_page()` **after** `page_head()` should be avoided. When `error_page()` is called **before** `page_head()` then of course it needs to call `page_head()` itself.
**Scope**
This is a rather big change as one has to check each PHP file and modify the `error_page()` call that happens after a `page_head()` call. So I would propose to do this in chunks and document progress in this issue.
|
1.0
|
Web: wrong use of error_page() function throughout the code - **Describe the bug**
The current implementation of `error_page()` in [html/inc/util.inc#L367](https://github.com/BOINC/boinc/blob/3979d30c41ff629e2fbbd23b8efc41792eb669e7/html/inc/util.inc#L367) contains a call to `page_head()` which among other things outputs header information (via `header()`. This means that after a page called `page_head()` itself it can't use the current `error_page()` function or the header is output twice. This leads to duplication of HTML code (two navbars) and PHP warnings `Cannot modify header information - headers already sent by`.
**Steps To Reproduce**
1. Create a page that calls `error_page()` after `page_head()`
2. View this page with a browser
**Expected behavior**
There should be no warnings and only one vaigation bar on the top. Therefore the second call to `page_head()` when calling `error_page()` **after** `page_head()` should be avoided. When `error_page()` is called **before** `page_head()` then of course it needs to call `page_head()` itself.
**Scope**
This is a rather big change as one has to check each PHP file and modify the `error_page()` call that happens after a `page_head()` call. So I would propose to do this in chunks and document progress in this issue.
|
defect
|
web wrong use of error page function throughout the code describe the bug the current implementation of error page in contains a call to page head which among other things outputs header information via header this means that after a page called page head itself it can t use the current error page function or the header is output twice this leads to duplication of html code two navbars and php warnings cannot modify header information headers already sent by steps to reproduce create a page that calls error page after page head view this page with a browser expected behavior there should be no warnings and only one vaigation bar on the top therefore the second call to page head when calling error page after page head should be avoided when error page is called before page head then of course it needs to call page head itself scope this is a rather big change as one has to check each php file and modify the error page call that happens after a page head call so i would propose to do this in chunks and document progress in this issue
| 1
|
69,642
| 22,588,452,575
|
IssuesEvent
|
2022-06-28 17:20:35
|
department-of-veterans-affairs/va.gov-cms
|
https://api.github.com/repos/department-of-veterans-affairs/va.gov-cms
|
opened
|
Content release failures due to full AMI disk space
|
Defect Critical defect Platform CMS Team
|
## Describe the defect
Between Tuesday 21 June 2022 and Friday 24 June 2022, there many content release failures due to the AMI hosting the self-hosted runners running out of disk space.
## AC / Expected behavior
Content release should proceed and succeed.
## Links
Example failures:
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2537050472 (first instance)
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2537230340
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2543890933
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2550527854
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2557610283
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2558107281
Primary initial Slack discussion:
* https://dsva.slack.com/archives/C02VD909V08/p1655834712670579
#vfs-platform-support request and discussion:
* https://dsva.slack.com/archives/CBU0KDSB1/p1656101552563359
## Additional context
The actual work for this defect was done by the Infrastructure team, primarily @mydesignrocks. Work by the Platform CMS team consisted of alerting the Infrastructure team, discussion of the issue, and ensuring that Content Release recovered.
Content Release is a Veteran-facing service, and is required for VA staff to be able to communicate with Veterans in a timely manner. Disruptions to Content Release are therefore critical and require immediate attention until the service recovers.
## Labels
(You can delete this section once it's complete)
- [x] Issue type (red) (defaults to "Defect")
- [ ] CMS subsystem (green)
- [ ] CMS practice area (blue)
- [x] CMS workstream (orange) (not needed for bug tickets)
- [ ] CMS-supported product (black)
### CMS Team
Please check the team(s) that will do this work.
- [ ] `Program`
- [X] `Platform CMS Team`
- [ ] `Sitewide Crew`
- [ ] `⭐️ Sitewide CMS`
- [ ] `⭐️ Public Websites`
- [ ] `⭐️ Facilities`
- [ ] `⭐️ User support`
|
2.0
|
Content release failures due to full AMI disk space - ## Describe the defect
Between Tuesday 21 June 2022 and Friday 24 June 2022, there many content release failures due to the AMI hosting the self-hosted runners running out of disk space.
## AC / Expected behavior
Content release should proceed and succeed.
## Links
Example failures:
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2537050472 (first instance)
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2537230340
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2543890933
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2550527854
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2557610283
* https://github.com/department-of-veterans-affairs/content-build/actions/runs/2558107281
Primary initial Slack discussion:
* https://dsva.slack.com/archives/C02VD909V08/p1655834712670579
#vfs-platform-support request and discussion:
* https://dsva.slack.com/archives/CBU0KDSB1/p1656101552563359
## Additional context
The actual work for this defect was done by the Infrastructure team, primarily @mydesignrocks. Work by the Platform CMS team consisted of alerting the Infrastructure team, discussion of the issue, and ensuring that Content Release recovered.
Content Release is a Veteran-facing service, and is required for VA staff to be able to communicate with Veterans in a timely manner. Disruptions to Content Release are therefore critical and require immediate attention until the service recovers.
## Labels
(You can delete this section once it's complete)
- [x] Issue type (red) (defaults to "Defect")
- [ ] CMS subsystem (green)
- [ ] CMS practice area (blue)
- [x] CMS workstream (orange) (not needed for bug tickets)
- [ ] CMS-supported product (black)
### CMS Team
Please check the team(s) that will do this work.
- [ ] `Program`
- [X] `Platform CMS Team`
- [ ] `Sitewide Crew`
- [ ] `⭐️ Sitewide CMS`
- [ ] `⭐️ Public Websites`
- [ ] `⭐️ Facilities`
- [ ] `⭐️ User support`
|
defect
|
content release failures due to full ami disk space describe the defect between tuesday june and friday june there many content release failures due to the ami hosting the self hosted runners running out of disk space ac expected behavior content release should proceed and succeed links example failures first instance primary initial slack discussion vfs platform support request and discussion additional context the actual work for this defect was done by the infrastructure team primarily mydesignrocks work by the platform cms team consisted of alerting the infrastructure team discussion of the issue and ensuring that content release recovered content release is a veteran facing service and is required for va staff to be able to communicate with veterans in a timely manner disruptions to content release are therefore critical and require immediate attention until the service recovers labels you can delete this section once it s complete issue type red defaults to defect cms subsystem green cms practice area blue cms workstream orange not needed for bug tickets cms supported product black cms team please check the team s that will do this work program platform cms team sitewide crew ⭐️ sitewide cms ⭐️ public websites ⭐️ facilities ⭐️ user support
| 1
|
14,228
| 2,794,241,171
|
IssuesEvent
|
2015-05-11 15:39:53
|
prettydiff/prettydiff
|
https://api.github.com/repos/prettydiff/prettydiff
|
opened
|
tab indentation not accepted by ace editor on web tool
|
Defect Not started
|
Additionally the insize option value is not saved on keyup.
|
1.0
|
tab indentation not accepted by ace editor on web tool - Additionally the insize option value is not saved on keyup.
|
defect
|
tab indentation not accepted by ace editor on web tool additionally the insize option value is not saved on keyup
| 1
|
57,531
| 15,831,962,256
|
IssuesEvent
|
2021-04-06 14:09:15
|
idaholab/moose
|
https://api.github.com/repos/idaholab/moose
|
closed
|
MOOSE version listed in console output is sometimes wrong
|
C: MOOSE T: defect
|
## Bug Description
The MOOSE framework version listed in the run header console output is sometimes wrong.
## Steps to Reproduce
(See technical discussion in comments).
## Impact
This can cause a lot of confusion and lead users to troubleshoot compilation problems that don't exist.
|
1.0
|
MOOSE version listed in console output is sometimes wrong - ## Bug Description
The MOOSE framework version listed in the run header console output is sometimes wrong.
## Steps to Reproduce
(See technical discussion in comments).
## Impact
This can cause a lot of confusion and lead users to troubleshoot compilation problems that don't exist.
|
defect
|
moose version listed in console output is sometimes wrong bug description the moose framework version listed in the run header console output is sometimes wrong steps to reproduce see technical discussion in comments impact this can cause a lot of confusion and lead users to troubleshoot compilation problems that don t exist
| 1
|
68,349
| 21,647,557,335
|
IssuesEvent
|
2022-05-06 05:09:02
|
klubcoin/lcn-mobile
|
https://api.github.com/repos/klubcoin/lcn-mobile
|
opened
|
[Token Tipping][Send Tips] Fix must not accept more than 256 alphabet, numeric, and special characters input.
|
Defect Must Have Critical Token Tipping Services
|
### **Description:**
Must not accept more than 256 alphabet, numeric, and special characters input.
**Build Environment:** Staging Environment
**Affects Version:** 1.0.0.staging.27
**Device Platform:** Android
**Device OS:** 11
**Test Device:** OnePlus 7T Pro
### **Pre-condition:**
1. User successfully installed Klubcoin App
2. User has an existing Klubcoin Wallet Account
3. User received request tip link
4. User is currently at third party messaging app where he/she received request tip link
### **Steps to Reproduce:**
1. Access request tip link
2. Tap "here" link
3. View Send Tip Screen
5. Input more than 256 characters on Tip Amount Text field
### **Expected Result:**
Must not accept more than 256 characters on text box
### **Actual Result:**
Application Crash
### **Attachment/s:**
https://user-images.githubusercontent.com/100281200/167070618-daf43918-3c80-4151-9804-7084e3c18384.mp4
|
1.0
|
[Token Tipping][Send Tips] Fix must not accept more than 256 alphabet, numeric, and special characters input. - ### **Description:**
Must not accept more than 256 alphabet, numeric, and special characters input.
**Build Environment:** Staging Environment
**Affects Version:** 1.0.0.staging.27
**Device Platform:** Android
**Device OS:** 11
**Test Device:** OnePlus 7T Pro
### **Pre-condition:**
1. User successfully installed Klubcoin App
2. User has an existing Klubcoin Wallet Account
3. User received request tip link
4. User is currently at third party messaging app where he/she received request tip link
### **Steps to Reproduce:**
1. Access request tip link
2. Tap "here" link
3. View Send Tip Screen
5. Input more than 256 characters on Tip Amount Text field
### **Expected Result:**
Must not accept more than 256 characters on text box
### **Actual Result:**
Application Crash
### **Attachment/s:**
https://user-images.githubusercontent.com/100281200/167070618-daf43918-3c80-4151-9804-7084e3c18384.mp4
|
defect
|
fix must not accept more than alphabet numeric and special characters input description must not accept more than alphabet numeric and special characters input build environment staging environment affects version staging device platform android device os test device oneplus pro pre condition user successfully installed klubcoin app user has an existing klubcoin wallet account user received request tip link user is currently at third party messaging app where he she received request tip link steps to reproduce access request tip link tap here link view send tip screen input more than characters on tip amount text field expected result must not accept more than characters on text box actual result application crash attachment s
| 1
|
32,702
| 6,896,985,987
|
IssuesEvent
|
2017-11-23 21:51:19
|
scalameta/language-server
|
https://api.github.com/repos/scalameta/language-server
|
closed
|
Shutdown routine
|
defect
|
I noticed that server responses with an error to the `shutdown` request:
```
01:04:47.884 DEBUG l.core.MessageReader - Received headers: Content-Length: 59
01:04:47.884 DEBUG l.core.Connection - Received {"jsonrpc":"2.0","id":14,"method":"shutdown","params":null}
01:04:47.900 DEBUG l.core.MessageWriter - Content-Length: 199
{"jsonrpc":"2.0","error":{"code":-32602,"message":"Invalid params","data":{"meaning":"Invalid method parameter(s).","error":{"obj":[{"msg":["command parameters must be given"],"args":[]}]}}},"id":14}
01:04:47.900 DEBUG l.core.MessageWriter - payload: {"jsonrpc":"2.0","error":{"code":-32602,"message":"Invalid params","data":{"meaning":"Invalid method parameter(s).","error":{"obj":[{"msg":["command parameters must be given"],"args":[]}]}}},"id":14}
```
`shutdown` request is not supposed to have any parameters, so I think that the underlying LSP library doesn't handle it well.
It causes some extra lags in Atom (https://github.com/atom/atom-languageclient/issues/119) and I suspect after this response server never receives an `exit` request. By the way, I didn't find how `exit` is handled in the server.
|
1.0
|
Shutdown routine - I noticed that server responses with an error to the `shutdown` request:
```
01:04:47.884 DEBUG l.core.MessageReader - Received headers: Content-Length: 59
01:04:47.884 DEBUG l.core.Connection - Received {"jsonrpc":"2.0","id":14,"method":"shutdown","params":null}
01:04:47.900 DEBUG l.core.MessageWriter - Content-Length: 199
{"jsonrpc":"2.0","error":{"code":-32602,"message":"Invalid params","data":{"meaning":"Invalid method parameter(s).","error":{"obj":[{"msg":["command parameters must be given"],"args":[]}]}}},"id":14}
01:04:47.900 DEBUG l.core.MessageWriter - payload: {"jsonrpc":"2.0","error":{"code":-32602,"message":"Invalid params","data":{"meaning":"Invalid method parameter(s).","error":{"obj":[{"msg":["command parameters must be given"],"args":[]}]}}},"id":14}
```
`shutdown` request is not supposed to have any parameters, so I think that the underlying LSP library doesn't handle it well.
It causes some extra lags in Atom (https://github.com/atom/atom-languageclient/issues/119) and I suspect after this response server never receives an `exit` request. By the way, I didn't find how `exit` is handled in the server.
|
defect
|
shutdown routine i noticed that server responses with an error to the shutdown request debug l core messagereader received headers content length debug l core connection received jsonrpc id method shutdown params null debug l core messagewriter content length jsonrpc error code message invalid params data meaning invalid method parameter s error obj args id debug l core messagewriter payload jsonrpc error code message invalid params data meaning invalid method parameter s error obj args id shutdown request is not supposed to have any parameters so i think that the underlying lsp library doesn t handle it well it causes some extra lags in atom and i suspect after this response server never receives an exit request by the way i didn t find how exit is handled in the server
| 1
|
175,561
| 21,313,852,647
|
IssuesEvent
|
2022-04-16 01:09:47
|
Nivaskumark/kernel_v4.1.15
|
https://api.github.com/repos/Nivaskumark/kernel_v4.1.15
|
opened
|
WS-2021-0439 (Medium) detected in linuxlinux-4.6
|
security vulnerability
|
## WS-2021-0439 - 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 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 (3)</summary>
<p></p>
<p>
<img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/sound/isa/gus/gus_dma.c</b>
<img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/sound/isa/gus/gus_dma.c</b>
<img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/sound/isa/gus/gus_dma.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>
In Linux/Kernel in versions v2.6.11-tree to v4.4.292, v4.5-rc1 to v4.9.290, v4.10-rc1 to v4.14.255, v4.15-rc1 to v4.19.217, v5.0-rc1 to v5.4.161;, v5.5-rc1 to v5.10.82, v5.10-rc1 to v5.14.21, v5.15-rc1--v5.15.4.
Is vulnerable to null pointer dereference on pointer block in sound/isa/gus/gus_dma.c
<p>Publish Date: 2021-11-29
<p>URL: <a href=https://github.com/gregkh/linux/commit/16721797dcef2c7c030ffe73a07f39a65f9323c3?diff=split>WS-2021-0439</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.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- 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>
</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://osv.dev/vulnerability/UVI-2021-1002332">https://osv.dev/vulnerability/UVI-2021-1002332</a></p>
<p>Release Date: 2021-11-29</p>
<p>Fix Resolution: Linux/Kernel - v4.4.293, v4.9.291, v4.14.256, v4.19.218, v5.4.162, v5.10.83, v5.15.5 </p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
True
|
WS-2021-0439 (Medium) detected in linuxlinux-4.6 - ## WS-2021-0439 - 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 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 (3)</summary>
<p></p>
<p>
<img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/sound/isa/gus/gus_dma.c</b>
<img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/sound/isa/gus/gus_dma.c</b>
<img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/sound/isa/gus/gus_dma.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>
In Linux/Kernel in versions v2.6.11-tree to v4.4.292, v4.5-rc1 to v4.9.290, v4.10-rc1 to v4.14.255, v4.15-rc1 to v4.19.217, v5.0-rc1 to v5.4.161;, v5.5-rc1 to v5.10.82, v5.10-rc1 to v5.14.21, v5.15-rc1--v5.15.4.
Is vulnerable to null pointer dereference on pointer block in sound/isa/gus/gus_dma.c
<p>Publish Date: 2021-11-29
<p>URL: <a href=https://github.com/gregkh/linux/commit/16721797dcef2c7c030ffe73a07f39a65f9323c3?diff=split>WS-2021-0439</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.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- 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>
</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://osv.dev/vulnerability/UVI-2021-1002332">https://osv.dev/vulnerability/UVI-2021-1002332</a></p>
<p>Release Date: 2021-11-29</p>
<p>Fix Resolution: Linux/Kernel - v4.4.293, v4.9.291, v4.14.256, v4.19.218, v5.4.162, v5.10.83, v5.15.5 </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
|
ws medium detected in linuxlinux ws medium severity vulnerability vulnerable library linuxlinux the linux kernel library home page a href found in base branch master vulnerable source files sound isa gus gus dma c sound isa gus gus dma c sound isa gus gus dma c vulnerability details in linux kernel in versions tree to to to to to to to is vulnerable to null pointer dereference on pointer block in sound isa gus gus dma c publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required none user interaction none scope unchanged 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 linux kernel step up your open source security game with whitesource
| 0
|
46,823
| 13,055,982,685
|
IssuesEvent
|
2020-07-30 03:18:08
|
icecube-trac/tix2
|
https://api.github.com/repos/icecube-trac/tix2
|
opened
|
[gulliver-modules] I3IterativeFitter does not support Python objects as services (Trac #1936)
|
Incomplete Migration Migrated from Trac combo reconstruction defect
|
Migrated from https://code.icecube.wisc.edu/ticket/1936
```json
{
"status": "closed",
"changetime": "2019-02-13T14:12:55",
"description": "In contrast to I3SingleFitter, the iterative fitter cannot handle Python objects as services directly, instead you have to add them to the context first. This is old style and should be fixed.",
"reporter": "kkrings",
"cc": "",
"resolution": "fixed",
"_ts": "1550067175380821",
"component": "combo reconstruction",
"summary": "[gulliver-modules] I3IterativeFitter does not support Python objects as services",
"priority": "critical",
"keywords": "",
"time": "2017-01-20T15:03:17",
"milestone": "",
"owner": "kkrings",
"type": "defect"
}
```
|
1.0
|
[gulliver-modules] I3IterativeFitter does not support Python objects as services (Trac #1936) - Migrated from https://code.icecube.wisc.edu/ticket/1936
```json
{
"status": "closed",
"changetime": "2019-02-13T14:12:55",
"description": "In contrast to I3SingleFitter, the iterative fitter cannot handle Python objects as services directly, instead you have to add them to the context first. This is old style and should be fixed.",
"reporter": "kkrings",
"cc": "",
"resolution": "fixed",
"_ts": "1550067175380821",
"component": "combo reconstruction",
"summary": "[gulliver-modules] I3IterativeFitter does not support Python objects as services",
"priority": "critical",
"keywords": "",
"time": "2017-01-20T15:03:17",
"milestone": "",
"owner": "kkrings",
"type": "defect"
}
```
|
defect
|
does not support python objects as services trac migrated from json status closed changetime description in contrast to the iterative fitter cannot handle python objects as services directly instead you have to add them to the context first this is old style and should be fixed reporter kkrings cc resolution fixed ts component combo reconstruction summary does not support python objects as services priority critical keywords time milestone owner kkrings type defect
| 1
|
148,521
| 23,356,934,998
|
IssuesEvent
|
2022-08-10 08:17:43
|
PostHog/posthog
|
https://api.github.com/repos/PostHog/posthog
|
closed
|
New insight type: big bold number
|
enhancement good first issue design
|
## Is your feature request related to a problem?
I want to see a big number on my dashboard for one of my key metrics (like total sign ups for example)
## Describe the solution you'd like
Right now the only way to do this is to have a pie chart. This is okay, but it'd be nice to just have the number without the pie chart.

For extra credit, it'd be cool if this automatically had compare=previous set, so we could have a "+25.4% compared to previous period".
## Describe alternatives you've considered
Use pie chart.
## Additional context
#### *Thank you* for your feature request – we love each and every one!
|
1.0
|
New insight type: big bold number - ## Is your feature request related to a problem?
I want to see a big number on my dashboard for one of my key metrics (like total sign ups for example)
## Describe the solution you'd like
Right now the only way to do this is to have a pie chart. This is okay, but it'd be nice to just have the number without the pie chart.

For extra credit, it'd be cool if this automatically had compare=previous set, so we could have a "+25.4% compared to previous period".
## Describe alternatives you've considered
Use pie chart.
## Additional context
#### *Thank you* for your feature request – we love each and every one!
|
non_defect
|
new insight type big bold number is your feature request related to a problem i want to see a big number on my dashboard for one of my key metrics like total sign ups for example describe the solution you d like right now the only way to do this is to have a pie chart this is okay but it d be nice to just have the number without the pie chart for extra credit it d be cool if this automatically had compare previous set so we could have a compared to previous period describe alternatives you ve considered use pie chart additional context thank you for your feature request – we love each and every one
| 0
|
62,241
| 17,023,879,995
|
IssuesEvent
|
2021-07-03 04:20:19
|
tomhughes/trac-tickets
|
https://api.github.com/repos/tomhughes/trac-tickets
|
closed
|
changing the map layer might cause tiles to stop loading depending on zoom level
|
Component: website Priority: minor Resolution: fixed Type: defect
|
**[Submitted to the original trac issue database at 12.23am, Sunday, 22nd September 2013]**
Currently the "Standard" layer supports the zoom level 19, but the "Cycle Map" layer only goes up to 18. This can cause tiles to awkwardly stop loading if the user does the following:
1. in the "Standard" layer, zoom to 19
2. switch to the "Cycle Map" layer
3. wait forever for tiles to load
|
1.0
|
changing the map layer might cause tiles to stop loading depending on zoom level - **[Submitted to the original trac issue database at 12.23am, Sunday, 22nd September 2013]**
Currently the "Standard" layer supports the zoom level 19, but the "Cycle Map" layer only goes up to 18. This can cause tiles to awkwardly stop loading if the user does the following:
1. in the "Standard" layer, zoom to 19
2. switch to the "Cycle Map" layer
3. wait forever for tiles to load
|
defect
|
changing the map layer might cause tiles to stop loading depending on zoom level currently the standard layer supports the zoom level but the cycle map layer only goes up to this can cause tiles to awkwardly stop loading if the user does the following in the standard layer zoom to switch to the cycle map layer wait forever for tiles to load
| 1
|
241,631
| 26,256,866,753
|
IssuesEvent
|
2023-01-06 02:04:14
|
vlaship/async
|
https://api.github.com/repos/vlaship/async
|
opened
|
CVE-2022-41854 (Medium) detected in snakeyaml-1.23.jar
|
security vulnerability
|
## CVE-2022-41854 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>snakeyaml-1.23.jar</b></p></summary>
<p>YAML 1.1 parser and emitter for Java</p>
<p>Library home page: <a href="http://www.snakeyaml.org">http://www.snakeyaml.org</a></p>
<p>Path to dependency file: /build.gradle</p>
<p>Path to vulnerable library: /tmp/ws-ua/downloadResource_838cf389-c84b-4d10-aeb9-d1a45e705c41/20200307204515/snakeyaml-1.23.jar,/tmp/ws-ua/downloadResource_838cf389-c84b-4d10-aeb9-d1a45e705c41/20200307204515/snakeyaml-1.23.jar</p>
<p>
Dependency Hierarchy:
- spring-boot-starter-2.1.9.RELEASE.jar (Root Library)
- :x: **snakeyaml-1.23.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>
Those using Snakeyaml to parse untrusted YAML files may be vulnerable to Denial of Service attacks (DOS). If the parser is running on user supplied input, an attacker may supply content that causes the parser to crash by stack overflow. This effect may support a denial of service attack.
<p>Publish Date: 2022-11-11
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-41854>CVE-2022-41854</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: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- 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://bitbucket.org/snakeyaml/snakeyaml/issues/531/">https://bitbucket.org/snakeyaml/snakeyaml/issues/531/</a></p>
<p>Release Date: 2022-11-11</p>
<p>Fix Resolution (org.yaml:snakeyaml): 1.32</p>
<p>Direct dependency fix Resolution (org.springframework.boot:spring-boot-starter): 2.6.9</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-2022-41854 (Medium) detected in snakeyaml-1.23.jar - ## CVE-2022-41854 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>snakeyaml-1.23.jar</b></p></summary>
<p>YAML 1.1 parser and emitter for Java</p>
<p>Library home page: <a href="http://www.snakeyaml.org">http://www.snakeyaml.org</a></p>
<p>Path to dependency file: /build.gradle</p>
<p>Path to vulnerable library: /tmp/ws-ua/downloadResource_838cf389-c84b-4d10-aeb9-d1a45e705c41/20200307204515/snakeyaml-1.23.jar,/tmp/ws-ua/downloadResource_838cf389-c84b-4d10-aeb9-d1a45e705c41/20200307204515/snakeyaml-1.23.jar</p>
<p>
Dependency Hierarchy:
- spring-boot-starter-2.1.9.RELEASE.jar (Root Library)
- :x: **snakeyaml-1.23.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>
Those using Snakeyaml to parse untrusted YAML files may be vulnerable to Denial of Service attacks (DOS). If the parser is running on user supplied input, an attacker may supply content that causes the parser to crash by stack overflow. This effect may support a denial of service attack.
<p>Publish Date: 2022-11-11
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-41854>CVE-2022-41854</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: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- 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://bitbucket.org/snakeyaml/snakeyaml/issues/531/">https://bitbucket.org/snakeyaml/snakeyaml/issues/531/</a></p>
<p>Release Date: 2022-11-11</p>
<p>Fix Resolution (org.yaml:snakeyaml): 1.32</p>
<p>Direct dependency fix Resolution (org.springframework.boot:spring-boot-starter): 2.6.9</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 snakeyaml jar cve medium severity vulnerability vulnerable library snakeyaml jar yaml parser and emitter for java library home page a href path to dependency file build gradle path to vulnerable library tmp ws ua downloadresource snakeyaml jar tmp ws ua downloadresource snakeyaml jar dependency hierarchy spring boot starter release jar root library x snakeyaml jar vulnerable library vulnerability details those using snakeyaml to parse untrusted yaml files may be vulnerable to denial of service attacks dos if the parser is running on user supplied input an attacker may supply content that causes the parser to crash by stack overflow this effect may support a denial of service attack 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 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 org yaml snakeyaml direct dependency fix resolution org springframework boot spring boot starter step up your open source security game with mend
| 0
|
290,979
| 8,915,692,927
|
IssuesEvent
|
2019-01-19 08:53:39
|
UBC-Thunderbots/Software
|
https://api.github.com/repos/UBC-Thunderbots/Software
|
opened
|
Normalize the timestamping system
|
priority: high type: enhancement type: maintenance
|
**Is your feature request or enhancement related to a problem? What specifically could be better? Please describe.**
After the change in #179 we now have several timestamping systems in use. We should normalize our useage of timestamps to a single system.
Depends on #227 since managing timestamps will be easier after the nodes are callback-based.
**Describe the solution you'd like**
We should typedef `double` to `Timestamp`, and use this as the timestamp standard. Remove the old AITimestamp class (that wrapped std::chrono), and remove our use of std::chrono.
**Describe alternatives you've considered**
Using a different timestamping system like std::chrono. We should use the t_capture values so everything is as close to the "real world" timestamp as possible.
**Additional context**
None
|
1.0
|
Normalize the timestamping system - **Is your feature request or enhancement related to a problem? What specifically could be better? Please describe.**
After the change in #179 we now have several timestamping systems in use. We should normalize our useage of timestamps to a single system.
Depends on #227 since managing timestamps will be easier after the nodes are callback-based.
**Describe the solution you'd like**
We should typedef `double` to `Timestamp`, and use this as the timestamp standard. Remove the old AITimestamp class (that wrapped std::chrono), and remove our use of std::chrono.
**Describe alternatives you've considered**
Using a different timestamping system like std::chrono. We should use the t_capture values so everything is as close to the "real world" timestamp as possible.
**Additional context**
None
|
non_defect
|
normalize the timestamping system is your feature request or enhancement related to a problem what specifically could be better please describe after the change in we now have several timestamping systems in use we should normalize our useage of timestamps to a single system depends on since managing timestamps will be easier after the nodes are callback based describe the solution you d like we should typedef double to timestamp and use this as the timestamp standard remove the old aitimestamp class that wrapped std chrono and remove our use of std chrono describe alternatives you ve considered using a different timestamping system like std chrono we should use the t capture values so everything is as close to the real world timestamp as possible additional context none
| 0
|
220,520
| 16,962,228,372
|
IssuesEvent
|
2021-06-29 06:24:38
|
getsentry/sentry-java
|
https://api.github.com/repos/getsentry/sentry-java
|
closed
|
can't execute the command "../../gradlew appRun" on the moudle sentry-samples-spring
|
documentation
|
I want to test the sentty in the Spring environment,when i execute the command "../../gradlew appRun" on the moudle sentry-samples-spring,An error occurred ,
* What went wrong:
Task 'appRun' not found in project ':sentry-samples:sentry-samples-spring',Whether I need to configure this command.
someone can help me please.
|
1.0
|
can't execute the command "../../gradlew appRun" on the moudle sentry-samples-spring - I want to test the sentty in the Spring environment,when i execute the command "../../gradlew appRun" on the moudle sentry-samples-spring,An error occurred ,
* What went wrong:
Task 'appRun' not found in project ':sentry-samples:sentry-samples-spring',Whether I need to configure this command.
someone can help me please.
|
non_defect
|
can t execute the command gradlew apprun on the moudle sentry samples spring i want to test the sentty in the spring environment when i execute the command gradlew apprun on the moudle sentry samples spring an error occurred what went wrong task apprun not found in project sentry samples sentry samples spring whether i need to configure this command someone can help me please
| 0
|
77,535
| 27,045,185,953
|
IssuesEvent
|
2023-02-13 09:15:48
|
openzfs/zfs
|
https://api.github.com/repos/openzfs/zfs
|
opened
|
Kernel hung tasks: 2 concurrent calls of async_destroy may cause problems?
|
Type: Defect
|
<!-- Please fill out the following template, which will help other contributors address your issue. -->
<!--
Thank you for reporting an issue.
*IMPORTANT* - Please check our issue tracker before opening a new issue.
Additional valuable information can be found in the OpenZFS documentation
and mailing list archives.
Please fill in as much of the template as possible.
-->
### System information
<!-- add version after "|" character -->
Type | Version/Name
--- | ---
Distribution Name | Debian
Distribution Version | 11.6
Kernel Version | 5.10.149-2
Architecture | amd64
OpenZFS Version | 2.1.6
<!--
Command to find OpenZFS version:
zfs version
Commands to find kernel version:
uname -r # Linux
freebsd-version -r # FreeBSD
-->
### Describe the problem you're observing
In a ZFS sync of a source system to a target system the target system hangs in about 5% of sync executions after `zfs receive` finished and a destroy command is executed: 120 seconds later (/proc/sys/kernel/hung_task_timeout_secs) the kernel reports hung tasks in io_scheduled wait_on_page_bit_common.
```
ssh ... /sbin/zfs send -c -L -i tank/containers/imxplatform2@snapshot-bsync-last tank/containers/imxplatform2@snapshot-bsync | /sbin/zfs receive -Fu tank/containers/imxplatform2
/sbin/zfs destroy tank/containers/imxplatform2@snapshot-bsync-last
```
I guess there may be a problem in an overlap of 2 async_destroy calls that may block each other on block cleanup:
- as you can see in the detailed zfsdebug-log below at timestamp 1675173734 in txg 1543167 as part of the `zfs receive` there finally is a destroy operation that calls `dsl_process_async_destroys()`
- at the same timestamp 1675173734 the `zfs destroy` operation calls `dsl_process_async_destroys()` in txg 1543168
---
That's why I introduced a `sleep 1s` between both commands. **Since that I didn't experience the problem anymore** but it may be too early to judge:
```
ssh ... /sbin/zfs send -c -L -i tank/containers/imxplatform2@snapshot-bsync-last tank/containers/imxplatform2@snapshot-bsync | /sbin/zfs receive -Fu tank/containers/imxplatform2
sleep 1s
/sbin/zfs destroy tank/containers/imxplatform2@snapshot-bsync-last
```
BTW: is there a better approach to wait for some kind of disk `flush` of the async destroy/cleanup instead of using `sleep`?
### Describe how to reproduce the problem
I think setting up a loop with the following operations should reproduce the problem (pseudo code):
```
while (true):
ssh sourceserver dd random data to tank/containers/imxplatform2
ssh sourceserver /sbin/zfs rename tank/containers/imxplatform2@snapshot-bsync snapshot-bsync-last
ssh sourceserver /sbin/zfs snapshot tank/containers/imxplatform2 bsync
ssh sourceserver ... /sbin/zfs send -c -L -i tank/containers/imxplatform2@snapshot-bsync-last tank/containers/imxplatform2@snapshot-bsync | /sbin/zfs receive -Fu tank/containers/imxplatform2
/sbin/zfs destroy tank/containers/imxplatform2@snapshot-bsync-last
```
### Include any warning/errors/backtraces from the system logs
<!--
*IMPORTANT* - Please mark logs and text output from terminal commands
or else Github will not display them correctly.
An example is provided below.
Example:
```
this is an example how log text should be marked (wrap it with ```)
```
-->
**zfsdebug:**
```
1675173485 spa_history.c:298:spa_history_log_sync(): txg 1543086 rename tank/containers/imxplatform2@snapshot-bsync (id 85658) -> @snapshot-bsync-last
1675173485 spa_history.c:294:spa_history_log_sync(): command: zfs rename tank/containers/imxplatform2@snapshot-bsync tank/containers/imxplatform2@snapshot-bsync-last
1675173485 spa_history.c:298:spa_history_log_sync(): txg 1543087 receive tank/containers/imxplatform2/%recv (id 85466)
1675173734 spa_history.c:298:spa_history_log_sync(): txg 1543167 finish receiving tank/containers/imxplatform2/%recv (id 85466) snap=snapshot-bsync
1675173734 spa_history.c:298:spa_history_log_sync(): txg 1543167 clone swap tank/containers/imxplatform2/%recv (id 85466) parent=imxplatform2
1675173734 spa_history.c:298:spa_history_log_sync(): txg 1543167 snapshot tank/containers/imxplatform2@snapshot-bsync (id 102825)
1675173734 spa_history.c:298:spa_history_log_sync(): txg 1543167 destroy tank/containers/imxplatform2/%recv (id 85466) (bptree, mintxg=1526233)
1675173734 bptree.c:225:bptree_iterate(): bptree index 0: traversing from min_txg=1526233 bookmark 0/0/0/0
1675173734 dsl_scan.c:3433:dsl_process_async_destroys(): freed 68227 blocks in 129ms from free_bpobj/bptree txg 1543167; err=0
1675173734 spa_history.c:294:spa_history_log_sync(): command: zfs receive -Fu tank/containers/imxplatform2
1675173734 zcp.c:657:zcp_debug(): txg 1543168 ZCP: snap: tank/containers/imxplatform2@snapshot-bsync-last errno: 0
1675173734 spa_history.c:298:spa_history_log_sync(): txg 1543168 destroy tank/containers/imxplatform2@snapshot-bsync-last (id 85658)
1675173734 dsl_scan.c:3433:dsl_process_async_destroys(): freed 353651 blocks in 249ms from free_bpobj/bptree txg 1543168; err=0
1675173739 spa_history.c:330:spa_history_log_sync(): ioctl destroy_snaps
1675173739 spa_history.c:294:spa_history_log_sync(): command: zfs destroy tank/containers/imxplatform2@snapshot-bsync-last
1675173903 metaslab.c:3650:metaslab_condense(): condensing: txg 1543201, msp[64] ffff90b743157000, vdev id 0, spa tank, smp size 552512, segments 2828, forcing condense=FALSE
1675185910 metaslab.c:3650:metaslab_condense(): condensing: txg 1545546, msp[83] ffff90b762622000, vdev id 0, spa tank, smp size 566752, segments 8464, forcing condense=FALSE
1675228810 metaslab.c:3650:metaslab_condense(): condensing: txg 1553925, msp[2] ffff90b760920000, vdev id 0, spa tank, smp size 524608, segments 811, forcing condense=FALSE
```
**Kernel log:**
```
[Di Jan 31 00:05:06 2023] br-4b0af5b6a4c3: port 10(veth9d12bdc) entered blocking state
[Di Jan 31 00:05:06 2023] br-4b0af5b6a4c3: port 10(veth9d12bdc) entered forwarding state
[Di Jan 31 15:05:00 2023] INFO: task VM Periodic Tas:1248629 blocked for more than 120 seconds.
[Di Jan 31 15:05:00 2023] Tainted: P OE 5.10.0-19-amd64 #1 Debian 5.10.149-2
[Di Jan 31 15:05:00 2023] "echo 0 > /proc/sys/kernel/hung_task_timeout_secs" disables this message.
[Di Jan 31 15:05:00 2023] task:VM Periodic Tas state:D stack: 0 pid:1248629 ppid:1244933 flags:0x00000324
[Di Jan 31 15:05:00 2023] Call Trace:
[Di Jan 31 15:05:00 2023] __schedule+0x282/0x880
[Di Jan 31 15:05:00 2023] schedule+0x46/0xb0
[Di Jan 31 15:05:00 2023] io_schedule+0x42/0x70
[Di Jan 31 15:05:00 2023] wait_on_page_bit_common+0x116/0x3b0
[Di Jan 31 15:05:00 2023] ? trace_event_raw_event_file_check_and_advance_wb_err+0xf0/0xf0
[Di Jan 31 15:05:00 2023] filemap_page_mkwrite+0x139/0x160
[Di Jan 31 15:05:00 2023] do_page_mkwrite+0x52/0xc0
[Di Jan 31 15:05:00 2023] do_wp_page+0x29c/0x460
[Di Jan 31 15:05:00 2023] ? sched_clock+0x5/0x10
[Di Jan 31 15:05:00 2023] handle_mm_fault+0x1143/0x1c10
[Di Jan 31 15:05:00 2023] do_user_addr_fault+0x1b8/0x400
[Di Jan 31 15:05:00 2023] exc_page_fault+0x78/0x160
[Di Jan 31 15:05:00 2023] ? asm_exc_page_fault+0x8/0x30
[Di Jan 31 15:05:00 2023] asm_exc_page_fault+0x1e/0x30
[Di Jan 31 15:05:00 2023] RIP: 0033:0x7fa861ff16fe
[Di Jan 31 15:05:00 2023] RSP: 002b:00007fa81faf99d0 EFLAGS: 00010206
[Di Jan 31 15:05:00 2023] RAX: 00004e90dcc901ee RBX: 00007fa860903708 RCX: 0000000000000018
[Di Jan 31 15:05:00 2023] RDX: 0000000000000000 RSI: 000000000007ce4a RDI: 0000000000000001
[Di Jan 31 15:05:00 2023] RBP: 00007fa81faf99e0 R08: 000000000007ce4a R09: 00000000001a8973
[Di Jan 31 15:05:00 2023] R10: 00007ffd9f794080 R11: 00007ffd9f794090 R12: 0000000000000008
[Di Jan 31 15:05:00 2023] R13: 00007fa85c297300 R14: 0000000000000032 R15: 0000000000000032
[Di Jan 31 15:05:00 2023] INFO: task kworker/u72:1:3058253 blocked for more than 120 seconds.
[Di Jan 31 15:05:00 2023] Tainted: P OE 5.10.0-19-amd64 #1 Debian 5.10.149-2
[Di Jan 31 15:05:00 2023] "echo 0 > /proc/sys/kernel/hung_task_timeout_secs" disables this message.
[Di Jan 31 15:05:00 2023] task:kworker/u72:1 state:D stack: 0 pid:3058253 ppid: 2 flags:0x00004000
[Di Jan 31 15:05:00 2023] Workqueue: writeback wb_workfn (flush-zfs-20)
[Di Jan 31 15:05:00 2023] Call Trace:
[Di Jan 31 15:05:00 2023] __schedule+0x282/0x880
[Di Jan 31 15:05:00 2023] schedule+0x46/0xb0
[Di Jan 31 15:05:00 2023] io_schedule+0x42/0x70
[Di Jan 31 15:05:00 2023] wait_on_page_bit_common+0x116/0x3b0
[Di Jan 31 15:05:00 2023] ? trace_event_raw_event_file_check_and_advance_wb_err+0xf0/0xf0
[Di Jan 31 15:05:00 2023] write_cache_pages+0x1db/0x3e0
[Di Jan 31 15:05:00 2023] ? zpl_llseek+0x120/0x120 [zfs]
[Di Jan 31 15:05:00 2023] ? __sbitmap_queue_get+0x25/0xa0
[Di Jan 31 15:05:00 2023] ? elv_rb_del+0x1f/0x30
[Di Jan 31 15:05:00 2023] ? _cond_resched+0x16/0x50
[Di Jan 31 15:05:00 2023] ? _cond_resched+0x16/0x50
[Di Jan 31 15:05:00 2023] zpl_writepages+0x8a/0x170 [zfs]
[Di Jan 31 15:05:00 2023] do_writepages+0x31/0xc0
[Di Jan 31 15:05:00 2023] ? fprop_reflect_period_percpu.isra.0+0x7b/0xc0
[Di Jan 31 15:05:00 2023] __writeback_single_inode+0x39/0x2a0
[Di Jan 31 15:05:00 2023] writeback_sb_inodes+0x20d/0x4a0
[Di Jan 31 15:05:00 2023] __writeback_inodes_wb+0x4c/0xe0
[Di Jan 31 15:05:00 2023] wb_writeback+0x1d8/0x2a0
[Di Jan 31 15:05:00 2023] wb_workfn+0x296/0x4e0
[Di Jan 31 15:05:00 2023] ? __switch_to_asm+0x3a/0x60
[Di Jan 31 15:05:00 2023] process_one_work+0x1b3/0x350
[Di Jan 31 15:05:00 2023] worker_thread+0x53/0x3e0
[Di Jan 31 15:05:00 2023] ? process_one_work+0x350/0x350
[Di Jan 31 15:05:00 2023] kthread+0x118/0x140
[Di Jan 31 15:05:00 2023] ? __kthread_bind_mask+0x60/0x60
[Di Jan 31 15:05:00 2023] ret_from_fork+0x1f/0x30
[Di Jan 31 15:07:01 2023] INFO: task VM Periodic Tas:1248629 blocked for more than 241 seconds.
[Di Jan 31 15:07:01 2023] Tainted: P OE 5.10.0-19-amd64 #1 Debian 5.10.149-2
[Di Jan 31 15:07:01 2023] "echo 0 > /proc/sys/kernel/hung_task_timeout_secs" disables this message.
[Di Jan 31 15:07:01 2023] task:VM Periodic Tas state:D stack: 0 pid:1248629 ppid:1244933 flags:0x00000324
[Di Jan 31 15:07:01 2023] Call Trace:
[Di Jan 31 15:07:01 2023] __schedule+0x282/0x880
[Di Jan 31 15:07:01 2023] schedule+0x46/0xb0
[Di Jan 31 15:07:01 2023] io_schedule+0x42/0x70
[Di Jan 31 15:07:01 2023] wait_on_page_bit_common+0x116/0x3b0
[Di Jan 31 15:07:01 2023] ? trace_event_raw_event_file_check_and_advance_wb_err+0xf0/0xf0
[Di Jan 31 15:07:01 2023] filemap_page_mkwrite+0x139/0x160
[Di Jan 31 15:07:01 2023] do_page_mkwrite+0x52/0xc0
[Di Jan 31 15:07:01 2023] do_wp_page+0x29c/0x460
[Di Jan 31 15:07:01 2023] ? sched_clock+0x5/0x10
[Di Jan 31 15:07:01 2023] handle_mm_fault+0x1143/0x1c10
[Di Jan 31 15:07:01 2023] do_user_addr_fault+0x1b8/0x400
[Di Jan 31 15:07:01 2023] exc_page_fault+0x78/0x160
[Di Jan 31 15:07:01 2023] ? asm_exc_page_fault+0x8/0x30
[Di Jan 31 15:07:01 2023] asm_exc_page_fault+0x1e/0x30
[Di Jan 31 15:07:01 2023] RIP: 0033:0x7fa861ff16fe
[Di Jan 31 15:07:01 2023] RSP: 002b:00007fa81faf99d0 EFLAGS: 00010206
[Di Jan 31 15:07:01 2023] RAX: 00004e90dcc901ee RBX: 00007fa860903708 RCX: 0000000000000018
[Di Jan 31 15:07:01 2023] RDX: 0000000000000000 RSI: 000000000007ce4a RDI: 0000000000000001
[Di Jan 31 15:07:01 2023] RBP: 00007fa81faf99e0 R08: 000000000007ce4a R09: 00000000001a8973
[Di Jan 31 15:07:01 2023] R10: 00007ffd9f794080 R11: 00007ffd9f794090 R12: 0000000000000008
[Di Jan 31 15:07:01 2023] R13: 00007fa85c297300 R14: 0000000000000032 R15: 0000000000000032
[Di Jan 31 15:07:01 2023] INFO: task kworker/u72:1:3058253 blocked for more than 241 seconds.
[Di Jan 31 15:07:01 2023] Tainted: P OE 5.10.0-19-amd64 #1 Debian 5.10.149-2
[Di Jan 31 15:07:01 2023] "echo 0 > /proc/sys/kernel/hung_task_timeout_secs" disables this message.
[Di Jan 31 15:07:01 2023] task:kworker/u72:1 state:D stack: 0 pid:3058253 ppid: 2 flags:0x00004000
[Di Jan 31 15:07:01 2023] Workqueue: writeback wb_workfn (flush-zfs-20)
[Di Jan 31 15:07:01 2023] Call Trace:
[Di Jan 31 15:07:01 2023] __schedule+0x282/0x880
[Di Jan 31 15:07:01 2023] schedule+0x46/0xb0
[Di Jan 31 15:07:01 2023] io_schedule+0x42/0x70
[Di Jan 31 15:07:01 2023] wait_on_page_bit_common+0x116/0x3b0
[Di Jan 31 15:07:01 2023] ? trace_event_raw_event_file_check_and_advance_wb_err+0xf0/0xf0
[Di Jan 31 15:07:01 2023] write_cache_pages+0x1db/0x3e0
[Di Jan 31 15:07:01 2023] ? zpl_llseek+0x120/0x120 [zfs]
[Di Jan 31 15:07:01 2023] ? __sbitmap_queue_get+0x25/0xa0
[Di Jan 31 15:07:01 2023] ? elv_rb_del+0x1f/0x30
[Di Jan 31 15:07:01 2023] ? _cond_resched+0x16/0x50
[Di Jan 31 15:07:01 2023] ? _cond_resched+0x16/0x50
[Di Jan 31 15:07:01 2023] zpl_writepages+0x8a/0x170 [zfs]
[Di Jan 31 15:07:01 2023] do_writepages+0x31/0xc0
[Di Jan 31 15:07:01 2023] ? fprop_reflect_period_percpu.isra.0+0x7b/0xc0
[Di Jan 31 15:07:01 2023] __writeback_single_inode+0x39/0x2a0
[Di Jan 31 15:07:01 2023] writeback_sb_inodes+0x20d/0x4a0
[Di Jan 31 15:07:01 2023] __writeback_inodes_wb+0x4c/0xe0
[Di Jan 31 15:07:01 2023] wb_writeback+0x1d8/0x2a0
[Di Jan 31 15:07:01 2023] wb_workfn+0x296/0x4e0
[Di Jan 31 15:07:01 2023] ? __switch_to_asm+0x3a/0x60
[Di Jan 31 15:07:01 2023] process_one_work+0x1b3/0x350
[Di Jan 31 15:07:01 2023] worker_thread+0x53/0x3e0
[Di Jan 31 15:07:01 2023] ? process_one_work+0x350/0x350
[Di Jan 31 15:07:01 2023] kthread+0x118/0x140
[Di Jan 31 15:07:01 2023] ? __kthread_bind_mask+0x60/0x60
[Di Jan 31 15:07:01 2023] ret_from_fork+0x1f/0x30
... repeats ...
```
**zfs events:**
```
Jan 31 2023 14:58:05.029361072 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2@snapshot-bsync"
history_internal_str = "-> @snapshot-bsync-last"
history_internal_name = "rename"
history_dsid = 0x14e9a
history_txg = 0x178bae
history_time = 0x63d91e6d
time = 0x63d91e6d 0x1c003b0
eid = 0x72
Jan 31 2023 14:58:05.237359334 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2/%recv"
history_internal_str = " "
history_internal_name = "receive"
history_dsid = 0x14dda
history_txg = 0x178baf
history_time = 0x63d91e6d
time = 0x63d91e6d 0xe25d0e6
eid = 0x73
Jan 31 2023 15:02:14.423277836 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2/%recv"
history_internal_str = "snap=snapshot-bsync"
history_internal_name = "finish receiving"
history_dsid = 0x14dda
history_txg = 0x178bff
history_time = 0x63d91f66
time = 0x63d91f66 0x193ab50c
eid = 0x74
Jan 31 2023 15:02:14.487277302 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2/%recv"
history_internal_str = "parent=imxplatform2"
history_internal_name = "clone swap"
history_dsid = 0x14dda
history_txg = 0x178bff
history_time = 0x63d91f66
time = 0x63d91f66 0x1d0b42f6
eid = 0x75
Jan 31 2023 15:02:14.487277302 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2@snapshot-bsync"
history_internal_str = " "
history_internal_name = "snapshot"
history_dsid = 0x191a9
history_txg = 0x178bff
history_time = 0x63d91f66
time = 0x63d91f66 0x1d0b42f6
eid = 0x76
Jan 31 2023 15:02:14.487277302 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2/%recv"
history_internal_str = "(bptree, mintxg=1526233)"
history_internal_name = "destroy"
history_dsid = 0x14dda
history_txg = 0x178bff
history_time = 0x63d91f66
time = 0x63d91f66 0x1d0b42f6
eid = 0x77
Jan 31 2023 15:02:14.747275130 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2@snapshot-bsync-last"
history_internal_str = " "
history_internal_name = "destroy"
history_dsid = 0x14e9a
history_txg = 0x178c00
history_time = 0x63d91f66
time = 0x63d91f66 0x2c8a837a
eid = 0x78
```
|
1.0
|
Kernel hung tasks: 2 concurrent calls of async_destroy may cause problems? - <!-- Please fill out the following template, which will help other contributors address your issue. -->
<!--
Thank you for reporting an issue.
*IMPORTANT* - Please check our issue tracker before opening a new issue.
Additional valuable information can be found in the OpenZFS documentation
and mailing list archives.
Please fill in as much of the template as possible.
-->
### System information
<!-- add version after "|" character -->
Type | Version/Name
--- | ---
Distribution Name | Debian
Distribution Version | 11.6
Kernel Version | 5.10.149-2
Architecture | amd64
OpenZFS Version | 2.1.6
<!--
Command to find OpenZFS version:
zfs version
Commands to find kernel version:
uname -r # Linux
freebsd-version -r # FreeBSD
-->
### Describe the problem you're observing
In a ZFS sync of a source system to a target system the target system hangs in about 5% of sync executions after `zfs receive` finished and a destroy command is executed: 120 seconds later (/proc/sys/kernel/hung_task_timeout_secs) the kernel reports hung tasks in io_scheduled wait_on_page_bit_common.
```
ssh ... /sbin/zfs send -c -L -i tank/containers/imxplatform2@snapshot-bsync-last tank/containers/imxplatform2@snapshot-bsync | /sbin/zfs receive -Fu tank/containers/imxplatform2
/sbin/zfs destroy tank/containers/imxplatform2@snapshot-bsync-last
```
I guess there may be a problem in an overlap of 2 async_destroy calls that may block each other on block cleanup:
- as you can see in the detailed zfsdebug-log below at timestamp 1675173734 in txg 1543167 as part of the `zfs receive` there finally is a destroy operation that calls `dsl_process_async_destroys()`
- at the same timestamp 1675173734 the `zfs destroy` operation calls `dsl_process_async_destroys()` in txg 1543168
---
That's why I introduced a `sleep 1s` between both commands. **Since that I didn't experience the problem anymore** but it may be too early to judge:
```
ssh ... /sbin/zfs send -c -L -i tank/containers/imxplatform2@snapshot-bsync-last tank/containers/imxplatform2@snapshot-bsync | /sbin/zfs receive -Fu tank/containers/imxplatform2
sleep 1s
/sbin/zfs destroy tank/containers/imxplatform2@snapshot-bsync-last
```
BTW: is there a better approach to wait for some kind of disk `flush` of the async destroy/cleanup instead of using `sleep`?
### Describe how to reproduce the problem
I think setting up a loop with the following operations should reproduce the problem (pseudo code):
```
while (true):
ssh sourceserver dd random data to tank/containers/imxplatform2
ssh sourceserver /sbin/zfs rename tank/containers/imxplatform2@snapshot-bsync snapshot-bsync-last
ssh sourceserver /sbin/zfs snapshot tank/containers/imxplatform2 bsync
ssh sourceserver ... /sbin/zfs send -c -L -i tank/containers/imxplatform2@snapshot-bsync-last tank/containers/imxplatform2@snapshot-bsync | /sbin/zfs receive -Fu tank/containers/imxplatform2
/sbin/zfs destroy tank/containers/imxplatform2@snapshot-bsync-last
```
### Include any warning/errors/backtraces from the system logs
<!--
*IMPORTANT* - Please mark logs and text output from terminal commands
or else Github will not display them correctly.
An example is provided below.
Example:
```
this is an example how log text should be marked (wrap it with ```)
```
-->
**zfsdebug:**
```
1675173485 spa_history.c:298:spa_history_log_sync(): txg 1543086 rename tank/containers/imxplatform2@snapshot-bsync (id 85658) -> @snapshot-bsync-last
1675173485 spa_history.c:294:spa_history_log_sync(): command: zfs rename tank/containers/imxplatform2@snapshot-bsync tank/containers/imxplatform2@snapshot-bsync-last
1675173485 spa_history.c:298:spa_history_log_sync(): txg 1543087 receive tank/containers/imxplatform2/%recv (id 85466)
1675173734 spa_history.c:298:spa_history_log_sync(): txg 1543167 finish receiving tank/containers/imxplatform2/%recv (id 85466) snap=snapshot-bsync
1675173734 spa_history.c:298:spa_history_log_sync(): txg 1543167 clone swap tank/containers/imxplatform2/%recv (id 85466) parent=imxplatform2
1675173734 spa_history.c:298:spa_history_log_sync(): txg 1543167 snapshot tank/containers/imxplatform2@snapshot-bsync (id 102825)
1675173734 spa_history.c:298:spa_history_log_sync(): txg 1543167 destroy tank/containers/imxplatform2/%recv (id 85466) (bptree, mintxg=1526233)
1675173734 bptree.c:225:bptree_iterate(): bptree index 0: traversing from min_txg=1526233 bookmark 0/0/0/0
1675173734 dsl_scan.c:3433:dsl_process_async_destroys(): freed 68227 blocks in 129ms from free_bpobj/bptree txg 1543167; err=0
1675173734 spa_history.c:294:spa_history_log_sync(): command: zfs receive -Fu tank/containers/imxplatform2
1675173734 zcp.c:657:zcp_debug(): txg 1543168 ZCP: snap: tank/containers/imxplatform2@snapshot-bsync-last errno: 0
1675173734 spa_history.c:298:spa_history_log_sync(): txg 1543168 destroy tank/containers/imxplatform2@snapshot-bsync-last (id 85658)
1675173734 dsl_scan.c:3433:dsl_process_async_destroys(): freed 353651 blocks in 249ms from free_bpobj/bptree txg 1543168; err=0
1675173739 spa_history.c:330:spa_history_log_sync(): ioctl destroy_snaps
1675173739 spa_history.c:294:spa_history_log_sync(): command: zfs destroy tank/containers/imxplatform2@snapshot-bsync-last
1675173903 metaslab.c:3650:metaslab_condense(): condensing: txg 1543201, msp[64] ffff90b743157000, vdev id 0, spa tank, smp size 552512, segments 2828, forcing condense=FALSE
1675185910 metaslab.c:3650:metaslab_condense(): condensing: txg 1545546, msp[83] ffff90b762622000, vdev id 0, spa tank, smp size 566752, segments 8464, forcing condense=FALSE
1675228810 metaslab.c:3650:metaslab_condense(): condensing: txg 1553925, msp[2] ffff90b760920000, vdev id 0, spa tank, smp size 524608, segments 811, forcing condense=FALSE
```
**Kernel log:**
```
[Di Jan 31 00:05:06 2023] br-4b0af5b6a4c3: port 10(veth9d12bdc) entered blocking state
[Di Jan 31 00:05:06 2023] br-4b0af5b6a4c3: port 10(veth9d12bdc) entered forwarding state
[Di Jan 31 15:05:00 2023] INFO: task VM Periodic Tas:1248629 blocked for more than 120 seconds.
[Di Jan 31 15:05:00 2023] Tainted: P OE 5.10.0-19-amd64 #1 Debian 5.10.149-2
[Di Jan 31 15:05:00 2023] "echo 0 > /proc/sys/kernel/hung_task_timeout_secs" disables this message.
[Di Jan 31 15:05:00 2023] task:VM Periodic Tas state:D stack: 0 pid:1248629 ppid:1244933 flags:0x00000324
[Di Jan 31 15:05:00 2023] Call Trace:
[Di Jan 31 15:05:00 2023] __schedule+0x282/0x880
[Di Jan 31 15:05:00 2023] schedule+0x46/0xb0
[Di Jan 31 15:05:00 2023] io_schedule+0x42/0x70
[Di Jan 31 15:05:00 2023] wait_on_page_bit_common+0x116/0x3b0
[Di Jan 31 15:05:00 2023] ? trace_event_raw_event_file_check_and_advance_wb_err+0xf0/0xf0
[Di Jan 31 15:05:00 2023] filemap_page_mkwrite+0x139/0x160
[Di Jan 31 15:05:00 2023] do_page_mkwrite+0x52/0xc0
[Di Jan 31 15:05:00 2023] do_wp_page+0x29c/0x460
[Di Jan 31 15:05:00 2023] ? sched_clock+0x5/0x10
[Di Jan 31 15:05:00 2023] handle_mm_fault+0x1143/0x1c10
[Di Jan 31 15:05:00 2023] do_user_addr_fault+0x1b8/0x400
[Di Jan 31 15:05:00 2023] exc_page_fault+0x78/0x160
[Di Jan 31 15:05:00 2023] ? asm_exc_page_fault+0x8/0x30
[Di Jan 31 15:05:00 2023] asm_exc_page_fault+0x1e/0x30
[Di Jan 31 15:05:00 2023] RIP: 0033:0x7fa861ff16fe
[Di Jan 31 15:05:00 2023] RSP: 002b:00007fa81faf99d0 EFLAGS: 00010206
[Di Jan 31 15:05:00 2023] RAX: 00004e90dcc901ee RBX: 00007fa860903708 RCX: 0000000000000018
[Di Jan 31 15:05:00 2023] RDX: 0000000000000000 RSI: 000000000007ce4a RDI: 0000000000000001
[Di Jan 31 15:05:00 2023] RBP: 00007fa81faf99e0 R08: 000000000007ce4a R09: 00000000001a8973
[Di Jan 31 15:05:00 2023] R10: 00007ffd9f794080 R11: 00007ffd9f794090 R12: 0000000000000008
[Di Jan 31 15:05:00 2023] R13: 00007fa85c297300 R14: 0000000000000032 R15: 0000000000000032
[Di Jan 31 15:05:00 2023] INFO: task kworker/u72:1:3058253 blocked for more than 120 seconds.
[Di Jan 31 15:05:00 2023] Tainted: P OE 5.10.0-19-amd64 #1 Debian 5.10.149-2
[Di Jan 31 15:05:00 2023] "echo 0 > /proc/sys/kernel/hung_task_timeout_secs" disables this message.
[Di Jan 31 15:05:00 2023] task:kworker/u72:1 state:D stack: 0 pid:3058253 ppid: 2 flags:0x00004000
[Di Jan 31 15:05:00 2023] Workqueue: writeback wb_workfn (flush-zfs-20)
[Di Jan 31 15:05:00 2023] Call Trace:
[Di Jan 31 15:05:00 2023] __schedule+0x282/0x880
[Di Jan 31 15:05:00 2023] schedule+0x46/0xb0
[Di Jan 31 15:05:00 2023] io_schedule+0x42/0x70
[Di Jan 31 15:05:00 2023] wait_on_page_bit_common+0x116/0x3b0
[Di Jan 31 15:05:00 2023] ? trace_event_raw_event_file_check_and_advance_wb_err+0xf0/0xf0
[Di Jan 31 15:05:00 2023] write_cache_pages+0x1db/0x3e0
[Di Jan 31 15:05:00 2023] ? zpl_llseek+0x120/0x120 [zfs]
[Di Jan 31 15:05:00 2023] ? __sbitmap_queue_get+0x25/0xa0
[Di Jan 31 15:05:00 2023] ? elv_rb_del+0x1f/0x30
[Di Jan 31 15:05:00 2023] ? _cond_resched+0x16/0x50
[Di Jan 31 15:05:00 2023] ? _cond_resched+0x16/0x50
[Di Jan 31 15:05:00 2023] zpl_writepages+0x8a/0x170 [zfs]
[Di Jan 31 15:05:00 2023] do_writepages+0x31/0xc0
[Di Jan 31 15:05:00 2023] ? fprop_reflect_period_percpu.isra.0+0x7b/0xc0
[Di Jan 31 15:05:00 2023] __writeback_single_inode+0x39/0x2a0
[Di Jan 31 15:05:00 2023] writeback_sb_inodes+0x20d/0x4a0
[Di Jan 31 15:05:00 2023] __writeback_inodes_wb+0x4c/0xe0
[Di Jan 31 15:05:00 2023] wb_writeback+0x1d8/0x2a0
[Di Jan 31 15:05:00 2023] wb_workfn+0x296/0x4e0
[Di Jan 31 15:05:00 2023] ? __switch_to_asm+0x3a/0x60
[Di Jan 31 15:05:00 2023] process_one_work+0x1b3/0x350
[Di Jan 31 15:05:00 2023] worker_thread+0x53/0x3e0
[Di Jan 31 15:05:00 2023] ? process_one_work+0x350/0x350
[Di Jan 31 15:05:00 2023] kthread+0x118/0x140
[Di Jan 31 15:05:00 2023] ? __kthread_bind_mask+0x60/0x60
[Di Jan 31 15:05:00 2023] ret_from_fork+0x1f/0x30
[Di Jan 31 15:07:01 2023] INFO: task VM Periodic Tas:1248629 blocked for more than 241 seconds.
[Di Jan 31 15:07:01 2023] Tainted: P OE 5.10.0-19-amd64 #1 Debian 5.10.149-2
[Di Jan 31 15:07:01 2023] "echo 0 > /proc/sys/kernel/hung_task_timeout_secs" disables this message.
[Di Jan 31 15:07:01 2023] task:VM Periodic Tas state:D stack: 0 pid:1248629 ppid:1244933 flags:0x00000324
[Di Jan 31 15:07:01 2023] Call Trace:
[Di Jan 31 15:07:01 2023] __schedule+0x282/0x880
[Di Jan 31 15:07:01 2023] schedule+0x46/0xb0
[Di Jan 31 15:07:01 2023] io_schedule+0x42/0x70
[Di Jan 31 15:07:01 2023] wait_on_page_bit_common+0x116/0x3b0
[Di Jan 31 15:07:01 2023] ? trace_event_raw_event_file_check_and_advance_wb_err+0xf0/0xf0
[Di Jan 31 15:07:01 2023] filemap_page_mkwrite+0x139/0x160
[Di Jan 31 15:07:01 2023] do_page_mkwrite+0x52/0xc0
[Di Jan 31 15:07:01 2023] do_wp_page+0x29c/0x460
[Di Jan 31 15:07:01 2023] ? sched_clock+0x5/0x10
[Di Jan 31 15:07:01 2023] handle_mm_fault+0x1143/0x1c10
[Di Jan 31 15:07:01 2023] do_user_addr_fault+0x1b8/0x400
[Di Jan 31 15:07:01 2023] exc_page_fault+0x78/0x160
[Di Jan 31 15:07:01 2023] ? asm_exc_page_fault+0x8/0x30
[Di Jan 31 15:07:01 2023] asm_exc_page_fault+0x1e/0x30
[Di Jan 31 15:07:01 2023] RIP: 0033:0x7fa861ff16fe
[Di Jan 31 15:07:01 2023] RSP: 002b:00007fa81faf99d0 EFLAGS: 00010206
[Di Jan 31 15:07:01 2023] RAX: 00004e90dcc901ee RBX: 00007fa860903708 RCX: 0000000000000018
[Di Jan 31 15:07:01 2023] RDX: 0000000000000000 RSI: 000000000007ce4a RDI: 0000000000000001
[Di Jan 31 15:07:01 2023] RBP: 00007fa81faf99e0 R08: 000000000007ce4a R09: 00000000001a8973
[Di Jan 31 15:07:01 2023] R10: 00007ffd9f794080 R11: 00007ffd9f794090 R12: 0000000000000008
[Di Jan 31 15:07:01 2023] R13: 00007fa85c297300 R14: 0000000000000032 R15: 0000000000000032
[Di Jan 31 15:07:01 2023] INFO: task kworker/u72:1:3058253 blocked for more than 241 seconds.
[Di Jan 31 15:07:01 2023] Tainted: P OE 5.10.0-19-amd64 #1 Debian 5.10.149-2
[Di Jan 31 15:07:01 2023] "echo 0 > /proc/sys/kernel/hung_task_timeout_secs" disables this message.
[Di Jan 31 15:07:01 2023] task:kworker/u72:1 state:D stack: 0 pid:3058253 ppid: 2 flags:0x00004000
[Di Jan 31 15:07:01 2023] Workqueue: writeback wb_workfn (flush-zfs-20)
[Di Jan 31 15:07:01 2023] Call Trace:
[Di Jan 31 15:07:01 2023] __schedule+0x282/0x880
[Di Jan 31 15:07:01 2023] schedule+0x46/0xb0
[Di Jan 31 15:07:01 2023] io_schedule+0x42/0x70
[Di Jan 31 15:07:01 2023] wait_on_page_bit_common+0x116/0x3b0
[Di Jan 31 15:07:01 2023] ? trace_event_raw_event_file_check_and_advance_wb_err+0xf0/0xf0
[Di Jan 31 15:07:01 2023] write_cache_pages+0x1db/0x3e0
[Di Jan 31 15:07:01 2023] ? zpl_llseek+0x120/0x120 [zfs]
[Di Jan 31 15:07:01 2023] ? __sbitmap_queue_get+0x25/0xa0
[Di Jan 31 15:07:01 2023] ? elv_rb_del+0x1f/0x30
[Di Jan 31 15:07:01 2023] ? _cond_resched+0x16/0x50
[Di Jan 31 15:07:01 2023] ? _cond_resched+0x16/0x50
[Di Jan 31 15:07:01 2023] zpl_writepages+0x8a/0x170 [zfs]
[Di Jan 31 15:07:01 2023] do_writepages+0x31/0xc0
[Di Jan 31 15:07:01 2023] ? fprop_reflect_period_percpu.isra.0+0x7b/0xc0
[Di Jan 31 15:07:01 2023] __writeback_single_inode+0x39/0x2a0
[Di Jan 31 15:07:01 2023] writeback_sb_inodes+0x20d/0x4a0
[Di Jan 31 15:07:01 2023] __writeback_inodes_wb+0x4c/0xe0
[Di Jan 31 15:07:01 2023] wb_writeback+0x1d8/0x2a0
[Di Jan 31 15:07:01 2023] wb_workfn+0x296/0x4e0
[Di Jan 31 15:07:01 2023] ? __switch_to_asm+0x3a/0x60
[Di Jan 31 15:07:01 2023] process_one_work+0x1b3/0x350
[Di Jan 31 15:07:01 2023] worker_thread+0x53/0x3e0
[Di Jan 31 15:07:01 2023] ? process_one_work+0x350/0x350
[Di Jan 31 15:07:01 2023] kthread+0x118/0x140
[Di Jan 31 15:07:01 2023] ? __kthread_bind_mask+0x60/0x60
[Di Jan 31 15:07:01 2023] ret_from_fork+0x1f/0x30
... repeats ...
```
**zfs events:**
```
Jan 31 2023 14:58:05.029361072 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2@snapshot-bsync"
history_internal_str = "-> @snapshot-bsync-last"
history_internal_name = "rename"
history_dsid = 0x14e9a
history_txg = 0x178bae
history_time = 0x63d91e6d
time = 0x63d91e6d 0x1c003b0
eid = 0x72
Jan 31 2023 14:58:05.237359334 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2/%recv"
history_internal_str = " "
history_internal_name = "receive"
history_dsid = 0x14dda
history_txg = 0x178baf
history_time = 0x63d91e6d
time = 0x63d91e6d 0xe25d0e6
eid = 0x73
Jan 31 2023 15:02:14.423277836 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2/%recv"
history_internal_str = "snap=snapshot-bsync"
history_internal_name = "finish receiving"
history_dsid = 0x14dda
history_txg = 0x178bff
history_time = 0x63d91f66
time = 0x63d91f66 0x193ab50c
eid = 0x74
Jan 31 2023 15:02:14.487277302 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2/%recv"
history_internal_str = "parent=imxplatform2"
history_internal_name = "clone swap"
history_dsid = 0x14dda
history_txg = 0x178bff
history_time = 0x63d91f66
time = 0x63d91f66 0x1d0b42f6
eid = 0x75
Jan 31 2023 15:02:14.487277302 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2@snapshot-bsync"
history_internal_str = " "
history_internal_name = "snapshot"
history_dsid = 0x191a9
history_txg = 0x178bff
history_time = 0x63d91f66
time = 0x63d91f66 0x1d0b42f6
eid = 0x76
Jan 31 2023 15:02:14.487277302 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2/%recv"
history_internal_str = "(bptree, mintxg=1526233)"
history_internal_name = "destroy"
history_dsid = 0x14dda
history_txg = 0x178bff
history_time = 0x63d91f66
time = 0x63d91f66 0x1d0b42f6
eid = 0x77
Jan 31 2023 15:02:14.747275130 sysevent.fs.zfs.history_event
version = 0x0
class = "sysevent.fs.zfs.history_event"
pool = "tank"
pool_guid = 0x854f49c908c53573
pool_state = 0x0
pool_context = 0x0
history_hostname = "host34"
history_dsname = "tank/containers/imxplatform2@snapshot-bsync-last"
history_internal_str = " "
history_internal_name = "destroy"
history_dsid = 0x14e9a
history_txg = 0x178c00
history_time = 0x63d91f66
time = 0x63d91f66 0x2c8a837a
eid = 0x78
```
|
defect
|
kernel hung tasks concurrent calls of async destroy may cause problems thank you for reporting an issue important please check our issue tracker before opening a new issue additional valuable information can be found in the openzfs documentation and mailing list archives please fill in as much of the template as possible system information type version name distribution name debian distribution version kernel version architecture openzfs version command to find openzfs version zfs version commands to find kernel version uname r linux freebsd version r freebsd describe the problem you re observing in a zfs sync of a source system to a target system the target system hangs in about of sync executions after zfs receive finished and a destroy command is executed seconds later proc sys kernel hung task timeout secs the kernel reports hung tasks in io scheduled wait on page bit common ssh sbin zfs send c l i tank containers snapshot bsync last tank containers snapshot bsync sbin zfs receive fu tank containers sbin zfs destroy tank containers snapshot bsync last i guess there may be a problem in an overlap of async destroy calls that may block each other on block cleanup as you can see in the detailed zfsdebug log below at timestamp in txg as part of the zfs receive there finally is a destroy operation that calls dsl process async destroys at the same timestamp the zfs destroy operation calls dsl process async destroys in txg that s why i introduced a sleep between both commands since that i didn t experience the problem anymore but it may be too early to judge ssh sbin zfs send c l i tank containers snapshot bsync last tank containers snapshot bsync sbin zfs receive fu tank containers sleep sbin zfs destroy tank containers snapshot bsync last btw is there a better approach to wait for some kind of disk flush of the async destroy cleanup instead of using sleep describe how to reproduce the problem i think setting up a loop with the following operations should reproduce the problem pseudo code while true ssh sourceserver dd random data to tank containers ssh sourceserver sbin zfs rename tank containers snapshot bsync snapshot bsync last ssh sourceserver sbin zfs snapshot tank containers bsync ssh sourceserver sbin zfs send c l i tank containers snapshot bsync last tank containers snapshot bsync sbin zfs receive fu tank containers sbin zfs destroy tank containers snapshot bsync last include any warning errors backtraces from the system logs important please mark logs and text output from terminal commands or else github will not display them correctly an example is provided below example this is an example how log text should be marked wrap it with zfsdebug spa history c spa history log sync txg rename tank containers snapshot bsync id snapshot bsync last spa history c spa history log sync command zfs rename tank containers snapshot bsync tank containers snapshot bsync last spa history c spa history log sync txg receive tank containers recv id spa history c spa history log sync txg finish receiving tank containers recv id snap snapshot bsync spa history c spa history log sync txg clone swap tank containers recv id parent spa history c spa history log sync txg snapshot tank containers snapshot bsync id spa history c spa history log sync txg destroy tank containers recv id bptree mintxg bptree c bptree iterate bptree index traversing from min txg bookmark dsl scan c dsl process async destroys freed blocks in from free bpobj bptree txg err spa history c spa history log sync command zfs receive fu tank containers zcp c zcp debug txg zcp snap tank containers snapshot bsync last errno spa history c spa history log sync txg destroy tank containers snapshot bsync last id dsl scan c dsl process async destroys freed blocks in from free bpobj bptree txg err spa history c spa history log sync ioctl destroy snaps spa history c spa history log sync command zfs destroy tank containers snapshot bsync last metaslab c metaslab condense condensing txg msp vdev id spa tank smp size segments forcing condense false metaslab c metaslab condense condensing txg msp vdev id spa tank smp size segments forcing condense false metaslab c metaslab condense condensing txg msp vdev id spa tank smp size segments forcing condense false kernel log br port entered blocking state br port entered forwarding state info task vm periodic tas blocked for more than seconds tainted p oe debian echo proc sys kernel hung task timeout secs disables this message task vm periodic tas state d stack pid ppid flags call trace schedule schedule io schedule wait on page bit common trace event raw event file check and advance wb err filemap page mkwrite do page mkwrite do wp page sched clock handle mm fault do user addr fault exc page fault asm exc page fault asm exc page fault rip rsp eflags rax rbx rcx rdx rsi rdi rbp info task kworker blocked for more than seconds tainted p oe debian echo proc sys kernel hung task timeout secs disables this message task kworker state d stack pid ppid flags workqueue writeback wb workfn flush zfs call trace schedule schedule io schedule wait on page bit common trace event raw event file check and advance wb err write cache pages zpl llseek sbitmap queue get elv rb del cond resched cond resched zpl writepages do writepages fprop reflect period percpu isra writeback single inode writeback sb inodes writeback inodes wb wb writeback wb workfn switch to asm process one work worker thread process one work kthread kthread bind mask ret from fork info task vm periodic tas blocked for more than seconds tainted p oe debian echo proc sys kernel hung task timeout secs disables this message task vm periodic tas state d stack pid ppid flags call trace schedule schedule io schedule wait on page bit common trace event raw event file check and advance wb err filemap page mkwrite do page mkwrite do wp page sched clock handle mm fault do user addr fault exc page fault asm exc page fault asm exc page fault rip rsp eflags rax rbx rcx rdx rsi rdi rbp info task kworker blocked for more than seconds tainted p oe debian echo proc sys kernel hung task timeout secs disables this message task kworker state d stack pid ppid flags workqueue writeback wb workfn flush zfs call trace schedule schedule io schedule wait on page bit common trace event raw event file check and advance wb err write cache pages zpl llseek sbitmap queue get elv rb del cond resched cond resched zpl writepages do writepages fprop reflect period percpu isra writeback single inode writeback sb inodes writeback inodes wb wb writeback wb workfn switch to asm process one work worker thread process one work kthread kthread bind mask ret from fork repeats zfs events jan sysevent fs zfs history event version class sysevent fs zfs history event pool tank pool guid pool state pool context history hostname history dsname tank containers snapshot bsync history internal str snapshot bsync last history internal name rename history dsid history txg history time time eid jan sysevent fs zfs history event version class sysevent fs zfs history event pool tank pool guid pool state pool context history hostname history dsname tank containers recv history internal str history internal name receive history dsid history txg history time time eid jan sysevent fs zfs history event version class sysevent fs zfs history event pool tank pool guid pool state pool context history hostname history dsname tank containers recv history internal str snap snapshot bsync history internal name finish receiving history dsid history txg history time time eid jan sysevent fs zfs history event version class sysevent fs zfs history event pool tank pool guid pool state pool context history hostname history dsname tank containers recv history internal str parent history internal name clone swap history dsid history txg history time time eid jan sysevent fs zfs history event version class sysevent fs zfs history event pool tank pool guid pool state pool context history hostname history dsname tank containers snapshot bsync history internal str history internal name snapshot history dsid history txg history time time eid jan sysevent fs zfs history event version class sysevent fs zfs history event pool tank pool guid pool state pool context history hostname history dsname tank containers recv history internal str bptree mintxg history internal name destroy history dsid history txg history time time eid jan sysevent fs zfs history event version class sysevent fs zfs history event pool tank pool guid pool state pool context history hostname history dsname tank containers snapshot bsync last history internal str history internal name destroy history dsid history txg history time time eid
| 1
|
48,969
| 13,185,175,865
|
IssuesEvent
|
2020-08-12 20:52:23
|
icecube-trac/tix3
|
https://api.github.com/repos/icecube-trac/tix3
|
opened
|
boost 1.38 delete issue with Release builds on Ubuntu 8.04 LTS (Trac #537)
|
IceTray Incomplete Migration Migrated from Trac defect
|
<details>
<summary><em>Migrated from https://code.icecube.wisc.edu/ticket/537
, reported by blaufuss and owned by troy</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2014-11-23T03:37:56",
"description": "Several tests failing with a Release build on Ubuntu 8.04 LTS and boost 1.38.00\n\nRecompling with RelWithDebInfo:\n\nStarting program: /usr/bin/python ./icetray/resources/scripts/decode_i3trayinfo.py \n...\nProgram received signal SIGSEGV, Segmentation fault.\n[Switching to Thread 0x7fe1147eb6e0 (LWP 2104)]\n0x00007fe1134b6b19 in boost::detail::sp_counted_impl_p<I3TrayInfo>::dispose (\n this=<value optimized out>)\n at /opt/users/blaufuss/i3tools/include/boost-1.38.0/boost/checked_delete.hpp:34\n34 delete x;\n\n",
"reporter": "blaufuss",
"cc": "",
"resolution": "fixed",
"_ts": "1416713876900096",
"component": "IceTray",
"summary": "boost 1.38 delete issue with Release builds on Ubuntu 8.04 LTS",
"priority": "normal",
"keywords": "",
"time": "2009-02-23T19:30:54",
"milestone": "",
"owner": "troy",
"type": "defect"
}
```
</p>
</details>
|
1.0
|
boost 1.38 delete issue with Release builds on Ubuntu 8.04 LTS (Trac #537) - <details>
<summary><em>Migrated from https://code.icecube.wisc.edu/ticket/537
, reported by blaufuss and owned by troy</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2014-11-23T03:37:56",
"description": "Several tests failing with a Release build on Ubuntu 8.04 LTS and boost 1.38.00\n\nRecompling with RelWithDebInfo:\n\nStarting program: /usr/bin/python ./icetray/resources/scripts/decode_i3trayinfo.py \n...\nProgram received signal SIGSEGV, Segmentation fault.\n[Switching to Thread 0x7fe1147eb6e0 (LWP 2104)]\n0x00007fe1134b6b19 in boost::detail::sp_counted_impl_p<I3TrayInfo>::dispose (\n this=<value optimized out>)\n at /opt/users/blaufuss/i3tools/include/boost-1.38.0/boost/checked_delete.hpp:34\n34 delete x;\n\n",
"reporter": "blaufuss",
"cc": "",
"resolution": "fixed",
"_ts": "1416713876900096",
"component": "IceTray",
"summary": "boost 1.38 delete issue with Release builds on Ubuntu 8.04 LTS",
"priority": "normal",
"keywords": "",
"time": "2009-02-23T19:30:54",
"milestone": "",
"owner": "troy",
"type": "defect"
}
```
</p>
</details>
|
defect
|
boost delete issue with release builds on ubuntu lts trac migrated from reported by blaufuss and owned by troy json status closed changetime description several tests failing with a release build on ubuntu lts and boost n nrecompling with relwithdebinfo n nstarting program usr bin python icetray resources scripts decode py n nprogram received signal sigsegv segmentation fault n in boost detail sp counted impl p dispose n this n at opt users blaufuss include boost boost checked delete hpp delete x n n reporter blaufuss cc resolution fixed ts component icetray summary boost delete issue with release builds on ubuntu lts priority normal keywords time milestone owner troy type defect
| 1
|
57,389
| 15,763,049,300
|
IssuesEvent
|
2021-03-31 11:47:30
|
luckyranger/opencab
|
https://api.github.com/repos/luckyranger/opencab
|
closed
|
Project
|
Priority-Medium Type-Defect auto-migrated
|
```
Are you guys still working on this project? I would be happy to join and help.
David
```
Original issue reported on code.google.com by `david.ge...@gmail.com` on 18 Feb 2013 at 11:37
|
1.0
|
Project - ```
Are you guys still working on this project? I would be happy to join and help.
David
```
Original issue reported on code.google.com by `david.ge...@gmail.com` on 18 Feb 2013 at 11:37
|
defect
|
project are you guys still working on this project i would be happy to join and help david original issue reported on code google com by david ge gmail com on feb at
| 1
|
35,088
| 7,551,534,964
|
IssuesEvent
|
2018-04-18 20:27:23
|
STEllAR-GROUP/phylanx
|
https://api.github.com/repos/STEllAR-GROUP/phylanx
|
opened
|
Multipule Function Calls Produces Errors
|
category: @Phylanx category: PhySL type: defect
|
The following code should print 6 (ie. [(1*2)+(2*2)]), however it prints 8
```
import phylanx
from phylanx.ast import *
@Phylanx("PhySL")
def func (a):
b = 0
b = a
b = b * 2
return b
@Phylanx("PhySL")
def foo (a, b):
aa = 0
bb = 0
aa = a
bb = b
return func(aa) + func(bb)
print(foo(1, 2))
```
|
1.0
|
Multipule Function Calls Produces Errors - The following code should print 6 (ie. [(1*2)+(2*2)]), however it prints 8
```
import phylanx
from phylanx.ast import *
@Phylanx("PhySL")
def func (a):
b = 0
b = a
b = b * 2
return b
@Phylanx("PhySL")
def foo (a, b):
aa = 0
bb = 0
aa = a
bb = b
return func(aa) + func(bb)
print(foo(1, 2))
```
|
defect
|
multipule function calls produces errors the following code should print ie however it prints import phylanx from phylanx ast import phylanx physl def func a b b a b b return b phylanx physl def foo a b aa bb aa a bb b return func aa func bb print foo
| 1
|
74,564
| 25,179,890,236
|
IssuesEvent
|
2022-11-11 12:42:19
|
scipy/scipy
|
https://api.github.com/repos/scipy/scipy
|
closed
|
BUG: Transposed CSR Matrix is no longer a CSR matrix type
|
defect scipy.sparse
|
### Describe your issue.
A CSR matrix is of CSR matrix type. But transposing it, the matrix becomes no longer a CSR Matrix type.
### Reproducing Code Example
```python
import numpy as np
from scipy.sparse import csr_matrix
m = csr_matrix((3, 4), dtype=np.int8)
print(isinstance(m, csr_matrix)) # True, as expected
print(isinstance(m.transpose(), csr_matrix)) # Should be true, but false!
```
### Error message
```shell
None see code example above
```
### SciPy/NumPy/Python version information
1.7.1 1.20.3 sys.version_info(major=3, minor=9, micro=7, releaselevel='final', serial=0)
|
1.0
|
BUG: Transposed CSR Matrix is no longer a CSR matrix type - ### Describe your issue.
A CSR matrix is of CSR matrix type. But transposing it, the matrix becomes no longer a CSR Matrix type.
### Reproducing Code Example
```python
import numpy as np
from scipy.sparse import csr_matrix
m = csr_matrix((3, 4), dtype=np.int8)
print(isinstance(m, csr_matrix)) # True, as expected
print(isinstance(m.transpose(), csr_matrix)) # Should be true, but false!
```
### Error message
```shell
None see code example above
```
### SciPy/NumPy/Python version information
1.7.1 1.20.3 sys.version_info(major=3, minor=9, micro=7, releaselevel='final', serial=0)
|
defect
|
bug transposed csr matrix is no longer a csr matrix type describe your issue a csr matrix is of csr matrix type but transposing it the matrix becomes no longer a csr matrix type reproducing code example python import numpy as np from scipy sparse import csr matrix m csr matrix dtype np print isinstance m csr matrix true as expected print isinstance m transpose csr matrix should be true but false error message shell none see code example above scipy numpy python version information sys version info major minor micro releaselevel final serial
| 1
|
255,536
| 21,933,374,364
|
IssuesEvent
|
2022-05-23 11:47:37
|
elastic/kibana
|
https://api.github.com/repos/elastic/kibana
|
closed
|
Failing test: Chrome X-Pack UI Functional Tests.x-pack/test/functional_with_es_ssl/apps/cases/view_case·ts - Cases View case actions "before all" hook for "deletes the case successfully"
|
failed-test Team:ResponseOps
|
A test failed on a tracked branch
```
Error: expected testSubject(case-view-title) to exist
at TestSubjects.existOrFail (/var/lib/buildkite-agent/builds/kb-n2-4-spot-90e5d8fe28b3f82c/elastic/kibana-on-merge/kibana/test/functional/services/common/test_subjects.ts:44:13)
at Object.goToFirstListedCase (test/functional/services/cases/list.ts:29:7)
at Context.<anonymous> (test/functional_with_es_ssl/apps/cases/view_case.ts:175:9)
at Object.apply (/var/lib/buildkite-agent/builds/kb-n2-4-spot-90e5d8fe28b3f82c/elastic/kibana-on-merge/kibana/node_modules/@kbn/test/target_node/functional_test_runner/lib/mocha/wrap_function.js:87:16)
```
First failure: [CI Build - main](https://buildkite.com/elastic/kibana-on-merge/builds/14336#cfb02760-28f6-4b6a-ba58-eeb5f6a81b45)
<!-- kibanaCiData = {"failed-test":{"test.class":"Chrome X-Pack UI Functional Tests.x-pack/test/functional_with_es_ssl/apps/cases/view_case·ts","test.name":"Cases View case actions \"before all\" hook for \"deletes the case successfully\"","test.failCount":2}} -->
|
1.0
|
Failing test: Chrome X-Pack UI Functional Tests.x-pack/test/functional_with_es_ssl/apps/cases/view_case·ts - Cases View case actions "before all" hook for "deletes the case successfully" - A test failed on a tracked branch
```
Error: expected testSubject(case-view-title) to exist
at TestSubjects.existOrFail (/var/lib/buildkite-agent/builds/kb-n2-4-spot-90e5d8fe28b3f82c/elastic/kibana-on-merge/kibana/test/functional/services/common/test_subjects.ts:44:13)
at Object.goToFirstListedCase (test/functional/services/cases/list.ts:29:7)
at Context.<anonymous> (test/functional_with_es_ssl/apps/cases/view_case.ts:175:9)
at Object.apply (/var/lib/buildkite-agent/builds/kb-n2-4-spot-90e5d8fe28b3f82c/elastic/kibana-on-merge/kibana/node_modules/@kbn/test/target_node/functional_test_runner/lib/mocha/wrap_function.js:87:16)
```
First failure: [CI Build - main](https://buildkite.com/elastic/kibana-on-merge/builds/14336#cfb02760-28f6-4b6a-ba58-eeb5f6a81b45)
<!-- kibanaCiData = {"failed-test":{"test.class":"Chrome X-Pack UI Functional Tests.x-pack/test/functional_with_es_ssl/apps/cases/view_case·ts","test.name":"Cases View case actions \"before all\" hook for \"deletes the case successfully\"","test.failCount":2}} -->
|
non_defect
|
failing test chrome x pack ui functional tests x pack test functional with es ssl apps cases view case·ts cases view case actions before all hook for deletes the case successfully a test failed on a tracked branch error expected testsubject case view title to exist at testsubjects existorfail var lib buildkite agent builds kb spot elastic kibana on merge kibana test functional services common test subjects ts at object gotofirstlistedcase test functional services cases list ts at context test functional with es ssl apps cases view case ts at object apply var lib buildkite agent builds kb spot elastic kibana on merge kibana node modules kbn test target node functional test runner lib mocha wrap function js first failure
| 0
|
169,477
| 26,809,440,108
|
IssuesEvent
|
2023-02-01 21:01:48
|
apache/superset
|
https://api.github.com/repos/apache/superset
|
closed
|
[Global] Revisit open menu on hover
|
inactive explore design:proposal
|
We DON't have to change the current behavior, just creating an issue in case this comment got slip through the cracks.
---
@rusackas I'm finding a case where hovering to show menu might have become an inconvenience:
https://user-images.githubusercontent.com/335541/108138715-6439ed80-7073-11eb-8233-e56ef5a99322.mp4
When saving chart, I wanted to click on the "Save" button, but if I move the mouse too fast, it will trigger open the hover menu and when I moved back to the position of the "Save" button and click, I would accidentally click on the menu and lost all my changes to the chart---which is quite annoying.
I'm wondering if we can:
1. Increase the size of the run button area---it could use a little bit more margin around the buttons.
2. Move SQL lab to the second menu item so the hover menu doesn't overlap with the buttons.
3. Add a delay to open the menu on hover?
to avoid users accidentally clicking on the hovered menu item. We can do one or all of these if they make sense to you.
cc @junlincc @mihir174
_Originally posted by @ktmud in https://github.com/apache/superset/issues/12025#issuecomment-780207617_
|
1.0
|
[Global] Revisit open menu on hover - We DON't have to change the current behavior, just creating an issue in case this comment got slip through the cracks.
---
@rusackas I'm finding a case where hovering to show menu might have become an inconvenience:
https://user-images.githubusercontent.com/335541/108138715-6439ed80-7073-11eb-8233-e56ef5a99322.mp4
When saving chart, I wanted to click on the "Save" button, but if I move the mouse too fast, it will trigger open the hover menu and when I moved back to the position of the "Save" button and click, I would accidentally click on the menu and lost all my changes to the chart---which is quite annoying.
I'm wondering if we can:
1. Increase the size of the run button area---it could use a little bit more margin around the buttons.
2. Move SQL lab to the second menu item so the hover menu doesn't overlap with the buttons.
3. Add a delay to open the menu on hover?
to avoid users accidentally clicking on the hovered menu item. We can do one or all of these if they make sense to you.
cc @junlincc @mihir174
_Originally posted by @ktmud in https://github.com/apache/superset/issues/12025#issuecomment-780207617_
|
non_defect
|
revisit open menu on hover we don t have to change the current behavior just creating an issue in case this comment got slip through the cracks rusackas i m finding a case where hovering to show menu might have become an inconvenience when saving chart i wanted to click on the save button but if i move the mouse too fast it will trigger open the hover menu and when i moved back to the position of the save button and click i would accidentally click on the menu and lost all my changes to the chart which is quite annoying i m wondering if we can increase the size of the run button area it could use a little bit more margin around the buttons move sql lab to the second menu item so the hover menu doesn t overlap with the buttons add a delay to open the menu on hover to avoid users accidentally clicking on the hovered menu item we can do one or all of these if they make sense to you cc junlincc originally posted by ktmud in
| 0
|
51,962
| 13,710,102,244
|
IssuesEvent
|
2020-10-02 00:01:37
|
argoproj/argo
|
https://api.github.com/repos/argoproj/argo
|
opened
|
Executor runAsNonRoot
|
enhancement security
|
# Summary
Currently the executor runs an root. It would be better to run as non-root.
```
securityContext:
runAsNonRoot: true
runAsUser: 8737
```
This does not work _with artifacts_ for PNS (in my POC) as PNS was not able to grab file handles needed to get files off the container. This works just fine if you do not use artifacts.
# Use Cases
Related to #1824
Related to #2671
---
<!-- Issue Author: Don't delete this message to encourage other users to support your issue! -->
**Message from the maintainers**:
Impacted by this bug? Give it a 👍. We prioritise the issues with the most 👍.
|
True
|
Executor runAsNonRoot - # Summary
Currently the executor runs an root. It would be better to run as non-root.
```
securityContext:
runAsNonRoot: true
runAsUser: 8737
```
This does not work _with artifacts_ for PNS (in my POC) as PNS was not able to grab file handles needed to get files off the container. This works just fine if you do not use artifacts.
# Use Cases
Related to #1824
Related to #2671
---
<!-- Issue Author: Don't delete this message to encourage other users to support your issue! -->
**Message from the maintainers**:
Impacted by this bug? Give it a 👍. We prioritise the issues with the most 👍.
|
non_defect
|
executor runasnonroot summary currently the executor runs an root it would be better to run as non root securitycontext runasnonroot true runasuser this does not work with artifacts for pns in my poc as pns was not able to grab file handles needed to get files off the container this works just fine if you do not use artifacts use cases related to related to message from the maintainers impacted by this bug give it a 👍 we prioritise the issues with the most 👍
| 0
|
77,094
| 26,770,424,753
|
IssuesEvent
|
2023-01-31 13:45:50
|
idaholab/moose
|
https://api.github.com/repos/idaholab/moose
|
opened
|
RunTime is not a registered object
|
T: defect P: normal
|
## Bug Description
I am running phase-field module example " [Fe-Cr Phase Decomposition](https://mooseframework.inl.gov/modules/phase_field/Tutorial.html)". At the 2nd step, it always reports error RunTime is not a registered object even if I modified ALL-MODULES=yes in Makefile and recompiled the project.
## Steps to Reproduce
I used the same input file as the 2nd step "Make a faster model" (https://mooseframework.inl.gov/modules/phase_field/Tutorial/Step2.html)
## Impact
I am new uses of moose and I have to conduct phase-field simulation in my project. This really slows down my learning process.
|
1.0
|
RunTime is not a registered object - ## Bug Description
I am running phase-field module example " [Fe-Cr Phase Decomposition](https://mooseframework.inl.gov/modules/phase_field/Tutorial.html)". At the 2nd step, it always reports error RunTime is not a registered object even if I modified ALL-MODULES=yes in Makefile and recompiled the project.
## Steps to Reproduce
I used the same input file as the 2nd step "Make a faster model" (https://mooseframework.inl.gov/modules/phase_field/Tutorial/Step2.html)
## Impact
I am new uses of moose and I have to conduct phase-field simulation in my project. This really slows down my learning process.
|
defect
|
runtime is not a registered object bug description i am running phase field module example at the step it always reports error runtime is not a registered object even if i modified all modules yes in makefile and recompiled the project steps to reproduce i used the same input file as the step make a faster model impact i am new uses of moose and i have to conduct phase field simulation in my project this really slows down my learning process
| 1
|
26,322
| 4,676,685,908
|
IssuesEvent
|
2016-10-07 12:50:33
|
phingofficial/phing-issues-test
|
https://api.github.com/repos/phingofficial/phing-issues-test
|
opened
|
phpunit2 classes do not implement all required methods for phpunit2-3.0.0 (Trac #32)
|
defect Incomplete Migration Migrated from Trac
|
Migrated from https://www.phing.info/trac/ticket/32
```json
{
"status": "closed",
"changetime": "2008-04-01T09:14:57",
"description": "C:\\vx\\tests\\unit>phing\nBuildfile: C:\\vx\\tests\\unit\\build.xml\n\nFatal error: Class XMLPHPUnit2ResultFormatter contains 1 abstract method and mus\nt therefore be declared abstract or implement the remaining methods (PHPUnit2_Fr\namework_TestListener::addSkippedTest) in c:\\php\\PEAR\\phing\\tasks\\ext\\phpunit2\\XM\nLPHPUnit2ResultFormatter.php on line 37\n\n ... SNIP ...\n\nFatal error: Class PlainPHPUnit2ResultFormatter contains 1 abstract method and m\nust therefore be declared abstract or implement the remaining methods (PHPUnit2_\nFramework_TestListener::addSkippedTest) in c:\\php\\PEAR\\phing\\tasks\\ext\\phpunit2\\\nPlainPHPUnit2ResultFormatter.php on line 116\n\n\n\nC:\\vx\\tests\\unit>pear list\nINSTALLED PACKAGES, CHANNEL PEAR.PHP.NET:\n=========================================\nPACKAGE VERSION STATE\nArchive_Tar 1.3.1 stable\nArchive_Zip 0.1.1 beta\nAuth_SASL 1.0.1 stable\nBenchmark 1.2.6 stable\nCache 1.5.4 stable\nCache_Lite 1.7.0 stable\nConfig 1.10.6 stable\nConsole_Getopt 1.2 stable\nConsole_Table 1.0.4 stable\nDB 1.7.6 stable\nDB_DataObject 1.8.4 stable\nDB_NestedSet 1.2.4 stable\nDate 1.4.6 stable\nFile 1.2.2 stable\nHTML_Common 1.2.2 stable\nHTML_Javascript 1.1.1 stable\nHTML_QuickForm 3.2.5 stable\nHTML_Template_Flexy 1.2.4 stable\nHTML_Template_Sigma 1.1.4 stable\nHTML_TreeMenu 1.2.0 stable\nHTTP 1.4.0 stable\nHTTP_Download 1.1.1 stable\nHTTP_Header 1.2.0 stable\nHTTP_Request 1.3.0 stable\nHTTP_Session2 0.2.0 alpha\nHTTP_SessionServer 0.5.0 alpha\nHTTP_Upload 0.9.1 stable\nImage_Canvas 0.2.4 alpha\nImage_Color 1.0.2 stable\nImage_Graph 0.7.1 alpha\nImage_GraphViz 1.1.0 stable\nImage_Transform 0.9.0 alpha\nLog 1.9.5 stable\nMDB2 2.0.1 stable\nMDB2_Driver_mysql 1.0.1 stable\nMIME_Type 1.0.0 stable\nMail 1.1.10 stable\nMail_Mime 1.3.1 stable\nNet_DIME 0.3 beta\nNet_SMS 0.0.2 beta\nNet_SMTP 1.2.8 stable\nNet_Server 0.12.0 alpha\nNet_Socket 1.0.6 stable\nNet_URL 1.0.14 stable\nNet_UserAgent_Detect 2.2.0 stable\nNumbers_Roman 0.2.0 stable\nNumbers_Words 0.14.0 beta\nPEAR 1.4.6 stable\nPEAR_Frontend_Web 0.4 beta\nPEAR_PackageFileManager 1.5.2 stable\nPHPUnit 1.3.2 stable\nPHPUnit2 3.0.0alpha2 alpha\nPHP_Beautifier 0.1.7 beta\nPHP_Compat 1.5.0 stable\nPHP_CompatInfo 1.0.0 stable\nPager 2.4.0 stable\nPhpDocumentor 1.3.0RC6 beta\nSOAP 0.9.1 beta\nServices_ABR 0.1.0 beta\nServices_OpenSearch 0.0.2 alpha\nSystem_Command 1.0.5 stable\nText_Diff 0.2.1 beta\nText_Highlighter 0.6.5 beta\nText_Password 1.1.0 stable\nText_Statistics 1.0 stable\nText_TeXHyphen 0.1.0 alpha\nValidate 0.6.1 beta\nValidate_AT 0.5.0 alpha\nValidate_AU 0.1.2 alpha\nXML_Beautifier 1.1 stable\nXML_DTD 0.4.2 alpha\nXML_FastCreate 1.0.3 stable\nXML_Feed_Parser 0.2.5alpha alpha\nXML_Feed_Writer 0.0.7 alpha\nXML_HTMLSax 2.1.2 stable\nXML_Parser 1.2.7 stable\nXML_RPC 1.4.8 stable\nXML_RSS 0.9.2 stable\nXML_Serializer 0.16.0 beta\nXML_Tree 2.0.0RC2 beta\nXML_Util 1.1.1 stable\nseagull 0.4.6 beta\n\n",
"reporter": "CloCkWeRX",
"cc": "",
"resolution": "fixed",
"_ts": "1207041297000000",
"component": "",
"summary": "phpunit2 classes do not implement all required methods for phpunit2-3.0.0",
"priority": "major",
"keywords": "",
"version": "2.2.0RC1",
"time": "2006-05-09T01:44:57",
"milestone": "2.2.0",
"owner": "",
"type": "defect"
}
```
|
1.0
|
phpunit2 classes do not implement all required methods for phpunit2-3.0.0 (Trac #32) - Migrated from https://www.phing.info/trac/ticket/32
```json
{
"status": "closed",
"changetime": "2008-04-01T09:14:57",
"description": "C:\\vx\\tests\\unit>phing\nBuildfile: C:\\vx\\tests\\unit\\build.xml\n\nFatal error: Class XMLPHPUnit2ResultFormatter contains 1 abstract method and mus\nt therefore be declared abstract or implement the remaining methods (PHPUnit2_Fr\namework_TestListener::addSkippedTest) in c:\\php\\PEAR\\phing\\tasks\\ext\\phpunit2\\XM\nLPHPUnit2ResultFormatter.php on line 37\n\n ... SNIP ...\n\nFatal error: Class PlainPHPUnit2ResultFormatter contains 1 abstract method and m\nust therefore be declared abstract or implement the remaining methods (PHPUnit2_\nFramework_TestListener::addSkippedTest) in c:\\php\\PEAR\\phing\\tasks\\ext\\phpunit2\\\nPlainPHPUnit2ResultFormatter.php on line 116\n\n\n\nC:\\vx\\tests\\unit>pear list\nINSTALLED PACKAGES, CHANNEL PEAR.PHP.NET:\n=========================================\nPACKAGE VERSION STATE\nArchive_Tar 1.3.1 stable\nArchive_Zip 0.1.1 beta\nAuth_SASL 1.0.1 stable\nBenchmark 1.2.6 stable\nCache 1.5.4 stable\nCache_Lite 1.7.0 stable\nConfig 1.10.6 stable\nConsole_Getopt 1.2 stable\nConsole_Table 1.0.4 stable\nDB 1.7.6 stable\nDB_DataObject 1.8.4 stable\nDB_NestedSet 1.2.4 stable\nDate 1.4.6 stable\nFile 1.2.2 stable\nHTML_Common 1.2.2 stable\nHTML_Javascript 1.1.1 stable\nHTML_QuickForm 3.2.5 stable\nHTML_Template_Flexy 1.2.4 stable\nHTML_Template_Sigma 1.1.4 stable\nHTML_TreeMenu 1.2.0 stable\nHTTP 1.4.0 stable\nHTTP_Download 1.1.1 stable\nHTTP_Header 1.2.0 stable\nHTTP_Request 1.3.0 stable\nHTTP_Session2 0.2.0 alpha\nHTTP_SessionServer 0.5.0 alpha\nHTTP_Upload 0.9.1 stable\nImage_Canvas 0.2.4 alpha\nImage_Color 1.0.2 stable\nImage_Graph 0.7.1 alpha\nImage_GraphViz 1.1.0 stable\nImage_Transform 0.9.0 alpha\nLog 1.9.5 stable\nMDB2 2.0.1 stable\nMDB2_Driver_mysql 1.0.1 stable\nMIME_Type 1.0.0 stable\nMail 1.1.10 stable\nMail_Mime 1.3.1 stable\nNet_DIME 0.3 beta\nNet_SMS 0.0.2 beta\nNet_SMTP 1.2.8 stable\nNet_Server 0.12.0 alpha\nNet_Socket 1.0.6 stable\nNet_URL 1.0.14 stable\nNet_UserAgent_Detect 2.2.0 stable\nNumbers_Roman 0.2.0 stable\nNumbers_Words 0.14.0 beta\nPEAR 1.4.6 stable\nPEAR_Frontend_Web 0.4 beta\nPEAR_PackageFileManager 1.5.2 stable\nPHPUnit 1.3.2 stable\nPHPUnit2 3.0.0alpha2 alpha\nPHP_Beautifier 0.1.7 beta\nPHP_Compat 1.5.0 stable\nPHP_CompatInfo 1.0.0 stable\nPager 2.4.0 stable\nPhpDocumentor 1.3.0RC6 beta\nSOAP 0.9.1 beta\nServices_ABR 0.1.0 beta\nServices_OpenSearch 0.0.2 alpha\nSystem_Command 1.0.5 stable\nText_Diff 0.2.1 beta\nText_Highlighter 0.6.5 beta\nText_Password 1.1.0 stable\nText_Statistics 1.0 stable\nText_TeXHyphen 0.1.0 alpha\nValidate 0.6.1 beta\nValidate_AT 0.5.0 alpha\nValidate_AU 0.1.2 alpha\nXML_Beautifier 1.1 stable\nXML_DTD 0.4.2 alpha\nXML_FastCreate 1.0.3 stable\nXML_Feed_Parser 0.2.5alpha alpha\nXML_Feed_Writer 0.0.7 alpha\nXML_HTMLSax 2.1.2 stable\nXML_Parser 1.2.7 stable\nXML_RPC 1.4.8 stable\nXML_RSS 0.9.2 stable\nXML_Serializer 0.16.0 beta\nXML_Tree 2.0.0RC2 beta\nXML_Util 1.1.1 stable\nseagull 0.4.6 beta\n\n",
"reporter": "CloCkWeRX",
"cc": "",
"resolution": "fixed",
"_ts": "1207041297000000",
"component": "",
"summary": "phpunit2 classes do not implement all required methods for phpunit2-3.0.0",
"priority": "major",
"keywords": "",
"version": "2.2.0RC1",
"time": "2006-05-09T01:44:57",
"milestone": "2.2.0",
"owner": "",
"type": "defect"
}
```
|
defect
|
classes do not implement all required methods for trac migrated from json status closed changetime description c vx tests unit phing nbuildfile c vx tests unit build xml n nfatal error class contains abstract method and mus nt therefore be declared abstract or implement the remaining methods fr namework testlistener addskippedtest in c php pear phing tasks ext xm php on line n n snip n nfatal error class contains abstract method and m nust therefore be declared abstract or implement the remaining methods nframework testlistener addskippedtest in c php pear phing tasks ext php on line n n n nc vx tests unit pear list ninstalled packages channel pear php net n npackage version state narchive tar stable narchive zip beta nauth sasl stable nbenchmark stable ncache stable ncache lite stable nconfig stable nconsole getopt stable nconsole table stable ndb stable ndb dataobject stable ndb nestedset stable ndate stable nfile stable nhtml common stable nhtml javascript stable nhtml quickform stable nhtml template flexy stable nhtml template sigma stable nhtml treemenu stable nhttp stable nhttp download stable nhttp header stable nhttp request stable nhttp alpha nhttp sessionserver alpha nhttp upload stable nimage canvas alpha nimage color stable nimage graph alpha nimage graphviz stable nimage transform alpha nlog stable stable driver mysql stable nmime type stable nmail stable nmail mime stable nnet dime beta nnet sms beta nnet smtp stable nnet server alpha nnet socket stable nnet url stable nnet useragent detect stable nnumbers roman stable nnumbers words beta npear stable npear frontend web beta npear packagefilemanager stable nphpunit stable alpha nphp beautifier beta nphp compat stable nphp compatinfo stable npager stable nphpdocumentor beta nsoap beta nservices abr beta nservices opensearch alpha nsystem command stable ntext diff beta ntext highlighter beta ntext password stable ntext statistics stable ntext texhyphen alpha nvalidate beta nvalidate at alpha nvalidate au alpha nxml beautifier stable nxml dtd alpha nxml fastcreate stable nxml feed parser alpha nxml feed writer alpha nxml htmlsax stable nxml parser stable nxml rpc stable nxml rss stable nxml serializer beta nxml tree beta nxml util stable nseagull beta n n reporter clockwerx cc resolution fixed ts component summary classes do not implement all required methods for priority major keywords version time milestone owner type defect
| 1
|
169,536
| 6,403,816,186
|
IssuesEvent
|
2017-08-06 22:07:46
|
a8cteam51/strikestart
|
https://api.github.com/repos/a8cteam51/strikestart
|
opened
|
Allow for repeatable input elements
|
enhancement medium-priority
|
So, for instance, the "words to describe your business":
<img src=https://user-images.githubusercontent.com/376315/29007465-c5a2390e-7afb-11e7-98c9-2a06d1510f66.png width="25%">
<img src=https://user-images.githubusercontent.com/376315/29007464-c5a1b9ca-7afb-11e7-9b03-0048284cebc3.png width="25%">
once you've filled all the available input boxes, another should appear until you're finished.
|
1.0
|
Allow for repeatable input elements - So, for instance, the "words to describe your business":
<img src=https://user-images.githubusercontent.com/376315/29007465-c5a2390e-7afb-11e7-98c9-2a06d1510f66.png width="25%">
<img src=https://user-images.githubusercontent.com/376315/29007464-c5a1b9ca-7afb-11e7-9b03-0048284cebc3.png width="25%">
once you've filled all the available input boxes, another should appear until you're finished.
|
non_defect
|
allow for repeatable input elements so for instance the words to describe your business once you ve filled all the available input boxes another should appear until you re finished
| 0
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.