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
1k
labels
stringlengths
4
1.38k
body
stringlengths
1
262k
index
stringclasses
16 values
text_combine
stringlengths
96
262k
label
stringclasses
2 values
text
stringlengths
96
252k
binary_label
int64
0
1
632,573
20,201,248,504
IssuesEvent
2022-02-11 15:27:45
craftercms/craftercms
https://api.github.com/repos/craftercms/craftercms
closed
[studio-ui] Make "Save & close" the default across the board
enhancement priority: medium
Save & close should be the default button for all places where it's implemented.
1.0
[studio-ui] Make "Save & close" the default across the board - Save & close should be the default button for all places where it's implemented.
priority
make save close the default across the board save close should be the default button for all places where it s implemented
1
515,767
14,969,033,019
IssuesEvent
2021-01-27 17:35:57
StingraySoftware/stingray
https://api.github.com/repos/StingraySoftware/stingray
closed
Powerspectrum is not calculated if Lightcurve attributes are vulnerable to little endian / big endian conflict
bug medium-priority
I recently run into a bug where after reading the lightcurve from a file I tried to create a Powerspectra and the following error was thrown: ```python ValueError: dtype >f8 not supported ``` From a little research on StackOverflow this happens because some computers have different definitions of what a double float resolution is. The lightcurve attributes `time` and `counts` were saved as arrays of type `>f8`. manually converting the `lc.time` and `lc.counts` to an array with `dtype=float` solved the problem for me. We should either 1) make this conversion inside the Powerspectrum code, or when storing the Lightcurve values or 2) make the Powerspectrum code compatible with `>f8`. Aparently from the full error log below, `scipy.fftpack` needs a native float type to work, so I believe option 1) is the best one ERROR LOG === ```python --------------------------------------------------------------------------- KeyError Traceback (most recent call last) ~/anaconda3/lib/python3.6/site-packages/scipy/fftpack/basic.py in fft(x, n, axis, overwrite_x) 261 try: --> 262 work_function = _DTYPE_TO_FFT[tmp.dtype] 263 except KeyError: KeyError: dtype('>f8') During handling of the above exception, another exception occurred: ValueError Traceback (most recent call last) <ipython-input-18-1daa50ea0335> in <module>() ----> 1 pd = stingray.AveragedPowerspectrum(slc, segment_size=16, norm='leahy') ~/stingray/build/lib.linux-x86_64-3.6/stingray/powerspectrum.py in __init__(self, lc, segment_size, norm, gti) 408 self.segment_size = segment_size 409 --> 410 Powerspectrum.__init__(self, lc, norm, gti=gti) 411 412 return ~/stingray/build/lib.linux-x86_64-3.6/stingray/powerspectrum.py in __init__(self, lc, norm, gti) 174 """ 175 --> 176 Crossspectrum.__init__(self, lc1=lc, lc2=lc, norm=norm, gti=gti) 177 self.nphots = self.nphots1 178 ~/stingray/build/lib.linux-x86_64-3.6/stingray/crossspectrum.py in __init__(self, lc1, lc2, norm, gti) 131 self.lc2 = lc2 132 --> 133 self._make_crossspectrum(lc1, lc2) 134 # These are needed to calculate coherence 135 self._make_auxil_pds(lc1, lc2) ~/stingray/build/lib.linux-x86_64-3.6/stingray/crossspectrum.py in _make_crossspectrum(self, lc1, lc2) 651 elif self.type == "powerspectrum": 652 self.cs_all, nphots1_all = \ --> 653 self._make_segment_spectrum(lc1, self.segment_size) 654 655 else: ~/stingray/build/lib.linux-x86_64-3.6/stingray/powerspectrum.py in _make_segment_spectrum(self, lc, segment_size) 432 lc_seg = lightcurve.Lightcurve(time, counts, err=counts_err, 433 err_dist=lc.err_dist.lower()) --> 434 power_seg = Powerspectrum(lc_seg, norm=self.norm) 435 power_all.append(power_seg) 436 nphots_all.append(np.sum(lc_seg.counts)) ~/stingray/build/lib.linux-x86_64-3.6/stingray/powerspectrum.py in __init__(self, lc, norm, gti) 174 """ 175 --> 176 Crossspectrum.__init__(self, lc1=lc, lc2=lc, norm=norm, gti=gti) 177 self.nphots = self.nphots1 178 ~/stingray/build/lib.linux-x86_64-3.6/stingray/crossspectrum.py in __init__(self, lc1, lc2, norm, gti) 131 self.lc2 = lc2 132 --> 133 self._make_crossspectrum(lc1, lc2) 134 # These are needed to calculate coherence 135 self._make_auxil_pds(lc1, lc2) ~/stingray/build/lib.linux-x86_64-3.6/stingray/crossspectrum.py in _make_crossspectrum(self, lc1, lc2) 198 199 # make the actual Fourier transform and compute cross spectrum --> 200 self.freq, self.unnorm_power = self._fourier_cross(lc1, lc2) 201 202 # If co-spectrum is desired, normalize here. Otherwise, get raw back ~/stingray/build/lib.linux-x86_64-3.6/stingray/crossspectrum.py in _fourier_cross(self, lc1, lc2) 250 251 """ --> 252 fourier_1 = scipy.fftpack.fft(lc1.counts) # do Fourier transform 1 253 fourier_2 = scipy.fftpack.fft(lc2.counts) # do Fourier transform 2 254 ~/anaconda3/lib/python3.6/site-packages/scipy/fftpack/basic.py in fft(x, n, axis, overwrite_x) 262 work_function = _DTYPE_TO_FFT[tmp.dtype] 263 except KeyError: --> 264 raise ValueError("type %s is not supported" % tmp.dtype) 265 266 if not (istype(tmp, numpy.complex64) or istype(tmp, numpy.complex128)): ValueError: type >f8 is not supported ```
1.0
Powerspectrum is not calculated if Lightcurve attributes are vulnerable to little endian / big endian conflict - I recently run into a bug where after reading the lightcurve from a file I tried to create a Powerspectra and the following error was thrown: ```python ValueError: dtype >f8 not supported ``` From a little research on StackOverflow this happens because some computers have different definitions of what a double float resolution is. The lightcurve attributes `time` and `counts` were saved as arrays of type `>f8`. manually converting the `lc.time` and `lc.counts` to an array with `dtype=float` solved the problem for me. We should either 1) make this conversion inside the Powerspectrum code, or when storing the Lightcurve values or 2) make the Powerspectrum code compatible with `>f8`. Aparently from the full error log below, `scipy.fftpack` needs a native float type to work, so I believe option 1) is the best one ERROR LOG === ```python --------------------------------------------------------------------------- KeyError Traceback (most recent call last) ~/anaconda3/lib/python3.6/site-packages/scipy/fftpack/basic.py in fft(x, n, axis, overwrite_x) 261 try: --> 262 work_function = _DTYPE_TO_FFT[tmp.dtype] 263 except KeyError: KeyError: dtype('>f8') During handling of the above exception, another exception occurred: ValueError Traceback (most recent call last) <ipython-input-18-1daa50ea0335> in <module>() ----> 1 pd = stingray.AveragedPowerspectrum(slc, segment_size=16, norm='leahy') ~/stingray/build/lib.linux-x86_64-3.6/stingray/powerspectrum.py in __init__(self, lc, segment_size, norm, gti) 408 self.segment_size = segment_size 409 --> 410 Powerspectrum.__init__(self, lc, norm, gti=gti) 411 412 return ~/stingray/build/lib.linux-x86_64-3.6/stingray/powerspectrum.py in __init__(self, lc, norm, gti) 174 """ 175 --> 176 Crossspectrum.__init__(self, lc1=lc, lc2=lc, norm=norm, gti=gti) 177 self.nphots = self.nphots1 178 ~/stingray/build/lib.linux-x86_64-3.6/stingray/crossspectrum.py in __init__(self, lc1, lc2, norm, gti) 131 self.lc2 = lc2 132 --> 133 self._make_crossspectrum(lc1, lc2) 134 # These are needed to calculate coherence 135 self._make_auxil_pds(lc1, lc2) ~/stingray/build/lib.linux-x86_64-3.6/stingray/crossspectrum.py in _make_crossspectrum(self, lc1, lc2) 651 elif self.type == "powerspectrum": 652 self.cs_all, nphots1_all = \ --> 653 self._make_segment_spectrum(lc1, self.segment_size) 654 655 else: ~/stingray/build/lib.linux-x86_64-3.6/stingray/powerspectrum.py in _make_segment_spectrum(self, lc, segment_size) 432 lc_seg = lightcurve.Lightcurve(time, counts, err=counts_err, 433 err_dist=lc.err_dist.lower()) --> 434 power_seg = Powerspectrum(lc_seg, norm=self.norm) 435 power_all.append(power_seg) 436 nphots_all.append(np.sum(lc_seg.counts)) ~/stingray/build/lib.linux-x86_64-3.6/stingray/powerspectrum.py in __init__(self, lc, norm, gti) 174 """ 175 --> 176 Crossspectrum.__init__(self, lc1=lc, lc2=lc, norm=norm, gti=gti) 177 self.nphots = self.nphots1 178 ~/stingray/build/lib.linux-x86_64-3.6/stingray/crossspectrum.py in __init__(self, lc1, lc2, norm, gti) 131 self.lc2 = lc2 132 --> 133 self._make_crossspectrum(lc1, lc2) 134 # These are needed to calculate coherence 135 self._make_auxil_pds(lc1, lc2) ~/stingray/build/lib.linux-x86_64-3.6/stingray/crossspectrum.py in _make_crossspectrum(self, lc1, lc2) 198 199 # make the actual Fourier transform and compute cross spectrum --> 200 self.freq, self.unnorm_power = self._fourier_cross(lc1, lc2) 201 202 # If co-spectrum is desired, normalize here. Otherwise, get raw back ~/stingray/build/lib.linux-x86_64-3.6/stingray/crossspectrum.py in _fourier_cross(self, lc1, lc2) 250 251 """ --> 252 fourier_1 = scipy.fftpack.fft(lc1.counts) # do Fourier transform 1 253 fourier_2 = scipy.fftpack.fft(lc2.counts) # do Fourier transform 2 254 ~/anaconda3/lib/python3.6/site-packages/scipy/fftpack/basic.py in fft(x, n, axis, overwrite_x) 262 work_function = _DTYPE_TO_FFT[tmp.dtype] 263 except KeyError: --> 264 raise ValueError("type %s is not supported" % tmp.dtype) 265 266 if not (istype(tmp, numpy.complex64) or istype(tmp, numpy.complex128)): ValueError: type >f8 is not supported ```
priority
powerspectrum is not calculated if lightcurve attributes are vulnerable to little endian big endian conflict i recently run into a bug where after reading the lightcurve from a file i tried to create a powerspectra and the following error was thrown python valueerror dtype not supported from a little research on stackoverflow this happens because some computers have different definitions of what a double float resolution is the lightcurve attributes time and counts were saved as arrays of type manually converting the lc time and lc counts to an array with dtype float solved the problem for me we should either make this conversion inside the powerspectrum code or when storing the lightcurve values or make the powerspectrum code compatible with aparently from the full error log below scipy fftpack needs a native float type to work so i believe option is the best one error log python keyerror traceback most recent call last lib site packages scipy fftpack basic py in fft x n axis overwrite x try work function dtype to fft except keyerror keyerror dtype during handling of the above exception another exception occurred valueerror traceback most recent call last in pd stingray averagedpowerspectrum slc segment size norm leahy stingray build lib linux stingray powerspectrum py in init self lc segment size norm gti self segment size segment size powerspectrum init self lc norm gti gti return stingray build lib linux stingray powerspectrum py in init self lc norm gti crossspectrum init self lc lc norm norm gti gti self nphots self stingray build lib linux stingray crossspectrum py in init self norm gti self self make crossspectrum these are needed to calculate coherence self make auxil pds stingray build lib linux stingray crossspectrum py in make crossspectrum self elif self type powerspectrum self cs all all self make segment spectrum self segment size else stingray build lib linux stingray powerspectrum py in make segment spectrum self lc segment size lc seg lightcurve lightcurve time counts err counts err err dist lc err dist lower power seg powerspectrum lc seg norm self norm power all append power seg nphots all append np sum lc seg counts stingray build lib linux stingray powerspectrum py in init self lc norm gti crossspectrum init self lc lc norm norm gti gti self nphots self stingray build lib linux stingray crossspectrum py in init self norm gti self self make crossspectrum these are needed to calculate coherence self make auxil pds stingray build lib linux stingray crossspectrum py in make crossspectrum self make the actual fourier transform and compute cross spectrum self freq self unnorm power self fourier cross if co spectrum is desired normalize here otherwise get raw back stingray build lib linux stingray crossspectrum py in fourier cross self fourier scipy fftpack fft counts do fourier transform fourier scipy fftpack fft counts do fourier transform lib site packages scipy fftpack basic py in fft x n axis overwrite x work function dtype to fft except keyerror raise valueerror type s is not supported tmp dtype if not istype tmp numpy or istype tmp numpy valueerror type is not supported
1
7,692
4,043,841,442
IssuesEvent
2016-05-21 00:24:14
cmura81/DF
https://api.github.com/repos/cmura81/DF
closed
Write exception::printMessage() and exception::printBacktrace()
needs-building
Write these once IO module has an exit() function and I have a LoaderKernel
1.0
Write exception::printMessage() and exception::printBacktrace() - Write these once IO module has an exit() function and I have a LoaderKernel
non_priority
write exception printmessage and exception printbacktrace write these once io module has an exit function and i have a loaderkernel
0
786,988
27,700,903,803
IssuesEvent
2023-03-14 07:56:02
rts-cmk-wu07/svendeprove-cookieman2002
https://api.github.com/repos/rts-cmk-wu07/svendeprove-cookieman2002
opened
aktivitets detajler page
top priority
you can see who is signed up or you can sign up if you are normal user
1.0
aktivitets detajler page - you can see who is signed up or you can sign up if you are normal user
priority
aktivitets detajler page you can see who is signed up or you can sign up if you are normal user
1
215,633
24,190,837,297
IssuesEvent
2022-09-23 17:24:11
Gal-Doron/Remediate-missing-PR-2
https://api.github.com/repos/Gal-Doron/Remediate-missing-PR-2
closed
CVE-2020-28473 (Medium) detected in bottle-0.12.18-py3-none-any.whl - autoclosed
security vulnerability
## CVE-2020-28473 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>bottle-0.12.18-py3-none-any.whl</b></p></summary> <p>Fast and simple WSGI-framework for small web-applications.</p> <p>Library home page: <a href="https://files.pythonhosted.org/packages/e9/39/2bf3a1fd963e749cdbe5036a184eda8c37d8af25d1297d94b8b7aeec17c4/bottle-0.12.18-py3-none-any.whl">https://files.pythonhosted.org/packages/e9/39/2bf3a1fd963e749cdbe5036a184eda8c37d8af25d1297d94b8b7aeec17c4/bottle-0.12.18-py3-none-any.whl</a></p> <p>Path to dependency file: /requirements.txt</p> <p>Path to vulnerable library: /requirements.txt</p> <p> Dependency Hierarchy: - :x: **bottle-0.12.18-py3-none-any.whl** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/Gal-Doron/Remediate-missing-PR-2/commit/85f56e10156087bb76d88c8d68df7a3498c64cd7">85f56e10156087bb76d88c8d68df7a3498c64cd7</a></p> <p>Found in base branch: <b>main</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> The package bottle from 0 and before 0.12.19 are vulnerable to Web Cache Poisoning by using a vector called parameter cloaking. When the attacker can separate query parameters using a semicolon (;), they can cause a difference in the interpretation of the request between the proxy (running with default configuration) and the server. This can result in malicious requests being cached as completely safe ones, as the proxy would usually not see the semicolon as a separator, and therefore would not include it in a cache key of an unkeyed parameter. <p>Publish Date: 2021-01-18 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-28473>CVE-2020-28473</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.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - 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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-28473">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-28473</a></p> <p>Release Date: 2021-01-18</p> <p>Fix Resolution: 0.12.19</p> </p> </details> <p></p> *** :rescue_worker_helmet: Automatic Remediation is available for this issue
True
CVE-2020-28473 (Medium) detected in bottle-0.12.18-py3-none-any.whl - autoclosed - ## CVE-2020-28473 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>bottle-0.12.18-py3-none-any.whl</b></p></summary> <p>Fast and simple WSGI-framework for small web-applications.</p> <p>Library home page: <a href="https://files.pythonhosted.org/packages/e9/39/2bf3a1fd963e749cdbe5036a184eda8c37d8af25d1297d94b8b7aeec17c4/bottle-0.12.18-py3-none-any.whl">https://files.pythonhosted.org/packages/e9/39/2bf3a1fd963e749cdbe5036a184eda8c37d8af25d1297d94b8b7aeec17c4/bottle-0.12.18-py3-none-any.whl</a></p> <p>Path to dependency file: /requirements.txt</p> <p>Path to vulnerable library: /requirements.txt</p> <p> Dependency Hierarchy: - :x: **bottle-0.12.18-py3-none-any.whl** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/Gal-Doron/Remediate-missing-PR-2/commit/85f56e10156087bb76d88c8d68df7a3498c64cd7">85f56e10156087bb76d88c8d68df7a3498c64cd7</a></p> <p>Found in base branch: <b>main</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> The package bottle from 0 and before 0.12.19 are vulnerable to Web Cache Poisoning by using a vector called parameter cloaking. When the attacker can separate query parameters using a semicolon (;), they can cause a difference in the interpretation of the request between the proxy (running with default configuration) and the server. This can result in malicious requests being cached as completely safe ones, as the proxy would usually not see the semicolon as a separator, and therefore would not include it in a cache key of an unkeyed parameter. <p>Publish Date: 2021-01-18 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-28473>CVE-2020-28473</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.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - 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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-28473">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-28473</a></p> <p>Release Date: 2021-01-18</p> <p>Fix Resolution: 0.12.19</p> </p> </details> <p></p> *** :rescue_worker_helmet: Automatic Remediation is available for this issue
non_priority
cve medium detected in bottle none any whl autoclosed cve medium severity vulnerability vulnerable library bottle none any whl fast and simple wsgi framework for small web applications library home page a href path to dependency file requirements txt path to vulnerable library requirements txt dependency hierarchy x bottle none any whl vulnerable library found in head commit a href found in base branch main vulnerability details the package bottle from and before are vulnerable to web cache poisoning by using a vector called parameter cloaking when the attacker can separate query parameters using a semicolon they can cause a difference in the interpretation of the request between the proxy running with default configuration and the server this can result in malicious requests being cached as completely safe ones as the proxy would usually not see the semicolon as a separator and therefore would not include it in a cache key of an unkeyed parameter publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity high privileges required none user interaction required scope unchanged impact metrics confidentiality impact none 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 rescue worker helmet automatic remediation is available for this issue
0
241,972
18,506,509,747
IssuesEvent
2021-10-19 19:18:02
ICEI-PUC-Minas-PMV-ADS/pmv-ads-2021-2-e1-proj-web-t3-voluntariando
https://api.github.com/repos/ICEI-PUC-Minas-PMV-ADS/pmv-ads-2021-2-e1-proj-web-t3-voluntariando
closed
[doc] DOCUMENTAÇÃO DE CONTEXTO
documentation
- [x] Introdução - [x] Problema - [x] Objetivos - [x] Justificativa - [x] Público alvo
1.0
[doc] DOCUMENTAÇÃO DE CONTEXTO - - [x] Introdução - [x] Problema - [x] Objetivos - [x] Justificativa - [x] Público alvo
non_priority
documentação de contexto introdução problema objetivos justificativa público alvo
0
25,380
12,238,769,425
IssuesEvent
2020-05-04 20:24:14
Azure/azure-sdk-for-python
https://api.github.com/repos/Azure/azure-sdk-for-python
closed
How to unpack detect_with_stream
Cognitive Services needs-attention question
How can I print the contents of my response from `detect_with_stream`, in this case the `emotion` attribute? ``` detected_faces_details = face_client.face.detect_with_stream( open((os.path.join("img/test-faces.jpg")),'r+b'), return_face_attributes=['emotion']) ``` `detected_faces_details` is only printing my two faces in `test-faces.jpg` in this manner: ``` [<azure.cognitiveservices.vision.face.models._models_py3.DetectedFace at 0x1e20ec06648>, <azure.cognitiveservices.vision.face.models._models_py3.DetectedFace at 0x1e20ec063c8>] ```
1.0
How to unpack detect_with_stream - How can I print the contents of my response from `detect_with_stream`, in this case the `emotion` attribute? ``` detected_faces_details = face_client.face.detect_with_stream( open((os.path.join("img/test-faces.jpg")),'r+b'), return_face_attributes=['emotion']) ``` `detected_faces_details` is only printing my two faces in `test-faces.jpg` in this manner: ``` [<azure.cognitiveservices.vision.face.models._models_py3.DetectedFace at 0x1e20ec06648>, <azure.cognitiveservices.vision.face.models._models_py3.DetectedFace at 0x1e20ec063c8>] ```
non_priority
how to unpack detect with stream how can i print the contents of my response from detect with stream in this case the emotion attribute detected faces details face client face detect with stream open os path join img test faces jpg r b return face attributes detected faces details is only printing my two faces in test faces jpg in this manner
0
306,910
23,175,523,437
IssuesEvent
2022-07-31 11:09:14
SafeHouse-Studios/Foxhole-Conquest
https://api.github.com/repos/SafeHouse-Studios/Foxhole-Conquest
opened
Generic Engineering Tech Mechanics
documentation Programming Issue
**IN ORDER TO COMPLETE THIS TASK:** Issue #161 must be completed as well as the details design document for the generic engineering tech tab. **Task Details:** Complete the mechanics for all items on the generic engineering tech tab. Ensure you fill in all requirements for production as well as completing the effects of research completion. Also ensure to create and attach any related template designs required by the tech designs. If any details of the designs are missing or incomplete please inform the Mod Manager. **Documentation:** [Generic Tech Tree Details Document](https://app.diagrams.net/#G1KpwBdQCgel3UojdgSOWp2gL967jJ6XFw) **Tutorial:** Not assigned.
1.0
Generic Engineering Tech Mechanics - **IN ORDER TO COMPLETE THIS TASK:** Issue #161 must be completed as well as the details design document for the generic engineering tech tab. **Task Details:** Complete the mechanics for all items on the generic engineering tech tab. Ensure you fill in all requirements for production as well as completing the effects of research completion. Also ensure to create and attach any related template designs required by the tech designs. If any details of the designs are missing or incomplete please inform the Mod Manager. **Documentation:** [Generic Tech Tree Details Document](https://app.diagrams.net/#G1KpwBdQCgel3UojdgSOWp2gL967jJ6XFw) **Tutorial:** Not assigned.
non_priority
generic engineering tech mechanics in order to complete this task issue must be completed as well as the details design document for the generic engineering tech tab task details complete the mechanics for all items on the generic engineering tech tab ensure you fill in all requirements for production as well as completing the effects of research completion also ensure to create and attach any related template designs required by the tech designs if any details of the designs are missing or incomplete please inform the mod manager documentation tutorial not assigned
0
709,310
24,373,230,974
IssuesEvent
2022-10-03 21:19:37
GoogleCloudPlatform/java-docs-samples
https://api.github.com/repos/GoogleCloudPlatform/java-docs-samples
closed
com.example.stitcher.CreateSlateTest: test_CreateSlate failed
type: bug priority: p1 samples flakybot: issue flakybot: flaky api: videostitcher
This test failed! To configure my behavior, see [the Flaky Bot documentation](https://github.com/googleapis/repo-automation-bots/tree/main/packages/flakybot). If I'm commenting on this issue too often, add the `flakybot: quiet` label and I will stop commenting. --- commit: cd5c44816a0895cc7fe482e444ebedb9b9c9e183 buildURL: [Build Status](https://source.cloud.google.com/results/invocations/6bcffd72-70d9-4eb0-908a-049298ee0fb1), [Sponge](http://sponge2/6bcffd72-70d9-4eb0-908a-049298ee0fb1) status: failed <details><summary>Test output</summary><br><pre>com.google.api.gax.rpc.UnavailableException: io.grpc.StatusRuntimeException: UNAVAILABLE: Authentication backend unavailable. at com.google.api.gax.rpc.ApiExceptionFactory.createException(ApiExceptionFactory.java:112) at com.google.api.gax.rpc.ApiExceptionFactory.createException(ApiExceptionFactory.java:41) at com.google.api.gax.grpc.GrpcApiExceptionFactory.create(GrpcApiExceptionFactory.java:86) at com.google.api.gax.grpc.GrpcApiExceptionFactory.create(GrpcApiExceptionFactory.java:66) at com.google.api.gax.grpc.GrpcExceptionCallable$ExceptionTransformingFuture.onFailure(GrpcExceptionCallable.java:97) at com.google.api.core.ApiFutures$1.onFailure(ApiFutures.java:67) at com.google.common.util.concurrent.Futures$CallbackListener.run(Futures.java:1132) at com.google.common.util.concurrent.DirectExecutor.execute(DirectExecutor.java:31) at com.google.common.util.concurrent.AbstractFuture.executeListener(AbstractFuture.java:1270) at com.google.common.util.concurrent.AbstractFuture.complete(AbstractFuture.java:1038) at com.google.common.util.concurrent.AbstractFuture.setException(AbstractFuture.java:808) at io.grpc.stub.ClientCalls$GrpcFuture.setException(ClientCalls.java:563) at io.grpc.stub.ClientCalls$UnaryStreamToFuture.onClose(ClientCalls.java:533) at io.grpc.PartialForwardingClientCallListener.onClose(PartialForwardingClientCallListener.java:39) at io.grpc.ForwardingClientCallListener.onClose(ForwardingClientCallListener.java:23) at io.grpc.ForwardingClientCallListener$SimpleForwardingClientCallListener.onClose(ForwardingClientCallListener.java:40) at com.google.api.gax.grpc.ChannelPool$ReleasingClientCall$1.onClose(ChannelPool.java:535) at io.grpc.internal.DelayedClientCall$DelayedListener$3.run(DelayedClientCall.java:463) at io.grpc.internal.DelayedClientCall$DelayedListener.delayOrExecute(DelayedClientCall.java:427) at io.grpc.internal.DelayedClientCall$DelayedListener.onClose(DelayedClientCall.java:460) at io.grpc.internal.ClientCallImpl.closeObserver(ClientCallImpl.java:562) at io.grpc.internal.ClientCallImpl.access$300(ClientCallImpl.java:70) at io.grpc.internal.ClientCallImpl$ClientStreamListenerImpl$1StreamClosed.runInternal(ClientCallImpl.java:743) at io.grpc.internal.ClientCallImpl$ClientStreamListenerImpl$1StreamClosed.runInContext(ClientCallImpl.java:722) at io.grpc.internal.ContextRunnable.run(ContextRunnable.java:37) at io.grpc.internal.SerializingExecutor.run(SerializingExecutor.java:133) at java.base/java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1136) at java.base/java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:635) at java.base/java.lang.Thread.run(Thread.java:833) Suppressed: com.google.api.gax.rpc.AsyncTaskException: Asynchronous task failed at com.google.api.gax.rpc.ApiExceptions.callAndTranslateApiException(ApiExceptions.java:57) at com.google.api.gax.rpc.UnaryCallable.call(UnaryCallable.java:112) at com.google.cloud.video.stitcher.v1.VideoStitcherServiceClient.deleteSlate(VideoStitcherServiceClient.java:2192) at com.example.stitcher.DeleteSlate.deleteSlate(DeleteSlate.java:49) at com.example.stitcher.CreateSlateTest.tearDown(CreateSlateTest.java:86) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) at java.base/jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.base/java.lang.reflect.Method.invoke(Method.java:568) at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:59) at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12) at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:56) at org.junit.internal.runners.statements.RunAfters.invokeMethod(RunAfters.java:46) at org.junit.internal.runners.statements.RunAfters.evaluate(RunAfters.java:33) at org.junit.runners.ParentRunner$3.evaluate(ParentRunner.java:306) at org.junit.runners.BlockJUnit4ClassRunner$1.evaluate(BlockJUnit4ClassRunner.java:100) at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:366) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:103) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:63) at org.junit.runners.ParentRunner$4.run(ParentRunner.java:331) at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:79) at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:329) at org.junit.runners.ParentRunner.access$100(ParentRunner.java:66) at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:293) at org.junit.internal.runners.statements.RunBefores.evaluate(RunBefores.java:26) at org.junit.runners.ParentRunner$3.evaluate(ParentRunner.java:306) at org.junit.runners.ParentRunner.run(ParentRunner.java:413) at org.apache.maven.surefire.junit4.JUnit4Provider.execute(JUnit4Provider.java:364) at org.apache.maven.surefire.junit4.JUnit4Provider.executeWithRerun(JUnit4Provider.java:272) at org.apache.maven.surefire.junit4.JUnit4Provider.executeTestSet(JUnit4Provider.java:237) at org.apache.maven.surefire.junit4.JUnit4Provider.invoke(JUnit4Provider.java:158) at org.apache.maven.surefire.booter.ForkedBooter.runSuitesInProcess(ForkedBooter.java:428) at org.apache.maven.surefire.booter.ForkedBooter.execute(ForkedBooter.java:162) at org.apache.maven.surefire.booter.ForkedBooter.run(ForkedBooter.java:562) at org.apache.maven.surefire.booter.ForkedBooter.main(ForkedBooter.java:548) Caused by: io.grpc.StatusRuntimeException: UNAVAILABLE: Authentication backend unavailable. at io.grpc.Status.asRuntimeException(Status.java:535) ... 17 more </pre></details>
1.0
com.example.stitcher.CreateSlateTest: test_CreateSlate failed - This test failed! To configure my behavior, see [the Flaky Bot documentation](https://github.com/googleapis/repo-automation-bots/tree/main/packages/flakybot). If I'm commenting on this issue too often, add the `flakybot: quiet` label and I will stop commenting. --- commit: cd5c44816a0895cc7fe482e444ebedb9b9c9e183 buildURL: [Build Status](https://source.cloud.google.com/results/invocations/6bcffd72-70d9-4eb0-908a-049298ee0fb1), [Sponge](http://sponge2/6bcffd72-70d9-4eb0-908a-049298ee0fb1) status: failed <details><summary>Test output</summary><br><pre>com.google.api.gax.rpc.UnavailableException: io.grpc.StatusRuntimeException: UNAVAILABLE: Authentication backend unavailable. at com.google.api.gax.rpc.ApiExceptionFactory.createException(ApiExceptionFactory.java:112) at com.google.api.gax.rpc.ApiExceptionFactory.createException(ApiExceptionFactory.java:41) at com.google.api.gax.grpc.GrpcApiExceptionFactory.create(GrpcApiExceptionFactory.java:86) at com.google.api.gax.grpc.GrpcApiExceptionFactory.create(GrpcApiExceptionFactory.java:66) at com.google.api.gax.grpc.GrpcExceptionCallable$ExceptionTransformingFuture.onFailure(GrpcExceptionCallable.java:97) at com.google.api.core.ApiFutures$1.onFailure(ApiFutures.java:67) at com.google.common.util.concurrent.Futures$CallbackListener.run(Futures.java:1132) at com.google.common.util.concurrent.DirectExecutor.execute(DirectExecutor.java:31) at com.google.common.util.concurrent.AbstractFuture.executeListener(AbstractFuture.java:1270) at com.google.common.util.concurrent.AbstractFuture.complete(AbstractFuture.java:1038) at com.google.common.util.concurrent.AbstractFuture.setException(AbstractFuture.java:808) at io.grpc.stub.ClientCalls$GrpcFuture.setException(ClientCalls.java:563) at io.grpc.stub.ClientCalls$UnaryStreamToFuture.onClose(ClientCalls.java:533) at io.grpc.PartialForwardingClientCallListener.onClose(PartialForwardingClientCallListener.java:39) at io.grpc.ForwardingClientCallListener.onClose(ForwardingClientCallListener.java:23) at io.grpc.ForwardingClientCallListener$SimpleForwardingClientCallListener.onClose(ForwardingClientCallListener.java:40) at com.google.api.gax.grpc.ChannelPool$ReleasingClientCall$1.onClose(ChannelPool.java:535) at io.grpc.internal.DelayedClientCall$DelayedListener$3.run(DelayedClientCall.java:463) at io.grpc.internal.DelayedClientCall$DelayedListener.delayOrExecute(DelayedClientCall.java:427) at io.grpc.internal.DelayedClientCall$DelayedListener.onClose(DelayedClientCall.java:460) at io.grpc.internal.ClientCallImpl.closeObserver(ClientCallImpl.java:562) at io.grpc.internal.ClientCallImpl.access$300(ClientCallImpl.java:70) at io.grpc.internal.ClientCallImpl$ClientStreamListenerImpl$1StreamClosed.runInternal(ClientCallImpl.java:743) at io.grpc.internal.ClientCallImpl$ClientStreamListenerImpl$1StreamClosed.runInContext(ClientCallImpl.java:722) at io.grpc.internal.ContextRunnable.run(ContextRunnable.java:37) at io.grpc.internal.SerializingExecutor.run(SerializingExecutor.java:133) at java.base/java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1136) at java.base/java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:635) at java.base/java.lang.Thread.run(Thread.java:833) Suppressed: com.google.api.gax.rpc.AsyncTaskException: Asynchronous task failed at com.google.api.gax.rpc.ApiExceptions.callAndTranslateApiException(ApiExceptions.java:57) at com.google.api.gax.rpc.UnaryCallable.call(UnaryCallable.java:112) at com.google.cloud.video.stitcher.v1.VideoStitcherServiceClient.deleteSlate(VideoStitcherServiceClient.java:2192) at com.example.stitcher.DeleteSlate.deleteSlate(DeleteSlate.java:49) at com.example.stitcher.CreateSlateTest.tearDown(CreateSlateTest.java:86) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) at java.base/jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.base/java.lang.reflect.Method.invoke(Method.java:568) at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:59) at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12) at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:56) at org.junit.internal.runners.statements.RunAfters.invokeMethod(RunAfters.java:46) at org.junit.internal.runners.statements.RunAfters.evaluate(RunAfters.java:33) at org.junit.runners.ParentRunner$3.evaluate(ParentRunner.java:306) at org.junit.runners.BlockJUnit4ClassRunner$1.evaluate(BlockJUnit4ClassRunner.java:100) at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:366) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:103) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:63) at org.junit.runners.ParentRunner$4.run(ParentRunner.java:331) at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:79) at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:329) at org.junit.runners.ParentRunner.access$100(ParentRunner.java:66) at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:293) at org.junit.internal.runners.statements.RunBefores.evaluate(RunBefores.java:26) at org.junit.runners.ParentRunner$3.evaluate(ParentRunner.java:306) at org.junit.runners.ParentRunner.run(ParentRunner.java:413) at org.apache.maven.surefire.junit4.JUnit4Provider.execute(JUnit4Provider.java:364) at org.apache.maven.surefire.junit4.JUnit4Provider.executeWithRerun(JUnit4Provider.java:272) at org.apache.maven.surefire.junit4.JUnit4Provider.executeTestSet(JUnit4Provider.java:237) at org.apache.maven.surefire.junit4.JUnit4Provider.invoke(JUnit4Provider.java:158) at org.apache.maven.surefire.booter.ForkedBooter.runSuitesInProcess(ForkedBooter.java:428) at org.apache.maven.surefire.booter.ForkedBooter.execute(ForkedBooter.java:162) at org.apache.maven.surefire.booter.ForkedBooter.run(ForkedBooter.java:562) at org.apache.maven.surefire.booter.ForkedBooter.main(ForkedBooter.java:548) Caused by: io.grpc.StatusRuntimeException: UNAVAILABLE: Authentication backend unavailable. at io.grpc.Status.asRuntimeException(Status.java:535) ... 17 more </pre></details>
priority
com example stitcher createslatetest test createslate failed this test failed to configure my behavior see if i m commenting on this issue too often add the flakybot quiet label and i will stop commenting commit buildurl status failed test output com google api gax rpc unavailableexception io grpc statusruntimeexception unavailable authentication backend unavailable at com google api gax rpc apiexceptionfactory createexception apiexceptionfactory java at com google api gax rpc apiexceptionfactory createexception apiexceptionfactory java at com google api gax grpc grpcapiexceptionfactory create grpcapiexceptionfactory java at com google api gax grpc grpcapiexceptionfactory create grpcapiexceptionfactory java at com google api gax grpc grpcexceptioncallable exceptiontransformingfuture onfailure grpcexceptioncallable java at com google api core apifutures onfailure apifutures java at com google common util concurrent futures callbacklistener run futures java at com google common util concurrent directexecutor execute directexecutor java at com google common util concurrent abstractfuture executelistener abstractfuture java at com google common util concurrent abstractfuture complete abstractfuture java at com google common util concurrent abstractfuture setexception abstractfuture java at io grpc stub clientcalls grpcfuture setexception clientcalls java at io grpc stub clientcalls unarystreamtofuture onclose clientcalls java at io grpc partialforwardingclientcalllistener onclose partialforwardingclientcalllistener java at io grpc forwardingclientcalllistener onclose forwardingclientcalllistener java at io grpc forwardingclientcalllistener simpleforwardingclientcalllistener onclose forwardingclientcalllistener java at com google api gax grpc channelpool releasingclientcall onclose channelpool java at io grpc internal delayedclientcall delayedlistener run delayedclientcall java at io grpc internal delayedclientcall delayedlistener delayorexecute delayedclientcall java at io grpc internal delayedclientcall delayedlistener onclose delayedclientcall java at io grpc internal clientcallimpl closeobserver clientcallimpl java at io grpc internal clientcallimpl access clientcallimpl java at io grpc internal clientcallimpl clientstreamlistenerimpl runinternal clientcallimpl java at io grpc internal clientcallimpl clientstreamlistenerimpl runincontext clientcallimpl java at io grpc internal contextrunnable run contextrunnable java at io grpc internal serializingexecutor run serializingexecutor 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 suppressed com google api gax rpc asynctaskexception asynchronous task failed at com google api gax rpc apiexceptions callandtranslateapiexception apiexceptions java at com google api gax rpc unarycallable call unarycallable java at com google cloud video stitcher videostitcherserviceclient deleteslate videostitcherserviceclient java at com example stitcher deleteslate deleteslate deleteslate java at com example stitcher createslatetest teardown createslatetest java at java base jdk internal reflect nativemethodaccessorimpl native method at java base jdk internal reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at java base jdk internal reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java base java lang reflect method invoke method java at org junit runners model frameworkmethod runreflectivecall frameworkmethod java at org junit internal runners model reflectivecallable run reflectivecallable java at org junit runners model frameworkmethod invokeexplosively frameworkmethod java at org junit internal runners statements runafters invokemethod runafters java at org junit internal runners statements runafters evaluate runafters java at org junit runners parentrunner evaluate parentrunner java at org junit runners evaluate java at org junit runners parentrunner runleaf parentrunner java at org junit runners runchild java at org junit runners runchild java at org junit runners parentrunner run parentrunner java at org junit runners parentrunner schedule parentrunner java at org junit runners parentrunner runchildren parentrunner java at org junit runners parentrunner access parentrunner java at org junit runners parentrunner evaluate parentrunner java at org junit internal runners statements runbefores evaluate runbefores java at org junit runners parentrunner evaluate parentrunner java at org junit runners parentrunner run parentrunner java at org apache maven surefire execute java at org apache maven surefire executewithrerun java at org apache maven surefire executetestset java at org apache maven surefire invoke java at org apache maven surefire booter forkedbooter runsuitesinprocess forkedbooter java at org apache maven surefire booter forkedbooter execute forkedbooter java at org apache maven surefire booter forkedbooter run forkedbooter java at org apache maven surefire booter forkedbooter main forkedbooter java caused by io grpc statusruntimeexception unavailable authentication backend unavailable at io grpc status asruntimeexception status java more
1
337,817
10,220,204,670
IssuesEvent
2019-08-15 20:40:55
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.ign.com - see bug description
browser-fenix engine-gecko priority-important
<!-- @browser: Firefox Mobile 69.0 --> <!-- @ua_header: Mozilla/5.0 (Android 9; Mobile; rv:69.0) Gecko/69.0 Firefox/69.0 --> <!-- @reported_with: --> <!-- @extra_labels: browser-fenix --> **URL**: https://www.ign.com/wikis/lightning-returns-final-fantasy-xiii/Luxerion_1-3:_Find_The_Code **Browser / Version**: Firefox Mobile 69.0 **Operating System**: Android **Tested Another Browser**: No **Problem type**: Something else **Description**: after opting out all, the apply changes button is placed outside of its box **Steps to Reproduce**: Opened the website; changed cookies settings; hitted "opt out all"; hitted " apply changes" and it kept recognized I was still hitting "opt out all" <details> <summary>Browser Configuration</summary> <ul> <li>None</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.ign.com - see bug description - <!-- @browser: Firefox Mobile 69.0 --> <!-- @ua_header: Mozilla/5.0 (Android 9; Mobile; rv:69.0) Gecko/69.0 Firefox/69.0 --> <!-- @reported_with: --> <!-- @extra_labels: browser-fenix --> **URL**: https://www.ign.com/wikis/lightning-returns-final-fantasy-xiii/Luxerion_1-3:_Find_The_Code **Browser / Version**: Firefox Mobile 69.0 **Operating System**: Android **Tested Another Browser**: No **Problem type**: Something else **Description**: after opting out all, the apply changes button is placed outside of its box **Steps to Reproduce**: Opened the website; changed cookies settings; hitted "opt out all"; hitted " apply changes" and it kept recognized I was still hitting "opt out all" <details> <summary>Browser Configuration</summary> <ul> <li>None</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
see bug description url browser version firefox mobile operating system android tested another browser no problem type something else description after opting out all the apply changes button is placed outside of its box steps to reproduce opened the website changed cookies settings hitted opt out all hitted apply changes and it kept recognized i was still hitting opt out all browser configuration none from with ❤️
1
447,655
12,891,402,479
IssuesEvent
2020-07-13 17:40:07
idaholab/raven
https://api.github.com/repos/idaholab/raven
opened
[TASK] make it easier to debug rook testers
priority_minor task
-------- Issue Description -------- Right now if a tester throws an exception it causes rook to busy wait, instead of showing the error and exiting. ---------------- For Change Control Board: Issue Review ---------------- This review should occur before any development is performed as a response to this issue. - [ ] 1. Is it tagged with a type: defect or task? - [ ] 2. Is it tagged with a priority: critical, normal or minor? - [ ] 3. If it will impact requirements or requirements tests, is it tagged with requirements? - [ ] 4. If it is a defect, can it cause wrong results for users? If so an email needs to be sent to the users. - [ ] 5. Is a rationale provided? (Such as explaining why the improvement is needed or why current code is wrong.) ------- For Change Control Board: Issue Closure ------- This review should occur when the issue is imminently going to be closed. - [ ] 1. If the issue is a defect, is the defect fixed? - [ ] 2. If the issue is a defect, is the defect tested for in the regression test system? (If not explain why not.) - [ ] 3. If the issue can impact users, has an email to the users group been written (the email should specify if the defect impacts stable or master)? - [ ] 4. If the issue is a defect, does it impact the latest release branch? If yes, is there any issue tagged with release (create if needed)? - [ ] 5. If the issue is being closed without a pull request, has an explanation of why it is being closed been provided?
1.0
[TASK] make it easier to debug rook testers - -------- Issue Description -------- Right now if a tester throws an exception it causes rook to busy wait, instead of showing the error and exiting. ---------------- For Change Control Board: Issue Review ---------------- This review should occur before any development is performed as a response to this issue. - [ ] 1. Is it tagged with a type: defect or task? - [ ] 2. Is it tagged with a priority: critical, normal or minor? - [ ] 3. If it will impact requirements or requirements tests, is it tagged with requirements? - [ ] 4. If it is a defect, can it cause wrong results for users? If so an email needs to be sent to the users. - [ ] 5. Is a rationale provided? (Such as explaining why the improvement is needed or why current code is wrong.) ------- For Change Control Board: Issue Closure ------- This review should occur when the issue is imminently going to be closed. - [ ] 1. If the issue is a defect, is the defect fixed? - [ ] 2. If the issue is a defect, is the defect tested for in the regression test system? (If not explain why not.) - [ ] 3. If the issue can impact users, has an email to the users group been written (the email should specify if the defect impacts stable or master)? - [ ] 4. If the issue is a defect, does it impact the latest release branch? If yes, is there any issue tagged with release (create if needed)? - [ ] 5. If the issue is being closed without a pull request, has an explanation of why it is being closed been provided?
priority
make it easier to debug rook testers issue description right now if a tester throws an exception it causes rook to busy wait instead of showing the error and exiting for change control board issue review this review should occur before any development is performed as a response to this issue is it tagged with a type defect or task is it tagged with a priority critical normal or minor if it will impact requirements or requirements tests is it tagged with requirements if it is a defect can it cause wrong results for users if so an email needs to be sent to the users is a rationale provided such as explaining why the improvement is needed or why current code is wrong for change control board issue closure this review should occur when the issue is imminently going to be closed if the issue is a defect is the defect fixed if the issue is a defect is the defect tested for in the regression test system if not explain why not if the issue can impact users has an email to the users group been written the email should specify if the defect impacts stable or master if the issue is a defect does it impact the latest release branch if yes is there any issue tagged with release create if needed if the issue is being closed without a pull request has an explanation of why it is being closed been provided
1
639,632
20,760,501,820
IssuesEvent
2022-03-15 15:46:16
Tolfix/cpg-api
https://api.github.com/repos/Tolfix/cpg-api
closed
[Feature] Possible to pick which payment methods
enhancement good first issue help wanted high priority
Make it possible to pick payment methods allowed to be picked.
1.0
[Feature] Possible to pick which payment methods - Make it possible to pick payment methods allowed to be picked.
priority
possible to pick which payment methods make it possible to pick payment methods allowed to be picked
1
236,751
7,752,491,116
IssuesEvent
2018-05-30 20:27:45
cms-gem-daq-project/gem-plotting-tools
https://api.github.com/repos/cms-gem-daq-project/gem-plotting-tools
opened
Bug Report: macros lack executable permissions post release install
Priority: High Type: Bug
<!--- Provide a general summary of the issue in the Title above --> ## Brief summary of issue <!--- Provide a description of the issue, including any other issues or pull requests it references --> Following instructions [developer](https://gist.github.com/jsturdy/4f9bccbdd18d953f73777e492a71fd24) or [user](https://gist.github.com/jsturdy/a82a6b7b7d497ae8ef98ee736119c6b5) instructions for setting up a scripts placed under: ``` $VENV_ROOT/lib/python2.7/site-packages/gempython/gemplotting/macros ``` Lack executable permissions. Originally reported by @lmoureaux at [here](https://github.com/cms-gem-daq-project/gem-plotting-tools/issues/96#issuecomment-393224126) ### Types of issue <!--- Propsed labels (see CONTRIBUTING.md) to help maintainers label your issue: --> - [X] Bug report (report an issue with the code) - [ ] Feature request (request for change which adds functionality) ## Expected Behavior <!--- If you're describing a bug, tell us what should happen --> <!--- If you're suggesting a change/improvement, tell us how it should work --> Scripts found at: ``` $VENV_ROOT/lib/python2.7/site-packages/gempython/gemplotting/macros ``` Should have executable permissions. ## Current Behavior <!--- If describing a bug, tell us what happens instead of the expected behavior --> <!--- If suggesting a change/improvement, explain the difference from current behavior --> Lack of executable permissions: ``` % ll venv/slc6/py27_postpkg/lib/python2.7/site-packages/gempython/gemplotting/macros total 182K -rw-r--r--. 1 zh 2.9K May 30 22:20 summary_plots.pyc -rw-r--r--. 1 zh 2.8K May 30 22:20 summary_plots.py -rw-r--r--. 1 zh 5.1K May 30 22:20 scurvePlottingUtitilities.pyc -rw-r--r--. 1 zh 5.2K May 30 22:20 scurvePlottingUtitilities.py -rw-r--r--. 1 zh 527 May 30 22:20 plot_vfat_summary.pyc -rw-r--r--. 1 zh 296 May 30 22:20 plot_vfat_summary.py -rw-r--r--. 1 zh 643 May 30 22:20 plot_vfat_and_channel_Scurve.pyc -rw-r--r--. 1 zh 420 May 30 22:20 plot_vfat_and_channel_Scurve.py -rw-r--r--. 1 zh 3.6K May 30 22:20 plotTimeSeries.pyc -rw-r--r--. 1 zh 4.2K May 30 22:20 plotTimeSeries.py -rw-r--r--. 1 zh 1.4K May 30 22:20 plot_scurves_by_thresh.pyc -rw-r--r--. 1 zh 1.1K May 30 22:20 plot_scurves_by_thresh.py -rw-r--r--. 1 zh 11K May 30 22:20 plotSCurveFitResults.pyc -rw-r--r--. 1 zh 20K May 30 22:20 plotSCurveFitResults.py -rw-r--r--. 1 zh 844 May 30 22:20 plotoptions.pyc -rw-r--r--. 1 zh 651 May 30 22:20 plotoptions.py -rw-r--r--. 1 zh 640 May 30 22:20 plot_noise_vs_trim.pyc -rw-r--r--. 1 zh 434 May 30 22:20 plot_noise_vs_trim.py -rw-r--r--. 1 zh 6.2K May 30 22:20 plot_eff.pyc -rw-r--r--. 1 zh 7.5K May 30 22:20 plot_eff.py -rw-r--r--. 1 zh 180 May 30 22:20 __init__.pyc -rw-r--r--. 1 zh 0 May 30 22:20 __init__.py -rw-r--r--. 1 zh 11K May 30 22:20 gemTreeDrawWrapper.pyc -rw-r--r--. 1 zh 16K May 30 22:20 gemTreeDrawWrapper.py -rw-r--r--. 1 zh 4.6K May 30 22:20 gemSCurveAnaToolkit.pyc -rw-r--r--. 1 zh 6.2K May 30 22:20 gemSCurveAnaToolkit.py -rw-r--r--. 1 zh 14K May 30 22:20 gemPlotter.pyc -rw-r--r--. 1 zh 22K May 30 22:20 gemPlotter.py -rw-r--r--. 1 zh 8.7K May 30 22:20 clusterAnaScurve.pyc -rw-r--r--. 1 zh 12K May 30 22:20 clusterAnaScurve.py ``` ### Steps to Reproduce (for bugs) <!--- Provide a link to a live example, or an unambiguous set of steps to --> <!--- reproduce this bug. Include code to reproduce, if relevant --> 1. Install packages following instructions above. ## Context (for feature requests) <!--- How has this issue affected you? What are you trying to accomplish? --> <!--- Providing context helps us come up with a solution that is most useful in the real world --> After the `venv` is setup for a batch user or a developer scripts here need to be executable to be called from path independent location ## Your Environment <!--- Include as many relevant details about the environment you experienced the bug in --> * Version used: https://github.com/cms-gem-daq-project/gem-plotting-tools/releases/tag/v1.0.0-dev5 * Shell used: `/bin/zsh` <!--- Template thanks to https://www.talater.com/open-source-templates/#/page/98 -->
1.0
Bug Report: macros lack executable permissions post release install - <!--- Provide a general summary of the issue in the Title above --> ## Brief summary of issue <!--- Provide a description of the issue, including any other issues or pull requests it references --> Following instructions [developer](https://gist.github.com/jsturdy/4f9bccbdd18d953f73777e492a71fd24) or [user](https://gist.github.com/jsturdy/a82a6b7b7d497ae8ef98ee736119c6b5) instructions for setting up a scripts placed under: ``` $VENV_ROOT/lib/python2.7/site-packages/gempython/gemplotting/macros ``` Lack executable permissions. Originally reported by @lmoureaux at [here](https://github.com/cms-gem-daq-project/gem-plotting-tools/issues/96#issuecomment-393224126) ### Types of issue <!--- Propsed labels (see CONTRIBUTING.md) to help maintainers label your issue: --> - [X] Bug report (report an issue with the code) - [ ] Feature request (request for change which adds functionality) ## Expected Behavior <!--- If you're describing a bug, tell us what should happen --> <!--- If you're suggesting a change/improvement, tell us how it should work --> Scripts found at: ``` $VENV_ROOT/lib/python2.7/site-packages/gempython/gemplotting/macros ``` Should have executable permissions. ## Current Behavior <!--- If describing a bug, tell us what happens instead of the expected behavior --> <!--- If suggesting a change/improvement, explain the difference from current behavior --> Lack of executable permissions: ``` % ll venv/slc6/py27_postpkg/lib/python2.7/site-packages/gempython/gemplotting/macros total 182K -rw-r--r--. 1 zh 2.9K May 30 22:20 summary_plots.pyc -rw-r--r--. 1 zh 2.8K May 30 22:20 summary_plots.py -rw-r--r--. 1 zh 5.1K May 30 22:20 scurvePlottingUtitilities.pyc -rw-r--r--. 1 zh 5.2K May 30 22:20 scurvePlottingUtitilities.py -rw-r--r--. 1 zh 527 May 30 22:20 plot_vfat_summary.pyc -rw-r--r--. 1 zh 296 May 30 22:20 plot_vfat_summary.py -rw-r--r--. 1 zh 643 May 30 22:20 plot_vfat_and_channel_Scurve.pyc -rw-r--r--. 1 zh 420 May 30 22:20 plot_vfat_and_channel_Scurve.py -rw-r--r--. 1 zh 3.6K May 30 22:20 plotTimeSeries.pyc -rw-r--r--. 1 zh 4.2K May 30 22:20 plotTimeSeries.py -rw-r--r--. 1 zh 1.4K May 30 22:20 plot_scurves_by_thresh.pyc -rw-r--r--. 1 zh 1.1K May 30 22:20 plot_scurves_by_thresh.py -rw-r--r--. 1 zh 11K May 30 22:20 plotSCurveFitResults.pyc -rw-r--r--. 1 zh 20K May 30 22:20 plotSCurveFitResults.py -rw-r--r--. 1 zh 844 May 30 22:20 plotoptions.pyc -rw-r--r--. 1 zh 651 May 30 22:20 plotoptions.py -rw-r--r--. 1 zh 640 May 30 22:20 plot_noise_vs_trim.pyc -rw-r--r--. 1 zh 434 May 30 22:20 plot_noise_vs_trim.py -rw-r--r--. 1 zh 6.2K May 30 22:20 plot_eff.pyc -rw-r--r--. 1 zh 7.5K May 30 22:20 plot_eff.py -rw-r--r--. 1 zh 180 May 30 22:20 __init__.pyc -rw-r--r--. 1 zh 0 May 30 22:20 __init__.py -rw-r--r--. 1 zh 11K May 30 22:20 gemTreeDrawWrapper.pyc -rw-r--r--. 1 zh 16K May 30 22:20 gemTreeDrawWrapper.py -rw-r--r--. 1 zh 4.6K May 30 22:20 gemSCurveAnaToolkit.pyc -rw-r--r--. 1 zh 6.2K May 30 22:20 gemSCurveAnaToolkit.py -rw-r--r--. 1 zh 14K May 30 22:20 gemPlotter.pyc -rw-r--r--. 1 zh 22K May 30 22:20 gemPlotter.py -rw-r--r--. 1 zh 8.7K May 30 22:20 clusterAnaScurve.pyc -rw-r--r--. 1 zh 12K May 30 22:20 clusterAnaScurve.py ``` ### Steps to Reproduce (for bugs) <!--- Provide a link to a live example, or an unambiguous set of steps to --> <!--- reproduce this bug. Include code to reproduce, if relevant --> 1. Install packages following instructions above. ## Context (for feature requests) <!--- How has this issue affected you? What are you trying to accomplish? --> <!--- Providing context helps us come up with a solution that is most useful in the real world --> After the `venv` is setup for a batch user or a developer scripts here need to be executable to be called from path independent location ## Your Environment <!--- Include as many relevant details about the environment you experienced the bug in --> * Version used: https://github.com/cms-gem-daq-project/gem-plotting-tools/releases/tag/v1.0.0-dev5 * Shell used: `/bin/zsh` <!--- Template thanks to https://www.talater.com/open-source-templates/#/page/98 -->
priority
bug report macros lack executable permissions post release install brief summary of issue following instructions or instructions for setting up a scripts placed under venv root lib site packages gempython gemplotting macros lack executable permissions originally reported by lmoureaux at types of issue bug report report an issue with the code feature request request for change which adds functionality expected behavior scripts found at venv root lib site packages gempython gemplotting macros should have executable permissions current behavior lack of executable permissions ll venv postpkg lib site packages gempython gemplotting macros total rw r r zh may summary plots pyc rw r r zh may summary plots py rw r r zh may scurveplottingutitilities pyc rw r r zh may scurveplottingutitilities py rw r r zh may plot vfat summary pyc rw r r zh may plot vfat summary py rw r r zh may plot vfat and channel scurve pyc rw r r zh may plot vfat and channel scurve py rw r r zh may plottimeseries pyc rw r r zh may plottimeseries py rw r r zh may plot scurves by thresh pyc rw r r zh may plot scurves by thresh py rw r r zh may plotscurvefitresults pyc rw r r zh may plotscurvefitresults py rw r r zh may plotoptions pyc rw r r zh may plotoptions py rw r r zh may plot noise vs trim pyc rw r r zh may plot noise vs trim py rw r r zh may plot eff pyc rw r r zh may plot eff py rw r r zh may init pyc rw r r zh may init py rw r r zh may gemtreedrawwrapper pyc rw r r zh may gemtreedrawwrapper py rw r r zh may gemscurveanatoolkit pyc rw r r zh may gemscurveanatoolkit py rw r r zh may gemplotter pyc rw r r zh may gemplotter py rw r r zh may clusteranascurve pyc rw r r zh may clusteranascurve py steps to reproduce for bugs install packages following instructions above context for feature requests after the venv is setup for a batch user or a developer scripts here need to be executable to be called from path independent location your environment version used shell used bin zsh
1
607,468
18,783,087,312
IssuesEvent
2021-11-08 09:17:16
xwikisas/application-confluence-migrator
https://api.github.com/repos/xwikisas/application-confluence-migrator
closed
Reset migration should delete documents with version only from Confluence
Priority: Major Type: Bug
The reset operation is deleting all the documents with current version equal to 1.1 and is reverting to the previous version all the documents with version greater than 1.1. However, the Confluence documents are imported with the entire history from Confluence and this will bypass the deletion operation. In order to make sure all the documents are deleted after a fresh import, we should better analyze the history and where are the versions from. Example of history from Confluence imported document: ![Screenshot from 2021-11-08 09-57-53](https://user-images.githubusercontent.com/8121819/140704479-fca23b5d-f638-4ef9-8c6d-b0be77862a4a.png)
1.0
Reset migration should delete documents with version only from Confluence - The reset operation is deleting all the documents with current version equal to 1.1 and is reverting to the previous version all the documents with version greater than 1.1. However, the Confluence documents are imported with the entire history from Confluence and this will bypass the deletion operation. In order to make sure all the documents are deleted after a fresh import, we should better analyze the history and where are the versions from. Example of history from Confluence imported document: ![Screenshot from 2021-11-08 09-57-53](https://user-images.githubusercontent.com/8121819/140704479-fca23b5d-f638-4ef9-8c6d-b0be77862a4a.png)
priority
reset migration should delete documents with version only from confluence the reset operation is deleting all the documents with current version equal to and is reverting to the previous version all the documents with version greater than however the confluence documents are imported with the entire history from confluence and this will bypass the deletion operation in order to make sure all the documents are deleted after a fresh import we should better analyze the history and where are the versions from example of history from confluence imported document
1
177,810
6,587,458,844
IssuesEvent
2017-09-13 21:09:38
locationtech/geotrellis
https://api.github.com/repos/locationtech/geotrellis
closed
Negative grid bounds returned from RasterExtent.gridBoundsFor() method
bug priority
Even though `clamp` is set to `true`, `RasterExtent.gridBoundsFor` returns negative grid bounds under certain conditions. In particular if the `subExtent` parameter has bounds that are within `RasterExtent.epsilon`, negative bounds can be returned. Downstream effects include the inability to rasterize over valid vector geometries due to thrown exceptions. I have reproduced this in a set of tests in my fork of geotrellis: [grid-bounds-bug](https://github.com/locationtech/geotrellis/compare/master...mteldridge:grid-bounds-bug)
1.0
Negative grid bounds returned from RasterExtent.gridBoundsFor() method - Even though `clamp` is set to `true`, `RasterExtent.gridBoundsFor` returns negative grid bounds under certain conditions. In particular if the `subExtent` parameter has bounds that are within `RasterExtent.epsilon`, negative bounds can be returned. Downstream effects include the inability to rasterize over valid vector geometries due to thrown exceptions. I have reproduced this in a set of tests in my fork of geotrellis: [grid-bounds-bug](https://github.com/locationtech/geotrellis/compare/master...mteldridge:grid-bounds-bug)
priority
negative grid bounds returned from rasterextent gridboundsfor method even though clamp is set to true rasterextent gridboundsfor returns negative grid bounds under certain conditions in particular if the subextent parameter has bounds that are within rasterextent epsilon negative bounds can be returned downstream effects include the inability to rasterize over valid vector geometries due to thrown exceptions i have reproduced this in a set of tests in my fork of geotrellis
1
94,313
27,168,503,899
IssuesEvent
2023-02-17 17:12:40
open-telemetry/opentelemetry-python
https://api.github.com/repos/open-telemetry/opentelemetry-python
opened
eachdist fails to update version correctly
bug meta build & infra
The update script fails to update the version when the dep in `pyproject.toml` has a version matcher other than `=` for instance, `1.16.0.dev` will not get updated to `1.16.0` if the dep were to be specified as `opentelemetry-sdk >= 1.16.0.dev`. Refer to this commit https://github.com/open-telemetry/opentelemetry-python/pull/3177/commits/f3b645cab2f59d2a1e0e20254dd7a7cedb47fca3 and this workflow run https://github.com/open-telemetry/opentelemetry-python/actions/runs/4187061654/jobs/7256403807
1.0
eachdist fails to update version correctly - The update script fails to update the version when the dep in `pyproject.toml` has a version matcher other than `=` for instance, `1.16.0.dev` will not get updated to `1.16.0` if the dep were to be specified as `opentelemetry-sdk >= 1.16.0.dev`. Refer to this commit https://github.com/open-telemetry/opentelemetry-python/pull/3177/commits/f3b645cab2f59d2a1e0e20254dd7a7cedb47fca3 and this workflow run https://github.com/open-telemetry/opentelemetry-python/actions/runs/4187061654/jobs/7256403807
non_priority
eachdist fails to update version correctly the update script fails to update the version when the dep in pyproject toml has a version matcher other than for instance dev will not get updated to if the dep were to be specified as opentelemetry sdk dev refer to this commit and this workflow run
0
768,117
26,953,910,447
IssuesEvent
2023-02-08 13:41:30
pika-org/pika
https://api.github.com/repos/pika-org/pika
opened
Ensure that various thread pool and scheduler headers are not included transitively by public headers
effort: 3 priority: medium type: cleanup
Headers like `scheduling_loop.hpp` or `scheduled_thread_pool_impl.hpp` should not be necessary for users to include, even transitively, I _think_. We should check if they're not necessary, and make sure that they're not included accidentally by public API headers. We also explicitly instantiate schedulers/thread pools, so at least some headers should be possible to exclude.
1.0
Ensure that various thread pool and scheduler headers are not included transitively by public headers - Headers like `scheduling_loop.hpp` or `scheduled_thread_pool_impl.hpp` should not be necessary for users to include, even transitively, I _think_. We should check if they're not necessary, and make sure that they're not included accidentally by public API headers. We also explicitly instantiate schedulers/thread pools, so at least some headers should be possible to exclude.
priority
ensure that various thread pool and scheduler headers are not included transitively by public headers headers like scheduling loop hpp or scheduled thread pool impl hpp should not be necessary for users to include even transitively i think we should check if they re not necessary and make sure that they re not included accidentally by public api headers we also explicitly instantiate schedulers thread pools so at least some headers should be possible to exclude
1
819,824
30,752,351,601
IssuesEvent
2023-07-28 20:35:55
rstudio/gt
https://api.github.com/repos/rstudio/gt
closed
opt_interactive() removes html-columns
Type: ☹︎ Bug Difficulty: [2] Intermediate Effort: [2] Medium Priority: [3] High Focus: HTML Output
## Prework * [x] Read and agree to the [code of conduct](https://www.contributor-covenant.org/version/2/1/code_of_conduct.html) and [contributing guidelines](https://github.com/rstudio/gt/blob/master/.github/CONTRIBUTING.md). * [x] If there is [already a relevant issue](https://github.com/rstudio/gt/issues), whether open or closed, comment on the existing thread instead of posting a new issue. ## Description An html-column renders fine (provided `fmt_markdown()` is applied) but the content disappears as soon as `opt_interactive()` is used. ## Reproducible example This works fine: ``` tbl <- towny |> dplyr::select(name, land_area_km2) |> dplyr::slice(1:10) |> dplyr::mutate(bla = '<div> This is a div </div>') |> gt() |> fmt_markdown(columns = bla) |> tab_options( table.width = '500px', container.width = '500px' ) tbl ``` ![image](https://user-images.githubusercontent.com/65388595/230904495-f3b86d74-a012-4729-8739-258a2fd4ce65.png) This does not: ``` tbl |> opt_interactive() ``` ![image](https://user-images.githubusercontent.com/65388595/230904600-1c2c5b5a-b06f-47cd-8083-c08ca03d5d3f.png) ## Expected result Same as first input ## Session info <details> ``` R version 4.2.3 (2023-03-15) Platform: x86_64-pc-linux-gnu (64-bit) Running under: Ubuntu 20.04.6 LTS Matrix products: default BLAS: /usr/lib/x86_64-linux-gnu/blas/libblas.so.3.9.0 LAPACK: /usr/lib/x86_64-linux-gnu/lapack/liblapack.so.3.9.0 locale: [1] LC_CTYPE=en_US.UTF-8 LC_NUMERIC=C LC_TIME=de_DE.UTF-8 LC_COLLATE=en_US.UTF-8 [5] LC_MONETARY=de_DE.UTF-8 LC_MESSAGES=en_US.UTF-8 LC_PAPER=de_DE.UTF-8 LC_NAME=C [9] LC_ADDRESS=C LC_TELEPHONE=C LC_MEASUREMENT=de_DE.UTF-8 LC_IDENTIFICATION=C attached base packages: [1] stats graphics grDevices utils datasets methods base other attached packages: [1] gt_0.9.0.9000 loaded via a namespace (and not attached): [1] pillar_1.9.0 compiler_4.2.3 R.utils_2.11.0 R.methodsS3_1.8.2 tools_4.2.3 digest_0.6.31 evaluate_0.20 [8] jsonlite_1.8.4 lifecycle_1.0.3 tibble_3.2.1 R.cache_0.15.0 pkgconfig_2.0.3 rlang_1.1.0 reprex_2.0.2 [15] cli_3.6.1 rstudioapi_0.14 crosstalk_1.2.0 commonmark_1.9.0 yaml_2.3.7 xfun_0.38 fastmap_1.1.1 [22] knitr_1.42 reactR_0.4.4 withr_2.5.0 dplyr_1.1.1.9000 styler_1.9.0 xml2_1.3.3 generics_0.1.3 [29] vctrs_0.6.1.9000 htmlwidgets_1.6.2 sass_0.4.5.9000 fs_1.6.1 tidyselect_1.2.0 reactable_0.4.4 glue_1.6.2 [36] R6_2.5.1 processx_3.8.0 fansi_1.0.4 rmarkdown_2.21 callr_3.7.3 clipr_0.8.0 purrr_1.0.1.9000 [43] magrittr_2.0.3 ps_1.7.3 htmltools_0.5.5 ellipsis_0.3.2 utf8_1.2.3 markdown_1.5 R.oo_1.25.0 ``` </details>
1.0
opt_interactive() removes html-columns - ## Prework * [x] Read and agree to the [code of conduct](https://www.contributor-covenant.org/version/2/1/code_of_conduct.html) and [contributing guidelines](https://github.com/rstudio/gt/blob/master/.github/CONTRIBUTING.md). * [x] If there is [already a relevant issue](https://github.com/rstudio/gt/issues), whether open or closed, comment on the existing thread instead of posting a new issue. ## Description An html-column renders fine (provided `fmt_markdown()` is applied) but the content disappears as soon as `opt_interactive()` is used. ## Reproducible example This works fine: ``` tbl <- towny |> dplyr::select(name, land_area_km2) |> dplyr::slice(1:10) |> dplyr::mutate(bla = '<div> This is a div </div>') |> gt() |> fmt_markdown(columns = bla) |> tab_options( table.width = '500px', container.width = '500px' ) tbl ``` ![image](https://user-images.githubusercontent.com/65388595/230904495-f3b86d74-a012-4729-8739-258a2fd4ce65.png) This does not: ``` tbl |> opt_interactive() ``` ![image](https://user-images.githubusercontent.com/65388595/230904600-1c2c5b5a-b06f-47cd-8083-c08ca03d5d3f.png) ## Expected result Same as first input ## Session info <details> ``` R version 4.2.3 (2023-03-15) Platform: x86_64-pc-linux-gnu (64-bit) Running under: Ubuntu 20.04.6 LTS Matrix products: default BLAS: /usr/lib/x86_64-linux-gnu/blas/libblas.so.3.9.0 LAPACK: /usr/lib/x86_64-linux-gnu/lapack/liblapack.so.3.9.0 locale: [1] LC_CTYPE=en_US.UTF-8 LC_NUMERIC=C LC_TIME=de_DE.UTF-8 LC_COLLATE=en_US.UTF-8 [5] LC_MONETARY=de_DE.UTF-8 LC_MESSAGES=en_US.UTF-8 LC_PAPER=de_DE.UTF-8 LC_NAME=C [9] LC_ADDRESS=C LC_TELEPHONE=C LC_MEASUREMENT=de_DE.UTF-8 LC_IDENTIFICATION=C attached base packages: [1] stats graphics grDevices utils datasets methods base other attached packages: [1] gt_0.9.0.9000 loaded via a namespace (and not attached): [1] pillar_1.9.0 compiler_4.2.3 R.utils_2.11.0 R.methodsS3_1.8.2 tools_4.2.3 digest_0.6.31 evaluate_0.20 [8] jsonlite_1.8.4 lifecycle_1.0.3 tibble_3.2.1 R.cache_0.15.0 pkgconfig_2.0.3 rlang_1.1.0 reprex_2.0.2 [15] cli_3.6.1 rstudioapi_0.14 crosstalk_1.2.0 commonmark_1.9.0 yaml_2.3.7 xfun_0.38 fastmap_1.1.1 [22] knitr_1.42 reactR_0.4.4 withr_2.5.0 dplyr_1.1.1.9000 styler_1.9.0 xml2_1.3.3 generics_0.1.3 [29] vctrs_0.6.1.9000 htmlwidgets_1.6.2 sass_0.4.5.9000 fs_1.6.1 tidyselect_1.2.0 reactable_0.4.4 glue_1.6.2 [36] R6_2.5.1 processx_3.8.0 fansi_1.0.4 rmarkdown_2.21 callr_3.7.3 clipr_0.8.0 purrr_1.0.1.9000 [43] magrittr_2.0.3 ps_1.7.3 htmltools_0.5.5 ellipsis_0.3.2 utf8_1.2.3 markdown_1.5 R.oo_1.25.0 ``` </details>
priority
opt interactive removes html columns prework read and agree to the and if there is whether open or closed comment on the existing thread instead of posting a new issue description an html column renders fine provided fmt markdown is applied but the content disappears as soon as opt interactive is used reproducible example this works fine tbl dplyr select name land area dplyr slice dplyr mutate bla this is a div gt fmt markdown columns bla tab options table width container width tbl this does not tbl opt interactive expected result same as first input session info r version platform pc linux gnu bit running under ubuntu lts matrix products default blas usr lib linux gnu blas libblas so lapack usr lib linux gnu lapack liblapack so locale lc ctype en us utf lc numeric c lc time de de utf lc collate en us utf lc monetary de de utf lc messages en us utf lc paper de de utf lc name c lc address c lc telephone c lc measurement de de utf lc identification c attached base packages stats graphics grdevices utils datasets methods base other attached packages gt loaded via a namespace and not attached pillar compiler r utils r tools digest evaluate jsonlite lifecycle tibble r cache pkgconfig rlang reprex cli rstudioapi crosstalk commonmark yaml xfun fastmap knitr reactr withr dplyr styler generics vctrs htmlwidgets sass fs tidyselect reactable glue processx fansi rmarkdown callr clipr purrr magrittr ps htmltools ellipsis markdown r oo
1
509,437
14,730,999,374
IssuesEvent
2021-01-06 14:05:04
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
steamcommunity.com - site is not usable
browser-fenix engine-gecko priority-important
<!-- @browser: Firefox Mobile 86.0 --> <!-- @ua_header: Mozilla/5.0 (Android 10; Mobile; rv:86.0) Gecko/86.0 Firefox/86.0 --> <!-- @reported_with: android-components-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/65046 --> <!-- @extra_labels: browser-fenix --> **URL**: https://steamcommunity.com/app/887830/discussions/ **Browser / Version**: Firefox Mobile 86.0 **Operating System**: Android **Tested Another Browser**: Yes Chrome **Problem type**: Site is not usable **Description**: Page not loading correctly **Steps to Reproduce**: <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2021/1/c954ed47-be13-4688-9eac-d6926935754e.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20210104090857</li><li>channel: nightly</li><li>hasTouchScreen: true</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2021/1/c78c8a2c-bf56-4bce-bf67-5f79a4e3d5ff) _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
steamcommunity.com - site is not usable - <!-- @browser: Firefox Mobile 86.0 --> <!-- @ua_header: Mozilla/5.0 (Android 10; Mobile; rv:86.0) Gecko/86.0 Firefox/86.0 --> <!-- @reported_with: android-components-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/65046 --> <!-- @extra_labels: browser-fenix --> **URL**: https://steamcommunity.com/app/887830/discussions/ **Browser / Version**: Firefox Mobile 86.0 **Operating System**: Android **Tested Another Browser**: Yes Chrome **Problem type**: Site is not usable **Description**: Page not loading correctly **Steps to Reproduce**: <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2021/1/c954ed47-be13-4688-9eac-d6926935754e.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20210104090857</li><li>channel: nightly</li><li>hasTouchScreen: true</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2021/1/c78c8a2c-bf56-4bce-bf67-5f79a4e3d5ff) _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
steamcommunity com site is not usable url browser version firefox mobile operating system android tested another browser yes chrome problem type site is not usable description page not loading correctly steps to reproduce view the screenshot img alt screenshot src browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel nightly hastouchscreen true mixed active content blocked false mixed passive content blocked false tracking content blocked false from with ❤️
1
796,656
28,122,162,291
IssuesEvent
2023-03-31 14:55:30
ClockGU/clock-backend
https://api.github.com/repos/ClockGU/clock-backend
closed
Personalnummer optional
high-priority
Gibt ein User beim onboarding seine Personalnummer nicht ein resultiert das in einen `400 Bad Request` auf `auth/users/me/` und er wird auf die 404 Seite geroutet. - [ ] `personell_number` optional machen.
1.0
Personalnummer optional - Gibt ein User beim onboarding seine Personalnummer nicht ein resultiert das in einen `400 Bad Request` auf `auth/users/me/` und er wird auf die 404 Seite geroutet. - [ ] `personell_number` optional machen.
priority
personalnummer optional gibt ein user beim onboarding seine personalnummer nicht ein resultiert das in einen bad request auf auth users me und er wird auf die seite geroutet personell number optional machen
1
705,619
24,241,650,242
IssuesEvent
2022-09-27 07:15:39
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.youtube.com - video or audio doesn't play
browser-firefox priority-critical engine-gecko
<!-- @browser: Firefox 106.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:106.0) Gecko/20100101 Firefox/106.0 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/111407 --> **URL**: https://www.youtube.com/ **Browser / Version**: Firefox 106.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Other **Problem type**: Video or audio doesn't play **Description**: The video or audio does not play **Steps to Reproduce**: When using incognito mode, videos auto pause every few milliseconds and there is no way to make it resume normally. When you click on play it plays for a fraction of a seconds and then pauses again all the time. Technically, it's possible to keep the "play" key ('k') pressed and then it pauses and resumes very fast and you can understands what's going on in the video, so it's not a codec problem or anything like that, it seems to be some javascript that pauses the video continuosly for whatever reason. <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20220925185751</li><li>channel: aurora</li><li>hasTouchScreen: false</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2022/9/58d88c2c-79e4-4016-aba4-5275334d8389) _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.youtube.com - video or audio doesn't play - <!-- @browser: Firefox 106.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:106.0) Gecko/20100101 Firefox/106.0 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/111407 --> **URL**: https://www.youtube.com/ **Browser / Version**: Firefox 106.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Other **Problem type**: Video or audio doesn't play **Description**: The video or audio does not play **Steps to Reproduce**: When using incognito mode, videos auto pause every few milliseconds and there is no way to make it resume normally. When you click on play it plays for a fraction of a seconds and then pauses again all the time. Technically, it's possible to keep the "play" key ('k') pressed and then it pauses and resumes very fast and you can understands what's going on in the video, so it's not a codec problem or anything like that, it seems to be some javascript that pauses the video continuosly for whatever reason. <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20220925185751</li><li>channel: aurora</li><li>hasTouchScreen: false</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2022/9/58d88c2c-79e4-4016-aba4-5275334d8389) _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
video or audio doesn t play url browser version firefox operating system windows tested another browser yes other problem type video or audio doesn t play description the video or audio does not play steps to reproduce when using incognito mode videos auto pause every few milliseconds and there is no way to make it resume normally when you click on play it plays for a fraction of a seconds and then pauses again all the time technically it s possible to keep the play key k pressed and then it pauses and resumes very fast and you can understands what s going on in the video so it s not a codec problem or anything like that it seems to be some javascript that pauses the video continuosly for whatever reason browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel aurora hastouchscreen false mixed active content blocked false mixed passive content blocked false tracking content blocked false from with ❤️
1
117,883
25,210,585,688
IssuesEvent
2022-11-14 03:15:33
VEX-Robotics-AI/VEX-Py
https://api.github.com/repos/VEX-Robotics-AI/VEX-Py
closed
Add/Update VEXcode API: brain.inertial_sensor
VEXcode Python API
Update this branch: https://github.com/VEX-Robotics-AI/VEX-Py/tree/add-VEXcode-API---Brain---InertialSensor and PR into `add-VEXcode-API---Brain` branch. - move vex.inertial submodule to brain.inertial_sensor - move OrientationType under brain.inertial_sensor.orientation_type
1.0
Add/Update VEXcode API: brain.inertial_sensor - Update this branch: https://github.com/VEX-Robotics-AI/VEX-Py/tree/add-VEXcode-API---Brain---InertialSensor and PR into `add-VEXcode-API---Brain` branch. - move vex.inertial submodule to brain.inertial_sensor - move OrientationType under brain.inertial_sensor.orientation_type
non_priority
add update vexcode api brain inertial sensor update this branch and pr into add vexcode api brain branch move vex inertial submodule to brain inertial sensor move orientationtype under brain inertial sensor orientation type
0
122,430
26,128,328,836
IssuesEvent
2022-12-28 22:31:51
backdrop-contrib/mini_layouts
https://api.github.com/repos/backdrop-contrib/mini_layouts
closed
[UX] Submit message says the layout was "created" even when saving existing layouts.
pr - needs code review pr - needs testing status - has pull request type - bug report
Minor text change in PR. <img width="655" alt="Screen Shot 2022-11-21 at 12 01 51 PM" src="https://user-images.githubusercontent.com/397895/203137864-a57a340a-65a5-4e24-a7bc-9f98a4f69ebe.png">
1.0
[UX] Submit message says the layout was "created" even when saving existing layouts. - Minor text change in PR. <img width="655" alt="Screen Shot 2022-11-21 at 12 01 51 PM" src="https://user-images.githubusercontent.com/397895/203137864-a57a340a-65a5-4e24-a7bc-9f98a4f69ebe.png">
non_priority
submit message says the layout was created even when saving existing layouts minor text change in pr img width alt screen shot at pm src
0
363,967
25,476,526,674
IssuesEvent
2022-11-25 15:02:10
bayer-secret/public
https://api.github.com/repos/bayer-secret/public
opened
Security.md file not compliant
documentation
Your repository is not compliant with bayer-secret organization standards, either missing security.md (check your repository PRs and merge the 'Security.md sync for compliance' PR) or security.md file was merged but not modified
1.0
Security.md file not compliant - Your repository is not compliant with bayer-secret organization standards, either missing security.md (check your repository PRs and merge the 'Security.md sync for compliance' PR) or security.md file was merged but not modified
non_priority
security md file not compliant your repository is not compliant with bayer secret organization standards either missing security md check your repository prs and merge the security md sync for compliance pr or security md file was merged but not modified
0
157,186
5,996,375,756
IssuesEvent
2017-06-03 13:44:50
universAAL/tools.eclipse-plugins
https://api.github.com/repos/universAAL/tools.eclipse-plugins
closed
setProperty() will only update the property once
bug imported priority 2
_Originally Opened: @amedranogil (2012-04-13 11:10:56_) _Originally Closed: 2012-04-27 14:17:13_ Resource.setProperty(), the method used to set properties will only create the instance for the property if it doesn't already exist. It is suggested to use instead Resource.changeProperty() which will update the property whether it already exists or not. -- From: _this issue has been automatically imported from our old issue tracker_
1.0
setProperty() will only update the property once - _Originally Opened: @amedranogil (2012-04-13 11:10:56_) _Originally Closed: 2012-04-27 14:17:13_ Resource.setProperty(), the method used to set properties will only create the instance for the property if it doesn't already exist. It is suggested to use instead Resource.changeProperty() which will update the property whether it already exists or not. -- From: _this issue has been automatically imported from our old issue tracker_
priority
setproperty will only update the property once originally opened amedranogil originally closed resource setproperty the method used to set properties will only create the instance for the property if it doesn t already exist it is suggested to use instead resource changeproperty which will update the property whether it already exists or not from this issue has been automatically imported from our old issue tracker
1
171,294
13,227,970,253
IssuesEvent
2020-08-18 04:55:29
openenclave/openenclave
https://api.github.com/repos/openenclave/openenclave
closed
Add attestation custom claims serializing/de-serializing helper functions
attestation triaged
Per request and comments in issue #3264, helper functions to serialize and de-serialize array of oe_claim_t are needed. The buffer from serialized oe_claim_t array can then be used to convey custom claims between attester and verifier. I.e.: Attester: - claims of name/value pairs --(serialize)--> plain buffer --(oe_get_evidence)--> evidence with custom claims Verifier - evidence with custom claims --(oe_verify_evidence)--> plain buffer OE_CLAIM_CUSTOM_CLAIMS --(de-serialize)--> claims of name/value pairs
1.0
Add attestation custom claims serializing/de-serializing helper functions - Per request and comments in issue #3264, helper functions to serialize and de-serialize array of oe_claim_t are needed. The buffer from serialized oe_claim_t array can then be used to convey custom claims between attester and verifier. I.e.: Attester: - claims of name/value pairs --(serialize)--> plain buffer --(oe_get_evidence)--> evidence with custom claims Verifier - evidence with custom claims --(oe_verify_evidence)--> plain buffer OE_CLAIM_CUSTOM_CLAIMS --(de-serialize)--> claims of name/value pairs
non_priority
add attestation custom claims serializing de serializing helper functions per request and comments in issue helper functions to serialize and de serialize array of oe claim t are needed the buffer from serialized oe claim t array can then be used to convey custom claims between attester and verifier i e attester claims of name value pairs serialize plain buffer oe get evidence evidence with custom claims verifier evidence with custom claims oe verify evidence plain buffer oe claim custom claims de serialize claims of name value pairs
0
28,924
12,991,752,285
IssuesEvent
2020-07-23 04:46:41
MicrosoftDocs/azure-docs
https://api.github.com/repos/MicrosoftDocs/azure-docs
closed
Please Update the Docs !!
Pri2 app-service/svc cxp doc-enhancement triaged
Turned to this page to crush some FAQs around python deployments in Azure App (Linux). Found nothing to support my quest here. Really disappointed. Request you to Updae the pages regularly or add citations/ "what to do next" links if any seperate docs are made w.r.t that here. Thanks A. --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: b421fa01-1f39-28a5-78c2-63dd5700c8c5 * Version Independent ID: 10ed9c91-16e0-d371-fcfc-d6d5a7f984b2 * Content: [Run built-in containers FAQ - Azure App Service](https://docs.microsoft.com/en-us/azure/app-service/containers/app-service-linux-faq) * Content Source: [articles/app-service/containers/app-service-linux-faq.md](https://github.com/MicrosoftDocs/azure-docs/blob/master/articles/app-service/containers/app-service-linux-faq.md) * Service: **app-service** * GitHub Login: @msangapu-msft * Microsoft Alias: **msangapu**
1.0
Please Update the Docs !! - Turned to this page to crush some FAQs around python deployments in Azure App (Linux). Found nothing to support my quest here. Really disappointed. Request you to Updae the pages regularly or add citations/ "what to do next" links if any seperate docs are made w.r.t that here. Thanks A. --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: b421fa01-1f39-28a5-78c2-63dd5700c8c5 * Version Independent ID: 10ed9c91-16e0-d371-fcfc-d6d5a7f984b2 * Content: [Run built-in containers FAQ - Azure App Service](https://docs.microsoft.com/en-us/azure/app-service/containers/app-service-linux-faq) * Content Source: [articles/app-service/containers/app-service-linux-faq.md](https://github.com/MicrosoftDocs/azure-docs/blob/master/articles/app-service/containers/app-service-linux-faq.md) * Service: **app-service** * GitHub Login: @msangapu-msft * Microsoft Alias: **msangapu**
non_priority
please update the docs turned to this page to crush some faqs around python deployments in azure app linux found nothing to support my quest here really disappointed request you to updae the pages regularly or add citations what to do next links if any seperate docs are made w r t that here thanks a document details ⚠ do not edit this section it is required for docs microsoft com ➟ github issue linking id version independent id fcfc content content source service app service github login msangapu msft microsoft alias msangapu
0
5,541
2,577,389,911
IssuesEvent
2015-02-12 16:45:41
SiCKRAGETV/sickrage-issues
https://api.github.com/repos/SiCKRAGETV/sickrage-issues
closed
FreeNAS: Symlink Post-Processing Fails Across Datasets
1: Bug / issue 2: Low Priority 3: Confirmed 3: Fix 5: Duplicate branch: master
**Branch:** master **Commit hash:** 401cb666016e45b42fe675bafdf7908ad6c2b9bb **Operating system and python version:** FreeNAS-9.3-STABLE with Python 2.7.6 **What did you do?** Set my Post-Processing method to Symlink. **What happened?** The `moveAndSymlinkFile` function in helpers.py would fail (and revert to copying) on the call to `ek.ek(os.rename, srcFile, destFile)` because my library is in a different dataset than my download folder, and `os.rename` doesn't work across datasets. I temporarily fixed this in my install by passing `shutil.move` as the first parameter in place of `os.rename`.
1.0
FreeNAS: Symlink Post-Processing Fails Across Datasets - **Branch:** master **Commit hash:** 401cb666016e45b42fe675bafdf7908ad6c2b9bb **Operating system and python version:** FreeNAS-9.3-STABLE with Python 2.7.6 **What did you do?** Set my Post-Processing method to Symlink. **What happened?** The `moveAndSymlinkFile` function in helpers.py would fail (and revert to copying) on the call to `ek.ek(os.rename, srcFile, destFile)` because my library is in a different dataset than my download folder, and `os.rename` doesn't work across datasets. I temporarily fixed this in my install by passing `shutil.move` as the first parameter in place of `os.rename`.
priority
freenas symlink post processing fails across datasets branch master commit hash operating system and python version freenas stable with python what did you do set my post processing method to symlink what happened the moveandsymlinkfile function in helpers py would fail and revert to copying on the call to ek ek os rename srcfile destfile because my library is in a different dataset than my download folder and os rename doesn t work across datasets i temporarily fixed this in my install by passing shutil move as the first parameter in place of os rename
1
52,700
22,351,667,831
IssuesEvent
2022-06-15 12:36:38
MicrosoftDocs/azure-docs
https://api.github.com/repos/MicrosoftDocs/azure-docs
closed
Sample to get backup list doesn't return StorageAccountUrl
app-service/svc triaged cxp in-progress Pri2 product-bug escalated-product-team
Due to this issue https://github.com/Azure/azure-powershell/issues/15039 --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: 002c09cd-4633-0b23-a36b-946a08358aae * Version Independent ID: e3afb940-ce5c-6cdf-10e6-3441be785419 * Content: [PowerShell: Restore backup to another subscription - Azure App Service](https://docs.microsoft.com/en-us/azure/app-service/scripts/powershell-backup-restore-diff-sub) * Content Source: [articles/app-service/scripts/powershell-backup-restore-diff-sub.md](https://github.com/MicrosoftDocs/azure-docs/blob/main/articles/app-service/scripts/powershell-backup-restore-diff-sub.md) * Service: **app-service** * GitHub Login: @msangapu-msft * Microsoft Alias: **msangapu**
1.0
Sample to get backup list doesn't return StorageAccountUrl - Due to this issue https://github.com/Azure/azure-powershell/issues/15039 --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: 002c09cd-4633-0b23-a36b-946a08358aae * Version Independent ID: e3afb940-ce5c-6cdf-10e6-3441be785419 * Content: [PowerShell: Restore backup to another subscription - Azure App Service](https://docs.microsoft.com/en-us/azure/app-service/scripts/powershell-backup-restore-diff-sub) * Content Source: [articles/app-service/scripts/powershell-backup-restore-diff-sub.md](https://github.com/MicrosoftDocs/azure-docs/blob/main/articles/app-service/scripts/powershell-backup-restore-diff-sub.md) * Service: **app-service** * GitHub Login: @msangapu-msft * Microsoft Alias: **msangapu**
non_priority
sample to get backup list doesn t return storageaccounturl due to this issue document details ⚠ do not edit this section it is required for docs microsoft com ➟ github issue linking id version independent id content content source service app service github login msangapu msft microsoft alias msangapu
0
333,616
10,128,969,823
IssuesEvent
2019-08-01 13:53:48
dgraph-io/badger
https://api.github.com/repos/dgraph-io/badger
closed
unexpected Valid() == true for Single Key iteration
area/api kind/enhancement priority/P2 status/accepted
```golang // Commit 2 items with the same 'prefix' txn := db.NewTransaction(true) txn.Set([]byte("foo"), nil) txn.Set([]byte("foobar"), nil) txn.Commit() // Grab a key iterator for the first key txn = db.NewTransaction(false) opt := badger.DefaultIteratorOptions opt.AllVersions = true itr := txn.NewKeyIterator([]byte("foo"), opt) for itr.Rewind(); itr.Valid(); itr.Next() { fmt.Println(string(itr.Item().Key())) } ``` will print: ``` foo foobar ``` While iterating over all the versions of key `foo`, on the last version the iterator steps to the key `foobar` when calling next. I expected that the next `itr.Valid()` call would return `false` as this is a different key. But instead it returns `true` because of the shared prefix for this next key. So to sum it all up, shouldn't this be: https://github.com/dgraph-io/badger/blob/d8e1fcf01522ac0178bbad13409a680b6854013b/iterator.go#L458-L463 ```golang func (it *Iterator) Valid() bool { if it.item == nil { return false } if it.opt.prefixIsKey { return bytes.Equal(it.item.key, it.opt.Prefix) } return bytes.HasPrefix(it.item.key, it.opt.Prefix) } ```
1.0
unexpected Valid() == true for Single Key iteration - ```golang // Commit 2 items with the same 'prefix' txn := db.NewTransaction(true) txn.Set([]byte("foo"), nil) txn.Set([]byte("foobar"), nil) txn.Commit() // Grab a key iterator for the first key txn = db.NewTransaction(false) opt := badger.DefaultIteratorOptions opt.AllVersions = true itr := txn.NewKeyIterator([]byte("foo"), opt) for itr.Rewind(); itr.Valid(); itr.Next() { fmt.Println(string(itr.Item().Key())) } ``` will print: ``` foo foobar ``` While iterating over all the versions of key `foo`, on the last version the iterator steps to the key `foobar` when calling next. I expected that the next `itr.Valid()` call would return `false` as this is a different key. But instead it returns `true` because of the shared prefix for this next key. So to sum it all up, shouldn't this be: https://github.com/dgraph-io/badger/blob/d8e1fcf01522ac0178bbad13409a680b6854013b/iterator.go#L458-L463 ```golang func (it *Iterator) Valid() bool { if it.item == nil { return false } if it.opt.prefixIsKey { return bytes.Equal(it.item.key, it.opt.Prefix) } return bytes.HasPrefix(it.item.key, it.opt.Prefix) } ```
priority
unexpected valid true for single key iteration golang commit items with the same prefix txn db newtransaction true txn set byte foo nil txn set byte foobar nil txn commit grab a key iterator for the first key txn db newtransaction false opt badger defaultiteratoroptions opt allversions true itr txn newkeyiterator byte foo opt for itr rewind itr valid itr next fmt println string itr item key will print foo foobar while iterating over all the versions of key foo on the last version the iterator steps to the key foobar when calling next i expected that the next itr valid call would return false as this is a different key but instead it returns true because of the shared prefix for this next key so to sum it all up shouldn t this be golang func it iterator valid bool if it item nil return false if it opt prefixiskey return bytes equal it item key it opt prefix return bytes hasprefix it item key it opt prefix
1
721,523
24,829,856,839
IssuesEvent
2022-10-26 01:44:18
fuseumass/dashboard
https://api.github.com/repos/fuseumass/dashboard
closed
Page 5 on dashboard
bug High Priority
Page 5 of the dashboard registrations crashes but all other pages are fine
1.0
Page 5 on dashboard - Page 5 of the dashboard registrations crashes but all other pages are fine
priority
page on dashboard page of the dashboard registrations crashes but all other pages are fine
1
71,849
3,368,434,444
IssuesEvent
2015-11-22 23:20:06
Apollo-Community/ApolloStation
https://api.github.com/repos/Apollo-Community/ApolloStation
closed
metal sheets in mining don't stack
bug priority: low
the metak compactor doesn't compact the new sheets into stacks they go straight through. it still stacks gold etc.
1.0
metal sheets in mining don't stack - the metak compactor doesn't compact the new sheets into stacks they go straight through. it still stacks gold etc.
priority
metal sheets in mining don t stack the metak compactor doesn t compact the new sheets into stacks they go straight through it still stacks gold etc
1
830,395
32,005,918,574
IssuesEvent
2023-09-21 14:50:08
ImTheCactus/Crow-Get-It-Game
https://api.github.com/repos/ImTheCactus/Crow-Get-It-Game
opened
Player can "fly"
Priority: Medium Status: Not in progress Bug
Describe the bug: Player can "fly". Version: Crow Get It 3.5 version 0.2.0 *(To be updated on) Steps to reproduce the behaviour: Player can "fly" by timing the space button so that it is pressed just before colliding with the ground so that the player progressively increases in altitude. Expected behaviour: Player should not be able to "fly" at all. Desktop system details: OS: Windows10
1.0
Player can "fly" - Describe the bug: Player can "fly". Version: Crow Get It 3.5 version 0.2.0 *(To be updated on) Steps to reproduce the behaviour: Player can "fly" by timing the space button so that it is pressed just before colliding with the ground so that the player progressively increases in altitude. Expected behaviour: Player should not be able to "fly" at all. Desktop system details: OS: Windows10
priority
player can fly describe the bug player can fly version crow get it version to be updated on steps to reproduce the behaviour player can fly by timing the space button so that it is pressed just before colliding with the ground so that the player progressively increases in altitude expected behaviour player should not be able to fly at all desktop system details os
1
149,112
5,711,797,576
IssuesEvent
2017-04-19 00:34:26
ld4l-labs/ontology
https://api.github.com/repos/ld4l-labs/ontology
closed
Create LODE documentation for our ontology file
completed priority: blocker
For bibx file: - make a temporary copy replacing skos:definition with rdfs:comment before generating documentation. - Run fix-anchors.py. - Commit to repository
1.0
Create LODE documentation for our ontology file - For bibx file: - make a temporary copy replacing skos:definition with rdfs:comment before generating documentation. - Run fix-anchors.py. - Commit to repository
priority
create lode documentation for our ontology file for bibx file make a temporary copy replacing skos definition with rdfs comment before generating documentation run fix anchors py commit to repository
1
512,301
14,893,441,880
IssuesEvent
2021-01-21 05:25:51
kartevonmorgen/kartevonmorgen
https://api.github.com/repos/kartevonmorgen/kartevonmorgen
reopened
Routing: when using left=hide it is turned into left=show
12 low-priority good first issue
# Problem ~~The URL does always indicate left=show, even if the left sidebare is hidden.~~ The URL should indicate the actual status of the sidebar. # Solution - [ ] Default: if no URL Command left=... is given, sidebar should be open - [ ] The URL-Command &left=hide should only appear, if a user hides the sidebar manually, (or you got a shared link) - [ ] When you open the sidebar again, the left=... command can be deleted in the URL # low Relevance This URL-Command is only important for iframes, and there it is perfectly working! So no hurry
1.0
Routing: when using left=hide it is turned into left=show - # Problem ~~The URL does always indicate left=show, even if the left sidebare is hidden.~~ The URL should indicate the actual status of the sidebar. # Solution - [ ] Default: if no URL Command left=... is given, sidebar should be open - [ ] The URL-Command &left=hide should only appear, if a user hides the sidebar manually, (or you got a shared link) - [ ] When you open the sidebar again, the left=... command can be deleted in the URL # low Relevance This URL-Command is only important for iframes, and there it is perfectly working! So no hurry
priority
routing when using left hide it is turned into left show problem the url does always indicate left show even if the left sidebare is hidden the url should indicate the actual status of the sidebar solution default if no url command left is given sidebar should be open the url command left hide should only appear if a user hides the sidebar manually or you got a shared link when you open the sidebar again the left command can be deleted in the url low relevance this url command is only important for iframes and there it is perfectly working so no hurry
1
243,480
20,404,089,368
IssuesEvent
2022-02-23 01:44:52
trinodb/trino
https://api.github.com/repos/trinodb/trino
opened
Add test to guess field types in MongoDB
good first issue test
The test should creates a document in MongoDB and read in Trino as `BaseMongoConnectorTest.testDBRef()`. https://docs.mongodb.com/manual/reference/bson-types/
1.0
Add test to guess field types in MongoDB - The test should creates a document in MongoDB and read in Trino as `BaseMongoConnectorTest.testDBRef()`. https://docs.mongodb.com/manual/reference/bson-types/
non_priority
add test to guess field types in mongodb the test should creates a document in mongodb and read in trino as basemongoconnectortest testdbref
0
363,921
10,756,856,148
IssuesEvent
2019-10-31 12:07:59
ansible/awx
https://api.github.com/repos/ansible/awx
opened
In tower_inventory_source, take organization parameter for inventory org
component:awx_collection priority:medium state:needs_devel type:enhancement
##### ISSUE TYPE - Feature Idea ##### SUMMARY If you create an inventory source like this: ```yaml tower_inventory_source: name: source-test-inventory inventory: openstack-test-inventory ``` It will fail if there are 2 versions of "openstack-test-inventory" in different organizations. This module should have the organization parameter added, and filter the inventory according to that. Basically this is to track cherry-picking https://github.com/ansible/ansible/pull/63100
1.0
In tower_inventory_source, take organization parameter for inventory org - ##### ISSUE TYPE - Feature Idea ##### SUMMARY If you create an inventory source like this: ```yaml tower_inventory_source: name: source-test-inventory inventory: openstack-test-inventory ``` It will fail if there are 2 versions of "openstack-test-inventory" in different organizations. This module should have the organization parameter added, and filter the inventory according to that. Basically this is to track cherry-picking https://github.com/ansible/ansible/pull/63100
priority
in tower inventory source take organization parameter for inventory org issue type feature idea summary if you create an inventory source like this yaml tower inventory source name source test inventory inventory openstack test inventory it will fail if there are versions of openstack test inventory in different organizations this module should have the organization parameter added and filter the inventory according to that basically this is to track cherry picking
1
215,744
24,196,498,371
IssuesEvent
2022-09-24 01:07:32
DavidSpek/pipelines
https://api.github.com/repos/DavidSpek/pipelines
opened
CVE-2022-35960 (High) detected in tensorflow-1.15.0-cp27-cp27mu-manylinux2010_x86_64.whl
security vulnerability
## CVE-2022-35960 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>tensorflow-1.15.0-cp27-cp27mu-manylinux2010_x86_64.whl</b></p></summary> <p>TensorFlow is an open source machine learning framework for everyone.</p> <p>Library home page: <a href="https://files.pythonhosted.org/packages/ec/98/f968caf5f65759e78873b900cbf0ae20b1699fb11268ecc0f892186419a7/tensorflow-1.15.0-cp27-cp27mu-manylinux2010_x86_64.whl">https://files.pythonhosted.org/packages/ec/98/f968caf5f65759e78873b900cbf0ae20b1699fb11268ecc0f892186419a7/tensorflow-1.15.0-cp27-cp27mu-manylinux2010_x86_64.whl</a></p> <p>Path to dependency file: /contrib/components/openvino/ovms-deployer/containers/requirements.txt</p> <p>Path to vulnerable library: /contrib/components/openvino/ovms-deployer/containers/requirements.txt,/samples/core/ai_platform/training</p> <p> Dependency Hierarchy: - :x: **tensorflow-1.15.0-cp27-cp27mu-manylinux2010_x86_64.whl** (Vulnerable Library) <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> TensorFlow is an open source platform for machine learning. In `core/kernels/list_kernels.cc's TensorListReserve`, `num_elements` is assumed to be a tensor of size 1. When a `num_elements` of more than 1 element is provided, then `tf.raw_ops.TensorListReserve` fails the `CHECK_EQ` in `CheckIsAlignedAndSingleElement`. We have patched the issue in GitHub commit b5f6fbfba76576202b72119897561e3bd4f179c7. The fix will be included in TensorFlow 2.10.0. We will also cherrypick this commit on TensorFlow 2.9.1, TensorFlow 2.8.1, and TensorFlow 2.7.2, as these are also affected and still in supported range. There are no known workarounds for this issue. <p>Publish Date: 2022-09-16 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-35960>CVE-2022-35960</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/tensorflow/tensorflow/security/advisories/GHSA-v5xg-3q2c-c2r4">https://github.com/tensorflow/tensorflow/security/advisories/GHSA-v5xg-3q2c-c2r4</a></p> <p>Release Date: 2022-09-16</p> <p>Fix Resolution: tensorflow - 2.7.2,2.8.1,2.9.1,2.10.0, tensorflow-cpu - 2.7.2,2.8.1,2.9.1,2.10.0, tensorflow-gpu - 2.7.2,2.8.1,2.9.1,2.10.0</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-35960 (High) detected in tensorflow-1.15.0-cp27-cp27mu-manylinux2010_x86_64.whl - ## CVE-2022-35960 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>tensorflow-1.15.0-cp27-cp27mu-manylinux2010_x86_64.whl</b></p></summary> <p>TensorFlow is an open source machine learning framework for everyone.</p> <p>Library home page: <a href="https://files.pythonhosted.org/packages/ec/98/f968caf5f65759e78873b900cbf0ae20b1699fb11268ecc0f892186419a7/tensorflow-1.15.0-cp27-cp27mu-manylinux2010_x86_64.whl">https://files.pythonhosted.org/packages/ec/98/f968caf5f65759e78873b900cbf0ae20b1699fb11268ecc0f892186419a7/tensorflow-1.15.0-cp27-cp27mu-manylinux2010_x86_64.whl</a></p> <p>Path to dependency file: /contrib/components/openvino/ovms-deployer/containers/requirements.txt</p> <p>Path to vulnerable library: /contrib/components/openvino/ovms-deployer/containers/requirements.txt,/samples/core/ai_platform/training</p> <p> Dependency Hierarchy: - :x: **tensorflow-1.15.0-cp27-cp27mu-manylinux2010_x86_64.whl** (Vulnerable Library) <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> TensorFlow is an open source platform for machine learning. In `core/kernels/list_kernels.cc's TensorListReserve`, `num_elements` is assumed to be a tensor of size 1. When a `num_elements` of more than 1 element is provided, then `tf.raw_ops.TensorListReserve` fails the `CHECK_EQ` in `CheckIsAlignedAndSingleElement`. We have patched the issue in GitHub commit b5f6fbfba76576202b72119897561e3bd4f179c7. The fix will be included in TensorFlow 2.10.0. We will also cherrypick this commit on TensorFlow 2.9.1, TensorFlow 2.8.1, and TensorFlow 2.7.2, as these are also affected and still in supported range. There are no known workarounds for this issue. <p>Publish Date: 2022-09-16 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-35960>CVE-2022-35960</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/tensorflow/tensorflow/security/advisories/GHSA-v5xg-3q2c-c2r4">https://github.com/tensorflow/tensorflow/security/advisories/GHSA-v5xg-3q2c-c2r4</a></p> <p>Release Date: 2022-09-16</p> <p>Fix Resolution: tensorflow - 2.7.2,2.8.1,2.9.1,2.10.0, tensorflow-cpu - 2.7.2,2.8.1,2.9.1,2.10.0, tensorflow-gpu - 2.7.2,2.8.1,2.9.1,2.10.0</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
cve high detected in tensorflow whl cve high severity vulnerability vulnerable library tensorflow whl tensorflow is an open source machine learning framework for everyone library home page a href path to dependency file contrib components openvino ovms deployer containers requirements txt path to vulnerable library contrib components openvino ovms deployer containers requirements txt samples core ai platform training dependency hierarchy x tensorflow whl vulnerable library found in base branch master vulnerability details tensorflow is an open source platform for machine learning in core kernels list kernels cc s tensorlistreserve num elements is assumed to be a tensor of size when a num elements of more than element is provided then tf raw ops tensorlistreserve fails the check eq in checkisalignedandsingleelement we have patched the issue in github commit the fix will be included in tensorflow we will also cherrypick this commit on tensorflow tensorflow and tensorflow as these are also affected and still in supported range there are no known workarounds for this issue publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution tensorflow tensorflow cpu tensorflow gpu step up your open source security game with mend
0
166,294
6,302,218,525
IssuesEvent
2017-07-21 10:14:03
BinPar/PRM
https://api.github.com/repos/BinPar/PRM
closed
PRM VD: ¿CÓMO SE HACE RETORNO DE CARRO EN LOS COMENTARIOS?
Priority: Low Venta Directa
![image](https://user-images.githubusercontent.com/22589031/27231722-d72662a6-52b3-11e7-8ad4-00cd29097dae.png) Si se utiliza la tecla RETURN, se graba el comentario, no se cambia de línea. @CristianBinpar @minigoBinpar
1.0
PRM VD: ¿CÓMO SE HACE RETORNO DE CARRO EN LOS COMENTARIOS? - ![image](https://user-images.githubusercontent.com/22589031/27231722-d72662a6-52b3-11e7-8ad4-00cd29097dae.png) Si se utiliza la tecla RETURN, se graba el comentario, no se cambia de línea. @CristianBinpar @minigoBinpar
priority
prm vd ¿cómo se hace retorno de carro en los comentarios si se utiliza la tecla return se graba el comentario no se cambia de línea cristianbinpar minigobinpar
1
748,442
26,123,570,115
IssuesEvent
2022-12-28 15:29:08
Tomasz-Zdeb/Embedded-Systems-Class-Project
https://api.github.com/repos/Tomasz-Zdeb/Embedded-Systems-Class-Project
closed
Ustalenie funkcjonalności projektu
top priority
Abyśmy mogli przejść do dalszego etapu realizacji projektu, w którym każdy będzie pracował nad wybranym przez siebie elementem systemu musimy ustalić jakie funkcjonalności będzie posiadał nasz **Rejestrator temperatury**. Musimy mieć na uwadze ograniczoną liczbę wejść i wyjść w mikroprocesorach z rodziny **STM32**, w związku z czym nie przesadzajmy z ilością funkcjonalności takiego urządzenia. Proponuję aby zawrzeć umiarkowaną ilość funkcjonalności i po prostu zrobić porządnie projekt od początku do końca. W mojej opinii, must have to: * pomiar temperatury np. przy pomocy termopary * monitoring wartości temperatury w czasie rzeczywistym przy pomocy wyświetlacza alfanumerycznego LCD * przechowywanie szeregu czasowego wartości temperatur w pamięci trwałej * zapewnienie interfejsu do komunikacji z innymi urządzeniami, np. Ethernet --- ### Proszę o zgłaszanie propozycji funkcjonalności w tym **issue** --- Na podstawie poczynionych ustaleń utworzę kolejno **issues** dotyczące każdej funkcjonalności/zadania do wykonania umożliwiając każdemu członkowi zespołu przypisanie sobie danego **issue** i pracę nad konkretnym elementem projektu.
1.0
Ustalenie funkcjonalności projektu - Abyśmy mogli przejść do dalszego etapu realizacji projektu, w którym każdy będzie pracował nad wybranym przez siebie elementem systemu musimy ustalić jakie funkcjonalności będzie posiadał nasz **Rejestrator temperatury**. Musimy mieć na uwadze ograniczoną liczbę wejść i wyjść w mikroprocesorach z rodziny **STM32**, w związku z czym nie przesadzajmy z ilością funkcjonalności takiego urządzenia. Proponuję aby zawrzeć umiarkowaną ilość funkcjonalności i po prostu zrobić porządnie projekt od początku do końca. W mojej opinii, must have to: * pomiar temperatury np. przy pomocy termopary * monitoring wartości temperatury w czasie rzeczywistym przy pomocy wyświetlacza alfanumerycznego LCD * przechowywanie szeregu czasowego wartości temperatur w pamięci trwałej * zapewnienie interfejsu do komunikacji z innymi urządzeniami, np. Ethernet --- ### Proszę o zgłaszanie propozycji funkcjonalności w tym **issue** --- Na podstawie poczynionych ustaleń utworzę kolejno **issues** dotyczące każdej funkcjonalności/zadania do wykonania umożliwiając każdemu członkowi zespołu przypisanie sobie danego **issue** i pracę nad konkretnym elementem projektu.
priority
ustalenie funkcjonalności projektu abyśmy mogli przejść do dalszego etapu realizacji projektu w którym każdy będzie pracował nad wybranym przez siebie elementem systemu musimy ustalić jakie funkcjonalności będzie posiadał nasz rejestrator temperatury musimy mieć na uwadze ograniczoną liczbę wejść i wyjść w mikroprocesorach z rodziny w związku z czym nie przesadzajmy z ilością funkcjonalności takiego urządzenia proponuję aby zawrzeć umiarkowaną ilość funkcjonalności i po prostu zrobić porządnie projekt od początku do końca w mojej opinii must have to pomiar temperatury np przy pomocy termopary monitoring wartości temperatury w czasie rzeczywistym przy pomocy wyświetlacza alfanumerycznego lcd przechowywanie szeregu czasowego wartości temperatur w pamięci trwałej zapewnienie interfejsu do komunikacji z innymi urządzeniami np ethernet proszę o zgłaszanie propozycji funkcjonalności w tym issue na podstawie poczynionych ustaleń utworzę kolejno issues dotyczące każdej funkcjonalności zadania do wykonania umożliwiając każdemu członkowi zespołu przypisanie sobie danego issue i pracę nad konkretnym elementem projektu
1
696,155
23,887,397,496
IssuesEvent
2022-09-08 08:46:34
googleapis/nodejs-spanner
https://api.github.com/repos/googleapis/nodejs-spanner
closed
Runtime dependencies faulty declared as devDependencies.
type: bug priority: p2 api: spanner
Some dependencies are declared as dev dependencies while they are actually run-time dependencies. This does not cause a problem with NPM currently as other dependencies include the missing ones. However, when using together with Bazel and rules_js which isolate dependencies it breaks as they are not declared properly. I've fixed the package.json to declare the dependencies in the correct way. Thanks!
1.0
Runtime dependencies faulty declared as devDependencies. - Some dependencies are declared as dev dependencies while they are actually run-time dependencies. This does not cause a problem with NPM currently as other dependencies include the missing ones. However, when using together with Bazel and rules_js which isolate dependencies it breaks as they are not declared properly. I've fixed the package.json to declare the dependencies in the correct way. Thanks!
priority
runtime dependencies faulty declared as devdependencies some dependencies are declared as dev dependencies while they are actually run time dependencies this does not cause a problem with npm currently as other dependencies include the missing ones however when using together with bazel and rules js which isolate dependencies it breaks as they are not declared properly i ve fixed the package json to declare the dependencies in the correct way thanks
1
109,331
16,843,678,798
IssuesEvent
2021-06-19 02:48:41
bharathirajatut/fitbit-api-example-java2
https://api.github.com/repos/bharathirajatut/fitbit-api-example-java2
opened
CVE-2020-9546 (High) detected in jackson-databind-2.8.1.jar
security vulnerability
## CVE-2020-9546 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.8.1.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: fitbit-api-example-java2/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.1/jackson-databind-2.8.1.jar</p> <p> Dependency Hierarchy: - spring-boot-starter-web-1.4.0.RELEASE.jar (Root Library) - :x: **jackson-databind-2.8.1.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://api.github.com/repos/bharathirajatut/fitbit-api-example-java2/commits/8c153ad064e8f07a4ddade35ac13a9b485ca3dac">8c153ad064e8f07a4ddade35ac13a9b485ca3dac</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> FasterXML jackson-databind 2.x before 2.9.10.4 mishandles the interaction between serialization gadgets and typing, related to org.apache.hadoop.shaded.com.zaxxer.hikari.HikariConfig (aka shaded hikari-config). <p>Publish Date: 2020-03-02 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-9546>CVE-2020-9546</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.8</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: 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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-9546">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-9546</a></p> <p>Release Date: 2020-03-02</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.10.3</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2020-9546 (High) detected in jackson-databind-2.8.1.jar - ## CVE-2020-9546 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.8.1.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: fitbit-api-example-java2/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.1/jackson-databind-2.8.1.jar</p> <p> Dependency Hierarchy: - spring-boot-starter-web-1.4.0.RELEASE.jar (Root Library) - :x: **jackson-databind-2.8.1.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://api.github.com/repos/bharathirajatut/fitbit-api-example-java2/commits/8c153ad064e8f07a4ddade35ac13a9b485ca3dac">8c153ad064e8f07a4ddade35ac13a9b485ca3dac</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> FasterXML jackson-databind 2.x before 2.9.10.4 mishandles the interaction between serialization gadgets and typing, related to org.apache.hadoop.shaded.com.zaxxer.hikari.HikariConfig (aka shaded hikari-config). <p>Publish Date: 2020-03-02 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-9546>CVE-2020-9546</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.8</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: 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://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-9546">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-9546</a></p> <p>Release Date: 2020-03-02</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.10.3</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
cve high detected in jackson databind jar cve high severity vulnerability vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to dependency file fitbit api example pom xml path to vulnerable library home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy spring boot starter web release jar root library x jackson databind jar vulnerable library found in head commit a href found in base branch master vulnerability details fasterxml jackson databind x before mishandles the interaction between serialization gadgets and typing related to org apache hadoop shaded com zaxxer hikari hikariconfig aka shaded hikari config 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 high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution com fasterxml jackson core jackson databind step up your open source security game with whitesource
0
537,157
15,724,143,114
IssuesEvent
2021-03-29 08:26:02
DimensionDev/Maskbook
https://api.github.com/repos/DimensionDev/Maskbook
closed
[Bug] Special low-priced currency display problem
Priority: P3 (Normal) Type: Bug
## Bug Report ## Environment ### System - [x] Windows - OS Version: - [ ] Mac OS X - OS Version: - [ ] Linux - Linux Distribution: - OS Version: ### Platform/Browser - [x] Chrome - Mask Version:1.29.13 - Browser Version:Version 89.0.4389.90 (Official Build) (64-bit) - [ ] Firefox - Mask Version: - Browser Version: - [ ] Android - Mask Version: - Android Version: - [ ] iOS - Mask Version: - iOS Version: ### Build Variant - Where do you get Mask? - [x] Store - [ ] ZIP - [ ] Self-Compiled - Build Commit: /_Optionally attach a Commit ID, if it is from an pre-release branch head_/ ## Bug Info ### Actual Behavior Special low-priced currency display problem ![2021-03-29png](https://i.loli.net/2021/03/29/o9dqv48sFDhVQRN.png)
1.0
[Bug] Special low-priced currency display problem - ## Bug Report ## Environment ### System - [x] Windows - OS Version: - [ ] Mac OS X - OS Version: - [ ] Linux - Linux Distribution: - OS Version: ### Platform/Browser - [x] Chrome - Mask Version:1.29.13 - Browser Version:Version 89.0.4389.90 (Official Build) (64-bit) - [ ] Firefox - Mask Version: - Browser Version: - [ ] Android - Mask Version: - Android Version: - [ ] iOS - Mask Version: - iOS Version: ### Build Variant - Where do you get Mask? - [x] Store - [ ] ZIP - [ ] Self-Compiled - Build Commit: /_Optionally attach a Commit ID, if it is from an pre-release branch head_/ ## Bug Info ### Actual Behavior Special low-priced currency display problem ![2021-03-29png](https://i.loli.net/2021/03/29/o9dqv48sFDhVQRN.png)
priority
special low priced currency display problem bug report environment system windows os version mac os x os version linux linux distribution os version platform browser chrome mask version browser version version official build bit firefox mask version browser version android mask version android version ios mask version ios version build variant where do you get mask store zip self compiled build commit optionally attach a commit id if it is from an pre release branch head bug info actual behavior special low priced currency display problem
1
650,383
21,389,930,257
IssuesEvent
2022-04-21 05:43:38
bats-core/bats-core
https://api.github.com/repos/bats-core/bats-core
opened
Weird behaviour when mocking functions with launchctl
Type: Bug Priority: NeedsTriage
**Describe the bug** When we mock calls to launchctl to load or unload certain services, bats reports it to be executed X+a random number of times when it shall be just X times. **To Reproduce** Steps to reproduce the behavior: 1. Create the mock 2. Execute bats **Expected behavior** If we mock launchctl running in the function 3 times it shall be called just 3 times **Environment (please complete the following information):** - Bats Version 1.5.0 - OS: MacOS - Bash 5.1 **Additional context** Hi team, I have this function: ``` function stop_appx_services { /bin/launchctl unload /Library/LaunchDaemons/com.appx.driver.plist /bin/launchctl unload /Library/LaunchDaemons/com.appxy.cod.plist /bin/launchctl unload /Library/LaunchDaemons/com.appxz.cod.ens.plist /bin/sleep 10 declare -i counter counter="$(/bin/ps -A | /usr/bin/grep 'appx\|appxy\|appxz' | /usr/bin/wc -l)" if [ "$counter" -gt 1 ]; then return 1 else return 0 fi } ``` And this test for it: ``` { # stop_appx_services @test 'stop_appx_services: Correct calls' { mock_launchctl="$(mock_create)" function /bin/launchctl { $mock_launchctl $@; } mock_ps="$(mock_create)" function /bin/ps { $mock_ps; } mock_grep="$(mock_create)" function /usr/bin/grep { $mock_grep $@; } mock_wc="$(mock_create)" function /usr/bin/wc { $mock_wc $@; } run stop_collector_services assert_success assert_output '' # assert_equal "$(mock_get_call_num ${mock_launchctl})" # assert_equal "$(mock_get_call_args ${mock_launchctl} 1)" 'unload /Library/LaunchDaemons/com.appx.driver.plist' # assert_equal "$(mock_get_call_args ${mock_launchctl} 2)" 'unload /Library/LaunchDaemons/com.appxy.cod.plist' # assert_equal "$(mock_get_call_args ${mock_launchctl} 3)" 'unload /Library/LaunchDaemons/com.appxz.cod.ens.plist' assert_equal "$(mock_get_call_num ${mock_ps})" 1 assert_equal "$(mock_get_call_args ${mock_ps})" '-A' assert_equal "$(mock_get_call_num ${mock_grep})" 1 assert_equal "$(mock_get_call_args ${mock_grep})" 'appx\|appxy\|appxz' assert_equal "$(mock_get_call_num ${mock_wc})" 1 assert_equal "$(mock_get_call_args ${mock_wc})" '-l' } } ``` The thing is, whenever I execute bats, it says in essence that launchctl is executed more than 3 times: ``` `assert_equal "$(mock_get_call_num ${mock_launchctl})" 5' failed -- values do not equal -- expected : 5 actual : 4 -- ``` Even more, if I comment out all launchctl assert calls the following mock: ``` `assert_equal "$(mock_get_call_num ${mock_ps})" 1' failed -- values do not equal -- expected : 1 actual : 4 ``` Weird behaviour, I wonder if it has to do with launchctl itself? Thanks!
1.0
Weird behaviour when mocking functions with launchctl - **Describe the bug** When we mock calls to launchctl to load or unload certain services, bats reports it to be executed X+a random number of times when it shall be just X times. **To Reproduce** Steps to reproduce the behavior: 1. Create the mock 2. Execute bats **Expected behavior** If we mock launchctl running in the function 3 times it shall be called just 3 times **Environment (please complete the following information):** - Bats Version 1.5.0 - OS: MacOS - Bash 5.1 **Additional context** Hi team, I have this function: ``` function stop_appx_services { /bin/launchctl unload /Library/LaunchDaemons/com.appx.driver.plist /bin/launchctl unload /Library/LaunchDaemons/com.appxy.cod.plist /bin/launchctl unload /Library/LaunchDaemons/com.appxz.cod.ens.plist /bin/sleep 10 declare -i counter counter="$(/bin/ps -A | /usr/bin/grep 'appx\|appxy\|appxz' | /usr/bin/wc -l)" if [ "$counter" -gt 1 ]; then return 1 else return 0 fi } ``` And this test for it: ``` { # stop_appx_services @test 'stop_appx_services: Correct calls' { mock_launchctl="$(mock_create)" function /bin/launchctl { $mock_launchctl $@; } mock_ps="$(mock_create)" function /bin/ps { $mock_ps; } mock_grep="$(mock_create)" function /usr/bin/grep { $mock_grep $@; } mock_wc="$(mock_create)" function /usr/bin/wc { $mock_wc $@; } run stop_collector_services assert_success assert_output '' # assert_equal "$(mock_get_call_num ${mock_launchctl})" # assert_equal "$(mock_get_call_args ${mock_launchctl} 1)" 'unload /Library/LaunchDaemons/com.appx.driver.plist' # assert_equal "$(mock_get_call_args ${mock_launchctl} 2)" 'unload /Library/LaunchDaemons/com.appxy.cod.plist' # assert_equal "$(mock_get_call_args ${mock_launchctl} 3)" 'unload /Library/LaunchDaemons/com.appxz.cod.ens.plist' assert_equal "$(mock_get_call_num ${mock_ps})" 1 assert_equal "$(mock_get_call_args ${mock_ps})" '-A' assert_equal "$(mock_get_call_num ${mock_grep})" 1 assert_equal "$(mock_get_call_args ${mock_grep})" 'appx\|appxy\|appxz' assert_equal "$(mock_get_call_num ${mock_wc})" 1 assert_equal "$(mock_get_call_args ${mock_wc})" '-l' } } ``` The thing is, whenever I execute bats, it says in essence that launchctl is executed more than 3 times: ``` `assert_equal "$(mock_get_call_num ${mock_launchctl})" 5' failed -- values do not equal -- expected : 5 actual : 4 -- ``` Even more, if I comment out all launchctl assert calls the following mock: ``` `assert_equal "$(mock_get_call_num ${mock_ps})" 1' failed -- values do not equal -- expected : 1 actual : 4 ``` Weird behaviour, I wonder if it has to do with launchctl itself? Thanks!
priority
weird behaviour when mocking functions with launchctl describe the bug when we mock calls to launchctl to load or unload certain services bats reports it to be executed x a random number of times when it shall be just x times to reproduce steps to reproduce the behavior create the mock execute bats expected behavior if we mock launchctl running in the function times it shall be called just times environment please complete the following information bats version os macos bash additional context hi team i have this function function stop appx services bin launchctl unload library launchdaemons com appx driver plist bin launchctl unload library launchdaemons com appxy cod plist bin launchctl unload library launchdaemons com appxz cod ens plist bin sleep declare i counter counter bin ps a usr bin grep appx appxy appxz usr bin wc l if then return else return fi and this test for it stop appx services test stop appx services correct calls mock launchctl mock create function bin launchctl mock launchctl mock ps mock create function bin ps mock ps mock grep mock create function usr bin grep mock grep mock wc mock create function usr bin wc mock wc run stop collector services assert success assert output assert equal mock get call num mock launchctl assert equal mock get call args mock launchctl unload library launchdaemons com appx driver plist assert equal mock get call args mock launchctl unload library launchdaemons com appxy cod plist assert equal mock get call args mock launchctl unload library launchdaemons com appxz cod ens plist assert equal mock get call num mock ps assert equal mock get call args mock ps a assert equal mock get call num mock grep assert equal mock get call args mock grep appx appxy appxz assert equal mock get call num mock wc assert equal mock get call args mock wc l the thing is whenever i execute bats it says in essence that launchctl is executed more than times assert equal mock get call num mock launchctl failed values do not equal expected actual even more if i comment out all launchctl assert calls the following mock assert equal mock get call num mock ps failed values do not equal expected actual weird behaviour i wonder if it has to do with launchctl itself thanks
1
5,895
6,077,364,386
IssuesEvent
2017-06-16 03:34:15
brave/browser-laptop
https://api.github.com/repos/brave/browser-laptop
closed
host is not parsed correctly in titleMode
feature/URLbar needs-triage security
![pasted image at 2017_06_15 08_56 pm](https://user-images.githubusercontent.com/4672033/27209051-e00dad00-521f-11e7-9123-c14386bceb13.png) Issues: 1. no host defined for about pages 2. Trailling colon for all urls Issue found in 0.18.x sha 3535c8da0af977ffda9ddc974e9318c217cf5d74 Given this is related with security matters I'm labeling to 0.18.x itself given it is not reproducible in 0.17.x /cc @diracdeltas /cc @srirambv for triage
True
host is not parsed correctly in titleMode - ![pasted image at 2017_06_15 08_56 pm](https://user-images.githubusercontent.com/4672033/27209051-e00dad00-521f-11e7-9123-c14386bceb13.png) Issues: 1. no host defined for about pages 2. Trailling colon for all urls Issue found in 0.18.x sha 3535c8da0af977ffda9ddc974e9318c217cf5d74 Given this is related with security matters I'm labeling to 0.18.x itself given it is not reproducible in 0.17.x /cc @diracdeltas /cc @srirambv for triage
non_priority
host is not parsed correctly in titlemode issues no host defined for about pages trailling colon for all urls issue found in x sha given this is related with security matters i m labeling to x itself given it is not reproducible in x cc diracdeltas cc srirambv for triage
0
374,126
11,072,508,226
IssuesEvent
2019-12-12 10:26:09
StrangeLoopGames/EcoIssues
https://api.github.com/repos/StrangeLoopGames/EcoIssues
closed
[master-preview] Work party: it doesn't count labor
Medium Priority
We should count labor too as someone can provide labor without resources. to @Hakuhonoo for labor help
1.0
[master-preview] Work party: it doesn't count labor - We should count labor too as someone can provide labor without resources. to @Hakuhonoo for labor help
priority
work party it doesn t count labor we should count labor too as someone can provide labor without resources to hakuhonoo for labor help
1
499,989
14,483,851,886
IssuesEvent
2020-12-10 15:38:34
convict-git/KoraKaagaz
https://api.github.com/repos/convict-git/KoraKaagaz
opened
[Server] - Huge CPU usage
Server bug high priority
The `MainServer` was seen to completely exhaust the processor resources. This was seen even before letting any client connect to it, which issue persists without any `BoardServer` being spawned. On the first look, it seems it could be coming from the Networking module, unknowingly. This issue makes things extremely slow and affects performance quite much.
1.0
[Server] - Huge CPU usage - The `MainServer` was seen to completely exhaust the processor resources. This was seen even before letting any client connect to it, which issue persists without any `BoardServer` being spawned. On the first look, it seems it could be coming from the Networking module, unknowingly. This issue makes things extremely slow and affects performance quite much.
priority
huge cpu usage the mainserver was seen to completely exhaust the processor resources this was seen even before letting any client connect to it which issue persists without any boardserver being spawned on the first look it seems it could be coming from the networking module unknowingly this issue makes things extremely slow and affects performance quite much
1
4,675
2,741,758,751
IssuesEvent
2015-04-21 13:17:20
mysociety/theyworkforyou
https://api.github.com/repos/mysociety/theyworkforyou
opened
New homepage - location for banner
Design
The announcement banner needs to be incorporated into the design. It's possible that just using the banner from the debates page is acceptable though.
1.0
New homepage - location for banner - The announcement banner needs to be incorporated into the design. It's possible that just using the banner from the debates page is acceptable though.
non_priority
new homepage location for banner the announcement banner needs to be incorporated into the design it s possible that just using the banner from the debates page is acceptable though
0
693,850
23,792,124,756
IssuesEvent
2022-09-02 15:27:43
blindnet-io/privacy-components-web
https://api.github.com/repos/blindnet-io/privacy-components-web
closed
[DCI] Initialize DCI web component
type: feature priority: 0 (critical)
Initialize the associated web component. This isn't blocked by #33, as the web component can be created in the project as it is, with associated storybook stories, and transferred to a dedicated package as part of #33.
1.0
[DCI] Initialize DCI web component - Initialize the associated web component. This isn't blocked by #33, as the web component can be created in the project as it is, with associated storybook stories, and transferred to a dedicated package as part of #33.
priority
initialize dci web component initialize the associated web component this isn t blocked by as the web component can be created in the project as it is with associated storybook stories and transferred to a dedicated package as part of
1
286,106
31,235,000,326
IssuesEvent
2023-08-20 06:46:03
scm-automation-project/maven-multi-module-project
https://api.github.com/repos/scm-automation-project/maven-multi-module-project
closed
mmtf-serialization-1.0.10.jar: 1 vulnerabilities (highest severity is: 7.5) - autoclosed
Mend: dependency security vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>mmtf-serialization-1.0.10.jar</b></p></summary> <p></p> <p>Path to dependency file: /biojava-modfinder/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar</p> <p> <p>Found in HEAD commit: <a href="https://github.com/scm-automation-project/maven-multi-module-project/commit/8bddd5fde67920b3d0a8c62e75694ce38edf6bac">8bddd5fde67920b3d0a8c62e75694ce38edf6bac</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (mmtf-serialization version) | Remediation Possible** | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2020-25649](https://www.mend.io/vulnerability-database/CVE-2020-25649) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png?' width=19 height=20> High | 7.5 | jackson-databind-2.10.5.jar | Transitive | N/A* | &#10060; | <p>*For some transitive vulnerabilities, there is no version of direct dependency with a fix. Check the "Details" section below to see if there is a version of transitive dependency where vulnerability is fixed.</p><p>**In some cases, Remediation PR cannot be created automatically for a vulnerability despite the availability of remediation</p> ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png?' width=19 height=20> CVE-2020-25649</summary> ### Vulnerable Library - <b>jackson-databind-2.10.5.jar</b></p> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: /biojava-modfinder/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar</p> <p> Dependency Hierarchy: - mmtf-serialization-1.0.10.jar (Root Library) - jackson-dataformat-msgpack-0.8.24.jar - :x: **jackson-databind-2.10.5.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/scm-automation-project/maven-multi-module-project/commit/8bddd5fde67920b3d0a8c62e75694ce38edf6bac">8bddd5fde67920b3d0a8c62e75694ce38edf6bac</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> A flaw was found in FasterXML Jackson Databind, where it did not have entity expansion secured properly. This flaw allows vulnerability to XML external entity (XXE) attacks. The highest threat from this vulnerability is data integrity. <p>Publish Date: 2020-12-03 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2020-25649>CVE-2020-25649</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>7.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: 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> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Release Date: 2020-12-03</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.6.7.4,2.9.10.7,2.10.5.1,2.11.0.rc1</p> </p> <p></p> </details>
True
mmtf-serialization-1.0.10.jar: 1 vulnerabilities (highest severity is: 7.5) - autoclosed - <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>mmtf-serialization-1.0.10.jar</b></p></summary> <p></p> <p>Path to dependency file: /biojava-modfinder/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar</p> <p> <p>Found in HEAD commit: <a href="https://github.com/scm-automation-project/maven-multi-module-project/commit/8bddd5fde67920b3d0a8c62e75694ce38edf6bac">8bddd5fde67920b3d0a8c62e75694ce38edf6bac</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (mmtf-serialization version) | Remediation Possible** | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2020-25649](https://www.mend.io/vulnerability-database/CVE-2020-25649) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png?' width=19 height=20> High | 7.5 | jackson-databind-2.10.5.jar | Transitive | N/A* | &#10060; | <p>*For some transitive vulnerabilities, there is no version of direct dependency with a fix. Check the "Details" section below to see if there is a version of transitive dependency where vulnerability is fixed.</p><p>**In some cases, Remediation PR cannot be created automatically for a vulnerability despite the availability of remediation</p> ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png?' width=19 height=20> CVE-2020-25649</summary> ### Vulnerable Library - <b>jackson-databind-2.10.5.jar</b></p> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: /biojava-modfinder/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.10.5/jackson-databind-2.10.5.jar</p> <p> Dependency Hierarchy: - mmtf-serialization-1.0.10.jar (Root Library) - jackson-dataformat-msgpack-0.8.24.jar - :x: **jackson-databind-2.10.5.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/scm-automation-project/maven-multi-module-project/commit/8bddd5fde67920b3d0a8c62e75694ce38edf6bac">8bddd5fde67920b3d0a8c62e75694ce38edf6bac</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> A flaw was found in FasterXML Jackson Databind, where it did not have entity expansion secured properly. This flaw allows vulnerability to XML external entity (XXE) attacks. The highest threat from this vulnerability is data integrity. <p>Publish Date: 2020-12-03 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2020-25649>CVE-2020-25649</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>7.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: 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> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Release Date: 2020-12-03</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.6.7.4,2.9.10.7,2.10.5.1,2.11.0.rc1</p> </p> <p></p> </details>
non_priority
mmtf serialization jar vulnerabilities highest severity is autoclosed vulnerable library mmtf serialization jar path to dependency file biojava modfinder pom xml path to vulnerable library home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar found in head commit a href vulnerabilities cve severity cvss dependency type fixed in mmtf serialization version remediation possible high jackson databind jar transitive n a for some transitive vulnerabilities there is no version of direct dependency with a fix check the details section below to see if there is a version of transitive dependency where vulnerability is fixed in some cases remediation pr cannot be created automatically for a vulnerability despite the availability of remediation details cve vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to dependency file biojava modfinder pom xml path to vulnerable library home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy mmtf serialization jar root library jackson dataformat msgpack jar x jackson databind jar vulnerable library found in head commit a href found in base branch main vulnerability details a flaw was found in fasterxml jackson databind where it did not have entity expansion secured properly this flaw allows vulnerability to xml external entity xxe attacks the highest threat from this vulnerability is data integrity publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact high availability impact none for more information on scores click a href suggested fix type upgrade version release date fix resolution com fasterxml jackson core jackson databind
0
47,908
5,920,186,525
IssuesEvent
2017-05-22 19:38:02
akka/akka
https://api.github.com/repos/akka/akka
closed
relax testing of serialize-creators
1 - triaged t:testing
We have `serialize-creators` enabled in many modules by setting it in src/test/resources/reference.com, but it's already disabled in many modules. serialize-creators is for checking that the Props can be serialized and that is useful for remore deployment, but we don't find remote deployment as important any more, so perhaps we should not run tests with this apart from specific tests. One thing that it is catching, though, is missing newline at the end of reference.conf file because then sbt assembly doesn't merge them correctly and we suddenly get serialization failures. This is accidental and difficult to remember the reason for though. We could probably add such check to pr-validation. ``` [JVM-3] [ERROR] [05/22/2017 15:39:06.164] [ClusterShardingRememberEntitiesSpec-akka.actor.default-dispatcher-13] [akka://ClusterShardingRememberEntitiesSpec/system/sharding/Entity/1] pre-creation serialization check failed at [akka://ClusterShardingRememberEntitiesSpec/system/sharding/Entity/1/$Kl] [JVM-3] java.lang.IllegalArgumentException: pre-creation serialization check failed at [akka://ClusterShardingRememberEntitiesSpec/system/sharding/Entity/1/$Kl] [JVM-3] at akka.actor.dungeon.Children$class.makeChild(Children.scala:264) [JVM-3] at akka.actor.dungeon.Children$class.actorOf(Children.scala:42) [JVM-3] at akka.actor.ActorCell.actorOf(ActorCell.scala:362) [JVM-3] at akka.cluster.sharding.Shard.restartEntities(Shard.scala:203) [JVM-3] at akka.cluster.sharding.Shard.receiveShardCommand(Shard.scala:183) [JVM-3] at akka.cluster.sharding.Shard$$anonfun$receiveCommand$1.applyOrElse(Shard.scala:173) [JVM-3] at scala.PartialFunction$OrElse.applyOrElse(PartialFunction.scala:171) [JVM-3] at akka.actor.Actor$class.aroundReceive(Actor.scala:513) [JVM-3] at akka.cluster.sharding.PersistentShard.akka$persistence$Eventsourced$$super$aroundReceive(Shard.scala:475) [JVM-3] at akka.persistence.Eventsourced$$anon$1.stateReceive(Eventsourced.scala:658) [JVM-3] at akka.persistence.Eventsourced$class.aroundReceive(Eventsourced.scala:183) ```
1.0
relax testing of serialize-creators - We have `serialize-creators` enabled in many modules by setting it in src/test/resources/reference.com, but it's already disabled in many modules. serialize-creators is for checking that the Props can be serialized and that is useful for remore deployment, but we don't find remote deployment as important any more, so perhaps we should not run tests with this apart from specific tests. One thing that it is catching, though, is missing newline at the end of reference.conf file because then sbt assembly doesn't merge them correctly and we suddenly get serialization failures. This is accidental and difficult to remember the reason for though. We could probably add such check to pr-validation. ``` [JVM-3] [ERROR] [05/22/2017 15:39:06.164] [ClusterShardingRememberEntitiesSpec-akka.actor.default-dispatcher-13] [akka://ClusterShardingRememberEntitiesSpec/system/sharding/Entity/1] pre-creation serialization check failed at [akka://ClusterShardingRememberEntitiesSpec/system/sharding/Entity/1/$Kl] [JVM-3] java.lang.IllegalArgumentException: pre-creation serialization check failed at [akka://ClusterShardingRememberEntitiesSpec/system/sharding/Entity/1/$Kl] [JVM-3] at akka.actor.dungeon.Children$class.makeChild(Children.scala:264) [JVM-3] at akka.actor.dungeon.Children$class.actorOf(Children.scala:42) [JVM-3] at akka.actor.ActorCell.actorOf(ActorCell.scala:362) [JVM-3] at akka.cluster.sharding.Shard.restartEntities(Shard.scala:203) [JVM-3] at akka.cluster.sharding.Shard.receiveShardCommand(Shard.scala:183) [JVM-3] at akka.cluster.sharding.Shard$$anonfun$receiveCommand$1.applyOrElse(Shard.scala:173) [JVM-3] at scala.PartialFunction$OrElse.applyOrElse(PartialFunction.scala:171) [JVM-3] at akka.actor.Actor$class.aroundReceive(Actor.scala:513) [JVM-3] at akka.cluster.sharding.PersistentShard.akka$persistence$Eventsourced$$super$aroundReceive(Shard.scala:475) [JVM-3] at akka.persistence.Eventsourced$$anon$1.stateReceive(Eventsourced.scala:658) [JVM-3] at akka.persistence.Eventsourced$class.aroundReceive(Eventsourced.scala:183) ```
non_priority
relax testing of serialize creators we have serialize creators enabled in many modules by setting it in src test resources reference com but it s already disabled in many modules serialize creators is for checking that the props can be serialized and that is useful for remore deployment but we don t find remote deployment as important any more so perhaps we should not run tests with this apart from specific tests one thing that it is catching though is missing newline at the end of reference conf file because then sbt assembly doesn t merge them correctly and we suddenly get serialization failures this is accidental and difficult to remember the reason for though we could probably add such check to pr validation pre creation serialization check failed at java lang illegalargumentexception pre creation serialization check failed at at akka actor dungeon children class makechild children scala at akka actor dungeon children class actorof children scala at akka actor actorcell actorof actorcell scala at akka cluster sharding shard restartentities shard scala at akka cluster sharding shard receiveshardcommand shard scala at akka cluster sharding shard anonfun receivecommand applyorelse shard scala at scala partialfunction orelse applyorelse partialfunction scala at akka actor actor class aroundreceive actor scala at akka cluster sharding persistentshard akka persistence eventsourced super aroundreceive shard scala at akka persistence eventsourced anon statereceive eventsourced scala at akka persistence eventsourced class aroundreceive eventsourced scala
0
306,842
9,412,161,912
IssuesEvent
2019-04-10 02:46:29
mypyc/mypyc
https://api.github.com/repos/mypyc/mypyc
opened
Support * and ** in data structure literals
feature help wanted priority-1-normal
We support them in calls, but not in list, dict, tuple, and set literals. This comes up every so often in mypy. It's easy to rewrite around but it would be nice to not have to.
1.0
Support * and ** in data structure literals - We support them in calls, but not in list, dict, tuple, and set literals. This comes up every so often in mypy. It's easy to rewrite around but it would be nice to not have to.
priority
support and in data structure literals we support them in calls but not in list dict tuple and set literals this comes up every so often in mypy it s easy to rewrite around but it would be nice to not have to
1
133,480
18,297,923,842
IssuesEvent
2021-10-05 22:31:01
ghc-dev/Kathryn-Thomas
https://api.github.com/repos/ghc-dev/Kathryn-Thomas
opened
WS-2020-0218 (High) detected in merge-1.2.0.tgz
security vulnerability
## WS-2020-0218 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>merge-1.2.0.tgz</b></p></summary> <p>Merge multiple objects into one, optionally creating a new cloned object. Similar to the jQuery.extend but more flexible. Works in Node.js and the browser.</p> <p>Library home page: <a href="https://registry.npmjs.org/merge/-/merge-1.2.0.tgz">https://registry.npmjs.org/merge/-/merge-1.2.0.tgz</a></p> <p>Path to dependency file: Kathryn-Thomas/package.json</p> <p>Path to vulnerable library: Kathryn-Thomas/node_modules/merge/package.json</p> <p> Dependency Hierarchy: - jest-cli-15.1.1.tgz (Root Library) - sane-1.4.1.tgz - exec-sh-0.2.0.tgz - :x: **merge-1.2.0.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/ghc-dev/Kathryn-Thomas/commit/df614938648336274598a0af21323a2cbcd8e710">df614938648336274598a0af21323a2cbcd8e710</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> A Prototype Pollution vulnerability was found in merge before 2.1.0 via the merge.recursive function. It can be tricked into adding or modifying properties of the Object prototype. These properties will be present on all objects. <p>Publish Date: 2020-10-09 <p>URL: <a href=https://github.com/yeikos/js.merge/pull/38>WS-2020-0218</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/yeikos/js.merge/pull/38">https://github.com/yeikos/js.merge/pull/38</a></p> <p>Release Date: 2020-10-09</p> <p>Fix Resolution: merge - 2.1.0</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"merge","packageVersion":"1.2.0","packageFilePaths":["/package.json"],"isTransitiveDependency":true,"dependencyTree":"jest-cli:15.1.1;sane:1.4.1;exec-sh:0.2.0;merge:1.2.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"merge - 2.1.0"}],"baseBranches":["master"],"vulnerabilityIdentifier":"WS-2020-0218","vulnerabilityDetails":"A Prototype Pollution vulnerability was found in merge before 2.1.0 via the merge.recursive function. It can be tricked into adding or modifying properties of the Object prototype. These properties will be present on all objects.","vulnerabilityUrl":"https://github.com/yeikos/js.merge/pull/38","cvss3Severity":"high","cvss3Score":"7.5","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> -->
True
WS-2020-0218 (High) detected in merge-1.2.0.tgz - ## WS-2020-0218 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>merge-1.2.0.tgz</b></p></summary> <p>Merge multiple objects into one, optionally creating a new cloned object. Similar to the jQuery.extend but more flexible. Works in Node.js and the browser.</p> <p>Library home page: <a href="https://registry.npmjs.org/merge/-/merge-1.2.0.tgz">https://registry.npmjs.org/merge/-/merge-1.2.0.tgz</a></p> <p>Path to dependency file: Kathryn-Thomas/package.json</p> <p>Path to vulnerable library: Kathryn-Thomas/node_modules/merge/package.json</p> <p> Dependency Hierarchy: - jest-cli-15.1.1.tgz (Root Library) - sane-1.4.1.tgz - exec-sh-0.2.0.tgz - :x: **merge-1.2.0.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/ghc-dev/Kathryn-Thomas/commit/df614938648336274598a0af21323a2cbcd8e710">df614938648336274598a0af21323a2cbcd8e710</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> A Prototype Pollution vulnerability was found in merge before 2.1.0 via the merge.recursive function. It can be tricked into adding or modifying properties of the Object prototype. These properties will be present on all objects. <p>Publish Date: 2020-10-09 <p>URL: <a href=https://github.com/yeikos/js.merge/pull/38>WS-2020-0218</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/yeikos/js.merge/pull/38">https://github.com/yeikos/js.merge/pull/38</a></p> <p>Release Date: 2020-10-09</p> <p>Fix Resolution: merge - 2.1.0</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"merge","packageVersion":"1.2.0","packageFilePaths":["/package.json"],"isTransitiveDependency":true,"dependencyTree":"jest-cli:15.1.1;sane:1.4.1;exec-sh:0.2.0;merge:1.2.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"merge - 2.1.0"}],"baseBranches":["master"],"vulnerabilityIdentifier":"WS-2020-0218","vulnerabilityDetails":"A Prototype Pollution vulnerability was found in merge before 2.1.0 via the merge.recursive function. It can be tricked into adding or modifying properties of the Object prototype. These properties will be present on all objects.","vulnerabilityUrl":"https://github.com/yeikos/js.merge/pull/38","cvss3Severity":"high","cvss3Score":"7.5","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> -->
non_priority
ws high detected in merge tgz ws high severity vulnerability vulnerable library merge tgz merge multiple objects into one optionally creating a new cloned object similar to the jquery extend but more flexible works in node js and the browser library home page a href path to dependency file kathryn thomas package json path to vulnerable library kathryn thomas node modules merge package json dependency hierarchy jest cli tgz root library sane tgz exec sh tgz x merge tgz vulnerable library found in head commit a href found in base branch master vulnerability details a prototype pollution vulnerability was found in merge before via the merge recursive function it can be tricked into adding or modifying properties of the object prototype these properties will be present on all objects publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution merge isopenpronvulnerability true ispackagebased true isdefaultbranch true packages istransitivedependency true dependencytree jest cli sane exec sh merge isminimumfixversionavailable true minimumfixversion merge basebranches vulnerabilityidentifier ws vulnerabilitydetails a prototype pollution vulnerability was found in merge before via the merge recursive function it can be tricked into adding or modifying properties of the object prototype these properties will be present on all objects vulnerabilityurl
0
45,827
11,740,288,122
IssuesEvent
2020-03-11 19:18:35
mlpack/mlpack
https://api.github.com/repos/mlpack/mlpack
closed
Use common/simpler FindArmadilo.cmake (and BLAS/LAPACK)
c: build system good first issue help wanted s: keep open
This is related to #2113, at least in the sense that it would help simplify CMakeLists.txt Armadillo, BLAS, and LAPACK have nice and simple preexisting cross-platform FindX.cmake files in the cmake repo (and thus shipped with most newer versions of Cmake) which would help remove some special configuration done. Note that this would also involve slight modifications to the test pipeline related changes made in https://github.com/mlpack/models/pull/52 so that it would no longer have to patch CMakeLists.txt
1.0
Use common/simpler FindArmadilo.cmake (and BLAS/LAPACK) - This is related to #2113, at least in the sense that it would help simplify CMakeLists.txt Armadillo, BLAS, and LAPACK have nice and simple preexisting cross-platform FindX.cmake files in the cmake repo (and thus shipped with most newer versions of Cmake) which would help remove some special configuration done. Note that this would also involve slight modifications to the test pipeline related changes made in https://github.com/mlpack/models/pull/52 so that it would no longer have to patch CMakeLists.txt
non_priority
use common simpler findarmadilo cmake and blas lapack this is related to at least in the sense that it would help simplify cmakelists txt armadillo blas and lapack have nice and simple preexisting cross platform findx cmake files in the cmake repo and thus shipped with most newer versions of cmake which would help remove some special configuration done note that this would also involve slight modifications to the test pipeline related changes made in so that it would no longer have to patch cmakelists txt
0
429,565
12,426,055,840
IssuesEvent
2020-05-24 19:16:58
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
classroom.google.com - design is broken
browser-firefox engine-gecko ml-needsdiagnosis-false priority-critical
<!-- @browser: Firefox 77.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:77.0) Gecko/20100101 Firefox/77.0 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/53324 --> **URL**: https://classroom.google.com **Browser / Version**: Firefox 77.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Chrome **Problem type**: Design is broken **Description**: Items are overlapped **Steps to Reproduce**: csbsjchbsjc bjdbchbshdbc dhbcjhdsbchsdbchsdj <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20200521224544</li><li>channel: aurora</li><li>hasTouchScreen: false</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2020/5/4302f75a-8558-41e0-9e41-ad6b2ad33fbf) _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
classroom.google.com - design is broken - <!-- @browser: Firefox 77.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:77.0) Gecko/20100101 Firefox/77.0 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/53324 --> **URL**: https://classroom.google.com **Browser / Version**: Firefox 77.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Chrome **Problem type**: Design is broken **Description**: Items are overlapped **Steps to Reproduce**: csbsjchbsjc bjdbchbshdbc dhbcjhdsbchsdbchsdj <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20200521224544</li><li>channel: aurora</li><li>hasTouchScreen: false</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2020/5/4302f75a-8558-41e0-9e41-ad6b2ad33fbf) _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
classroom google com design is broken url browser version firefox operating system windows tested another browser yes chrome problem type design is broken description items are overlapped steps to reproduce csbsjchbsjc bjdbchbshdbc dhbcjhdsbchsdbchsdj browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel aurora hastouchscreen false mixed active content blocked false mixed passive content blocked false tracking content blocked false from with ❤️
1
358,599
10,618,568,844
IssuesEvent
2019-10-13 05:51:02
campusrope/campusropepwa
https://api.github.com/repos/campusrope/campusropepwa
closed
101- create state selection pane
high priority
create a state selection pane in shared which will have states and selected state as inputs and emits stateseected as output. so that it becomes completely reusale
1.0
101- create state selection pane - create a state selection pane in shared which will have states and selected state as inputs and emits stateseected as output. so that it becomes completely reusale
priority
create state selection pane create a state selection pane in shared which will have states and selected state as inputs and emits stateseected as output so that it becomes completely reusale
1
307,597
26,545,059,912
IssuesEvent
2023-01-19 23:02:48
cicirello/Chips-n-Salsa
https://api.github.com/repos/cicirello/Chips-n-Salsa
closed
Refactor test cases in WeightedStaticSetupsTests
testing refactor
## Summary Refactor test cases in WeightedStaticSetupsTests (based on RefactorFirst scan).
1.0
Refactor test cases in WeightedStaticSetupsTests - ## Summary Refactor test cases in WeightedStaticSetupsTests (based on RefactorFirst scan).
non_priority
refactor test cases in weightedstaticsetupstests summary refactor test cases in weightedstaticsetupstests based on refactorfirst scan
0
12,935
8,047,768,342
IssuesEvent
2018-08-01 02:42:35
pipelinedb/pipelinedb
https://api.github.com/repos/pipelinedb/pipelinedb
opened
Determine how we want to handle parallel scans in worker/combiner
performance
We'll probably want to expose separate config params that allow users to specify `max_parallel_workers_per_gather` at the process level, instead of using the global value. This will effect stream-table `JOINs` for workers, and the groups lookup for `combiners`.
True
Determine how we want to handle parallel scans in worker/combiner - We'll probably want to expose separate config params that allow users to specify `max_parallel_workers_per_gather` at the process level, instead of using the global value. This will effect stream-table `JOINs` for workers, and the groups lookup for `combiners`.
non_priority
determine how we want to handle parallel scans in worker combiner we ll probably want to expose separate config params that allow users to specify max parallel workers per gather at the process level instead of using the global value this will effect stream table joins for workers and the groups lookup for combiners
0
679,282
23,226,363,084
IssuesEvent
2022-08-03 00:52:42
crushten/go_endpoint_cloud
https://api.github.com/repos/crushten/go_endpoint_cloud
closed
Create Terraform provisioning for ECR
terraform type: deliverable priority: high
Will need to store the application somewhere to deploy it. It makes sense to use ECR to store the container for the application. Will need to look into how this will work though. There is a [Docker Provider](https://registry.terraform.io/providers/kreuzwerker/docker) for Terraform so might be able to use that.
1.0
Create Terraform provisioning for ECR - Will need to store the application somewhere to deploy it. It makes sense to use ECR to store the container for the application. Will need to look into how this will work though. There is a [Docker Provider](https://registry.terraform.io/providers/kreuzwerker/docker) for Terraform so might be able to use that.
priority
create terraform provisioning for ecr will need to store the application somewhere to deploy it it makes sense to use ecr to store the container for the application will need to look into how this will work though there is a for terraform so might be able to use that
1
740,806
25,768,997,358
IssuesEvent
2022-12-09 05:53:22
brave/brave-browser
https://api.github.com/repos/brave/brave-browser
closed
Diagnostic reports for crashes and freezes should be default checked
priority/P3 QA/Yes release-notes/exclude onboarding OS/Desktop
<!-- Have you searched for similar issues? Before submitting this issue, please check the open issues and add a note before logging a new issue. PLEASE USE THE TEMPLATE BELOW TO PROVIDE INFORMATION ABOUT THE ISSUE. INSUFFICIENT INFO WILL GET THE ISSUE CLOSED. IT WILL ONLY BE REOPENED AFTER SUFFICIENT INFO IS PROVIDED--> ## Description <!--Provide a brief description of the issue--> For the new onboarding screen via brave://welcome, the final screen to Help Improve Brave should have the diagnostic report for crashes and freezes default checked. ## Steps to Reproduce <!--Please add a series of steps to reproduce the issue--> 1. Use Brave 147.108 or higher in beta or 148.x in nightly. 2. Fresh install or visit brave://welcome 3. Notice final screen during onboarding. ## Actual result: <!--Please add screenshots if needed--> <img width="856" alt="Screenshot 2022-12-02 at 10 08 31 AM" src="https://user-images.githubusercontent.com/5951041/205358458-868e6527-82fe-45f7-a71d-d5f87a9798d6.png"> ## Expected result: <img width="851" alt="Screenshot 2022-12-02 at 10 08 43 AM" src="https://user-images.githubusercontent.com/5951041/205358475-5a778930-d505-47c9-8950-d52073a20f19.png"> ## Reproduces how often: <!--[Easily reproduced/Intermittent issue/No steps to reproduce]--> Easily ## Brave version (brave://version info) <!--For installed build, please copy Brave, Revision and OS from brave://version and paste here. If building from source please mention it along with brave://version details--> ## Version/Channel Information: <!--Does this issue happen on any other channels? Or is it specific to a certain channel?--> - Can you reproduce this issue with the current release? n/a - Can you reproduce this issue with the beta channel? yes - Can you reproduce this issue with the nightly channel? yes ## Other Additional Information: - Does the issue resolve itself when disabling Brave Shields? n/a - Does the issue resolve itself when disabling Brave Rewards? n/a - Is the issue reproducible on the latest version of Chrome? n/a ## Miscellaneous Information: <!--Any additional information, related issues, extra QA steps, configuration or data that might be necessary to reproduce the issue--> Related: https://github.com/brave/brave-core/pull/13405 and https://github.com/brave/security/issues/791#issuecomment-1081088795
1.0
Diagnostic reports for crashes and freezes should be default checked - <!-- Have you searched for similar issues? Before submitting this issue, please check the open issues and add a note before logging a new issue. PLEASE USE THE TEMPLATE BELOW TO PROVIDE INFORMATION ABOUT THE ISSUE. INSUFFICIENT INFO WILL GET THE ISSUE CLOSED. IT WILL ONLY BE REOPENED AFTER SUFFICIENT INFO IS PROVIDED--> ## Description <!--Provide a brief description of the issue--> For the new onboarding screen via brave://welcome, the final screen to Help Improve Brave should have the diagnostic report for crashes and freezes default checked. ## Steps to Reproduce <!--Please add a series of steps to reproduce the issue--> 1. Use Brave 147.108 or higher in beta or 148.x in nightly. 2. Fresh install or visit brave://welcome 3. Notice final screen during onboarding. ## Actual result: <!--Please add screenshots if needed--> <img width="856" alt="Screenshot 2022-12-02 at 10 08 31 AM" src="https://user-images.githubusercontent.com/5951041/205358458-868e6527-82fe-45f7-a71d-d5f87a9798d6.png"> ## Expected result: <img width="851" alt="Screenshot 2022-12-02 at 10 08 43 AM" src="https://user-images.githubusercontent.com/5951041/205358475-5a778930-d505-47c9-8950-d52073a20f19.png"> ## Reproduces how often: <!--[Easily reproduced/Intermittent issue/No steps to reproduce]--> Easily ## Brave version (brave://version info) <!--For installed build, please copy Brave, Revision and OS from brave://version and paste here. If building from source please mention it along with brave://version details--> ## Version/Channel Information: <!--Does this issue happen on any other channels? Or is it specific to a certain channel?--> - Can you reproduce this issue with the current release? n/a - Can you reproduce this issue with the beta channel? yes - Can you reproduce this issue with the nightly channel? yes ## Other Additional Information: - Does the issue resolve itself when disabling Brave Shields? n/a - Does the issue resolve itself when disabling Brave Rewards? n/a - Is the issue reproducible on the latest version of Chrome? n/a ## Miscellaneous Information: <!--Any additional information, related issues, extra QA steps, configuration or data that might be necessary to reproduce the issue--> Related: https://github.com/brave/brave-core/pull/13405 and https://github.com/brave/security/issues/791#issuecomment-1081088795
priority
diagnostic reports for crashes and freezes should be default checked have you searched for similar issues before submitting this issue please check the open issues and add a note before logging a new issue please use the template below to provide information about the issue insufficient info will get the issue closed it will only be reopened after sufficient info is provided description for the new onboarding screen via brave welcome the final screen to help improve brave should have the diagnostic report for crashes and freezes default checked steps to reproduce use brave or higher in beta or x in nightly fresh install or visit brave welcome notice final screen during onboarding actual result img width alt screenshot at am src expected result img width alt screenshot at am src reproduces how often easily brave version brave version info version channel information can you reproduce this issue with the current release n a can you reproduce this issue with the beta channel yes can you reproduce this issue with the nightly channel yes other additional information does the issue resolve itself when disabling brave shields n a does the issue resolve itself when disabling brave rewards n a is the issue reproducible on the latest version of chrome n a miscellaneous information related and
1
7,082
24,206,632,094
IssuesEvent
2022-09-25 10:20:09
smcnab1/op-question-mark
https://api.github.com/repos/smcnab1/op-question-mark
opened
[BUG] Add lights to turn off after movie if both in bed automation
✔️Status: Confirmed 🐛Type: Bug 🏔Priority: High 🚗For: Automations
======= labels: "\U0001F3F7️ Needs Triage, \U0001F41BType: Bug" assignees: smcnab1 --- ## **🐛Bug Report** **Describe the bug** <!-- A clear and concise description of what the bug is. --> * --- **To Reproduce** <!-- Steps to reproduce the error: (e.g.:) 1. Use x argument / navigate to 2. Fill this information 3. Go to... 4. See error --> <!-- Write the steps here (add or remove as many steps as needed)--> 1. 2. 3. 4. --- **Expected behavior** <!-- A clear and concise description of what you expected to happen. --> * --- **Screenshots** <!-- If applicable, add screenshots or videos to help explain your problem. --> --- **Desktop (please complete the following information):** <!-- use all the applicable bulleted list element for this specific issue, and remove all the bulleted list elements that are not relevant for this issue. --> - OS: - Browser - Version **Smartphone (please complete the following information):** - Device: - OS: - Browser - Version --- **Additional context** <!-- Add any other context or additional information about the problem here.--> * <!--📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛 Oh, hi there! 😄 To expedite issue processing please search open and closed issues before submitting a new one. Please read our Rules of Conduct at this repository's `.github/CODE_OF_CONDUCT.md` 📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛-->
1.0
[BUG] Add lights to turn off after movie if both in bed automation - ======= labels: "\U0001F3F7️ Needs Triage, \U0001F41BType: Bug" assignees: smcnab1 --- ## **🐛Bug Report** **Describe the bug** <!-- A clear and concise description of what the bug is. --> * --- **To Reproduce** <!-- Steps to reproduce the error: (e.g.:) 1. Use x argument / navigate to 2. Fill this information 3. Go to... 4. See error --> <!-- Write the steps here (add or remove as many steps as needed)--> 1. 2. 3. 4. --- **Expected behavior** <!-- A clear and concise description of what you expected to happen. --> * --- **Screenshots** <!-- If applicable, add screenshots or videos to help explain your problem. --> --- **Desktop (please complete the following information):** <!-- use all the applicable bulleted list element for this specific issue, and remove all the bulleted list elements that are not relevant for this issue. --> - OS: - Browser - Version **Smartphone (please complete the following information):** - Device: - OS: - Browser - Version --- **Additional context** <!-- Add any other context or additional information about the problem here.--> * <!--📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛 Oh, hi there! 😄 To expedite issue processing please search open and closed issues before submitting a new one. Please read our Rules of Conduct at this repository's `.github/CODE_OF_CONDUCT.md` 📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛-->
non_priority
add lights to turn off after movie if both in bed automation labels ️ needs triage bug assignees 🐛bug report describe the bug to reproduce steps to reproduce the error e g use x argument navigate to fill this information go to see error expected behavior screenshots desktop please complete the following information use all the applicable bulleted list element for this specific issue and remove all the bulleted list elements that are not relevant for this issue os browser version smartphone please complete the following information device os browser version additional context 📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛 oh hi there 😄 to expedite issue processing please search open and closed issues before submitting a new one please read our rules of conduct at this repository s github code of conduct md 📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛📛
0
49,696
12,400,866,380
IssuesEvent
2020-05-21 08:44:21
tensorflow/tensorflow
https://api.github.com/repos/tensorflow/tensorflow
opened
tensorflow for go install failed
type:build/install
MacOS version(10.15.4) 1. I followed the instruction of https://www.tensorflow.org/install/lang_c ,I installed the c Library .but it doesn't word.the error is > hello_tf.c:2:10: fatal error: 'tensorflow/c/c_api.h' file not found 2. github.com/tensorflow/tensorflow/tensorflow/go/saved_model.go:25:2: cannot find package "github.com/tensorflow/tensorflow/tensorflow/go/core/protobuf/for_core_protos_go_proto" in any of: /usr/local/go/src/github.com/tensorflow/tensorflow/tensorflow/go/core/protobuf/for_core_protos_go_proto (from $GOROOT) /Users/moses/workspace/godemo/src/github.com/tensorflow/tensorflow/tensorflow/go/core/protobuf/for_core_protos_go_proto (from $GOPATH) how to solve this problem
1.0
tensorflow for go install failed - MacOS version(10.15.4) 1. I followed the instruction of https://www.tensorflow.org/install/lang_c ,I installed the c Library .but it doesn't word.the error is > hello_tf.c:2:10: fatal error: 'tensorflow/c/c_api.h' file not found 2. github.com/tensorflow/tensorflow/tensorflow/go/saved_model.go:25:2: cannot find package "github.com/tensorflow/tensorflow/tensorflow/go/core/protobuf/for_core_protos_go_proto" in any of: /usr/local/go/src/github.com/tensorflow/tensorflow/tensorflow/go/core/protobuf/for_core_protos_go_proto (from $GOROOT) /Users/moses/workspace/godemo/src/github.com/tensorflow/tensorflow/tensorflow/go/core/protobuf/for_core_protos_go_proto (from $GOPATH) how to solve this problem
non_priority
tensorflow for go install failed macos version i followed the instruction of i installed the c library but it doesn t word the error is hello tf c fatal error tensorflow c c api h file not found github com tensorflow tensorflow tensorflow go saved model go cannot find package github com tensorflow tensorflow tensorflow go core protobuf for core protos go proto in any of usr local go src github com tensorflow tensorflow tensorflow go core protobuf for core protos go proto from goroot users moses workspace godemo src github com tensorflow tensorflow tensorflow go core protobuf for core protos go proto from gopath how to solve this problem
0
245,516
20,773,916,066
IssuesEvent
2022-03-16 08:40:30
elastic/kibana
https://api.github.com/repos/elastic/kibana
opened
Failing test: Chrome X-Pack UI Functional Tests.x-pack/test/functional/apps/monitoring/elasticsearch/nodes·js - Monitoring app Elasticsearch nodes listing with only online nodes should filter for specific indices
failed-test
A test failed on a tracked branch ``` Error: retry.try timeout: Error: expected 3 to equal 1 at Assertion.assert (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/node_modules/@kbn/expect/expect.js:100:11) at Assertion.be.Assertion.equal (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/node_modules/@kbn/expect/expect.js:227:8) at Assertion.be (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/node_modules/@kbn/expect/expect.js:69:22) at /opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/x-pack/test/functional/apps/monitoring/elasticsearch/nodes.js:323:34 at runMicrotasks (<anonymous>) at processTicksAndRejections (node:internal/process/task_queues:96:5) at runAttempt (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry_for_success.ts:29:15) at retryForSuccess (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry_for_success.ts:68:21) at RetryService.try (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry.ts:31:12) at Context.<anonymous> (test/functional/apps/monitoring/elasticsearch/nodes.js:321:9) at onFailure (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry_for_success.ts:17:9) at retryForSuccess (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry_for_success.ts:59:13) at RetryService.try (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry.ts:31:12) at Context.<anonymous> (test/functional/apps/monitoring/elasticsearch/nodes.js:321:9) at Object.apply (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/node_modules/@kbn/test/target_node/functional_test_runner/lib/mocha/wrap_function.js:87:16) ``` First failure: [CI Build - 8.1](https://buildkite.com/elastic/kibana-hourly/builds/12927#31dcdb54-0b87-442f-bf25-07e6546567bf) <!-- kibanaCiData = {"failed-test":{"test.class":"Chrome X-Pack UI Functional Tests.x-pack/test/functional/apps/monitoring/elasticsearch/nodes·js","test.name":"Monitoring app Elasticsearch nodes listing with only online nodes should filter for specific indices","test.failCount":1}} -->
1.0
Failing test: Chrome X-Pack UI Functional Tests.x-pack/test/functional/apps/monitoring/elasticsearch/nodes·js - Monitoring app Elasticsearch nodes listing with only online nodes should filter for specific indices - A test failed on a tracked branch ``` Error: retry.try timeout: Error: expected 3 to equal 1 at Assertion.assert (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/node_modules/@kbn/expect/expect.js:100:11) at Assertion.be.Assertion.equal (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/node_modules/@kbn/expect/expect.js:227:8) at Assertion.be (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/node_modules/@kbn/expect/expect.js:69:22) at /opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/x-pack/test/functional/apps/monitoring/elasticsearch/nodes.js:323:34 at runMicrotasks (<anonymous>) at processTicksAndRejections (node:internal/process/task_queues:96:5) at runAttempt (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry_for_success.ts:29:15) at retryForSuccess (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry_for_success.ts:68:21) at RetryService.try (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry.ts:31:12) at Context.<anonymous> (test/functional/apps/monitoring/elasticsearch/nodes.js:321:9) at onFailure (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry_for_success.ts:17:9) at retryForSuccess (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry_for_success.ts:59:13) at RetryService.try (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/test/common/services/retry/retry.ts:31:12) at Context.<anonymous> (test/functional/apps/monitoring/elasticsearch/nodes.js:321:9) at Object.apply (/opt/local-ssd/buildkite/builds/kb-n2-4-0c58b41667def6d0/elastic/kibana-hourly/kibana/node_modules/@kbn/test/target_node/functional_test_runner/lib/mocha/wrap_function.js:87:16) ``` First failure: [CI Build - 8.1](https://buildkite.com/elastic/kibana-hourly/builds/12927#31dcdb54-0b87-442f-bf25-07e6546567bf) <!-- kibanaCiData = {"failed-test":{"test.class":"Chrome X-Pack UI Functional Tests.x-pack/test/functional/apps/monitoring/elasticsearch/nodes·js","test.name":"Monitoring app Elasticsearch nodes listing with only online nodes should filter for specific indices","test.failCount":1}} -->
non_priority
failing test chrome x pack ui functional tests x pack test functional apps monitoring elasticsearch nodes·js monitoring app elasticsearch nodes listing with only online nodes should filter for specific indices a test failed on a tracked branch error retry try timeout error expected to equal at assertion assert opt local ssd buildkite builds kb elastic kibana hourly kibana node modules kbn expect expect js at assertion be assertion equal opt local ssd buildkite builds kb elastic kibana hourly kibana node modules kbn expect expect js at assertion be opt local ssd buildkite builds kb elastic kibana hourly kibana node modules kbn expect expect js at opt local ssd buildkite builds kb elastic kibana hourly kibana x pack test functional apps monitoring elasticsearch nodes js at runmicrotasks at processticksandrejections node internal process task queues at runattempt opt local ssd buildkite builds kb elastic kibana hourly kibana test common services retry retry for success ts at retryforsuccess opt local ssd buildkite builds kb elastic kibana hourly kibana test common services retry retry for success ts at retryservice try opt local ssd buildkite builds kb elastic kibana hourly kibana test common services retry retry ts at context test functional apps monitoring elasticsearch nodes js at onfailure opt local ssd buildkite builds kb elastic kibana hourly kibana test common services retry retry for success ts at retryforsuccess opt local ssd buildkite builds kb elastic kibana hourly kibana test common services retry retry for success ts at retryservice try opt local ssd buildkite builds kb elastic kibana hourly kibana test common services retry retry ts at context test functional apps monitoring elasticsearch nodes js at object apply opt local ssd buildkite builds kb elastic kibana hourly kibana node modules kbn test target node functional test runner lib mocha wrap function js first failure
0
58,598
6,609,725,363
IssuesEvent
2017-09-19 15:22:21
dwyl/best-evidence
https://api.github.com/repos/dwyl/best-evidence
closed
Bug: publications duplicating
bug please-test priority-1
Not sure if this is an app issue or a trip big with two unique identifiers for same resource. ![screenshot_20170907-230418](https://user-images.githubusercontent.com/30235568/30185401-84844086-9421-11e7-8f39-532523097030.png)
1.0
Bug: publications duplicating - Not sure if this is an app issue or a trip big with two unique identifiers for same resource. ![screenshot_20170907-230418](https://user-images.githubusercontent.com/30235568/30185401-84844086-9421-11e7-8f39-532523097030.png)
non_priority
bug publications duplicating not sure if this is an app issue or a trip big with two unique identifiers for same resource
0
3,328
3,125,533,466
IssuesEvent
2015-09-08 00:35:14
chrissimpkins/Hack
https://api.github.com/repos/chrissimpkins/Hack
closed
[Release Candidate] v2.012 ttf Build is Available
TEST BUILD
We are making headway on a number of issues that have limited use on some platforms/in some editors/with some syntax highlighting themes. This build addresses the following issues: - Middle dot bug in editors that use whitespace highlighting (#27, #46) - Improvements in Powerline glyph alignment and size (#33, getting there...) - Changes to name tables with possible fixes for: - Incorrect italics rendering in JetBrains editors on OS X (#26) - Incorrect character symbol rendering in bold + oblique + boldoblique syntax highlighters (#42, #50, #60) - Backslash incorrectly vertical aligned (too much right slant) in JetBrains editors (#67) Note that the oblique fonts received a name change to Hack-Italic and Hack-BoldItalic in an attempt to address the numerous issues that came up with italic rendering. Confirmation on all platforms would be greatly appreciated. Please post in the respective thread with reports of successful or unsuccessful fixes for the issue that was reported. Please include your platform and the application + version in which your tests were performed. **Download Links** [Regular](https://github.com/chrissimpkins/Hack/blob/development/build/test_builds/2_012/Hack-Regular.ttf?raw=true) [Bold](https://github.com/chrissimpkins/Hack/blob/development/build/test_builds/2_012/Hack-Bold.ttf?raw=true) [Italic](https://github.com/chrissimpkins/Hack/blob/development/build/test_builds/2_012/Hack-Italic.ttf?raw=true) [BoldItalic](https://github.com/chrissimpkins/Hack/blob/development/build/test_builds/2_012/Hack-BoldItalic.ttf?raw=true) Thanks!
1.0
[Release Candidate] v2.012 ttf Build is Available - We are making headway on a number of issues that have limited use on some platforms/in some editors/with some syntax highlighting themes. This build addresses the following issues: - Middle dot bug in editors that use whitespace highlighting (#27, #46) - Improvements in Powerline glyph alignment and size (#33, getting there...) - Changes to name tables with possible fixes for: - Incorrect italics rendering in JetBrains editors on OS X (#26) - Incorrect character symbol rendering in bold + oblique + boldoblique syntax highlighters (#42, #50, #60) - Backslash incorrectly vertical aligned (too much right slant) in JetBrains editors (#67) Note that the oblique fonts received a name change to Hack-Italic and Hack-BoldItalic in an attempt to address the numerous issues that came up with italic rendering. Confirmation on all platforms would be greatly appreciated. Please post in the respective thread with reports of successful or unsuccessful fixes for the issue that was reported. Please include your platform and the application + version in which your tests were performed. **Download Links** [Regular](https://github.com/chrissimpkins/Hack/blob/development/build/test_builds/2_012/Hack-Regular.ttf?raw=true) [Bold](https://github.com/chrissimpkins/Hack/blob/development/build/test_builds/2_012/Hack-Bold.ttf?raw=true) [Italic](https://github.com/chrissimpkins/Hack/blob/development/build/test_builds/2_012/Hack-Italic.ttf?raw=true) [BoldItalic](https://github.com/chrissimpkins/Hack/blob/development/build/test_builds/2_012/Hack-BoldItalic.ttf?raw=true) Thanks!
non_priority
ttf build is available we are making headway on a number of issues that have limited use on some platforms in some editors with some syntax highlighting themes this build addresses the following issues middle dot bug in editors that use whitespace highlighting improvements in powerline glyph alignment and size getting there changes to name tables with possible fixes for incorrect italics rendering in jetbrains editors on os x incorrect character symbol rendering in bold oblique boldoblique syntax highlighters backslash incorrectly vertical aligned too much right slant in jetbrains editors note that the oblique fonts received a name change to hack italic and hack bolditalic in an attempt to address the numerous issues that came up with italic rendering confirmation on all platforms would be greatly appreciated please post in the respective thread with reports of successful or unsuccessful fixes for the issue that was reported please include your platform and the application version in which your tests were performed download links thanks
0
133,323
29,044,083,705
IssuesEvent
2023-05-13 10:22:09
eclipse-glsp/glsp
https://api.github.com/repos/eclipse-glsp/glsp
opened
glsp-example repository node-json-vscode example error
bug vscode
### Discussed in https://github.com/eclipse-glsp/glsp/discussions/997 <div type='discussions-op-text'> <sup>Originally posted by **christianmalek** May 12, 2023</sup> The [glsp-example node-json-vscode example](https://github.com/eclipse-glsp/glsp-examples/tree/master/project-templates/node-json-vscode) doesn't work with Node 18.16.0 under Windows 10. It throws following error if I run `yarn install` on the client directory: ![image](https://github.com/eclipse-glsp/glsp/assets/2873986/5f3b472a-1396-425f-a49b-a7d9d4aa7b8f) There are various solutions to this problem, such as downgrading to Node 16. Unfortunately, this is not a solution for me. It seems that this problem is due to the fact that Webpack 4 is still used in the example, which uses MD4 checksums. These are no longer present in the current Node 18 LTS version. An upgrade to Webpack 5 should solve this problem.</div>
1.0
glsp-example repository node-json-vscode example error - ### Discussed in https://github.com/eclipse-glsp/glsp/discussions/997 <div type='discussions-op-text'> <sup>Originally posted by **christianmalek** May 12, 2023</sup> The [glsp-example node-json-vscode example](https://github.com/eclipse-glsp/glsp-examples/tree/master/project-templates/node-json-vscode) doesn't work with Node 18.16.0 under Windows 10. It throws following error if I run `yarn install` on the client directory: ![image](https://github.com/eclipse-glsp/glsp/assets/2873986/5f3b472a-1396-425f-a49b-a7d9d4aa7b8f) There are various solutions to this problem, such as downgrading to Node 16. Unfortunately, this is not a solution for me. It seems that this problem is due to the fact that Webpack 4 is still used in the example, which uses MD4 checksums. These are no longer present in the current Node 18 LTS version. An upgrade to Webpack 5 should solve this problem.</div>
non_priority
glsp example repository node json vscode example error discussed in originally posted by christianmalek may the doesn t work with node under windows it throws following error if i run yarn install on the client directory there are various solutions to this problem such as downgrading to node unfortunately this is not a solution for me it seems that this problem is due to the fact that webpack is still used in the example which uses checksums these are no longer present in the current node lts version an upgrade to webpack should solve this problem
0
799,067
28,300,565,871
IssuesEvent
2023-04-10 05:27:57
googleapis/google-cloud-ruby
https://api.github.com/repos/googleapis/google-cloud-ruby
closed
[Nightly CI Failures] Failures detected for google-cloud-shell-v1
type: bug priority: p1 nightly failure
At 2023-04-09 08:52:02 UTC, detected failures in google-cloud-shell-v1 for: yard report_key_64dfd12cc1ba2d4ea3b7cf3d0388a8e7
1.0
[Nightly CI Failures] Failures detected for google-cloud-shell-v1 - At 2023-04-09 08:52:02 UTC, detected failures in google-cloud-shell-v1 for: yard report_key_64dfd12cc1ba2d4ea3b7cf3d0388a8e7
priority
failures detected for google cloud shell at utc detected failures in google cloud shell for yard report key
1
631,771
20,159,905,409
IssuesEvent
2022-02-09 20:18:36
ampproject/amphtml
https://api.github.com/repos/ampproject/amphtml
closed
[amp story shopping] Product tag functionality
P1: High Priority Type: Feature Request WG: stories
### Description Tapping a product tag will: 1. ✅ Set an active product in the store service #37013 2. Open the shopping attachment (changing templates will be part of #36735) <img width="689" alt="Screen Shot 2021-11-03 at 12 06 34 PM" src="https://user-images.githubusercontent.com/3860311/140098037-1b4f9107-c99e-40e6-8c0e-3e102854f581.png">
1.0
[amp story shopping] Product tag functionality - ### Description Tapping a product tag will: 1. ✅ Set an active product in the store service #37013 2. Open the shopping attachment (changing templates will be part of #36735) <img width="689" alt="Screen Shot 2021-11-03 at 12 06 34 PM" src="https://user-images.githubusercontent.com/3860311/140098037-1b4f9107-c99e-40e6-8c0e-3e102854f581.png">
priority
product tag functionality description tapping a product tag will ✅ set an active product in the store service open the shopping attachment changing templates will be part of img width alt screen shot at pm src
1
321,584
27,540,691,781
IssuesEvent
2023-03-07 08:20:19
rhinstaller/kickstart-tests
https://api.github.com/repos/rhinstaller/kickstart-tests
closed
autopart-hibernation failing on all scenarios
failing test
https://github.com/rhinstaller/kickstart-tests/actions/runs/4227767371 daily-iso: [kstest.log](https://github.com/rhinstaller/kickstart-tests/files/10790972/kstest.log) [virt-install.log](https://github.com/rhinstaller/kickstart-tests/files/10790973/virt-install.log) rhel8: [kstest.log](https://github.com/rhinstaller/kickstart-tests/files/10790976/kstest.log) [virt-install.log](https://github.com/rhinstaller/kickstart-tests/files/10790978/virt-install.log) rhel9: [kstest.log](https://github.com/rhinstaller/kickstart-tests/files/10790979/kstest.log) [virt-install.log](https://github.com/rhinstaller/kickstart-tests/files/10790982/virt-install.log)
1.0
autopart-hibernation failing on all scenarios - https://github.com/rhinstaller/kickstart-tests/actions/runs/4227767371 daily-iso: [kstest.log](https://github.com/rhinstaller/kickstart-tests/files/10790972/kstest.log) [virt-install.log](https://github.com/rhinstaller/kickstart-tests/files/10790973/virt-install.log) rhel8: [kstest.log](https://github.com/rhinstaller/kickstart-tests/files/10790976/kstest.log) [virt-install.log](https://github.com/rhinstaller/kickstart-tests/files/10790978/virt-install.log) rhel9: [kstest.log](https://github.com/rhinstaller/kickstart-tests/files/10790979/kstest.log) [virt-install.log](https://github.com/rhinstaller/kickstart-tests/files/10790982/virt-install.log)
non_priority
autopart hibernation failing on all scenarios daily iso
0
6,141
3,343,052,729
IssuesEvent
2015-11-15 05:21:18
chrisblakley/Nebula
https://api.github.com/repos/chrisblakley/Nebula
closed
If Google Public API key can be used for Google Maps API key, then update Nebula Options
Backend (Server) Question / Research WP Admin / Shortcode / Widget
If we can just use the Google Public API key for Google Maps, then remove the Google Maps API key Nebula Option and replace all of it's instances with the Google Public API (likely browser API key). Tagging @jefphg
1.0
If Google Public API key can be used for Google Maps API key, then update Nebula Options - If we can just use the Google Public API key for Google Maps, then remove the Google Maps API key Nebula Option and replace all of it's instances with the Google Public API (likely browser API key). Tagging @jefphg
non_priority
if google public api key can be used for google maps api key then update nebula options if we can just use the google public api key for google maps then remove the google maps api key nebula option and replace all of it s instances with the google public api likely browser api key tagging jefphg
0
16,909
2,615,126,322
IssuesEvent
2015-03-01 05:54:45
chrsmith/google-api-java-client
https://api.github.com/repos/chrsmith/google-api-java-client
opened
Code example for "Installed Applications" is wrong on OAuth2Native.java
auto-migrated Priority-Medium Type-Wiki
``` I'm using Java 6 and my google-api-java-client is 1.8.0-beta. The code example for installed applications described on the class OAuth2Native.java is partially wrong, I suppose. I'm doing some requests for the Google Calendar API and I noted the credentialStore attribute from the AuthorizationCodeFlow was null. Then, when doing multiple requests, it isn't possible to know if the user credentials are set or not. The current code example is: GoogleAuthorizationCodeFlow flow = new GoogleAuthorizationCodeFlow.Builder(transport, jsonFactory, clientSecrets, scopes).build(); But I think it should be: GoogleAuthorizationCodeFlow flow = new GoogleAuthorizationCodeFlow.Builder(JACKSON_FACTORY, CLIENTS_SECRETS, SCOPES).new MemoryCredentialStore()).build(); The last one sets the MemoryCredentialStore on the Builder instance, but it could be other credential store strategies, as stated in OAuth2 page. ``` Original issue reported on code.google.com by `rafael.n...@gmail.com` on 19 May 2012 at 2:16
1.0
Code example for "Installed Applications" is wrong on OAuth2Native.java - ``` I'm using Java 6 and my google-api-java-client is 1.8.0-beta. The code example for installed applications described on the class OAuth2Native.java is partially wrong, I suppose. I'm doing some requests for the Google Calendar API and I noted the credentialStore attribute from the AuthorizationCodeFlow was null. Then, when doing multiple requests, it isn't possible to know if the user credentials are set or not. The current code example is: GoogleAuthorizationCodeFlow flow = new GoogleAuthorizationCodeFlow.Builder(transport, jsonFactory, clientSecrets, scopes).build(); But I think it should be: GoogleAuthorizationCodeFlow flow = new GoogleAuthorizationCodeFlow.Builder(JACKSON_FACTORY, CLIENTS_SECRETS, SCOPES).new MemoryCredentialStore()).build(); The last one sets the MemoryCredentialStore on the Builder instance, but it could be other credential store strategies, as stated in OAuth2 page. ``` Original issue reported on code.google.com by `rafael.n...@gmail.com` on 19 May 2012 at 2:16
priority
code example for installed applications is wrong on java i m using java and my google api java client is beta the code example for installed applications described on the class java is partially wrong i suppose i m doing some requests for the google calendar api and i noted the credentialstore attribute from the authorizationcodeflow was null then when doing multiple requests it isn t possible to know if the user credentials are set or not the current code example is googleauthorizationcodeflow flow new googleauthorizationcodeflow builder transport jsonfactory clientsecrets scopes build but i think it should be googleauthorizationcodeflow flow new googleauthorizationcodeflow builder jackson factory clients secrets scopes new memorycredentialstore build the last one sets the memorycredentialstore on the builder instance but it could be other credential store strategies as stated in page original issue reported on code google com by rafael n gmail com on may at
1
314,734
9,602,185,002
IssuesEvent
2019-05-10 14:01:59
aiidateam/aiida_core
https://api.github.com/repos/aiidateam/aiida_core
closed
Bug in `retrieve_singlefile_list` construct of the `CalcJob`
priority/important requires discussion topic/calc-jobs type/bug
The [code in the execmanager](https://github.com/aiidateam/aiida_core/blob/b39a9bec6a05cd5acdbe69608252a1193aa5f408/aiida/engine/daemon/execmanager.py#L406) that automatically creates `SinglefileData` output nodes for the entries in the `retrieve_singlefile_list` has a bug. The constructor should get the `file` argument. This is an easy fix, but investigating this bug revealed another problem. Unit testing the complete chain of `CalcJob` + `Parser` is not easy, as in the naive approach it requires to run the actual calculation. In `aiida-quantumespresso` we have come up with a nice method to test the parser through pytest and the fixture manager. This allows us to test the parsers, without having to run the actual calculation and without having to manually setup a test environment. However, the concept of the `retrieve_singlefile_list` means that that part cannot be tested. Semantically it is part of the 'parsing' except it is not actually performed by the parser, but by the engine of `aiida-core` during the retrieval step. The construct has two advantages: 1. The user does not have to do the creation of `SinglefileData` nodes themselves in the parser 2. The output file that serves as the content of those output nodes is not duplicated, as it would if you were to put it in the normal `retrieve_list` and then create a `SinglefileData` manually in the parser. I think the first advantage is not a very strong one. Creating it manually in the parser is very easy and straightforward and will cost three lines: ``` with retrieved.open('some.file', 'r') as handle: node = SinglefileData(file=handle) self.out('single_file', node) ``` Having this code in the `Parser` makes it a lot more easy to understand as it does not hide a lot of magic deep in the code of the engine of `aiida-core`. The second advantage is a lot stronger, however, it can be reproduced by using the `retrieve_temporary_list`. By putting the file in there, instead of `retrieve_singlefile_list` one can still create the nodes manually, but without duplicating their content in the repository through the retrieved folder. My suggestion would be to remove the singlefile list construct and document/promote the alternative approach.
1.0
Bug in `retrieve_singlefile_list` construct of the `CalcJob` - The [code in the execmanager](https://github.com/aiidateam/aiida_core/blob/b39a9bec6a05cd5acdbe69608252a1193aa5f408/aiida/engine/daemon/execmanager.py#L406) that automatically creates `SinglefileData` output nodes for the entries in the `retrieve_singlefile_list` has a bug. The constructor should get the `file` argument. This is an easy fix, but investigating this bug revealed another problem. Unit testing the complete chain of `CalcJob` + `Parser` is not easy, as in the naive approach it requires to run the actual calculation. In `aiida-quantumespresso` we have come up with a nice method to test the parser through pytest and the fixture manager. This allows us to test the parsers, without having to run the actual calculation and without having to manually setup a test environment. However, the concept of the `retrieve_singlefile_list` means that that part cannot be tested. Semantically it is part of the 'parsing' except it is not actually performed by the parser, but by the engine of `aiida-core` during the retrieval step. The construct has two advantages: 1. The user does not have to do the creation of `SinglefileData` nodes themselves in the parser 2. The output file that serves as the content of those output nodes is not duplicated, as it would if you were to put it in the normal `retrieve_list` and then create a `SinglefileData` manually in the parser. I think the first advantage is not a very strong one. Creating it manually in the parser is very easy and straightforward and will cost three lines: ``` with retrieved.open('some.file', 'r') as handle: node = SinglefileData(file=handle) self.out('single_file', node) ``` Having this code in the `Parser` makes it a lot more easy to understand as it does not hide a lot of magic deep in the code of the engine of `aiida-core`. The second advantage is a lot stronger, however, it can be reproduced by using the `retrieve_temporary_list`. By putting the file in there, instead of `retrieve_singlefile_list` one can still create the nodes manually, but without duplicating their content in the repository through the retrieved folder. My suggestion would be to remove the singlefile list construct and document/promote the alternative approach.
priority
bug in retrieve singlefile list construct of the calcjob the that automatically creates singlefiledata output nodes for the entries in the retrieve singlefile list has a bug the constructor should get the file argument this is an easy fix but investigating this bug revealed another problem unit testing the complete chain of calcjob parser is not easy as in the naive approach it requires to run the actual calculation in aiida quantumespresso we have come up with a nice method to test the parser through pytest and the fixture manager this allows us to test the parsers without having to run the actual calculation and without having to manually setup a test environment however the concept of the retrieve singlefile list means that that part cannot be tested semantically it is part of the parsing except it is not actually performed by the parser but by the engine of aiida core during the retrieval step the construct has two advantages the user does not have to do the creation of singlefiledata nodes themselves in the parser the output file that serves as the content of those output nodes is not duplicated as it would if you were to put it in the normal retrieve list and then create a singlefiledata manually in the parser i think the first advantage is not a very strong one creating it manually in the parser is very easy and straightforward and will cost three lines with retrieved open some file r as handle node singlefiledata file handle self out single file node having this code in the parser makes it a lot more easy to understand as it does not hide a lot of magic deep in the code of the engine of aiida core the second advantage is a lot stronger however it can be reproduced by using the retrieve temporary list by putting the file in there instead of retrieve singlefile list one can still create the nodes manually but without duplicating their content in the repository through the retrieved folder my suggestion would be to remove the singlefile list construct and document promote the alternative approach
1
51,243
12,692,259,016
IssuesEvent
2020-06-21 21:24:56
jdlawton/js-quiz
https://api.github.com/repos/jdlawton/js-quiz
closed
Quiz Timer
initial-build-feature
For the initial build, I'm only going to decrement the timer when the next question is provided or when a wrong answer is clicked (something like -1 sec for correct answer and -5 sec for wrong answer). The quiz will end if the timer reaches 0 and will determine the user's score if all of the questions are answered before the timer runs out.
1.0
Quiz Timer - For the initial build, I'm only going to decrement the timer when the next question is provided or when a wrong answer is clicked (something like -1 sec for correct answer and -5 sec for wrong answer). The quiz will end if the timer reaches 0 and will determine the user's score if all of the questions are answered before the timer runs out.
non_priority
quiz timer for the initial build i m only going to decrement the timer when the next question is provided or when a wrong answer is clicked something like sec for correct answer and sec for wrong answer the quiz will end if the timer reaches and will determine the user s score if all of the questions are answered before the timer runs out
0
156,796
13,654,902,860
IssuesEvent
2020-09-27 19:37:37
FredTheDino/SMEK
https://api.github.com/repos/FredTheDino/SMEK
closed
Consistent sidebar sorting
documentation-gen
It would probably be best if we hard coded a recommended ordering, at least for depth = 1.
1.0
Consistent sidebar sorting - It would probably be best if we hard coded a recommended ordering, at least for depth = 1.
non_priority
consistent sidebar sorting it would probably be best if we hard coded a recommended ordering at least for depth
0
631,393
20,151,406,445
IssuesEvent
2022-02-09 12:46:33
minova-afis/aero.minova.rcp
https://api.github.com/repos/minova-afis/aero.minova.rcp
closed
Lookups zeigen falsche Beschreibung
bug priority 1
In Lookups wird aktuell statt der Beschreibung nochmal der KeyText angezeigt. <img width="259" alt="Bildschirmfoto 2022-02-08 um 10 29 52" src="https://user-images.githubusercontent.com/77741125/152958161-98757b41-1b01-4535-8cd8-a36b76702b9b.png"> Contact-Lookus sollten nochmal extra geprüft werden, hier wird schon in dem Dropdown zweimal der KeyText angezeigt. <img width="391" alt="Bildschirmfoto 2022-02-08 um 10 30 59" src="https://user-images.githubusercontent.com/77741125/152958383-683f38be-85ef-4496-944a-5c4ea390c8d4.png">
1.0
Lookups zeigen falsche Beschreibung - In Lookups wird aktuell statt der Beschreibung nochmal der KeyText angezeigt. <img width="259" alt="Bildschirmfoto 2022-02-08 um 10 29 52" src="https://user-images.githubusercontent.com/77741125/152958161-98757b41-1b01-4535-8cd8-a36b76702b9b.png"> Contact-Lookus sollten nochmal extra geprüft werden, hier wird schon in dem Dropdown zweimal der KeyText angezeigt. <img width="391" alt="Bildschirmfoto 2022-02-08 um 10 30 59" src="https://user-images.githubusercontent.com/77741125/152958383-683f38be-85ef-4496-944a-5c4ea390c8d4.png">
priority
lookups zeigen falsche beschreibung in lookups wird aktuell statt der beschreibung nochmal der keytext angezeigt img width alt bildschirmfoto um src contact lookus sollten nochmal extra geprüft werden hier wird schon in dem dropdown zweimal der keytext angezeigt img width alt bildschirmfoto um src
1
287,071
31,814,495,803
IssuesEvent
2023-09-13 19:21:28
talevy013/TestTal
https://api.github.com/repos/talevy013/TestTal
opened
CVE-2023-3696 (Critical) detected in mongoose-4.13.21.tgz
Mend: dependency security vulnerability
## CVE-2023-3696 - Critical Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>mongoose-4.13.21.tgz</b></p></summary> <p>Mongoose MongoDB ODM</p> <p>Library home page: <a href="https://registry.npmjs.org/mongoose/-/mongoose-4.13.21.tgz">https://registry.npmjs.org/mongoose/-/mongoose-4.13.21.tgz</a></p> <p>Path to dependency file: /package.json</p> <p>Path to vulnerable library: /node_modules/mongoose/package.json</p> <p> Dependency Hierarchy: - :x: **mongoose-4.13.21.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/talevy013/TestTal/commit/2e9d597fe70064b9c61d9203c8a93a380a667238">2e9d597fe70064b9c61d9203c8a93a380a667238</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/critical_vul.png?' width=19 height=20> Vulnerability Details</summary> <p> Prototype Pollution in GitHub repository automattic/mongoose prior to 7.3.4. <p>Publish Date: 2023-07-17 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2023-3696>CVE-2023-3696</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.8</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: 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://huntr.dev/bounties/1eef5a72-f6ab-4f61-b31d-fc66f5b4b467/">https://huntr.dev/bounties/1eef5a72-f6ab-4f61-b31d-fc66f5b4b467/</a></p> <p>Release Date: 2023-07-17</p> <p>Fix Resolution: 6.11.3</p> </p> </details> <p></p> *** :rescue_worker_helmet: Automatic Remediation will be attempted for this issue.
True
CVE-2023-3696 (Critical) detected in mongoose-4.13.21.tgz - ## CVE-2023-3696 - Critical Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>mongoose-4.13.21.tgz</b></p></summary> <p>Mongoose MongoDB ODM</p> <p>Library home page: <a href="https://registry.npmjs.org/mongoose/-/mongoose-4.13.21.tgz">https://registry.npmjs.org/mongoose/-/mongoose-4.13.21.tgz</a></p> <p>Path to dependency file: /package.json</p> <p>Path to vulnerable library: /node_modules/mongoose/package.json</p> <p> Dependency Hierarchy: - :x: **mongoose-4.13.21.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/talevy013/TestTal/commit/2e9d597fe70064b9c61d9203c8a93a380a667238">2e9d597fe70064b9c61d9203c8a93a380a667238</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/critical_vul.png?' width=19 height=20> Vulnerability Details</summary> <p> Prototype Pollution in GitHub repository automattic/mongoose prior to 7.3.4. <p>Publish Date: 2023-07-17 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2023-3696>CVE-2023-3696</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.8</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: 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://huntr.dev/bounties/1eef5a72-f6ab-4f61-b31d-fc66f5b4b467/">https://huntr.dev/bounties/1eef5a72-f6ab-4f61-b31d-fc66f5b4b467/</a></p> <p>Release Date: 2023-07-17</p> <p>Fix Resolution: 6.11.3</p> </p> </details> <p></p> *** :rescue_worker_helmet: Automatic Remediation will be attempted for this issue.
non_priority
cve critical detected in mongoose tgz cve critical severity vulnerability vulnerable library mongoose tgz mongoose mongodb odm library home page a href path to dependency file package json path to vulnerable library node modules mongoose package json dependency hierarchy x mongoose tgz vulnerable library found in head commit a href found in base branch master vulnerability details prototype pollution in github repository automattic mongoose 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 high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution rescue worker helmet automatic remediation will be attempted for this issue
0
574,737
17,023,866,807
IssuesEvent
2021-07-03 04:15:52
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
[amenity-points] Please render a label for natural=saddle
Component: mapnik Priority: minor Resolution: duplicate Type: enhancement
**[Submitted to the original trac issue database at 9.45am, Wednesday, 3rd July 2013]** natural=peak has a label if there is a name=* or ele=* value present. Please consider doing the same for natural=saddle. It could be done identically to natural=peak, even including ele=* if present, but clearly no 'small triangle' icon.
1.0
[amenity-points] Please render a label for natural=saddle - **[Submitted to the original trac issue database at 9.45am, Wednesday, 3rd July 2013]** natural=peak has a label if there is a name=* or ele=* value present. Please consider doing the same for natural=saddle. It could be done identically to natural=peak, even including ele=* if present, but clearly no 'small triangle' icon.
priority
please render a label for natural saddle natural peak has a label if there is a name or ele value present please consider doing the same for natural saddle it could be done identically to natural peak even including ele if present but clearly no small triangle icon
1
372,039
11,008,217,351
IssuesEvent
2019-12-04 10:05:34
ECLK/Nomination
https://api.github.com/repos/ECLK/Nomination
opened
Implement csv import for division configuaration
Priority 3
**Description** Give an option to import division information in the create election template through csv file #### division information 1. division code 2. division name 3. no of candidate **Solution** Implement ui component for csv import - option to download the csv format - option to select the complete csv file and import by clicking the import button - imported date should display below after successfully imported - Provide informative error messages to the user if the csv file has any invalid data **Steps to go to division configuration step** 1. Click create election tab on side navigation bar 2. Give template name and click on next button 3. Go to the second step on the wizard by clicking next button 4. You can see the division configuration screen **Additional context** - We need to add the same ui for the update election template as well
1.0
Implement csv import for division configuaration - **Description** Give an option to import division information in the create election template through csv file #### division information 1. division code 2. division name 3. no of candidate **Solution** Implement ui component for csv import - option to download the csv format - option to select the complete csv file and import by clicking the import button - imported date should display below after successfully imported - Provide informative error messages to the user if the csv file has any invalid data **Steps to go to division configuration step** 1. Click create election tab on side navigation bar 2. Give template name and click on next button 3. Go to the second step on the wizard by clicking next button 4. You can see the division configuration screen **Additional context** - We need to add the same ui for the update election template as well
priority
implement csv import for division configuaration description give an option to import division information in the create election template through csv file division information division code division name no of candidate solution implement ui component for csv import option to download the csv format option to select the complete csv file and import by clicking the import button imported date should display below after successfully imported provide informative error messages to the user if the csv file has any invalid data steps to go to division configuration step click create election tab on side navigation bar give template name and click on next button go to the second step on the wizard by clicking next button you can see the division configuration screen additional context we need to add the same ui for the update election template as well
1
28,634
23,408,260,361
IssuesEvent
2022-08-12 14:49:31
solidjs/solid-docs-next
https://api.github.com/repos/solidjs/solid-docs-next
closed
Improved Nav Bar
infrastructure
- Ability to nest "indefinitely" - The root of a nest must be a page - Divider lines with titles can be placed anywhere - Mobile view that doesn't expand the entire TOC
1.0
Improved Nav Bar - - Ability to nest "indefinitely" - The root of a nest must be a page - Divider lines with titles can be placed anywhere - Mobile view that doesn't expand the entire TOC
non_priority
improved nav bar ability to nest indefinitely the root of a nest must be a page divider lines with titles can be placed anywhere mobile view that doesn t expand the entire toc
0
67,571
14,880,291,493
IssuesEvent
2021-01-20 08:59:24
shiriivtsan/WordPress
https://api.github.com/repos/shiriivtsan/WordPress
closed
CVE-2020-7608 (Medium) detected in yargs-parser-5.0.0.tgz, yargs-parser-11.1.1.tgz
security vulnerability
## CVE-2020-7608 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>yargs-parser-5.0.0.tgz</b>, <b>yargs-parser-11.1.1.tgz</b></p></summary> <p> <details><summary><b>yargs-parser-5.0.0.tgz</b></p></summary> <p>the mighty option parser used by yargs</p> <p>Library home page: <a href="https://registry.npmjs.org/yargs-parser/-/yargs-parser-5.0.0.tgz">https://registry.npmjs.org/yargs-parser/-/yargs-parser-5.0.0.tgz</a></p> <p>Path to dependency file: WordPress/wp-content/themes/twentynineteen/package.json</p> <p>Path to vulnerable library: WordPress/wp-content/themes/twentynineteen/node_modules/sass-graph/node_modules/yargs-parser/package.json</p> <p> Dependency Hierarchy: - node-sass-4.12.0.tgz (Root Library) - sass-graph-2.2.4.tgz - yargs-7.1.0.tgz - :x: **yargs-parser-5.0.0.tgz** (Vulnerable Library) </details> <details><summary><b>yargs-parser-11.1.1.tgz</b></p></summary> <p>the mighty option parser used by yargs</p> <p>Library home page: <a href="https://registry.npmjs.org/yargs-parser/-/yargs-parser-11.1.1.tgz">https://registry.npmjs.org/yargs-parser/-/yargs-parser-11.1.1.tgz</a></p> <p>Path to dependency file: WordPress/wp-content/themes/twentynineteen/package.json</p> <p>Path to vulnerable library: WordPress/wp-content/themes/twentynineteen/node_modules/yargs-parser/package.json</p> <p> Dependency Hierarchy: - chokidar-cli-1.2.2.tgz (Root Library) - yargs-12.0.5.tgz - :x: **yargs-parser-11.1.1.tgz** (Vulnerable Library) </details> <p>Found in HEAD commit: <a href="https://github.com/shiriivtsan/WordPress/commit/89a32fda31c26684c30e2006696106bbc1a777a4">89a32fda31c26684c30e2006696106bbc1a777a4</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> yargs-parser could be tricked into adding or modifying properties of Object.prototype using a "__proto__" payload. <p>Publish Date: 2020-03-16 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-7608>CVE-2020-7608</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.3</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: Low </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-7608">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-7608</a></p> <p>Release Date: 2020-03-16</p> <p>Fix Resolution: v18.1.1;13.1.2;15.0.1</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"yargs-parser","packageVersion":"5.0.0","isTransitiveDependency":true,"dependencyTree":"node-sass:4.12.0;sass-graph:2.2.4;yargs:7.1.0;yargs-parser:5.0.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"v18.1.1;13.1.2;15.0.1"},{"packageType":"javascript/Node.js","packageName":"yargs-parser","packageVersion":"11.1.1","isTransitiveDependency":true,"dependencyTree":"chokidar-cli:1.2.2;yargs:12.0.5;yargs-parser:11.1.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"v18.1.1;13.1.2;15.0.1"}],"vulnerabilityIdentifier":"CVE-2020-7608","vulnerabilityDetails":"yargs-parser could be tricked into adding or modifying properties of Object.prototype using a \"__proto__\" payload.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-7608","cvss3Severity":"medium","cvss3Score":"5.3","cvss3Metrics":{"A":"Low","AC":"Low","PR":"Low","S":"Unchanged","C":"Low","UI":"None","AV":"Local","I":"Low"},"extraData":{}}</REMEDIATE> -->
True
CVE-2020-7608 (Medium) detected in yargs-parser-5.0.0.tgz, yargs-parser-11.1.1.tgz - ## CVE-2020-7608 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>yargs-parser-5.0.0.tgz</b>, <b>yargs-parser-11.1.1.tgz</b></p></summary> <p> <details><summary><b>yargs-parser-5.0.0.tgz</b></p></summary> <p>the mighty option parser used by yargs</p> <p>Library home page: <a href="https://registry.npmjs.org/yargs-parser/-/yargs-parser-5.0.0.tgz">https://registry.npmjs.org/yargs-parser/-/yargs-parser-5.0.0.tgz</a></p> <p>Path to dependency file: WordPress/wp-content/themes/twentynineteen/package.json</p> <p>Path to vulnerable library: WordPress/wp-content/themes/twentynineteen/node_modules/sass-graph/node_modules/yargs-parser/package.json</p> <p> Dependency Hierarchy: - node-sass-4.12.0.tgz (Root Library) - sass-graph-2.2.4.tgz - yargs-7.1.0.tgz - :x: **yargs-parser-5.0.0.tgz** (Vulnerable Library) </details> <details><summary><b>yargs-parser-11.1.1.tgz</b></p></summary> <p>the mighty option parser used by yargs</p> <p>Library home page: <a href="https://registry.npmjs.org/yargs-parser/-/yargs-parser-11.1.1.tgz">https://registry.npmjs.org/yargs-parser/-/yargs-parser-11.1.1.tgz</a></p> <p>Path to dependency file: WordPress/wp-content/themes/twentynineteen/package.json</p> <p>Path to vulnerable library: WordPress/wp-content/themes/twentynineteen/node_modules/yargs-parser/package.json</p> <p> Dependency Hierarchy: - chokidar-cli-1.2.2.tgz (Root Library) - yargs-12.0.5.tgz - :x: **yargs-parser-11.1.1.tgz** (Vulnerable Library) </details> <p>Found in HEAD commit: <a href="https://github.com/shiriivtsan/WordPress/commit/89a32fda31c26684c30e2006696106bbc1a777a4">89a32fda31c26684c30e2006696106bbc1a777a4</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> yargs-parser could be tricked into adding or modifying properties of Object.prototype using a "__proto__" payload. <p>Publish Date: 2020-03-16 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-7608>CVE-2020-7608</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.3</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: Low </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-7608">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-7608</a></p> <p>Release Date: 2020-03-16</p> <p>Fix Resolution: v18.1.1;13.1.2;15.0.1</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"yargs-parser","packageVersion":"5.0.0","isTransitiveDependency":true,"dependencyTree":"node-sass:4.12.0;sass-graph:2.2.4;yargs:7.1.0;yargs-parser:5.0.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"v18.1.1;13.1.2;15.0.1"},{"packageType":"javascript/Node.js","packageName":"yargs-parser","packageVersion":"11.1.1","isTransitiveDependency":true,"dependencyTree":"chokidar-cli:1.2.2;yargs:12.0.5;yargs-parser:11.1.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"v18.1.1;13.1.2;15.0.1"}],"vulnerabilityIdentifier":"CVE-2020-7608","vulnerabilityDetails":"yargs-parser could be tricked into adding or modifying properties of Object.prototype using a \"__proto__\" payload.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-7608","cvss3Severity":"medium","cvss3Score":"5.3","cvss3Metrics":{"A":"Low","AC":"Low","PR":"Low","S":"Unchanged","C":"Low","UI":"None","AV":"Local","I":"Low"},"extraData":{}}</REMEDIATE> -->
non_priority
cve medium detected in yargs parser tgz yargs parser tgz cve medium severity vulnerability vulnerable libraries yargs parser tgz yargs parser tgz yargs parser tgz the mighty option parser used by yargs library home page a href path to dependency file wordpress wp content themes twentynineteen package json path to vulnerable library wordpress wp content themes twentynineteen node modules sass graph node modules yargs parser package json dependency hierarchy node sass tgz root library sass graph tgz yargs tgz x yargs parser tgz vulnerable library yargs parser tgz the mighty option parser used by yargs library home page a href path to dependency file wordpress wp content themes twentynineteen package json path to vulnerable library wordpress wp content themes twentynineteen node modules yargs parser package json dependency hierarchy chokidar cli tgz root library yargs tgz x yargs parser tgz vulnerable library found in head commit a href found in base branch master vulnerability details yargs parser could be tricked into adding or modifying properties of object prototype using a proto payload publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required low user interaction none scope unchanged impact metrics confidentiality impact low integrity impact low availability impact low for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution isopenpronvulnerability false ispackagebased true isdefaultbranch true packages vulnerabilityidentifier cve vulnerabilitydetails yargs parser could be tricked into adding or modifying properties of object prototype using a proto payload vulnerabilityurl
0
50,388
12,506,022,414
IssuesEvent
2020-06-02 11:50:35
GoogleCloudPlatform/python-docs-samples
https://api.github.com/repos/GoogleCloudPlatform/python-docs-samples
reopened
dlp.risk_test: test_k_anonymity_analysis_multiple_fields failed
api: dlp buildcop: flaky buildcop: issue priority: p1 type: bug
This test failed! To configure my behavior, see [the Build Cop Bot documentation](https://github.com/googleapis/repo-automation-bots/tree/master/packages/buildcop). If I'm commenting on this issue too often, add the `buildcop: quiet` label and I will stop commenting. --- commit: 87eb8a0313823d30085e6dcabbd9754af124ace4 buildURL: [Build Status](https://source.cloud.google.com/results/invocations/6f4c41da-ddac-478d-ac52-bf7899566ea7), [Sponge](http://sponge2/6f4c41da-ddac-478d-ac52-bf7899566ea7) status: failed <details><summary>Test output</summary><br><pre>Traceback (most recent call last): File "/tmpfs/src/github/python-docs-samples/dlp/risk_test.py", line 248, in test_k_anonymity_analysis_multiple_fields [NUMERIC_FIELD, REPEATED_FIELD], File "/tmpfs/src/github/python-docs-samples/dlp/risk.py", line 369, in k_anonymity_analysis subscription.result(timeout=timeout) File "/tmpfs/src/github/python-docs-samples/dlp/.nox/py-3-6/lib/python3.6/site-packages/google/cloud/pubsub_v1/futures.py", line 102, in result err = self.exception(timeout=timeout) File "/tmpfs/src/github/python-docs-samples/dlp/.nox/py-3-6/lib/python3.6/site-packages/google/cloud/pubsub_v1/futures.py", line 122, in exception raise exceptions.TimeoutError("Timed out waiting for result.") concurrent.futures._base.TimeoutError: Timed out waiting for result.</pre></details>
2.0
dlp.risk_test: test_k_anonymity_analysis_multiple_fields failed - This test failed! To configure my behavior, see [the Build Cop Bot documentation](https://github.com/googleapis/repo-automation-bots/tree/master/packages/buildcop). If I'm commenting on this issue too often, add the `buildcop: quiet` label and I will stop commenting. --- commit: 87eb8a0313823d30085e6dcabbd9754af124ace4 buildURL: [Build Status](https://source.cloud.google.com/results/invocations/6f4c41da-ddac-478d-ac52-bf7899566ea7), [Sponge](http://sponge2/6f4c41da-ddac-478d-ac52-bf7899566ea7) status: failed <details><summary>Test output</summary><br><pre>Traceback (most recent call last): File "/tmpfs/src/github/python-docs-samples/dlp/risk_test.py", line 248, in test_k_anonymity_analysis_multiple_fields [NUMERIC_FIELD, REPEATED_FIELD], File "/tmpfs/src/github/python-docs-samples/dlp/risk.py", line 369, in k_anonymity_analysis subscription.result(timeout=timeout) File "/tmpfs/src/github/python-docs-samples/dlp/.nox/py-3-6/lib/python3.6/site-packages/google/cloud/pubsub_v1/futures.py", line 102, in result err = self.exception(timeout=timeout) File "/tmpfs/src/github/python-docs-samples/dlp/.nox/py-3-6/lib/python3.6/site-packages/google/cloud/pubsub_v1/futures.py", line 122, in exception raise exceptions.TimeoutError("Timed out waiting for result.") concurrent.futures._base.TimeoutError: Timed out waiting for result.</pre></details>
non_priority
dlp risk test test k anonymity analysis multiple fields failed this test failed to configure my behavior see if i m commenting on this issue too often add the buildcop quiet label and i will stop commenting commit buildurl status failed test output traceback most recent call last file tmpfs src github python docs samples dlp risk test py line in test k anonymity analysis multiple fields file tmpfs src github python docs samples dlp risk py line in k anonymity analysis subscription result timeout timeout file tmpfs src github python docs samples dlp nox py lib site packages google cloud pubsub futures py line in result err self exception timeout timeout file tmpfs src github python docs samples dlp nox py lib site packages google cloud pubsub futures py line in exception raise exceptions timeouterror timed out waiting for result concurrent futures base timeouterror timed out waiting for result
0
337,929
24,562,704,984
IssuesEvent
2022-10-12 22:04:10
UpKeepUC/UpKeep
https://api.github.com/repos/UpKeepUC/UpKeep
closed
Technical Architecture Diagram/Chart
documentation Sprint 1 Planning
Create a technical diagram that will show all connections in our system in an architectural way. Create a document with this diagram that will later be added to the final report.
1.0
Technical Architecture Diagram/Chart - Create a technical diagram that will show all connections in our system in an architectural way. Create a document with this diagram that will later be added to the final report.
non_priority
technical architecture diagram chart create a technical diagram that will show all connections in our system in an architectural way create a document with this diagram that will later be added to the final report
0
822,016
30,848,307,306
IssuesEvent
2023-08-02 15:01:53
tudalgo/algoutils
https://api.github.com/repos/tudalgo/algoutils
closed
Annotation in student/annotation cannot be used for classes and constructors
bug priority: medium
The commit (https://github.com/tudalgo/algoutils/commit/5ae447336d04eca595f95c4cd24ac119476fad04) introduced annotations where fields, method, classes, constructors and local variables can be annotated but at the moment we cannot annotate classes and constructors.
1.0
Annotation in student/annotation cannot be used for classes and constructors - The commit (https://github.com/tudalgo/algoutils/commit/5ae447336d04eca595f95c4cd24ac119476fad04) introduced annotations where fields, method, classes, constructors and local variables can be annotated but at the moment we cannot annotate classes and constructors.
priority
annotation in student annotation cannot be used for classes and constructors the commit introduced annotations where fields method classes constructors and local variables can be annotated but at the moment we cannot annotate classes and constructors
1
232,101
18,845,009,398
IssuesEvent
2021-11-11 14:03:38
influxdata/influxdb_iox
https://api.github.com/repos/influxdata/influxdb_iox
closed
chore: test or rework object_store wrapper
invalid crate/object_store testing cleanup
(pardon my sloppy writing; I'm on mobile but want to jolt this down before forgetting it). PR #854 showed that we don't test the objectstore wrapper, like: https://github.com/influxdata/influxdb_iox/blob/9e521a2ea125c6b5c2822c261970bb2f1bc9a094/object_store/src/lib.rs#L280 We should either test it or perhaps consider not using such a wrapper in the first place (aren't trait objects, or whatever Box dyn things are called, a lower maintenance alternative?)
1.0
chore: test or rework object_store wrapper - (pardon my sloppy writing; I'm on mobile but want to jolt this down before forgetting it). PR #854 showed that we don't test the objectstore wrapper, like: https://github.com/influxdata/influxdb_iox/blob/9e521a2ea125c6b5c2822c261970bb2f1bc9a094/object_store/src/lib.rs#L280 We should either test it or perhaps consider not using such a wrapper in the first place (aren't trait objects, or whatever Box dyn things are called, a lower maintenance alternative?)
non_priority
chore test or rework object store wrapper pardon my sloppy writing i m on mobile but want to jolt this down before forgetting it pr showed that we don t test the objectstore wrapper like we should either test it or perhaps consider not using such a wrapper in the first place aren t trait objects or whatever box dyn things are called a lower maintenance alternative
0
132,432
18,268,685,847
IssuesEvent
2021-10-04 11:30:56
artsking/linux-3.0.35
https://api.github.com/repos/artsking/linux-3.0.35
opened
CVE-2013-1959 (Low) detected in linux-stable-rtv3.8.6
security vulnerability
## CVE-2013-1959 - Low Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linux-stable-rtv3.8.6</b></p></summary> <p> <p>Julia Cartwright's fork of linux-stable-rt.git</p> <p>Library home page: <a href=https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git>https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git</a></p> <p>Found in HEAD commit: <a href="https://github.com/artsking/linux-3.0.35/commit/5992fa81c6ac1b4e9db13f5408d914525c5b7875">5992fa81c6ac1b4e9db13f5408d914525c5b7875</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>/kernel/user_namespace.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/kernel/user_namespace.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/kernel/user_namespace.c</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/low_vul.png' width=19 height=20> Vulnerability Details</summary> <p> kernel/user_namespace.c in the Linux kernel before 3.8.9 does not have appropriate capability requirements for the uid_map and gid_map files, which allows local users to gain privileges by opening a file within an unprivileged process and then modifying the file within a privileged process. <p>Publish Date: 2013-05-03 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2013-1959>CVE-2013-1959</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>3.7</b>)</summary> <p> Base Score Metrics not available</p> </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://www.linuxkernelcves.com/cves/CVE-2013-1959">https://www.linuxkernelcves.com/cves/CVE-2013-1959</a></p> <p>Release Date: 2013-05-03</p> <p>Fix Resolution: v3.9-rc7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2013-1959 (Low) detected in linux-stable-rtv3.8.6 - ## CVE-2013-1959 - Low Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linux-stable-rtv3.8.6</b></p></summary> <p> <p>Julia Cartwright's fork of linux-stable-rt.git</p> <p>Library home page: <a href=https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git>https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git</a></p> <p>Found in HEAD commit: <a href="https://github.com/artsking/linux-3.0.35/commit/5992fa81c6ac1b4e9db13f5408d914525c5b7875">5992fa81c6ac1b4e9db13f5408d914525c5b7875</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>/kernel/user_namespace.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/kernel/user_namespace.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/kernel/user_namespace.c</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/low_vul.png' width=19 height=20> Vulnerability Details</summary> <p> kernel/user_namespace.c in the Linux kernel before 3.8.9 does not have appropriate capability requirements for the uid_map and gid_map files, which allows local users to gain privileges by opening a file within an unprivileged process and then modifying the file within a privileged process. <p>Publish Date: 2013-05-03 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2013-1959>CVE-2013-1959</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>3.7</b>)</summary> <p> Base Score Metrics not available</p> </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://www.linuxkernelcves.com/cves/CVE-2013-1959">https://www.linuxkernelcves.com/cves/CVE-2013-1959</a></p> <p>Release Date: 2013-05-03</p> <p>Fix Resolution: v3.9-rc7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
cve low detected in linux stable cve low severity vulnerability vulnerable library linux stable julia cartwright s fork of linux stable rt git library home page a href found in head commit a href found in base branch master vulnerable source files kernel user namespace c kernel user namespace c kernel user namespace c vulnerability details kernel user namespace c in the linux kernel before does not have appropriate capability requirements for the uid map and gid map files which allows local users to gain privileges by opening a file within an unprivileged process and then modifying the file within a privileged process publish date url a href cvss score details base score metrics not available suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with whitesource
0
719,790
24,769,964,399
IssuesEvent
2022-10-23 02:08:59
momentum-mod/game
https://api.github.com/repos/momentum-mod/game
opened
Prevent Player Physics Deformation
Type: Bug Priority: High
Since we're now based on the Portal 2 code for world portals, and because VPhysics is a lovely piece of software, we should figure out why [Player Physics Deformation](https://wiki.portal2.sr/Player_Physics_Deformation) happens in the code and fix it so that players can't abuse it. Seems to be something in the physics shadow update code not resetting the rotation of the bbox to Axis-Aligned when it updates. Could be good to just force the player AABB to be axis-aligned at all times, or to 0 out any rotational velocity applied to it.
1.0
Prevent Player Physics Deformation - Since we're now based on the Portal 2 code for world portals, and because VPhysics is a lovely piece of software, we should figure out why [Player Physics Deformation](https://wiki.portal2.sr/Player_Physics_Deformation) happens in the code and fix it so that players can't abuse it. Seems to be something in the physics shadow update code not resetting the rotation of the bbox to Axis-Aligned when it updates. Could be good to just force the player AABB to be axis-aligned at all times, or to 0 out any rotational velocity applied to it.
priority
prevent player physics deformation since we re now based on the portal code for world portals and because vphysics is a lovely piece of software we should figure out why happens in the code and fix it so that players can t abuse it seems to be something in the physics shadow update code not resetting the rotation of the bbox to axis aligned when it updates could be good to just force the player aabb to be axis aligned at all times or to out any rotational velocity applied to it
1
111,507
24,140,431,187
IssuesEvent
2022-09-21 14:28:26
sourcegraph/sourcegraph
https://api.github.com/repos/sourcegraph/sourcegraph
closed
precise-code-intel-worker doesn't respect manage bucket environment variable
team/code-intelligence team/language-platform-and-navigation
- **Sourcegraph version:** v3.42.2<!-- the version of Sourcegraph or "Sourcegraph.com" --> - **Platform information:** Kubernetes v1.20.1<!-- OS version, cloud provider, web browser version, Docker version, etc., depending on the issue --> #### Steps to reproduce: 1. Deploy Sourcegraph helm chart to a Kubernetes cluster setup to use an external Minio cluster with the following environment variables set: ```yaml - name: PRECISE_CODE_INTEL_UPLOAD_BACKEND value: "minio" - name: PRECISE_CODE_INTEL_UPLOAD_BUCKET value: "<existing bucket name>" - name: PRECISE_CODE_INTEL_UPLOAD_MANAGE_BUCKET value: "false" - name: PRECISE_CODE_INTEL_UPLOAD_AWS_ENDPOINT value: "https://<minio-cluster-url>" - name: PRECISE_CODE_INTEL_UPLOAD_AWS_ACCESS_KEY_ID valueFrom: secretKeyRef: key: user name: minio - name: PRECISE_CODE_INTEL_UPLOAD_AWS_SECRET_ACCESS_KEY valueFrom: secretKeyRef: key: password name: minio ``` 2. Upload LSIF data to deployed Sourcegraph instance. 3. `precise-code-intel-worker` after a few minutes will fail with a FATAL log: ```json { "SeverityText": "FATAL", "Timestamp": 1662751146795123700, "InstrumentationScope": "worker", "Caller": "precise-code-intel-worker/main.go:112", "Function": "main.main", "Body": "Failed to initialize uploadstore", "Resource": { "service.name": "precise-code-intel-worker", "service.version": "3.42.2", "service.instance.id": "precise-code-intel-worker-5d9b575245-vhwh6" }, "Attributes": { "error": "failed to create bucket: operation error S3: CreateBucket, retry quota exceeded, 0 available, 5 requested" } } ``` #### Expected behavior: `failed to create bucket` is an error that seems to occur in two places: 1. The GCS client 2. The S3 client I would expect that the environment variable `PRECISE_CODE_INTEL_UPLOAD_MANAGE_BUCKET` being set to `false` would cause this method: ```go func (s *s3Store) Init(ctx context.Context) error { if !s.manageBucket { return nil // <------ with manageBucket false it should return here } if err := s.create(ctx); err != nil { return errors.Wrap(err, "failed to create bucket") } if err := s.update(ctx); err != nil { return errors.Wrap(err, "failed to update bucket attributes") } return nil } ``` to return before the creation of the bucket. #### Actual behavior: The S3 client tries to create the bucket despite `PRECISE_CODE_INTEL_UPLOAD_MANAGE_BUCKET` being set to `false`. If would like immediate help on this, please email support@sourcegraph.com (you can still create the issue, but there are not [SLAs](https://about.sourcegraph.com/support/) on issues like there are for support requests).
1.0
precise-code-intel-worker doesn't respect manage bucket environment variable - - **Sourcegraph version:** v3.42.2<!-- the version of Sourcegraph or "Sourcegraph.com" --> - **Platform information:** Kubernetes v1.20.1<!-- OS version, cloud provider, web browser version, Docker version, etc., depending on the issue --> #### Steps to reproduce: 1. Deploy Sourcegraph helm chart to a Kubernetes cluster setup to use an external Minio cluster with the following environment variables set: ```yaml - name: PRECISE_CODE_INTEL_UPLOAD_BACKEND value: "minio" - name: PRECISE_CODE_INTEL_UPLOAD_BUCKET value: "<existing bucket name>" - name: PRECISE_CODE_INTEL_UPLOAD_MANAGE_BUCKET value: "false" - name: PRECISE_CODE_INTEL_UPLOAD_AWS_ENDPOINT value: "https://<minio-cluster-url>" - name: PRECISE_CODE_INTEL_UPLOAD_AWS_ACCESS_KEY_ID valueFrom: secretKeyRef: key: user name: minio - name: PRECISE_CODE_INTEL_UPLOAD_AWS_SECRET_ACCESS_KEY valueFrom: secretKeyRef: key: password name: minio ``` 2. Upload LSIF data to deployed Sourcegraph instance. 3. `precise-code-intel-worker` after a few minutes will fail with a FATAL log: ```json { "SeverityText": "FATAL", "Timestamp": 1662751146795123700, "InstrumentationScope": "worker", "Caller": "precise-code-intel-worker/main.go:112", "Function": "main.main", "Body": "Failed to initialize uploadstore", "Resource": { "service.name": "precise-code-intel-worker", "service.version": "3.42.2", "service.instance.id": "precise-code-intel-worker-5d9b575245-vhwh6" }, "Attributes": { "error": "failed to create bucket: operation error S3: CreateBucket, retry quota exceeded, 0 available, 5 requested" } } ``` #### Expected behavior: `failed to create bucket` is an error that seems to occur in two places: 1. The GCS client 2. The S3 client I would expect that the environment variable `PRECISE_CODE_INTEL_UPLOAD_MANAGE_BUCKET` being set to `false` would cause this method: ```go func (s *s3Store) Init(ctx context.Context) error { if !s.manageBucket { return nil // <------ with manageBucket false it should return here } if err := s.create(ctx); err != nil { return errors.Wrap(err, "failed to create bucket") } if err := s.update(ctx); err != nil { return errors.Wrap(err, "failed to update bucket attributes") } return nil } ``` to return before the creation of the bucket. #### Actual behavior: The S3 client tries to create the bucket despite `PRECISE_CODE_INTEL_UPLOAD_MANAGE_BUCKET` being set to `false`. If would like immediate help on this, please email support@sourcegraph.com (you can still create the issue, but there are not [SLAs](https://about.sourcegraph.com/support/) on issues like there are for support requests).
non_priority
precise code intel worker doesn t respect manage bucket environment variable sourcegraph version platform information kubernetes steps to reproduce deploy sourcegraph helm chart to a kubernetes cluster setup to use an external minio cluster with the following environment variables set yaml name precise code intel upload backend value minio name precise code intel upload bucket value name precise code intel upload manage bucket value false name precise code intel upload aws endpoint value name precise code intel upload aws access key id valuefrom secretkeyref key user name minio name precise code intel upload aws secret access key valuefrom secretkeyref key password name minio upload lsif data to deployed sourcegraph instance precise code intel worker after a few minutes will fail with a fatal log json severitytext fatal timestamp instrumentationscope worker caller precise code intel worker main go function main main body failed to initialize uploadstore resource service name precise code intel worker service version service instance id precise code intel worker attributes error failed to create bucket operation error createbucket retry quota exceeded available requested expected behavior failed to create bucket is an error that seems to occur in two places the gcs client the client i would expect that the environment variable precise code intel upload manage bucket being set to false would cause this method go func s init ctx context context error if s managebucket return nil with managebucket false it should return here if err s create ctx err nil return errors wrap err failed to create bucket if err s update ctx err nil return errors wrap err failed to update bucket attributes return nil to return before the creation of the bucket actual behavior the client tries to create the bucket despite precise code intel upload manage bucket being set to false if would like immediate help on this please email support sourcegraph com you can still create the issue but there are not on issues like there are for support requests
0
670,738
22,701,935,568
IssuesEvent
2022-07-05 11:30:16
magento/magento2
https://api.github.com/repos/magento/magento2
closed
TargetRule GraphQL endpoint doesn't work with custom attributes
Issue: Confirmed Component: GraphQL Reproduced on 2.4.x Progress: PR in progress Priority: P1 Project: GraphQL Reported on 2.4.3 Area: Product Adobe Commerce
Original issue: https://github.com/magento/partners-magento2ee/issues/658 ### Preconditions and environment 2.4.x with enterprise edition ### Steps to reproduce 1. Created Product Attribute with type text and no values required. Store front properties - Use for Promo Rule Conditions - yes and save 2. Marketing - Related Product Rules - Add Rule - Apply to Related Products - Products to Match and Products to Display - Add below condition and save ![image](https://user-images.githubusercontent.com/60198231/170062933-db632729-8733-4ebc-a5bb-33f9c490398f.png) 4. Catalog - Created few Products with above attribute value 5. Add above created products as Related Products to each other and save 6. Run the graphql query: _{ products( filter: { sku: { in: ["your_sku"] }, } pageSize: 8, sort: {position: ASC}, ) { items { related_products { sku } } } }_ ### Expected result GraphQL should return correct values. Related products should be retrieved in the response. Issue is reproducible for products having attribute text value. There is no issue for products with no attribute value. ![image](https://user-images.githubusercontent.com/60198231/176698069-4e47ae7d-4418-49f7-9d65-dc6a910c3285.png) ### Actual result Related products not retrieved in the response. Note: There is no issue for other products having no attribute value. ![image](https://user-images.githubusercontent.com/60198231/170062685-1f4817e6-aa26-4527-a83e-fe4a5a1137f0.png) ### Additional information _No response_ ### Release note _No response_ ### Triage and priority - [ ] Severity: **S0** _- Affects critical data or functionality and leaves users without workaround._ - [ ] Severity: **S1** _- Affects critical data or functionality and forces users to employ a workaround._ - [ ] Severity: **S2** _- Affects non-critical data or functionality and forces users to employ a workaround._ - [ ] Severity: **S3** _- Affects non-critical data or functionality and does not force users to employ a workaround._ - [ ] Severity: **S4** _- Affects aesthetics, professional look and feel, “quality” or “usability”._
1.0
TargetRule GraphQL endpoint doesn't work with custom attributes - Original issue: https://github.com/magento/partners-magento2ee/issues/658 ### Preconditions and environment 2.4.x with enterprise edition ### Steps to reproduce 1. Created Product Attribute with type text and no values required. Store front properties - Use for Promo Rule Conditions - yes and save 2. Marketing - Related Product Rules - Add Rule - Apply to Related Products - Products to Match and Products to Display - Add below condition and save ![image](https://user-images.githubusercontent.com/60198231/170062933-db632729-8733-4ebc-a5bb-33f9c490398f.png) 4. Catalog - Created few Products with above attribute value 5. Add above created products as Related Products to each other and save 6. Run the graphql query: _{ products( filter: { sku: { in: ["your_sku"] }, } pageSize: 8, sort: {position: ASC}, ) { items { related_products { sku } } } }_ ### Expected result GraphQL should return correct values. Related products should be retrieved in the response. Issue is reproducible for products having attribute text value. There is no issue for products with no attribute value. ![image](https://user-images.githubusercontent.com/60198231/176698069-4e47ae7d-4418-49f7-9d65-dc6a910c3285.png) ### Actual result Related products not retrieved in the response. Note: There is no issue for other products having no attribute value. ![image](https://user-images.githubusercontent.com/60198231/170062685-1f4817e6-aa26-4527-a83e-fe4a5a1137f0.png) ### Additional information _No response_ ### Release note _No response_ ### Triage and priority - [ ] Severity: **S0** _- Affects critical data or functionality and leaves users without workaround._ - [ ] Severity: **S1** _- Affects critical data or functionality and forces users to employ a workaround._ - [ ] Severity: **S2** _- Affects non-critical data or functionality and forces users to employ a workaround._ - [ ] Severity: **S3** _- Affects non-critical data or functionality and does not force users to employ a workaround._ - [ ] Severity: **S4** _- Affects aesthetics, professional look and feel, “quality” or “usability”._
priority
targetrule graphql endpoint doesn t work with custom attributes original issue preconditions and environment x with enterprise edition steps to reproduce created product attribute with type text and no values required store front properties use for promo rule conditions yes and save marketing related product rules add rule apply to related products products to match and products to display add below condition and save catalog created few products with above attribute value add above created products as related products to each other and save run the graphql query products filter sku in pagesize sort position asc items related products sku expected result graphql should return correct values related products should be retrieved in the response issue is reproducible for products having attribute text value there is no issue for products with no attribute value actual result related products not retrieved in the response note there is no issue for other products having no attribute value additional information no response release note no response triage and priority severity affects critical data or functionality and leaves users without workaround severity affects critical data or functionality and forces users to employ a workaround severity affects non critical data or functionality and forces users to employ a workaround severity affects non critical data or functionality and does not force users to employ a workaround severity affects aesthetics professional look and feel “quality” or “usability”
1
20,080
10,452,346,107
IssuesEvent
2019-09-19 14:31:53
BCDevOps/platform-services
https://api.github.com/repos/BCDevOps/platform-services
opened
BCGov NetworkSecurityPolicy Operator Build Process
security security/aporeto
As a maintainer of the BCGov NetworkSecurityPolicy operator, I would like fully automated and documented build pipeline for testing, building, and storing the operator. This process is currently manual and will not scale in the long term.
True
BCGov NetworkSecurityPolicy Operator Build Process - As a maintainer of the BCGov NetworkSecurityPolicy operator, I would like fully automated and documented build pipeline for testing, building, and storing the operator. This process is currently manual and will not scale in the long term.
non_priority
bcgov networksecuritypolicy operator build process as a maintainer of the bcgov networksecuritypolicy operator i would like fully automated and documented build pipeline for testing building and storing the operator this process is currently manual and will not scale in the long term
0
748,049
26,104,760,054
IssuesEvent
2022-12-27 11:47:56
traefik/traefik
https://api.github.com/repos/traefik/traefik
closed
ServersTransport on TCP configurations
kind/enhancement priority/P2 area/tcp contributor/wanted
<!-- PLEASE FOLLOW THE ISSUE TEMPLATE TO HELP TRIAGE AND SUPPORT! --> ### Do you want to request a *feature* or report a *bug*? <!-- DO NOT FILE ISSUES FOR GENERAL SUPPORT QUESTIONS. The issue tracker is for reporting bugs and feature requests only. For end-user related support questions, please refer to one of the following: - the Traefik community forum: https://community.containo.us/ --> Feature ### What did you expect to see? While working on #7407 I noticed that the dynamic configuration supports `ServersTransport` only on `HTTPConfiguration` and not on `TCPConfiguration`. I fully understand that it makes no sense to add this for UDP, but for TCP it should be pretty much the same as for HTTP. Is there any reason this was not added initially? Would it also make sense to move the servers transport definition out of http and into the global scope? (ie next to http/tcp/tls etc)
1.0
ServersTransport on TCP configurations - <!-- PLEASE FOLLOW THE ISSUE TEMPLATE TO HELP TRIAGE AND SUPPORT! --> ### Do you want to request a *feature* or report a *bug*? <!-- DO NOT FILE ISSUES FOR GENERAL SUPPORT QUESTIONS. The issue tracker is for reporting bugs and feature requests only. For end-user related support questions, please refer to one of the following: - the Traefik community forum: https://community.containo.us/ --> Feature ### What did you expect to see? While working on #7407 I noticed that the dynamic configuration supports `ServersTransport` only on `HTTPConfiguration` and not on `TCPConfiguration`. I fully understand that it makes no sense to add this for UDP, but for TCP it should be pretty much the same as for HTTP. Is there any reason this was not added initially? Would it also make sense to move the servers transport definition out of http and into the global scope? (ie next to http/tcp/tls etc)
priority
serverstransport on tcp configurations do you want to request a feature or report a bug do not file issues for general support questions the issue tracker is for reporting bugs and feature requests only for end user related support questions please refer to one of the following the traefik community forum feature what did you expect to see while working on i noticed that the dynamic configuration supports serverstransport only on httpconfiguration and not on tcpconfiguration i fully understand that it makes no sense to add this for udp but for tcp it should be pretty much the same as for http is there any reason this was not added initially would it also make sense to move the servers transport definition out of http and into the global scope ie next to http tcp tls etc
1
635,866
20,511,919,284
IssuesEvent
2022-03-01 07:42:41
mypyc/mypyc
https://api.github.com/repos/mypyc/mypyc
closed
Use of deprecated APIs.
enhancement priority-0-high
``` ./mypy-0.780/mypyc/lib-rt/getargs.c:771: *p = PyUnicode_AsUnicodeAndSize(arg, &len); ./mypy-0.780/mypyc/lib-rt/getargs.c:786: *p = PyUnicode_AsUnicodeAndSize(arg, &len); ``` Would you remove Py_UNICODE support from getargs.c?
1.0
Use of deprecated APIs. - ``` ./mypy-0.780/mypyc/lib-rt/getargs.c:771: *p = PyUnicode_AsUnicodeAndSize(arg, &len); ./mypy-0.780/mypyc/lib-rt/getargs.c:786: *p = PyUnicode_AsUnicodeAndSize(arg, &len); ``` Would you remove Py_UNICODE support from getargs.c?
priority
use of deprecated apis mypy mypyc lib rt getargs c p pyunicode asunicodeandsize arg len mypy mypyc lib rt getargs c p pyunicode asunicodeandsize arg len would you remove py unicode support from getargs c
1
70,401
15,085,566,402
IssuesEvent
2021-02-05 18:52:56
mthbernardes/shaggy-rogers
https://api.github.com/repos/mthbernardes/shaggy-rogers
opened
CVE-2021-20190 (High) detected in jackson-databind-2.9.6.jar
security vulnerability
## CVE-2021-20190 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.6.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: shaggy-rogers/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.6/jackson-databind-2.9.6.jar</p> <p> Dependency Hierarchy: - pantomime-2.11.0.jar (Root Library) - tika-parsers-1.19.1.jar - :x: **jackson-databind-2.9.6.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/mthbernardes/shaggy-rogers/commit/5df434cf212852ec1f886cf7289cddfb9f15213c">5df434cf212852ec1f886cf7289cddfb9f15213c</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> A flaw was found in jackson-databind before 2.9.10.7. FasterXML mishandles the interaction between serialization gadgets and typing. The highest threat from this vulnerability is to data confidentiality and integrity as well as system availability. <p>Publish Date: 2021-01-19 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-20190>CVE-2021-20190</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>8.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: 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/FasterXML/jackson-databind/issues/2854">https://github.com/FasterXML/jackson-databind/issues/2854</a></p> <p>Release Date: 2021-01-19</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind-2.9.10.7</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.9.6","packageFilePaths":["/pom.xml"],"isTransitiveDependency":true,"dependencyTree":"com.novemberain:pantomime:2.11.0;org.apache.tika:tika-parsers:1.19.1;com.fasterxml.jackson.core:jackson-databind:2.9.6","isMinimumFixVersionAvailable":true,"minimumFixVersion":"com.fasterxml.jackson.core:jackson-databind-2.9.10.7"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2021-20190","vulnerabilityDetails":"A flaw was found in jackson-databind before 2.9.10.7. FasterXML mishandles the interaction between serialization gadgets and typing. The highest threat from this vulnerability is to data confidentiality and integrity as well as system availability.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-20190","cvss3Severity":"high","cvss3Score":"8.1","cvss3Metrics":{"A":"High","AC":"High","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> -->
True
CVE-2021-20190 (High) detected in jackson-databind-2.9.6.jar - ## CVE-2021-20190 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.6.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: shaggy-rogers/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.6/jackson-databind-2.9.6.jar</p> <p> Dependency Hierarchy: - pantomime-2.11.0.jar (Root Library) - tika-parsers-1.19.1.jar - :x: **jackson-databind-2.9.6.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/mthbernardes/shaggy-rogers/commit/5df434cf212852ec1f886cf7289cddfb9f15213c">5df434cf212852ec1f886cf7289cddfb9f15213c</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> A flaw was found in jackson-databind before 2.9.10.7. FasterXML mishandles the interaction between serialization gadgets and typing. The highest threat from this vulnerability is to data confidentiality and integrity as well as system availability. <p>Publish Date: 2021-01-19 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-20190>CVE-2021-20190</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>8.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: 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/FasterXML/jackson-databind/issues/2854">https://github.com/FasterXML/jackson-databind/issues/2854</a></p> <p>Release Date: 2021-01-19</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind-2.9.10.7</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.9.6","packageFilePaths":["/pom.xml"],"isTransitiveDependency":true,"dependencyTree":"com.novemberain:pantomime:2.11.0;org.apache.tika:tika-parsers:1.19.1;com.fasterxml.jackson.core:jackson-databind:2.9.6","isMinimumFixVersionAvailable":true,"minimumFixVersion":"com.fasterxml.jackson.core:jackson-databind-2.9.10.7"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2021-20190","vulnerabilityDetails":"A flaw was found in jackson-databind before 2.9.10.7. FasterXML mishandles the interaction between serialization gadgets and typing. The highest threat from this vulnerability is to data confidentiality and integrity as well as system availability.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-20190","cvss3Severity":"high","cvss3Score":"8.1","cvss3Metrics":{"A":"High","AC":"High","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> -->
non_priority
cve high detected in jackson databind jar cve high severity vulnerability vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to dependency file shaggy rogers pom xml path to vulnerable library home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy pantomime jar root library tika parsers jar x jackson databind jar vulnerable library found in head commit a href found in base branch master vulnerability details a flaw was found in jackson databind before fasterxml mishandles the interaction between serialization gadgets and typing the highest threat from this vulnerability is to data confidentiality and integrity as well as system availability publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity high privileges required none user interaction none scope unchanged impact metrics confidentiality impact 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 com fasterxml jackson core jackson databind isopenpronvulnerability false ispackagebased true isdefaultbranch true packages istransitivedependency true dependencytree com novemberain pantomime org apache tika tika parsers com fasterxml jackson core jackson databind isminimumfixversionavailable true minimumfixversion com fasterxml jackson core jackson databind basebranches vulnerabilityidentifier cve vulnerabilitydetails a flaw was found in jackson databind before fasterxml mishandles the interaction between serialization gadgets and typing the highest threat from this vulnerability is to data confidentiality and integrity as well as system availability vulnerabilityurl
0
134,862
5,238,748,767
IssuesEvent
2017-01-31 06:48:33
siteorigin/so-css
https://api.github.com/repos/siteorigin/so-css
closed
FireFox 50: Color Picker field doesn't show color picker values
bug priority-1
In FireFox 50 (could also be earlier) the color picker field doesn't show the color values. Values are correctly updated on page and in full CSS however. FireFox 50: ![](https://i.imgur.com/0GzPn33.gif) Chrome: ![](https://i.imgur.com/mOPnuyn.gif) This appears to be an issue with the padding applied to the minicolor field. If you remove the padding applied to the field, the hex appears (although not completely): ![](https://i.imgur.com/f1L93lH.gif) [Reported in this thread](https://siteorigin.com/thread/siteorigin-css-visual-editor-value-in-colorpicker-illegible-in-firefox/)
1.0
FireFox 50: Color Picker field doesn't show color picker values - In FireFox 50 (could also be earlier) the color picker field doesn't show the color values. Values are correctly updated on page and in full CSS however. FireFox 50: ![](https://i.imgur.com/0GzPn33.gif) Chrome: ![](https://i.imgur.com/mOPnuyn.gif) This appears to be an issue with the padding applied to the minicolor field. If you remove the padding applied to the field, the hex appears (although not completely): ![](https://i.imgur.com/f1L93lH.gif) [Reported in this thread](https://siteorigin.com/thread/siteorigin-css-visual-editor-value-in-colorpicker-illegible-in-firefox/)
priority
firefox color picker field doesn t show color picker values in firefox could also be earlier the color picker field doesn t show the color values values are correctly updated on page and in full css however firefox chrome this appears to be an issue with the padding applied to the minicolor field if you remove the padding applied to the field the hex appears although not completely
1
216,484
16,766,642,898
IssuesEvent
2021-06-14 09:38:39
eclipse-iceoryx/iceoryx
https://api.github.com/repos/eclipse-iceoryx/iceoryx
closed
PoshRuntime Mock
good first issue test
## Brief feature description Create a `PoshRuntime` Mock for unit tests ## Detailed information Currently it's quite cumbersome to test classes who interact with the `PoshRuntime`, e.g. `BasePublisher` and `BaseSubscriber` since they request their data from the runtime, which communicates with RouDi. It's possible to use the `RouDiEnvironment` but that more suited to integration tests and doesn't give much control over the runtime. To be able to mock the `PoshRuntime`, its methods must become virtual and the runtime factory must return the mock runtime - [x] re-enable the PoshRuntime factory tests in `test_posh_runtime.cpp`
1.0
PoshRuntime Mock - ## Brief feature description Create a `PoshRuntime` Mock for unit tests ## Detailed information Currently it's quite cumbersome to test classes who interact with the `PoshRuntime`, e.g. `BasePublisher` and `BaseSubscriber` since they request their data from the runtime, which communicates with RouDi. It's possible to use the `RouDiEnvironment` but that more suited to integration tests and doesn't give much control over the runtime. To be able to mock the `PoshRuntime`, its methods must become virtual and the runtime factory must return the mock runtime - [x] re-enable the PoshRuntime factory tests in `test_posh_runtime.cpp`
non_priority
poshruntime mock brief feature description create a poshruntime mock for unit tests detailed information currently it s quite cumbersome to test classes who interact with the poshruntime e g basepublisher and basesubscriber since they request their data from the runtime which communicates with roudi it s possible to use the roudienvironment but that more suited to integration tests and doesn t give much control over the runtime to be able to mock the poshruntime its methods must become virtual and the runtime factory must return the mock runtime re enable the poshruntime factory tests in test posh runtime cpp
0
27,144
11,448,562,830
IssuesEvent
2020-02-06 03:55:09
elastic/elasticsearch
https://api.github.com/repos/elastic/elasticsearch
opened
Respect runas auth realm for all API key seucrity operations
:Security/Authentication >breaking v8.0.0
When user A run as user B and creates an API key, the creator realm is recorded as user B's realm. However, when retrieving or invalidating the above API key, user A's realm will be used. This creates a problem for queries with `owner=true` and leads to empty result set, e.g. `GET -H 'es-security-runas-user: B' /_security/api_key?id=keyId&owner=true`. This feels like a bug and it is better to have consistent behaviour for how runas realm is handled for all API key security operations. But it will be a breaking change if users are relying on the current behaviour.
True
Respect runas auth realm for all API key seucrity operations - When user A run as user B and creates an API key, the creator realm is recorded as user B's realm. However, when retrieving or invalidating the above API key, user A's realm will be used. This creates a problem for queries with `owner=true` and leads to empty result set, e.g. `GET -H 'es-security-runas-user: B' /_security/api_key?id=keyId&owner=true`. This feels like a bug and it is better to have consistent behaviour for how runas realm is handled for all API key security operations. But it will be a breaking change if users are relying on the current behaviour.
non_priority
respect runas auth realm for all api key seucrity operations when user a run as user b and creates an api key the creator realm is recorded as user b s realm however when retrieving or invalidating the above api key user a s realm will be used this creates a problem for queries with owner true and leads to empty result set e g get h es security runas user b security api key id keyid owner true this feels like a bug and it is better to have consistent behaviour for how runas realm is handled for all api key security operations but it will be a breaking change if users are relying on the current behaviour
0
30,500
14,590,353,207
IssuesEvent
2020-12-19 07:16:19
gem/oq-engine
https://api.github.com/repos/gem/oq-engine
closed
Support aggregations with thousands of tags in ebrisk
performance
There is the need to store the asset loss table in small calculations (i.e. for Baloise) and in general big aggregated event loss tables in large calculations (i.e. for Canada, Europe). As it is now the performance is terrible if there are more than 10,000 tags because the approach used was design to manage efficiently the case of few tags. Since most of the aggregations are zero, the solution is to store an `agg_loss_table` with fields event_id, agg_id, structural, nonstructural, ... akin to the GMF table.
True
Support aggregations with thousands of tags in ebrisk - There is the need to store the asset loss table in small calculations (i.e. for Baloise) and in general big aggregated event loss tables in large calculations (i.e. for Canada, Europe). As it is now the performance is terrible if there are more than 10,000 tags because the approach used was design to manage efficiently the case of few tags. Since most of the aggregations are zero, the solution is to store an `agg_loss_table` with fields event_id, agg_id, structural, nonstructural, ... akin to the GMF table.
non_priority
support aggregations with thousands of tags in ebrisk there is the need to store the asset loss table in small calculations i e for baloise and in general big aggregated event loss tables in large calculations i e for canada europe as it is now the performance is terrible if there are more than tags because the approach used was design to manage efficiently the case of few tags since most of the aggregations are zero the solution is to store an agg loss table with fields event id agg id structural nonstructural akin to the gmf table
0
25,982
26,222,413,489
IssuesEvent
2023-01-04 15:49:14
solo-io/gloo
https://api.github.com/repos/solo-io/gloo
closed
Feat: Expose envoy's`config.filter.accesslog.v3.AccessLogFilter`
Type: Enhancement Area: Usability Good First Issue
### Use-case I want to enable Access Logs for tracking but the number of logs is overwhelming. I'd like to use `config.filter.accesslog.v3.RuntimeFilter` to log just a percentage of the logs https://www.envoyproxy.io/docs/envoy/latest/api-v3/config/accesslog/v3/accesslog.proto#envoy-v3-api-msg-config-accesslog-v3-runtimefilter ### Feature request Expose envoy's `config.filter.accesslog.v3.RuntimeFilter` in Gloo's Gateway CRD Something like this: ```diff apiVersion: gateway.solo.io/v1 kind: Gateway metadata: annotations: origin: default name: gateway namespace: gloo-system spec: bindAddress: '::' bindPort: 8080 proxyNames: - gateway-proxy httpGateway: {} useProxyProto: false options: accessLoggingService: accessLog: - fileSink: path: /dev/stdout + filter: + runtime_filter: + runtime_key: somekey + percent_sampled: + numerator: "..." + denominator: "..." + use_independent_randomness": true stringFormat: "" ```
True
Feat: Expose envoy's`config.filter.accesslog.v3.AccessLogFilter` - ### Use-case I want to enable Access Logs for tracking but the number of logs is overwhelming. I'd like to use `config.filter.accesslog.v3.RuntimeFilter` to log just a percentage of the logs https://www.envoyproxy.io/docs/envoy/latest/api-v3/config/accesslog/v3/accesslog.proto#envoy-v3-api-msg-config-accesslog-v3-runtimefilter ### Feature request Expose envoy's `config.filter.accesslog.v3.RuntimeFilter` in Gloo's Gateway CRD Something like this: ```diff apiVersion: gateway.solo.io/v1 kind: Gateway metadata: annotations: origin: default name: gateway namespace: gloo-system spec: bindAddress: '::' bindPort: 8080 proxyNames: - gateway-proxy httpGateway: {} useProxyProto: false options: accessLoggingService: accessLog: - fileSink: path: /dev/stdout + filter: + runtime_filter: + runtime_key: somekey + percent_sampled: + numerator: "..." + denominator: "..." + use_independent_randomness": true stringFormat: "" ```
non_priority
feat expose envoy s config filter accesslog accesslogfilter use case i want to enable access logs for tracking but the number of logs is overwhelming i d like to use config filter accesslog runtimefilter to log just a percentage of the logs feature request expose envoy s config filter accesslog runtimefilter in gloo s gateway crd something like this diff apiversion gateway solo io kind gateway metadata annotations origin default name gateway namespace gloo system spec bindaddress bindport proxynames gateway proxy httpgateway useproxyproto false options accessloggingservice accesslog filesink path dev stdout filter runtime filter runtime key somekey percent sampled numerator denominator use independent randomness true stringformat
0
257,706
22,203,440,795
IssuesEvent
2022-06-07 13:10:34
IBM/operator-sample-go
https://api.github.com/repos/IBM/operator-sample-go
opened
Test case 10 : Missing documentation to create Route
test_automation
For the demo, the setup steps describe that a Route should be manually created to help test the /hello endpoint from a browser. There should be a link out to another document to describe exactly how to do this, like we did for setting up COS. **Link to the documentation:** https://github.com/IBM/operator-sample-go/blob/main/documentation/demo.md
1.0
Test case 10 : Missing documentation to create Route - For the demo, the setup steps describe that a Route should be manually created to help test the /hello endpoint from a browser. There should be a link out to another document to describe exactly how to do this, like we did for setting up COS. **Link to the documentation:** https://github.com/IBM/operator-sample-go/blob/main/documentation/demo.md
non_priority
test case missing documentation to create route for the demo the setup steps describe that a route should be manually created to help test the hello endpoint from a browser there should be a link out to another document to describe exactly how to do this like we did for setting up cos link to the documentation
0
612,636
19,027,318,513
IssuesEvent
2021-11-24 06:18:49
ballerina-platform/module-ballerina-c2c
https://api.github.com/repos/ballerina-platform/module-ballerina-c2c
closed
Generalize c2c visitor related classes
Type/Bug Priority/Blocker
**Description:** Currently, c2c visitor and related classes are duplicated in both c2c extension and c2c visitor. Seems like we can't import c2c extension into c2c tooling. in the dist build it gives class not found exceptions. We need a clean solution for this. **Steps to reproduce:** **Affected Versions:** **OS, DB, other environment details and versions:** **Related Issues (optional):** <!-- Any related issues such as sub tasks, issues reported in other repositories (e.g component repositories), similar problems, etc. --> **Suggested Labels (optional):** <!-- Optional comma separated list of suggested labels. Non committers can’t assign labels to issues, so this will help issue creators who are not a committer to suggest possible labels--> **Suggested Assignees (optional):** <!--Optional comma separated list of suggested team members who should attend the issue. Non committers can’t assign issues to assignees, so this will help issue creators who are not a committer to suggest possible assignees-->
1.0
Generalize c2c visitor related classes - **Description:** Currently, c2c visitor and related classes are duplicated in both c2c extension and c2c visitor. Seems like we can't import c2c extension into c2c tooling. in the dist build it gives class not found exceptions. We need a clean solution for this. **Steps to reproduce:** **Affected Versions:** **OS, DB, other environment details and versions:** **Related Issues (optional):** <!-- Any related issues such as sub tasks, issues reported in other repositories (e.g component repositories), similar problems, etc. --> **Suggested Labels (optional):** <!-- Optional comma separated list of suggested labels. Non committers can’t assign labels to issues, so this will help issue creators who are not a committer to suggest possible labels--> **Suggested Assignees (optional):** <!--Optional comma separated list of suggested team members who should attend the issue. Non committers can’t assign issues to assignees, so this will help issue creators who are not a committer to suggest possible assignees-->
priority
generalize visitor related classes description currently visitor and related classes are duplicated in both extension and visitor seems like we can t import extension into tooling in the dist build it gives class not found exceptions we need a clean solution for this steps to reproduce affected versions os db other environment details and versions related issues optional suggested labels optional suggested assignees optional
1
98,283
4,019,479,143
IssuesEvent
2016-05-16 15:04:28
TechReborn/TechReborn
https://api.github.com/repos/TechReborn/TechReborn
closed
Machine recipes allow all ore dict tags of an item
1.9.0 bug help wanted HIGH PRIORITY recipe
Using TechReborn-1.7.10-0.7.15.1096 i added few recipes via MineTweaker. `grinder.addRecipe(Dust, null, null, null, Ingot, null, 100, 32);` Problem is: grinder recipes takes all oredict-tags from Ingot (i have 4 tags) and uses it as input conditions, that ruined all recipe logic. Here's an example: Ingot info: <TabulaRasa:RasaItem7:7> // that id (TabulaRasa:RasaItem7) contains 38 ingots. Is in <ore:deltarising:materialstats_durability-great> Is in <ore:deltarising:materialstats_thermalresistance-great> Is in <ore:deltarising:materialstats_hardness-great> Is in <ore:deltarising:ingot> That few tags can matches almost everything from various details and materials in my modpack. Screenshots: http://imgur.com/a/03OzM Can it be changed\fixed? =\
1.0
Machine recipes allow all ore dict tags of an item - Using TechReborn-1.7.10-0.7.15.1096 i added few recipes via MineTweaker. `grinder.addRecipe(Dust, null, null, null, Ingot, null, 100, 32);` Problem is: grinder recipes takes all oredict-tags from Ingot (i have 4 tags) and uses it as input conditions, that ruined all recipe logic. Here's an example: Ingot info: <TabulaRasa:RasaItem7:7> // that id (TabulaRasa:RasaItem7) contains 38 ingots. Is in <ore:deltarising:materialstats_durability-great> Is in <ore:deltarising:materialstats_thermalresistance-great> Is in <ore:deltarising:materialstats_hardness-great> Is in <ore:deltarising:ingot> That few tags can matches almost everything from various details and materials in my modpack. Screenshots: http://imgur.com/a/03OzM Can it be changed\fixed? =\
priority
machine recipes allow all ore dict tags of an item using techreborn i added few recipes via minetweaker grinder addrecipe dust null null null ingot null problem is grinder recipes takes all oredict tags from ingot i have tags and uses it as input conditions that ruined all recipe logic here s an example ingot info that id tabularasa contains ingots is in is in is in is in that few tags can matches almost everything from various details and materials in my modpack screenshots can it be changed fixed
1