Unnamed: 0 int64 0 832k | id float64 2.49B 32.1B | type stringclasses 1 value | created_at stringlengths 19 19 | repo stringlengths 5 112 | repo_url stringlengths 34 141 | action stringclasses 3 values | title stringlengths 1 844 | labels stringlengths 4 721 | body stringlengths 1 261k | index stringclasses 12 values | text_combine stringlengths 96 261k | label stringclasses 2 values | text stringlengths 96 248k | binary_label int64 0 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
16,083 | 21,447,846,865 | IssuesEvent | 2022-04-25 08:22:47 | apache/incubator-doris | https://api.github.com/repos/apache/incubator-doris | closed | Support subquery in disjunction | area/sql/compatibility | **Is your feature request related to a problem? Please describe.**
Doris does not support the subquery in disjunction.
For example:
```
SELECT *
FROM customer c
WHERE EXISTS
(
SELECT *
FROM web_sales
WHERE c.c_customer_sk = ws_bill_customer_sk
)
OR EXISTS
(
SELECT *
FROM catalog_sales
WHERE c.c_customer_sk = cs_ship_customer_sk
);
```
```
SELECT *
FROM customer_address, item
WHERE
substr(ca_zip, 1, 5)
IN
(
'85669'
)
OR i_item_id
IN
(
SELECT i_item_id
FROM item
WHERE i_item_sk IN (2)
);
```
Subqueries in OR predicates are not supported
TPC-DS 10,35,45 query:
```
query10:
SELECT cd_gender,
cd_marital_status,
cd_education_status,
count(*) cnt1,
cd_purchase_estimate,
count(*) cnt2,
cd_credit_rating,
count(*) cnt3,
cd_dep_count,
count(*) cnt4,
cd_dep_employed_count,
count(*) cnt5,
cd_dep_college_count,
count(*) cnt6
FROM customer c,customer_address ca,customer_demographics
WHERE c.c_current_addr_sk = ca.ca_address_sk
AND ca_county IN ('Walker County','Richland County','Gaines County','Douglas County','Dona Ana County')
AND cd_demo_sk = c.c_current_cdemo_sk
AND EXISTS
(
SELECT *
FROM store_sales,date_dim
WHERE c.c_customer_sk = ss_customer_sk
AND ss_sold_date_sk = d_date_sk
AND d_year = 2002
AND d_moy
BETWEEN 4
AND 4+3
)
AND
(
EXISTS
(
SELECT *
FROM web_sales,date_dim
WHERE c.c_customer_sk = ws_bill_customer_sk
AND ws_sold_date_sk = d_date_sk
AND d_year = 2002
AND d_moy
BETWEEN 4
AND 4+3
)
OR EXISTS
(
SELECT *
FROM catalog_sales,date_dim
WHERE c.c_customer_sk = cs_ship_customer_sk
AND cs_sold_date_sk = d_date_sk
AND d_year = 2002
AND d_moy
BETWEEN 4
AND 4+3
)
)
GROUP BY cd_gender, cd_marital_status, cd_education_status, cd_purchase_estimate, cd_credit_rating, cd_dep_count, cd_dep_employed_count, cd_dep_college_count
ORDER BY cd_gender, cd_marital_status, cd_education_status, cd_purchase_estimate, cd_credit_rating, cd_dep_count, cd_dep_employed_count, cd_dep_college_count
LIMIT 100;
```
```
query 35:
SELECT ca_state,
cd_gender,
cd_marital_status,
cd_dep_count,
count(*) cnt1,
avg(cd_dep_count),
max(cd_dep_count),
sum(cd_dep_count),
cd_dep_employed_count,
count(*) cnt2,
avg(cd_dep_employed_count),
max(cd_dep_employed_count),
sum(cd_dep_employed_count),
cd_dep_college_count,
count(*) cnt3,
avg(cd_dep_college_count),
max(cd_dep_college_count),
sum(cd_dep_college_count)
FROM customer c,customer_address ca,customer_demographics
WHERE c.c_current_addr_sk = ca.ca_address_sk
AND cd_demo_sk = c.c_current_cdemo_sk
AND EXISTS
(
SELECT *
FROM store_sales,date_dim
WHERE c.c_customer_sk = ss_customer_sk
AND ss_sold_date_sk = d_date_sk
AND d_year = 1999
AND d_qoy < 4
)
AND
(
EXISTS
(
SELECT *
FROM web_sales,date_dim
WHERE c.c_customer_sk = ws_bill_customer_sk
AND ws_sold_date_sk = d_date_sk
AND d_year = 1999
AND d_qoy < 4
)
OR EXISTS
(
SELECT *
FROM catalog_sales,date_dim
WHERE c.c_customer_sk = cs_ship_customer_sk
AND cs_sold_date_sk = d_date_sk
AND d_year = 1999
AND d_qoy < 4
)
)
GROUP BY ca_state, cd_gender, cd_marital_status, cd_dep_count, cd_dep_employed_count, cd_dep_college_count
ORDER BY ca_state, cd_gender, cd_marital_status, cd_dep_count, cd_dep_employed_count, cd_dep_college_count
LIMIT 100;
```
```
Query 45:
SELECT ca_zip, ca_county, SUM(ws_sales_price)
FROM web_sales, customer, customer_address, date_dim, item
WHERE
(
ws_bill_customer_sk = c_customer_sk
AND c_current_addr_sk = ca_address_sk
AND ws_item_sk = i_item_sk
AND
(
substr(ca_zip, 1, 5)
IN
(
'85669',
'86197',
'88274',
'83405',
'86475',
'85392',
'85460',
'80348',
'81792'
)
OR i_item_id
IN
(
SELECT i_item_id
FROM item
WHERE i_item_sk IN (2, 3, 5, 7, 11, 13, 17, 19, 23, 29)
)
)
AND ws_sold_date_sk = d_date_sk
AND d_qoy = 2
AND d_year = 2000
)
GROUP BY ca_zip, ca_county
ORDER BY ca_zip, ca_county
LIMIT 100;
```
**Describe the solution you'd like**
The subquery could be supported inn disjunction.
Select * from t1 where a in subquery1 or a b in subquery2.
**Competitive analysis**
Greenplum:
Impala:
| True | Support subquery in disjunction - **Is your feature request related to a problem? Please describe.**
Doris does not support the subquery in disjunction.
For example:
```
SELECT *
FROM customer c
WHERE EXISTS
(
SELECT *
FROM web_sales
WHERE c.c_customer_sk = ws_bill_customer_sk
)
OR EXISTS
(
SELECT *
FROM catalog_sales
WHERE c.c_customer_sk = cs_ship_customer_sk
);
```
```
SELECT *
FROM customer_address, item
WHERE
substr(ca_zip, 1, 5)
IN
(
'85669'
)
OR i_item_id
IN
(
SELECT i_item_id
FROM item
WHERE i_item_sk IN (2)
);
```
Subqueries in OR predicates are not supported
TPC-DS 10,35,45 query:
```
query10:
SELECT cd_gender,
cd_marital_status,
cd_education_status,
count(*) cnt1,
cd_purchase_estimate,
count(*) cnt2,
cd_credit_rating,
count(*) cnt3,
cd_dep_count,
count(*) cnt4,
cd_dep_employed_count,
count(*) cnt5,
cd_dep_college_count,
count(*) cnt6
FROM customer c,customer_address ca,customer_demographics
WHERE c.c_current_addr_sk = ca.ca_address_sk
AND ca_county IN ('Walker County','Richland County','Gaines County','Douglas County','Dona Ana County')
AND cd_demo_sk = c.c_current_cdemo_sk
AND EXISTS
(
SELECT *
FROM store_sales,date_dim
WHERE c.c_customer_sk = ss_customer_sk
AND ss_sold_date_sk = d_date_sk
AND d_year = 2002
AND d_moy
BETWEEN 4
AND 4+3
)
AND
(
EXISTS
(
SELECT *
FROM web_sales,date_dim
WHERE c.c_customer_sk = ws_bill_customer_sk
AND ws_sold_date_sk = d_date_sk
AND d_year = 2002
AND d_moy
BETWEEN 4
AND 4+3
)
OR EXISTS
(
SELECT *
FROM catalog_sales,date_dim
WHERE c.c_customer_sk = cs_ship_customer_sk
AND cs_sold_date_sk = d_date_sk
AND d_year = 2002
AND d_moy
BETWEEN 4
AND 4+3
)
)
GROUP BY cd_gender, cd_marital_status, cd_education_status, cd_purchase_estimate, cd_credit_rating, cd_dep_count, cd_dep_employed_count, cd_dep_college_count
ORDER BY cd_gender, cd_marital_status, cd_education_status, cd_purchase_estimate, cd_credit_rating, cd_dep_count, cd_dep_employed_count, cd_dep_college_count
LIMIT 100;
```
```
query 35:
SELECT ca_state,
cd_gender,
cd_marital_status,
cd_dep_count,
count(*) cnt1,
avg(cd_dep_count),
max(cd_dep_count),
sum(cd_dep_count),
cd_dep_employed_count,
count(*) cnt2,
avg(cd_dep_employed_count),
max(cd_dep_employed_count),
sum(cd_dep_employed_count),
cd_dep_college_count,
count(*) cnt3,
avg(cd_dep_college_count),
max(cd_dep_college_count),
sum(cd_dep_college_count)
FROM customer c,customer_address ca,customer_demographics
WHERE c.c_current_addr_sk = ca.ca_address_sk
AND cd_demo_sk = c.c_current_cdemo_sk
AND EXISTS
(
SELECT *
FROM store_sales,date_dim
WHERE c.c_customer_sk = ss_customer_sk
AND ss_sold_date_sk = d_date_sk
AND d_year = 1999
AND d_qoy < 4
)
AND
(
EXISTS
(
SELECT *
FROM web_sales,date_dim
WHERE c.c_customer_sk = ws_bill_customer_sk
AND ws_sold_date_sk = d_date_sk
AND d_year = 1999
AND d_qoy < 4
)
OR EXISTS
(
SELECT *
FROM catalog_sales,date_dim
WHERE c.c_customer_sk = cs_ship_customer_sk
AND cs_sold_date_sk = d_date_sk
AND d_year = 1999
AND d_qoy < 4
)
)
GROUP BY ca_state, cd_gender, cd_marital_status, cd_dep_count, cd_dep_employed_count, cd_dep_college_count
ORDER BY ca_state, cd_gender, cd_marital_status, cd_dep_count, cd_dep_employed_count, cd_dep_college_count
LIMIT 100;
```
```
Query 45:
SELECT ca_zip, ca_county, SUM(ws_sales_price)
FROM web_sales, customer, customer_address, date_dim, item
WHERE
(
ws_bill_customer_sk = c_customer_sk
AND c_current_addr_sk = ca_address_sk
AND ws_item_sk = i_item_sk
AND
(
substr(ca_zip, 1, 5)
IN
(
'85669',
'86197',
'88274',
'83405',
'86475',
'85392',
'85460',
'80348',
'81792'
)
OR i_item_id
IN
(
SELECT i_item_id
FROM item
WHERE i_item_sk IN (2, 3, 5, 7, 11, 13, 17, 19, 23, 29)
)
)
AND ws_sold_date_sk = d_date_sk
AND d_qoy = 2
AND d_year = 2000
)
GROUP BY ca_zip, ca_county
ORDER BY ca_zip, ca_county
LIMIT 100;
```
**Describe the solution you'd like**
The subquery could be supported inn disjunction.
Select * from t1 where a in subquery1 or a b in subquery2.
**Competitive analysis**
Greenplum:
Impala:
| non_priority | support subquery in disjunction is your feature request related to a problem please describe doris does not support the subquery in disjunction for example select from customer c where exists select from web sales where c c customer sk ws bill customer sk or exists select from catalog sales where c c customer sk cs ship customer sk select from customer address item where substr ca zip in or i item id in select i item id from item where i item sk in subqueries in or predicates are not supported tpc ds query select cd gender cd marital status cd education status count cd purchase estimate count cd credit rating count cd dep count count cd dep employed count count cd dep college count count from customer c customer address ca customer demographics where c c current addr sk ca ca address sk and ca county in walker county richland county gaines county douglas county dona ana county and cd demo sk c c current cdemo sk and exists select from store sales date dim where c c customer sk ss customer sk and ss sold date sk d date sk and d year and d moy between and and exists select from web sales date dim where c c customer sk ws bill customer sk and ws sold date sk d date sk and d year and d moy between and or exists select from catalog sales date dim where c c customer sk cs ship customer sk and cs sold date sk d date sk and d year and d moy between and group by cd gender cd marital status cd education status cd purchase estimate cd credit rating cd dep count cd dep employed count cd dep college count order by cd gender cd marital status cd education status cd purchase estimate cd credit rating cd dep count cd dep employed count cd dep college count limit query select ca state cd gender cd marital status cd dep count count avg cd dep count max cd dep count sum cd dep count cd dep employed count count avg cd dep employed count max cd dep employed count sum cd dep employed count cd dep college count count avg cd dep college count max cd dep college count sum cd dep college count from customer c customer address ca customer demographics where c c current addr sk ca ca address sk and cd demo sk c c current cdemo sk and exists select from store sales date dim where c c customer sk ss customer sk and ss sold date sk d date sk and d year and d qoy and exists select from web sales date dim where c c customer sk ws bill customer sk and ws sold date sk d date sk and d year and d qoy or exists select from catalog sales date dim where c c customer sk cs ship customer sk and cs sold date sk d date sk and d year and d qoy group by ca state cd gender cd marital status cd dep count cd dep employed count cd dep college count order by ca state cd gender cd marital status cd dep count cd dep employed count cd dep college count limit query select ca zip ca county sum ws sales price from web sales customer customer address date dim item where ws bill customer sk c customer sk and c current addr sk ca address sk and ws item sk i item sk and substr ca zip in or i item id in select i item id from item where i item sk in and ws sold date sk d date sk and d qoy and d year group by ca zip ca county order by ca zip ca county limit describe the solution you d like the subquery could be supported inn disjunction select from where a in or a b in competitive analysis greenplum impala | 0 |
278,901 | 30,702,421,783 | IssuesEvent | 2023-07-27 01:28:48 | Trinadh465/linux-3.0.35_CVE-2019-10220 | https://api.github.com/repos/Trinadh465/linux-3.0.35_CVE-2019-10220 | closed | CVE-2021-26932 (Medium) detected in linux-stable-rtv3.8.6, linux-stable-rtv3.8.6 - autoclosed | Mend: dependency security vulnerability | ## CVE-2021-26932 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>linux-stable-rtv3.8.6</b>, <b>linux-stable-rtv3.8.6</b></p></summary>
<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>
An issue was discovered in the Linux kernel 3.2 through 5.10.16, as used by Xen. Grant mapping operations often occur in batch hypercalls, where a number of operations are done in a single hypercall, the success or failure of each one is reported to the backend driver, and the backend driver then loops over the results, performing follow-up actions based on the success or failure of each operation. Unfortunately, when running in PV mode, the Linux backend drivers mishandle this: Some errors are ignored, effectively implying their success from the success of related batch elements. In other cases, errors resulting from one batch element lead to further batch elements not being inspected, and hence successful ones to not be possible to properly unmap upon error recovery. Only systems with Linux backends running in PV mode are vulnerable. Linux backends run in HVM / PVH modes are not vulnerable. This affects arch/*/xen/p2m.c and drivers/xen/gntdev.c.
<p>Publish Date: 2021-02-17
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-26932>CVE-2021-26932</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.5</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: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2021-26932">https://nvd.nist.gov/vuln/detail/CVE-2021-26932</a></p>
<p>Release Date: 2021-02-17</p>
<p>Fix Resolution: linux-libc-headers - 5.13;linux-yocto - 5.4.20+gitAUTOINC+c11911d4d1_f4d7dbafb1,4.8.26+gitAUTOINC+1c60e003c7_27efc3ba68</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-2021-26932 (Medium) detected in linux-stable-rtv3.8.6, linux-stable-rtv3.8.6 - autoclosed - ## CVE-2021-26932 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>linux-stable-rtv3.8.6</b>, <b>linux-stable-rtv3.8.6</b></p></summary>
<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>
An issue was discovered in the Linux kernel 3.2 through 5.10.16, as used by Xen. Grant mapping operations often occur in batch hypercalls, where a number of operations are done in a single hypercall, the success or failure of each one is reported to the backend driver, and the backend driver then loops over the results, performing follow-up actions based on the success or failure of each operation. Unfortunately, when running in PV mode, the Linux backend drivers mishandle this: Some errors are ignored, effectively implying their success from the success of related batch elements. In other cases, errors resulting from one batch element lead to further batch elements not being inspected, and hence successful ones to not be possible to properly unmap upon error recovery. Only systems with Linux backends running in PV mode are vulnerable. Linux backends run in HVM / PVH modes are not vulnerable. This affects arch/*/xen/p2m.c and drivers/xen/gntdev.c.
<p>Publish Date: 2021-02-17
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-26932>CVE-2021-26932</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.5</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: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2021-26932">https://nvd.nist.gov/vuln/detail/CVE-2021-26932</a></p>
<p>Release Date: 2021-02-17</p>
<p>Fix Resolution: linux-libc-headers - 5.13;linux-yocto - 5.4.20+gitAUTOINC+c11911d4d1_f4d7dbafb1,4.8.26+gitAUTOINC+1c60e003c7_27efc3ba68</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 medium detected in linux stable linux stable autoclosed cve medium severity vulnerability vulnerable libraries linux stable linux stable vulnerability details an issue was discovered in the linux kernel through as used by xen grant mapping operations often occur in batch hypercalls where a number of operations are done in a single hypercall the success or failure of each one is reported to the backend driver and the backend driver then loops over the results performing follow up actions based on the success or failure of each operation unfortunately when running in pv mode the linux backend drivers mishandle this some errors are ignored effectively implying their success from the success of related batch elements in other cases errors resulting from one batch element lead to further batch elements not being inspected and hence successful ones to not be possible to properly unmap upon error recovery only systems with linux backends running in pv mode are vulnerable linux backends run in hvm pvh modes are not vulnerable this affects arch xen c and drivers xen gntdev c 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 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 linux libc headers linux yocto gitautoinc gitautoinc step up your open source security game with mend | 0 |
41,475 | 10,722,680,551 | IssuesEvent | 2019-10-27 13:47:45 | flutter/flutter | https://api.github.com/repos/flutter/flutter | closed | Compile error of GoogleMap(0.5.21+7). | a: build p: first party p: maps plugin severe: crash | I tried to build app using GoogleMap plugin.
It occur build error. What should i do?
・Environment
GoogleMapPlugin is latest version(0.5.21+7).
```
$ flutter doctor
Doctor summary (to see all details, run flutter doctor -v):
[✓] Flutter (Channel dev, v1.10.12, on Mac OS X 10.14.6 18G87, locale ja-JP)
[!] Android toolchain - develop for Android devices (Android SDK version 28.0.3)
! Some Android licenses not accepted. To resolve this, run: flutter doctor --android-licenses
[✓] Xcode - develop for iOS and macOS (Xcode 11.0)
[✓] Android Studio (version 3.4)
[!] IntelliJ IDEA Community Edition (version 2018.3.3)
✗ Flutter plugin not installed; this adds Flutter specific functionality.
✗ Dart plugin not installed; this adds Dart specific functionality.
[✓] VS Code (version 1.38.1)
[✓] Connected device (2 available)
! Doctor found issues in 2 categories.
```
・Error message
```
Compiler message:
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/camera.dart:74:33: Error: Expected ')' before this.
bool operator ==(dynamic pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:18:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:143:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle_updates.dart:79:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:382:54: Error: Expected ')' before this.
static _GoogleMapOptions fromWidget(GoogleMap pages.map) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:80:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:109:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:285:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker_updates.dart:79:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:18:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:154:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon_updates.dart:79:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:18:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:200:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline_updates.dart:81:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:48:33: Error: Expected ')' before this.
bool operator ==(dynamic pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:85:33: Error: Expected ')' before this.
bool operator ==(dynamic pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/camera.dart:75:25: Error: The getter 'other' isn't defined for the class 'CameraPosition'.
- 'CameraPosition' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/camera.dart:76:24: Error: The getter 'other' isn't defined for the class 'CameraPosition'.
- 'CameraPosition' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (runtimeType != other.runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/camera.dart:77:39: Error: The getter 'other' isn't defined for the class 'CameraPosition'.
- 'CameraPosition' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final CameraPosition typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:19:25: Error: The getter 'other' isn't defined for the class 'CircleId'.
- 'CircleId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:20:9: Error: The getter 'other' isn't defined for the class 'CircleId'.
- 'CircleId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:21:33: Error: The getter 'other' isn't defined for the class 'CircleId'.
- 'CircleId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final CircleId typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:144:25: Error: The getter 'other' isn't defined for the class 'Circle'.
- 'Circle' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:145:9: Error: The getter 'other' isn't defined for the class 'Circle'.
- 'Circle' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:146:31: Error: The getter 'other' isn't defined for the class 'Circle'.
- 'Circle' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final Circle typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle_updates.dart:80:25: Error: The getter 'other' isn't defined for the class '_CircleUpdates'.
- '_CircleUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle_updates.dart:81:9: Error: The getter 'other' isn't defined for the class '_CircleUpdates'.
- '_CircleUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle_updates.dart:82:39: Error: The getter 'other' isn't defined for the class '_CircleUpdates'.
- '_CircleUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final _CircleUpdates typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:384:23: Error: Getter not found: 'map'.
compassEnabled: map.compassEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:385:26: Error: Getter not found: 'map'.
mapToolbarEnabled: map.mapToolbarEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:386:27: Error: Getter not found: 'map'.
cameraTargetBounds: map.cameraTargetBounds,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:387:16: Error: Getter not found: 'map'.
mapType: map.mapType,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:388:29: Error: Getter not found: 'map'.
minMaxZoomPreference: map.minMaxZoomPreference,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:389:30: Error: Getter not found: 'map'.
rotateGesturesEnabled: map.rotateGesturesEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:390:30: Error: Getter not found: 'map'.
scrollGesturesEnabled: map.scrollGesturesEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:391:28: Error: Getter not found: 'map'.
tiltGesturesEnabled: map.tiltGesturesEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:392:28: Error: Getter not found: 'map'.
trackCameraPosition: map.onCameraMove != null,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:393:28: Error: Getter not found: 'map'.
zoomGesturesEnabled: map.zoomGesturesEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:394:26: Error: Getter not found: 'map'.
myLocationEnabled: map.myLocationEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:395:32: Error: Getter not found: 'map'.
myLocationButtonEnabled: map.myLocationButtonEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:396:16: Error: Getter not found: 'map'.
padding: map.padding,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:397:26: Error: Getter not found: 'map'.
indoorViewEnabled: map.indoorViewEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:398:23: Error: Getter not found: 'map'.
trafficEnabled: map.trafficEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:81:25: Error: The getter 'other' isn't defined for the class 'InfoWindow'.
- 'InfoWindow' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:82:9: Error: The getter 'other' isn't defined for the class 'InfoWindow'.
- 'InfoWindow' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:83:35: Error: The getter 'other' isn't defined for the class 'InfoWindow'.
- 'InfoWindow' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final InfoWindow typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:110:25: Error: The getter 'other' isn't defined for the class 'MarkerId'.
- 'MarkerId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:111:9: Error: The getter 'other' isn't defined for the class 'MarkerId'.
- 'MarkerId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:112:33: Error: The getter 'other' isn't defined for the class 'MarkerId'.
- 'MarkerId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final MarkerId typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:286:25: Error: The getter 'other' isn't defined for the class 'Marker'.
- 'Marker' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:287:9: Error: The getter 'other' isn't defined for the class 'Marker'.
- 'Marker' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:288:31: Error: The getter 'other' isn't defined for the class 'Marker'.
- 'Marker' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final Marker typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker_updates.dart:80:25: Error: The getter 'other' isn't defined for the class '_MarkerUpdates'.
- '_MarkerUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker_updates.dart:81:9: Error: The getter 'other' isn't defined for the class '_MarkerUpdates'.
- '_MarkerUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker_updates.dart:82:39: Error: The getter 'other' isn't defined for the class '_MarkerUpdates'.
- '_MarkerUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final _MarkerUpdates typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:19:25: Error: The getter 'other' isn't defined for the class 'PolygonId'.
- 'PolygonId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:20:9: Error: The getter 'other' isn't defined for the class 'PolygonId'.
- 'PolygonId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:21:34: Error: The getter 'other' isn't defined for the class 'PolygonId'.
- 'PolygonId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final PolygonId typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:155:25: Error: The getter 'other' isn't defined for the class 'Polygon'.
- 'Polygon' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:156:9: Error: The getter 'other' isn't defined for the class 'Polygon'.
- 'Polygon' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:157:32: Error: The getter 'other' isn't defined for the class 'Polygon'.
- 'Polygon' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final Polygon typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon_updates.dart:80:25: Error: The getter 'other' isn't defined for the class '_PolygonUpdates'.
- '_PolygonUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon_updates.dart:81:9: Error: The getter 'other' isn't defined for the class '_PolygonUpdates'.
- '_PolygonUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon_updates.dart:82:40: Error: The getter 'other' isn't defined for the class '_PolygonUpdates'.
- '_PolygonUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final _PolygonUpdates typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:19:25: Error: The getter 'other' isn't defined for the class 'PolylineId'.
- 'PolylineId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:20:9: Error: The getter 'other' isn't defined for the class 'PolylineId'.
- 'PolylineId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:21:35: Error: The getter 'other' isn't defined for the class 'PolylineId'.
- 'PolylineId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final PolylineId typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:201:25: Error: The getter 'other' isn't defined for the class 'Polyline'.
- 'Polyline' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:202:9: Error: The getter 'other' isn't defined for the class 'Polyline'.
- 'Polyline' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:203:33: Error: The getter 'other' isn't defined for the class 'Polyline'.
- 'Polyline' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final Polyline typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline_updates.dart:82:25: Error: The getter 'other' isn't defined for the class '_PolylineUpdates'.
- '_PolylineUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline_updates.dart:83:9: Error: The getter 'other' isn't defined for the class '_PolylineUpdates'.
- '_PolylineUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline_updates.dart:84:41: Error: The getter 'other' isn't defined for the class '_PolylineUpdates'.
- '_PolylineUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final _PolylineUpdates typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:49:25: Error: The getter 'other' isn't defined for the class 'CameraTargetBounds'.
- 'CameraTargetBounds' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:50:24: Error: The getter 'other' isn't defined for the class 'CameraTargetBounds'.
- 'CameraTargetBounds' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (runtimeType != other.runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:51:43: Error: The getter 'other' isn't defined for the class 'CameraTargetBounds'.
- 'CameraTargetBounds' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final CameraTargetBounds typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:86:25: Error: The getter 'other' isn't defined for the class 'MinMaxZoomPreference'.
- 'MinMaxZoomPreference' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:87:24: Error: The getter 'other' isn't defined for the class 'MinMaxZoomPreference'.
- 'MinMaxZoomPreference' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (runtimeType != other.runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:88:45: Error: The getter 'other' isn't defined for the class 'MinMaxZoomPreference'.
- 'MinMaxZoomPreference' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final MinMaxZoomPreference typedOther = other;
^^^^^
Compiler failed on /Users/Development/flutter_app_validation/lib/main.dart
Error launching application on iPhone 11.
``` | 1.0 | Compile error of GoogleMap(0.5.21+7). - I tried to build app using GoogleMap plugin.
It occur build error. What should i do?
・Environment
GoogleMapPlugin is latest version(0.5.21+7).
```
$ flutter doctor
Doctor summary (to see all details, run flutter doctor -v):
[✓] Flutter (Channel dev, v1.10.12, on Mac OS X 10.14.6 18G87, locale ja-JP)
[!] Android toolchain - develop for Android devices (Android SDK version 28.0.3)
! Some Android licenses not accepted. To resolve this, run: flutter doctor --android-licenses
[✓] Xcode - develop for iOS and macOS (Xcode 11.0)
[✓] Android Studio (version 3.4)
[!] IntelliJ IDEA Community Edition (version 2018.3.3)
✗ Flutter plugin not installed; this adds Flutter specific functionality.
✗ Dart plugin not installed; this adds Dart specific functionality.
[✓] VS Code (version 1.38.1)
[✓] Connected device (2 available)
! Doctor found issues in 2 categories.
```
・Error message
```
Compiler message:
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/camera.dart:74:33: Error: Expected ')' before this.
bool operator ==(dynamic pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:18:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:143:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle_updates.dart:79:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:382:54: Error: Expected ')' before this.
static _GoogleMapOptions fromWidget(GoogleMap pages.map) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:80:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:109:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:285:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker_updates.dart:79:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:18:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:154:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon_updates.dart:79:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:18:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:200:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline_updates.dart:81:32: Error: Expected ')' before this.
bool operator ==(Object pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:48:33: Error: Expected ')' before this.
bool operator ==(dynamic pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:85:33: Error: Expected ')' before this.
bool operator ==(dynamic pages.other) {
^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/camera.dart:75:25: Error: The getter 'other' isn't defined for the class 'CameraPosition'.
- 'CameraPosition' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/camera.dart:76:24: Error: The getter 'other' isn't defined for the class 'CameraPosition'.
- 'CameraPosition' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (runtimeType != other.runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/camera.dart:77:39: Error: The getter 'other' isn't defined for the class 'CameraPosition'.
- 'CameraPosition' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final CameraPosition typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:19:25: Error: The getter 'other' isn't defined for the class 'CircleId'.
- 'CircleId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:20:9: Error: The getter 'other' isn't defined for the class 'CircleId'.
- 'CircleId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:21:33: Error: The getter 'other' isn't defined for the class 'CircleId'.
- 'CircleId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final CircleId typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:144:25: Error: The getter 'other' isn't defined for the class 'Circle'.
- 'Circle' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:145:9: Error: The getter 'other' isn't defined for the class 'Circle'.
- 'Circle' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle.dart:146:31: Error: The getter 'other' isn't defined for the class 'Circle'.
- 'Circle' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final Circle typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle_updates.dart:80:25: Error: The getter 'other' isn't defined for the class '_CircleUpdates'.
- '_CircleUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle_updates.dart:81:9: Error: The getter 'other' isn't defined for the class '_CircleUpdates'.
- '_CircleUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/circle_updates.dart:82:39: Error: The getter 'other' isn't defined for the class '_CircleUpdates'.
- '_CircleUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final _CircleUpdates typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:384:23: Error: Getter not found: 'map'.
compassEnabled: map.compassEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:385:26: Error: Getter not found: 'map'.
mapToolbarEnabled: map.mapToolbarEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:386:27: Error: Getter not found: 'map'.
cameraTargetBounds: map.cameraTargetBounds,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:387:16: Error: Getter not found: 'map'.
mapType: map.mapType,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:388:29: Error: Getter not found: 'map'.
minMaxZoomPreference: map.minMaxZoomPreference,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:389:30: Error: Getter not found: 'map'.
rotateGesturesEnabled: map.rotateGesturesEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:390:30: Error: Getter not found: 'map'.
scrollGesturesEnabled: map.scrollGesturesEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:391:28: Error: Getter not found: 'map'.
tiltGesturesEnabled: map.tiltGesturesEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:392:28: Error: Getter not found: 'map'.
trackCameraPosition: map.onCameraMove != null,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:393:28: Error: Getter not found: 'map'.
zoomGesturesEnabled: map.zoomGesturesEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:394:26: Error: Getter not found: 'map'.
myLocationEnabled: map.myLocationEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:395:32: Error: Getter not found: 'map'.
myLocationButtonEnabled: map.myLocationButtonEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:396:16: Error: Getter not found: 'map'.
padding: map.padding,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:397:26: Error: Getter not found: 'map'.
indoorViewEnabled: map.indoorViewEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/google_map.dart:398:23: Error: Getter not found: 'map'.
trafficEnabled: map.trafficEnabled,
^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:81:25: Error: The getter 'other' isn't defined for the class 'InfoWindow'.
- 'InfoWindow' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:82:9: Error: The getter 'other' isn't defined for the class 'InfoWindow'.
- 'InfoWindow' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:83:35: Error: The getter 'other' isn't defined for the class 'InfoWindow'.
- 'InfoWindow' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final InfoWindow typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:110:25: Error: The getter 'other' isn't defined for the class 'MarkerId'.
- 'MarkerId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:111:9: Error: The getter 'other' isn't defined for the class 'MarkerId'.
- 'MarkerId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:112:33: Error: The getter 'other' isn't defined for the class 'MarkerId'.
- 'MarkerId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final MarkerId typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:286:25: Error: The getter 'other' isn't defined for the class 'Marker'.
- 'Marker' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:287:9: Error: The getter 'other' isn't defined for the class 'Marker'.
- 'Marker' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker.dart:288:31: Error: The getter 'other' isn't defined for the class 'Marker'.
- 'Marker' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final Marker typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker_updates.dart:80:25: Error: The getter 'other' isn't defined for the class '_MarkerUpdates'.
- '_MarkerUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker_updates.dart:81:9: Error: The getter 'other' isn't defined for the class '_MarkerUpdates'.
- '_MarkerUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/marker_updates.dart:82:39: Error: The getter 'other' isn't defined for the class '_MarkerUpdates'.
- '_MarkerUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final _MarkerUpdates typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:19:25: Error: The getter 'other' isn't defined for the class 'PolygonId'.
- 'PolygonId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:20:9: Error: The getter 'other' isn't defined for the class 'PolygonId'.
- 'PolygonId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:21:34: Error: The getter 'other' isn't defined for the class 'PolygonId'.
- 'PolygonId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final PolygonId typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:155:25: Error: The getter 'other' isn't defined for the class 'Polygon'.
- 'Polygon' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:156:9: Error: The getter 'other' isn't defined for the class 'Polygon'.
- 'Polygon' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon.dart:157:32: Error: The getter 'other' isn't defined for the class 'Polygon'.
- 'Polygon' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final Polygon typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon_updates.dart:80:25: Error: The getter 'other' isn't defined for the class '_PolygonUpdates'.
- '_PolygonUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon_updates.dart:81:9: Error: The getter 'other' isn't defined for the class '_PolygonUpdates'.
- '_PolygonUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polygon_updates.dart:82:40: Error: The getter 'other' isn't defined for the class '_PolygonUpdates'.
- '_PolygonUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final _PolygonUpdates typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:19:25: Error: The getter 'other' isn't defined for the class 'PolylineId'.
- 'PolylineId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:20:9: Error: The getter 'other' isn't defined for the class 'PolylineId'.
- 'PolylineId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:21:35: Error: The getter 'other' isn't defined for the class 'PolylineId'.
- 'PolylineId' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final PolylineId typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:201:25: Error: The getter 'other' isn't defined for the class 'Polyline'.
- 'Polyline' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:202:9: Error: The getter 'other' isn't defined for the class 'Polyline'.
- 'Polyline' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline.dart:203:33: Error: The getter 'other' isn't defined for the class 'Polyline'.
- 'Polyline' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final Polyline typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline_updates.dart:82:25: Error: The getter 'other' isn't defined for the class '_PolylineUpdates'.
- '_PolylineUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline_updates.dart:83:9: Error: The getter 'other' isn't defined for the class '_PolylineUpdates'.
- '_PolylineUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (other.runtimeType != runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/polyline_updates.dart:84:41: Error: The getter 'other' isn't defined for the class '_PolylineUpdates'.
- '_PolylineUpdates' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final _PolylineUpdates typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:49:25: Error: The getter 'other' isn't defined for the class 'CameraTargetBounds'.
- 'CameraTargetBounds' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:50:24: Error: The getter 'other' isn't defined for the class 'CameraTargetBounds'.
- 'CameraTargetBounds' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (runtimeType != other.runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:51:43: Error: The getter 'other' isn't defined for the class 'CameraTargetBounds'.
- 'CameraTargetBounds' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final CameraTargetBounds typedOther = other;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:86:25: Error: The getter 'other' isn't defined for the class 'MinMaxZoomPreference'.
- 'MinMaxZoomPreference' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (identical(this, other)) return true;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:87:24: Error: The getter 'other' isn't defined for the class 'MinMaxZoomPreference'.
- 'MinMaxZoomPreference' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
if (runtimeType != other.runtimeType) return false;
^^^^^
../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/src/ui.dart:88:45: Error: The getter 'other' isn't defined for the class 'MinMaxZoomPreference'.
- 'MinMaxZoomPreference' is from 'package:google_maps_flutter/google_maps_flutter.dart' ('../../../../../Library/flutter/.pub-cache/hosted/pub.dartlang.org/google_maps_flutter-0.5.21+7/lib/google_maps_flutter.dart').
Try correcting the name to the name of an existing getter, or defining a getter or field named 'other'.
final MinMaxZoomPreference typedOther = other;
^^^^^
Compiler failed on /Users/Development/flutter_app_validation/lib/main.dart
Error launching application on iPhone 11.
``` | non_priority | compile error of googlemap i tried to build app using googlemap plugin it occur build error what should i do ・environment googlemapplugin is latest version flutter doctor doctor summary to see all details run flutter doctor v flutter channel dev on mac os x locale ja jp android toolchain develop for android devices android sdk version some android licenses not accepted to resolve this run flutter doctor android licenses xcode develop for ios and macos xcode android studio version intellij idea community edition version ✗ flutter plugin not installed this adds flutter specific functionality ✗ dart plugin not installed this adds dart specific functionality vs code version connected device available doctor found issues in categories ・error message compiler message library flutter pub cache hosted pub dartlang org google maps flutter lib src camera dart error expected before this bool operator dynamic pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src circle dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src circle dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src circle updates dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error expected before this static googlemapoptions fromwidget googlemap pages map library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src marker updates dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon updates dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline updates dart error expected before this bool operator object pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src ui dart error expected before this bool operator dynamic pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src ui dart error expected before this bool operator dynamic pages other library flutter pub cache hosted pub dartlang org google maps flutter lib src camera dart error the getter other isn t defined for the class cameraposition cameraposition is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src camera dart error the getter other isn t defined for the class cameraposition cameraposition is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if runtimetype other runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src camera dart error the getter other isn t defined for the class cameraposition cameraposition is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final cameraposition typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src circle dart error the getter other isn t defined for the class circleid circleid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src circle dart error the getter other isn t defined for the class circleid circleid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src circle dart error the getter other isn t defined for the class circleid circleid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final circleid typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src circle dart error the getter other isn t defined for the class circle circle is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src circle dart error the getter other isn t defined for the class circle circle is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src circle dart error the getter other isn t defined for the class circle circle is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final circle typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src circle updates dart error the getter other isn t defined for the class circleupdates circleupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src circle updates dart error the getter other isn t defined for the class circleupdates circleupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src circle updates dart error the getter other isn t defined for the class circleupdates circleupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final circleupdates typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map compassenabled map compassenabled library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map maptoolbarenabled map maptoolbarenabled library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map cameratargetbounds map cameratargetbounds library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map maptype map maptype library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map minmaxzoompreference map minmaxzoompreference library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map rotategesturesenabled map rotategesturesenabled library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map scrollgesturesenabled map scrollgesturesenabled library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map tiltgesturesenabled map tiltgesturesenabled library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map trackcameraposition map oncameramove null library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map zoomgesturesenabled map zoomgesturesenabled library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map mylocationenabled map mylocationenabled library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map mylocationbuttonenabled map mylocationbuttonenabled library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map padding map padding library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map indoorviewenabled map indoorviewenabled library flutter pub cache hosted pub dartlang org google maps flutter lib src google map dart error getter not found map trafficenabled map trafficenabled library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error the getter other isn t defined for the class infowindow infowindow is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error the getter other isn t defined for the class infowindow infowindow is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error the getter other isn t defined for the class infowindow infowindow is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final infowindow typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error the getter other isn t defined for the class markerid markerid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error the getter other isn t defined for the class markerid markerid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error the getter other isn t defined for the class markerid markerid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final markerid typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error the getter other isn t defined for the class marker marker is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error the getter other isn t defined for the class marker marker is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src marker dart error the getter other isn t defined for the class marker marker is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final marker typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src marker updates dart error the getter other isn t defined for the class markerupdates markerupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src marker updates dart error the getter other isn t defined for the class markerupdates markerupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src marker updates dart error the getter other isn t defined for the class markerupdates markerupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final markerupdates typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon dart error the getter other isn t defined for the class polygonid polygonid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon dart error the getter other isn t defined for the class polygonid polygonid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon dart error the getter other isn t defined for the class polygonid polygonid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final polygonid typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon dart error the getter other isn t defined for the class polygon polygon is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon dart error the getter other isn t defined for the class polygon polygon is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon dart error the getter other isn t defined for the class polygon polygon is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final polygon typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon updates dart error the getter other isn t defined for the class polygonupdates polygonupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon updates dart error the getter other isn t defined for the class polygonupdates polygonupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src polygon updates dart error the getter other isn t defined for the class polygonupdates polygonupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final polygonupdates typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline dart error the getter other isn t defined for the class polylineid polylineid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline dart error the getter other isn t defined for the class polylineid polylineid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline dart error the getter other isn t defined for the class polylineid polylineid is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final polylineid typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline dart error the getter other isn t defined for the class polyline polyline is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline dart error the getter other isn t defined for the class polyline polyline is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline dart error the getter other isn t defined for the class polyline polyline is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final polyline typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline updates dart error the getter other isn t defined for the class polylineupdates polylineupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline updates dart error the getter other isn t defined for the class polylineupdates polylineupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if other runtimetype runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src polyline updates dart error the getter other isn t defined for the class polylineupdates polylineupdates is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final polylineupdates typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src ui dart error the getter other isn t defined for the class cameratargetbounds cameratargetbounds is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src ui dart error the getter other isn t defined for the class cameratargetbounds cameratargetbounds is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if runtimetype other runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src ui dart error the getter other isn t defined for the class cameratargetbounds cameratargetbounds is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final cameratargetbounds typedother other library flutter pub cache hosted pub dartlang org google maps flutter lib src ui dart error the getter other isn t defined for the class minmaxzoompreference minmaxzoompreference is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if identical this other return true library flutter pub cache hosted pub dartlang org google maps flutter lib src ui dart error the getter other isn t defined for the class minmaxzoompreference minmaxzoompreference is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other if runtimetype other runtimetype return false library flutter pub cache hosted pub dartlang org google maps flutter lib src ui dart error the getter other isn t defined for the class minmaxzoompreference minmaxzoompreference is from package google maps flutter google maps flutter dart library flutter pub cache hosted pub dartlang org google maps flutter lib google maps flutter dart try correcting the name to the name of an existing getter or defining a getter or field named other final minmaxzoompreference typedother other compiler failed on users development flutter app validation lib main dart error launching application on iphone | 0 |
134,675 | 19,300,242,327 | IssuesEvent | 2021-12-13 03:59:24 | bookey-dev/bookey.bug | https://api.github.com/repos/bookey-dev/bookey.bug | closed | Boarding第二页--小屏手机无法完整显示页面文案内容 | P4 platform: ios L4 design |

![Uploading Boarding验证第四页.jpg…]()
机型:iphone SE
步骤:1.启动Bookey,进入Boarding验证过程
2.Boarding跳转到第二页
3.页面文案显示不全(6.5寸安卓可以完整显示该页面文字内容)
结果:Boarding第二页的文字显示不全
期望:优化小尺寸页面显示文字的样式,确保文字内容完整显示

| 1.0 | Boarding第二页--小屏手机无法完整显示页面文案内容 -

![Uploading Boarding验证第四页.jpg…]()
机型:iphone SE
步骤:1.启动Bookey,进入Boarding验证过程
2.Boarding跳转到第二页
3.页面文案显示不全(6.5寸安卓可以完整显示该页面文字内容)
结果:Boarding第二页的文字显示不全
期望:优化小尺寸页面显示文字的样式,确保文字内容完整显示

| non_priority | boarding第二页 小屏手机无法完整显示页面文案内容 机型:iphone se 步骤: 启动bookey,进入boarding验证过程 boarding跳转到第二页 页面文案显示不全( ) 结果:boarding第二页的文字显示不全 期望:优化小尺寸页面显示文字的样式,确保文字内容完整显示 | 0 |
342,281 | 24,736,496,282 | IssuesEvent | 2022-10-20 22:35:13 | cpp-gamedev/facade | https://api.github.com/repos/cpp-gamedev/facade | opened | Increase the amount of comments throughout the project. | documentation refactoring | This is more of a long term issue that should be slowly fixed over time. No rush on it or anything just think its worth putting it down in the issues.
We should aim to slowly comment out the code base and move everything away from the state the system was in for prototypes. I motion for we follow the boy scout motto of "Leave everywhere you visit better than you found it" if you are able to find time try to add some comments to areas you may be working in.
For now this is a long term goal! | 1.0 | Increase the amount of comments throughout the project. - This is more of a long term issue that should be slowly fixed over time. No rush on it or anything just think its worth putting it down in the issues.
We should aim to slowly comment out the code base and move everything away from the state the system was in for prototypes. I motion for we follow the boy scout motto of "Leave everywhere you visit better than you found it" if you are able to find time try to add some comments to areas you may be working in.
For now this is a long term goal! | non_priority | increase the amount of comments throughout the project this is more of a long term issue that should be slowly fixed over time no rush on it or anything just think its worth putting it down in the issues we should aim to slowly comment out the code base and move everything away from the state the system was in for prototypes i motion for we follow the boy scout motto of leave everywhere you visit better than you found it if you are able to find time try to add some comments to areas you may be working in for now this is a long term goal | 0 |
82,956 | 16,065,702,820 | IssuesEvent | 2021-04-23 18:43:40 | aws-samples/aws-secure-environment-accelerator | https://api.github.com/repos/aws-samples/aws-secure-environment-accelerator | closed | [Enhancement] Minor security improvements | 1-Codebase 2-Enhancement v1.3.3 | **Required Basic Info**
- Accelerator Version: v1.3.2
**Is your feature request related to a problem? Please describe.**
- Various minor security improvements
**Describe the solution you'd like**
1. Tighten permissions on: PBMMAccel-CB-Installer role
2. Tighten VPC interface endpoint security group permissions
**Tighten VPC endpoint security group permissions**
- On VPC interface endpoint creation/update we create a security group per endpoint
- ITEM 1: drop the outbound rules on the security group (i.e. empty rules table)
- ITEM 2: create a new json document named endpoints.json in reference-artifacts\SCPs folder
- this will automatically copy to our config bucket in the customers account {no code changes}
- this will automatically allow customer to overide this file by placing their own file in the SCPs folder of customer bucket {no code changes}
- file will be of the format:
```
{
"application-autoscaling": [TCP:443, TCP:8443, TCP:943],
"codecommit": [TCP:443, UDP:9418]
}
```
- the default SEA provided repo file endpoints.json will only contain { }, today (if file no exist fail SM)
- i.e. can contain an empty object, i.e. { }, file MUST exist with minimum contents of {}
- object names will identically match an endpoint name from interface-endpoints\endpoints section of config file
- when creating (or updating) any VPC endpoint, we currently create a sg per endpoint and set inbound ports to ANY from address 0.0.0.0/0 and from ::/0
- ITEM 3: add a new OPTIONAL parameter to vpc\interface-endpoints\allowed-cidrs: ["10.0.0.0/8", "100.96.252.0/23"]
- allowed on every/any VPC in the interface-endpoints section if it exists
- defaults to "0.0.0.0/0" if not provided/set by customer
- ITEM 4: When creating the security group: For each address in allowed-cidrs, set inbound ports to TCP:443 only, unless an entry exists in the above endpoints.json file for that endpoint, where we will set the list of inbound ports to those specified in the endpoints.json file for that endpoint.
SUMMARY:
- if a customer using existing config file without update, all security groups will change to 0.0.0.0/0 TCP:443 allow (assuming endpoints.json is {} empty)
- if a customer sets the value to: vpc\interface-endpoints\allowed-cidrs: ["10.0.0.0/8", "100.96.252.0/23"] and endpoints.json contains: {"codecommit": [TCP:443, UDP:9418]} then:
- all endpoints each have a security group with inbound rules for 10.0.0.0/8 TCP:443 and 100.96.252.0/23 TCP:443 and codecommit endpoint security group will have 4 entries 10.0.0.0/8 TCP:443 and 100.96.252.0/23 TCP:443 and 10.0.0.0/8 UDP:9418 and 100.96.252.0/23 UDP:9418
| 1.0 | [Enhancement] Minor security improvements - **Required Basic Info**
- Accelerator Version: v1.3.2
**Is your feature request related to a problem? Please describe.**
- Various minor security improvements
**Describe the solution you'd like**
1. Tighten permissions on: PBMMAccel-CB-Installer role
2. Tighten VPC interface endpoint security group permissions
**Tighten VPC endpoint security group permissions**
- On VPC interface endpoint creation/update we create a security group per endpoint
- ITEM 1: drop the outbound rules on the security group (i.e. empty rules table)
- ITEM 2: create a new json document named endpoints.json in reference-artifacts\SCPs folder
- this will automatically copy to our config bucket in the customers account {no code changes}
- this will automatically allow customer to overide this file by placing their own file in the SCPs folder of customer bucket {no code changes}
- file will be of the format:
```
{
"application-autoscaling": [TCP:443, TCP:8443, TCP:943],
"codecommit": [TCP:443, UDP:9418]
}
```
- the default SEA provided repo file endpoints.json will only contain { }, today (if file no exist fail SM)
- i.e. can contain an empty object, i.e. { }, file MUST exist with minimum contents of {}
- object names will identically match an endpoint name from interface-endpoints\endpoints section of config file
- when creating (or updating) any VPC endpoint, we currently create a sg per endpoint and set inbound ports to ANY from address 0.0.0.0/0 and from ::/0
- ITEM 3: add a new OPTIONAL parameter to vpc\interface-endpoints\allowed-cidrs: ["10.0.0.0/8", "100.96.252.0/23"]
- allowed on every/any VPC in the interface-endpoints section if it exists
- defaults to "0.0.0.0/0" if not provided/set by customer
- ITEM 4: When creating the security group: For each address in allowed-cidrs, set inbound ports to TCP:443 only, unless an entry exists in the above endpoints.json file for that endpoint, where we will set the list of inbound ports to those specified in the endpoints.json file for that endpoint.
SUMMARY:
- if a customer using existing config file without update, all security groups will change to 0.0.0.0/0 TCP:443 allow (assuming endpoints.json is {} empty)
- if a customer sets the value to: vpc\interface-endpoints\allowed-cidrs: ["10.0.0.0/8", "100.96.252.0/23"] and endpoints.json contains: {"codecommit": [TCP:443, UDP:9418]} then:
- all endpoints each have a security group with inbound rules for 10.0.0.0/8 TCP:443 and 100.96.252.0/23 TCP:443 and codecommit endpoint security group will have 4 entries 10.0.0.0/8 TCP:443 and 100.96.252.0/23 TCP:443 and 10.0.0.0/8 UDP:9418 and 100.96.252.0/23 UDP:9418
| non_priority | minor security improvements required basic info accelerator version is your feature request related to a problem please describe various minor security improvements describe the solution you d like tighten permissions on pbmmaccel cb installer role tighten vpc interface endpoint security group permissions tighten vpc endpoint security group permissions on vpc interface endpoint creation update we create a security group per endpoint item drop the outbound rules on the security group i e empty rules table item create a new json document named endpoints json in reference artifacts scps folder this will automatically copy to our config bucket in the customers account no code changes this will automatically allow customer to overide this file by placing their own file in the scps folder of customer bucket no code changes file will be of the format application autoscaling codecommit the default sea provided repo file endpoints json will only contain today if file no exist fail sm i e can contain an empty object i e file must exist with minimum contents of object names will identically match an endpoint name from interface endpoints endpoints section of config file when creating or updating any vpc endpoint we currently create a sg per endpoint and set inbound ports to any from address and from item add a new optional parameter to vpc interface endpoints allowed cidrs allowed on every any vpc in the interface endpoints section if it exists defaults to if not provided set by customer item when creating the security group for each address in allowed cidrs set inbound ports to tcp only unless an entry exists in the above endpoints json file for that endpoint where we will set the list of inbound ports to those specified in the endpoints json file for that endpoint summary if a customer using existing config file without update all security groups will change to tcp allow assuming endpoints json is empty if a customer sets the value to vpc interface endpoints allowed cidrs and endpoints json contains codecommit then all endpoints each have a security group with inbound rules for tcp and tcp and codecommit endpoint security group will have entries tcp and tcp and udp and udp | 0 |
10,935 | 4,848,758,332 | IssuesEvent | 2016-11-10 18:26:34 | blackbaud/sky-pages-cli | https://api.github.com/repos/blackbaud/sky-pages-cli | closed | `sky-pages new` shows "No package.json file found" message after first prompt | bug builder | Running the `sky-pages new` command results in the root directory prompt being displayed followed by the text "info: No package.json file found in current working directory.". | 1.0 | `sky-pages new` shows "No package.json file found" message after first prompt - Running the `sky-pages new` command results in the root directory prompt being displayed followed by the text "info: No package.json file found in current working directory.". | non_priority | sky pages new shows no package json file found message after first prompt running the sky pages new command results in the root directory prompt being displayed followed by the text info no package json file found in current working directory | 0 |
79,108 | 7,696,082,833 | IssuesEvent | 2018-05-18 14:18:27 | researchstudio-sat/webofneeds | https://api.github.com/repos/researchstudio-sat/webofneeds | closed | Workaround for newline-in-nquads bug | testing | Simple suggestion: before parsing n-quads, replace `\n` with something else, e.g. `\ n`, and revert the replacement on the parsed content. | 1.0 | Workaround for newline-in-nquads bug - Simple suggestion: before parsing n-quads, replace `\n` with something else, e.g. `\ n`, and revert the replacement on the parsed content. | non_priority | workaround for newline in nquads bug simple suggestion before parsing n quads replace n with something else e g n and revert the replacement on the parsed content | 0 |
76,484 | 9,457,915,373 | IssuesEvent | 2019-04-17 02:40:59 | Microsoft/vscode | https://api.github.com/repos/Microsoft/vscode | closed | Trouble in installing Salesforce or other extensions as well. | *as-designed | - VSCode Version: Code 1.9.1 (f9d0c687ff2ea7aabd85fb9a43129117c0ecf519, 2017-02-09T00:26:45.394Z)
- OS Version: Windows_NT ia32 6.1.7601
- Extensions:
|Extension|Author|Version|
|---|---|---|
I am trying to install Salesforce extensions but giving the same error for all the extensions, below is the error message.
"Couldn't find a compatible version of Salesforce Extension Pack with this version of Code."
---
Steps to Reproduce:
1.
2. | 1.0 | Trouble in installing Salesforce or other extensions as well. - - VSCode Version: Code 1.9.1 (f9d0c687ff2ea7aabd85fb9a43129117c0ecf519, 2017-02-09T00:26:45.394Z)
- OS Version: Windows_NT ia32 6.1.7601
- Extensions:
|Extension|Author|Version|
|---|---|---|
I am trying to install Salesforce extensions but giving the same error for all the extensions, below is the error message.
"Couldn't find a compatible version of Salesforce Extension Pack with this version of Code."
---
Steps to Reproduce:
1.
2. | non_priority | trouble in installing salesforce or other extensions as well vscode version code os version windows nt extensions extension author version i am trying to install salesforce extensions but giving the same error for all the extensions below is the error message couldn t find a compatible version of salesforce extension pack with this version of code steps to reproduce | 0 |
57,436 | 14,147,024,442 | IssuesEvent | 2020-11-10 20:08:07 | Infosecdecompress/infosecdecompress | https://api.github.com/repos/Infosecdecompress/infosecdecompress | opened | CVE-2018-19827 (High) detected in opennmsopennms-source-25.1.0-1, node-sass-4.14.1.tgz | security vulnerability | ## CVE-2018-19827 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>opennmsopennms-source-25.1.0-1</b>, <b>node-sass-4.14.1.tgz</b></p></summary>
<p>
<details><summary><b>node-sass-4.14.1.tgz</b></p></summary>
<p>Wrapper around libsass</p>
<p>Library home page: <a href="https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz">https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz</a></p>
<p>Path to dependency file: infosecdecompress/package.json</p>
<p>Path to vulnerable library: infosecdecompress/node_modules/node-sass/package.json</p>
<p>
Dependency Hierarchy:
- :x: **node-sass-4.14.1.tgz** (Vulnerable Library)
</details>
<p>Found in HEAD commit: <a href="https://github.com/Infosecdecompress/infosecdecompress/commit/3e657cadb5c07492f1468e49db63b000cac0a900">3e657cadb5c07492f1468e49db63b000cac0a900</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>
In LibSass 3.5.5, a use-after-free vulnerability exists in the SharedPtr class in SharedPtr.cpp (or SharedPtr.hpp) that may cause a denial of service (application crash) or possibly have unspecified other impact.
<p>Publish Date: 2018-12-03
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2018-19827>CVE-2018-19827</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.8</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: 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/sass/libsass/pull/2784">https://github.com/sass/libsass/pull/2784</a></p>
<p>Release Date: 2019-08-29</p>
<p>Fix Resolution: LibSass - 3.6.0</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-2018-19827 (High) detected in opennmsopennms-source-25.1.0-1, node-sass-4.14.1.tgz - ## CVE-2018-19827 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>opennmsopennms-source-25.1.0-1</b>, <b>node-sass-4.14.1.tgz</b></p></summary>
<p>
<details><summary><b>node-sass-4.14.1.tgz</b></p></summary>
<p>Wrapper around libsass</p>
<p>Library home page: <a href="https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz">https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz</a></p>
<p>Path to dependency file: infosecdecompress/package.json</p>
<p>Path to vulnerable library: infosecdecompress/node_modules/node-sass/package.json</p>
<p>
Dependency Hierarchy:
- :x: **node-sass-4.14.1.tgz** (Vulnerable Library)
</details>
<p>Found in HEAD commit: <a href="https://github.com/Infosecdecompress/infosecdecompress/commit/3e657cadb5c07492f1468e49db63b000cac0a900">3e657cadb5c07492f1468e49db63b000cac0a900</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>
In LibSass 3.5.5, a use-after-free vulnerability exists in the SharedPtr class in SharedPtr.cpp (or SharedPtr.hpp) that may cause a denial of service (application crash) or possibly have unspecified other impact.
<p>Publish Date: 2018-12-03
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2018-19827>CVE-2018-19827</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.8</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: 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/sass/libsass/pull/2784">https://github.com/sass/libsass/pull/2784</a></p>
<p>Release Date: 2019-08-29</p>
<p>Fix Resolution: LibSass - 3.6.0</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 opennmsopennms source node sass tgz cve high severity vulnerability vulnerable libraries opennmsopennms source node sass tgz node sass tgz wrapper around libsass library home page a href path to dependency file infosecdecompress package json path to vulnerable library infosecdecompress node modules node sass package json dependency hierarchy x node sass tgz vulnerable library found in head commit a href found in base branch master vulnerability details in libsass a use after free vulnerability exists in the sharedptr class in sharedptr cpp or sharedptr hpp that may cause a denial of service application crash or possibly have unspecified other impact publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope unchanged impact metrics confidentiality impact 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 libsass step up your open source security game with whitesource | 0 |
205,039 | 15,964,295,782 | IssuesEvent | 2021-04-16 05:57:27 | FirebaseExtended/flutterfire | https://api.github.com/repos/FirebaseExtended/flutterfire | opened | The plugin home page has a link to configure firebase for each of the platforms, and this link won't open! | good first issue type: documentation | The plugin home page has a link to configure firebase for each of the platforms, and this link won't open!
https://pub.dev/packages/firebase_ml_vision
https://codelabs.developers.google.com/codelabs/flutter-firebase/#4 | 1.0 | The plugin home page has a link to configure firebase for each of the platforms, and this link won't open! - The plugin home page has a link to configure firebase for each of the platforms, and this link won't open!
https://pub.dev/packages/firebase_ml_vision
https://codelabs.developers.google.com/codelabs/flutter-firebase/#4 | non_priority | the plugin home page has a link to configure firebase for each of the platforms and this link won t open the plugin home page has a link to configure firebase for each of the platforms and this link won t open | 0 |
80,000 | 10,148,898,593 | IssuesEvent | 2019-08-05 14:08:35 | IBM/carbon-addons-iot-react | https://api.github.com/repos/IBM/carbon-addons-iot-react | reopened | Component Request - [ImageCard] | :label: Needs Browser support :label: Needs Final review :label: Needs RTL :label: Needs a11y :label: Needs documentation :label: Needs prioritization :label: Needs responsive check :recycle: - Component Request released | <!-- Feel free to remove sections that aren't relevant.-->
# Component Details
## Detailed description
As part of the new IoT Platform monitoring dashboard, we need a card that renders an image, rescale it and has zoom controls.
## You will consider this component complete when...
The initial version of this component should support
- [ ] Load and rescale image to initially fit in card
- [ ] Automatically scale image when card size changes
- [ ] Zoom in and zoom out controls
- [ ] Zoom to fit control
- [ ] Image minimap and guide
New features will be developed as separate issues.
## Additional information

https://github.ibm.com/wiotp/monitoring-dashboard/issues/83 | 1.0 | Component Request - [ImageCard] - <!-- Feel free to remove sections that aren't relevant.-->
# Component Details
## Detailed description
As part of the new IoT Platform monitoring dashboard, we need a card that renders an image, rescale it and has zoom controls.
## You will consider this component complete when...
The initial version of this component should support
- [ ] Load and rescale image to initially fit in card
- [ ] Automatically scale image when card size changes
- [ ] Zoom in and zoom out controls
- [ ] Zoom to fit control
- [ ] Image minimap and guide
New features will be developed as separate issues.
## Additional information

https://github.ibm.com/wiotp/monitoring-dashboard/issues/83 | non_priority | component request component details detailed description as part of the new iot platform monitoring dashboard we need a card that renders an image rescale it and has zoom controls you will consider this component complete when the initial version of this component should support load and rescale image to initially fit in card automatically scale image when card size changes zoom in and zoom out controls zoom to fit control image minimap and guide new features will be developed as separate issues additional information | 0 |
39,131 | 15,874,793,826 | IssuesEvent | 2021-04-09 05:50:50 | arcus-azure/arcus.messaging | https://api.github.com/repos/arcus-azure/arcus.messaging | closed | Rename `ServiceBusEntity` to `ServiceBusEntityType` | enhancement integration:service-bus | Rename `ServiceBusEntity` to `ServiceBusEntityType` which is more clear what it does. | 1.0 | Rename `ServiceBusEntity` to `ServiceBusEntityType` - Rename `ServiceBusEntity` to `ServiceBusEntityType` which is more clear what it does. | non_priority | rename servicebusentity to servicebusentitytype rename servicebusentity to servicebusentitytype which is more clear what it does | 0 |
192,438 | 15,344,809,372 | IssuesEvent | 2021-02-28 03:21:46 | UBC-MDS/PyGram | https://api.github.com/repos/UBC-MDS/PyGram | closed | Function specifications | documentation | For this milestone you will write function documentation that will serve as specifications, but you will NOT write any code for your package functions. Specifically, set-up empty functions (with appropriate function names) containing no code in the files where you will eventually write code. Write function documentation (e.g., complete docstrings). These are the functions you wrote about in your proposal.
| 1.0 | Function specifications - For this milestone you will write function documentation that will serve as specifications, but you will NOT write any code for your package functions. Specifically, set-up empty functions (with appropriate function names) containing no code in the files where you will eventually write code. Write function documentation (e.g., complete docstrings). These are the functions you wrote about in your proposal.
| non_priority | function specifications for this milestone you will write function documentation that will serve as specifications but you will not write any code for your package functions specifically set up empty functions with appropriate function names containing no code in the files where you will eventually write code write function documentation e g complete docstrings these are the functions you wrote about in your proposal | 0 |
161,829 | 12,577,232,863 | IssuesEvent | 2020-06-09 09:12:36 | WoWManiaUK/Redemption | https://api.github.com/repos/WoWManiaUK/Redemption | closed | [Quest] Hot Fiery Death | Fix - Tester Confirmed | **Links:**
http://www.wow-mania.com/armory?quest=5103
**What is Happening:**
Ones i lower B.R.S. you take quest form http://www.wow-mania.com/armory?object=176090
*Human Remains* next to it is arm/gauntlet you can click and get the item in bag that you need take to Winterspirng to finish quest ,
BUT after click arm/gauntlet you do not get a single thing in bag so quest is not completed ergo you can not finish quest /give it in
**What Should happen:**
After taking quest and click on item next to corpse you need to get gauntlets to player bag
| 1.0 | [Quest] Hot Fiery Death - **Links:**
http://www.wow-mania.com/armory?quest=5103
**What is Happening:**
Ones i lower B.R.S. you take quest form http://www.wow-mania.com/armory?object=176090
*Human Remains* next to it is arm/gauntlet you can click and get the item in bag that you need take to Winterspirng to finish quest ,
BUT after click arm/gauntlet you do not get a single thing in bag so quest is not completed ergo you can not finish quest /give it in
**What Should happen:**
After taking quest and click on item next to corpse you need to get gauntlets to player bag
| non_priority | hot fiery death links what is happening ones i lower b r s you take quest form human remains next to it is arm gauntlet you can click and get the item in bag that you need take to winterspirng to finish quest but after click arm gauntlet you do not get a single thing in bag so quest is not completed ergo you can not finish quest give it in what should happen after taking quest and click on item next to corpse you need to get gauntlets to player bag | 0 |
43,634 | 11,272,985,799 | IssuesEvent | 2020-01-14 15:47:27 | microsoft/WindowsTemplateStudio | https://api.github.com/repos/microsoft/WindowsTemplateStudio | closed | Build dev.templates.tests.onebyone_20200114.1 failed | bug vsts-build | ## Build dev.templates.tests.onebyone_20200114.1
- **Build result:** `failed`
- **Build queued:** 1/14/2020 5:00:03 AM
- **Build duration:** 572.74 minutes
### Details
Build [dev.templates.tests.onebyone_20200114.1](https://winappstudio.visualstudio.com/web/build.aspx?pcguid=a4ef43be-68ce-4195-a619-079b4d9834c2&builduri=vstfs%3a%2f%2f%2fBuild%2fBuild%2f32516) failed
+ We stopped hearing from agent wtsb2. Verify the agent machine is running and has a healthy network connection. Anything that terminates an agent process, starves it for CPU, or blocks its network access can cause this error. For more information, see: https://go.microsoft.com/fwlink/?linkid=846610
Find detailed information in the [build log files]()
| 1.0 | Build dev.templates.tests.onebyone_20200114.1 failed - ## Build dev.templates.tests.onebyone_20200114.1
- **Build result:** `failed`
- **Build queued:** 1/14/2020 5:00:03 AM
- **Build duration:** 572.74 minutes
### Details
Build [dev.templates.tests.onebyone_20200114.1](https://winappstudio.visualstudio.com/web/build.aspx?pcguid=a4ef43be-68ce-4195-a619-079b4d9834c2&builduri=vstfs%3a%2f%2f%2fBuild%2fBuild%2f32516) failed
+ We stopped hearing from agent wtsb2. Verify the agent machine is running and has a healthy network connection. Anything that terminates an agent process, starves it for CPU, or blocks its network access can cause this error. For more information, see: https://go.microsoft.com/fwlink/?linkid=846610
Find detailed information in the [build log files]()
| non_priority | build dev templates tests onebyone failed build dev templates tests onebyone build result failed build queued am build duration minutes details build failed we stopped hearing from agent verify the agent machine is running and has a healthy network connection anything that terminates an agent process starves it for cpu or blocks its network access can cause this error for more information see find detailed information in the | 0 |
10,187 | 4,019,488,199 | IssuesEvent | 2016-05-16 15:06:17 | goyalsid/phageParser | https://api.github.com/repos/goyalsid/phageParser | closed | Find cas genes from Pfam database | code web | ### Motivation
Bacteria or archaea with functioning CRISPR systems almost always have several ***cas* genes** somewhere in their genome. A few groups are actively developing a [classification system](http://dx.doi.org/10.1038/nrmicro3569) (ping me for pdf) for CRISPR systems based on the *cas* gene content.
This script will find the likely protein families for all the genes in an organism using using a database of protein families called [Pfam](http://pfam.xfam.org/). Using that result, we can find which genes in an organism are likely to be *cas* genes, and from there, which CRISPR type that organism has.
-----
### The Function
**Input:**
* Accession number of organism - i.e. NC_015138 .
**The function should do the following:**
* Check if the genbank file for that accession number exists - this will likely mean calling a separate function currently in development - Issue #74
* Extract the translated coding regions of the genome from the genbank file (details below).
* Submit the translations to Pfam.
**Output:**
* File with the results generated by Pfam.
------------
**Things to know:**
* Pfam has a [RESTful interface](http://pfam.xfam.org/help#tabview=tab10), which, in my very limited understanding of REST, should be what we need to query Pfam.
* A Genbank file is a particular format for a genome used by NCBI. This is an [example (truncated) Genbank file](https://github.com/goyalsid/phageParser/blob/master/data/Genbank_example.txt). Each candidate gene that has been identified is listed in the file (for example, the [first gene](https://github.com/goyalsid/phageParser/blob/master/data/Genbank_example.txt#L121)). The annotation also helpfully comes with a [protein translation](https://github.com/goyalsid/phageParser/blob/master/data/Genbank_example.txt#L136), which is what Pfam needs as input.
**Example:** I entered the [first translation](https://github.com/goyalsid/phageParser/blob/master/data/Genbank_example.txt#L136) (everything in quotes after `/translation=`) into the `Sequence Search` window on [Pfam's main page](http://pfam.xfam.org/), and it told me that this sequence had three family matches: DnaA_N, Bac_DnaA, and Bac_DnaA_C. So in this case the output would be those three names, and the information in the rest of the fields (i.e. `Description`, `Entry type`, `Clan`, `Envelope`, etc.). I don't know what the file format resulting from the REST interface would be, so we can discuss further once we get to that point. | 1.0 | Find cas genes from Pfam database - ### Motivation
Bacteria or archaea with functioning CRISPR systems almost always have several ***cas* genes** somewhere in their genome. A few groups are actively developing a [classification system](http://dx.doi.org/10.1038/nrmicro3569) (ping me for pdf) for CRISPR systems based on the *cas* gene content.
This script will find the likely protein families for all the genes in an organism using using a database of protein families called [Pfam](http://pfam.xfam.org/). Using that result, we can find which genes in an organism are likely to be *cas* genes, and from there, which CRISPR type that organism has.
-----
### The Function
**Input:**
* Accession number of organism - i.e. NC_015138 .
**The function should do the following:**
* Check if the genbank file for that accession number exists - this will likely mean calling a separate function currently in development - Issue #74
* Extract the translated coding regions of the genome from the genbank file (details below).
* Submit the translations to Pfam.
**Output:**
* File with the results generated by Pfam.
------------
**Things to know:**
* Pfam has a [RESTful interface](http://pfam.xfam.org/help#tabview=tab10), which, in my very limited understanding of REST, should be what we need to query Pfam.
* A Genbank file is a particular format for a genome used by NCBI. This is an [example (truncated) Genbank file](https://github.com/goyalsid/phageParser/blob/master/data/Genbank_example.txt). Each candidate gene that has been identified is listed in the file (for example, the [first gene](https://github.com/goyalsid/phageParser/blob/master/data/Genbank_example.txt#L121)). The annotation also helpfully comes with a [protein translation](https://github.com/goyalsid/phageParser/blob/master/data/Genbank_example.txt#L136), which is what Pfam needs as input.
**Example:** I entered the [first translation](https://github.com/goyalsid/phageParser/blob/master/data/Genbank_example.txt#L136) (everything in quotes after `/translation=`) into the `Sequence Search` window on [Pfam's main page](http://pfam.xfam.org/), and it told me that this sequence had three family matches: DnaA_N, Bac_DnaA, and Bac_DnaA_C. So in this case the output would be those three names, and the information in the rest of the fields (i.e. `Description`, `Entry type`, `Clan`, `Envelope`, etc.). I don't know what the file format resulting from the REST interface would be, so we can discuss further once we get to that point. | non_priority | find cas genes from pfam database motivation bacteria or archaea with functioning crispr systems almost always have several cas genes somewhere in their genome a few groups are actively developing a ping me for pdf for crispr systems based on the cas gene content this script will find the likely protein families for all the genes in an organism using using a database of protein families called using that result we can find which genes in an organism are likely to be cas genes and from there which crispr type that organism has the function input accession number of organism i e nc the function should do the following check if the genbank file for that accession number exists this will likely mean calling a separate function currently in development issue extract the translated coding regions of the genome from the genbank file details below submit the translations to pfam output file with the results generated by pfam things to know pfam has a which in my very limited understanding of rest should be what we need to query pfam a genbank file is a particular format for a genome used by ncbi this is an each candidate gene that has been identified is listed in the file for example the the annotation also helpfully comes with a which is what pfam needs as input example i entered the everything in quotes after translation into the sequence search window on and it told me that this sequence had three family matches dnaa n bac dnaa and bac dnaa c so in this case the output would be those three names and the information in the rest of the fields i e description entry type clan envelope etc i don t know what the file format resulting from the rest interface would be so we can discuss further once we get to that point | 0 |
30,564 | 24,928,376,827 | IssuesEvent | 2022-10-31 09:31:00 | SasView/sasview | https://api.github.com/repos/SasView/sasview | closed | Fix problem with with dire install warnings from OS (Trac #246) | Migrated from Trac Critical Admin and support infrastructure | Currently on newer Windows machines and some macs the operating system gives several dire warnings against installing the executable SasView appliation. In fact in some cases the default is to not allow install and only by right clicking can one get options to "install anyway".
Somehow this needs to be fixed. Should look at what mac and windows will require - do we need to get a certification? how?
Migrated from http://trac.sasview.org/ticket/246
```json
{
"status": "accepted",
"changetime": "2019-03-23T14:07:17",
"_ts": "2019-03-23 14:07:17.533099+00:00",
"description": "Currently on newer Windows machines and some macs the operating system gives several dire warnings against installing the executable SasView appliation. In fact in some cases the default is to not allow install and only by right clicking can one get options to \"install anyway\". \n\nSomehow this needs to be fixed. Should look at what mac and windows will require - do we need to get a certification? how?\n",
"reporter": "butler",
"cc": "",
"resolution": "",
"workpackage": "Support Infrastructure",
"time": "2014-04-19T18:55:05",
"component": "SasView",
"summary": "Fix problem with with dire install warnings from OS",
"priority": "critical",
"keywords": "",
"milestone": "Admin Tasks",
"owner": "piotr",
"type": "task"
}
```
| 1.0 | Fix problem with with dire install warnings from OS (Trac #246) - Currently on newer Windows machines and some macs the operating system gives several dire warnings against installing the executable SasView appliation. In fact in some cases the default is to not allow install and only by right clicking can one get options to "install anyway".
Somehow this needs to be fixed. Should look at what mac and windows will require - do we need to get a certification? how?
Migrated from http://trac.sasview.org/ticket/246
```json
{
"status": "accepted",
"changetime": "2019-03-23T14:07:17",
"_ts": "2019-03-23 14:07:17.533099+00:00",
"description": "Currently on newer Windows machines and some macs the operating system gives several dire warnings against installing the executable SasView appliation. In fact in some cases the default is to not allow install and only by right clicking can one get options to \"install anyway\". \n\nSomehow this needs to be fixed. Should look at what mac and windows will require - do we need to get a certification? how?\n",
"reporter": "butler",
"cc": "",
"resolution": "",
"workpackage": "Support Infrastructure",
"time": "2014-04-19T18:55:05",
"component": "SasView",
"summary": "Fix problem with with dire install warnings from OS",
"priority": "critical",
"keywords": "",
"milestone": "Admin Tasks",
"owner": "piotr",
"type": "task"
}
```
| non_priority | fix problem with with dire install warnings from os trac currently on newer windows machines and some macs the operating system gives several dire warnings against installing the executable sasview appliation in fact in some cases the default is to not allow install and only by right clicking can one get options to install anyway somehow this needs to be fixed should look at what mac and windows will require do we need to get a certification how migrated from json status accepted changetime ts description currently on newer windows machines and some macs the operating system gives several dire warnings against installing the executable sasview appliation in fact in some cases the default is to not allow install and only by right clicking can one get options to install anyway n nsomehow this needs to be fixed should look at what mac and windows will require do we need to get a certification how n reporter butler cc resolution workpackage support infrastructure time component sasview summary fix problem with with dire install warnings from os priority critical keywords milestone admin tasks owner piotr type task | 0 |
135,984 | 19,687,614,677 | IssuesEvent | 2022-01-12 00:50:32 | Azure/azure-functions-host | https://api.github.com/repos/Azure/azure-functions-host | closed | Worker Indexing - Investigation on using worker capabilities instead of worker.config | needs-discussion design | For now, the worker indexing check within the host is based off the worker.config.json file defining workerIndexing as “true”. This doesn’t fit the true spirit of the worker “advertising” the ability of indexing to the host. Instead, it would make more sense for the worker to decide whether to index or not and then send "indexing” as a capability during the initial GRPC handshake when starting up communication with the host. | 1.0 | Worker Indexing - Investigation on using worker capabilities instead of worker.config - For now, the worker indexing check within the host is based off the worker.config.json file defining workerIndexing as “true”. This doesn’t fit the true spirit of the worker “advertising” the ability of indexing to the host. Instead, it would make more sense for the worker to decide whether to index or not and then send "indexing” as a capability during the initial GRPC handshake when starting up communication with the host. | non_priority | worker indexing investigation on using worker capabilities instead of worker config for now the worker indexing check within the host is based off the worker config json file defining workerindexing as “true” this doesn’t fit the true spirit of the worker “advertising” the ability of indexing to the host instead it would make more sense for the worker to decide whether to index or not and then send indexing” as a capability during the initial grpc handshake when starting up communication with the host | 0 |
120,692 | 15,794,577,046 | IssuesEvent | 2021-04-02 11:18:29 | failed-successfully/ngx-darkbox-gallery-library | https://api.github.com/repos/failed-successfully/ngx-darkbox-gallery-library | opened | Add loading placeholder | design enhancement | Add loading placeholders with a shimmer design to darkbox:
- [ ] Placeholder the predicted size of the image
- [ ] Configuration to enable/disable placeholder
- [ ] Configuration to either show images as soon as possible or to show them all at ones | 1.0 | Add loading placeholder - Add loading placeholders with a shimmer design to darkbox:
- [ ] Placeholder the predicted size of the image
- [ ] Configuration to enable/disable placeholder
- [ ] Configuration to either show images as soon as possible or to show them all at ones | non_priority | add loading placeholder add loading placeholders with a shimmer design to darkbox placeholder the predicted size of the image configuration to enable disable placeholder configuration to either show images as soon as possible or to show them all at ones | 0 |
164,644 | 13,958,409,683 | IssuesEvent | 2020-10-24 11:49:03 | CompositionalIT/farmer | https://api.github.com/repos/CompositionalIT/farmer | opened | Third party materials | documentation help wanted | There are some videos and blogs cropping up about Farmer. We should add them to a content section of the website. | 1.0 | Third party materials - There are some videos and blogs cropping up about Farmer. We should add them to a content section of the website. | non_priority | third party materials there are some videos and blogs cropping up about farmer we should add them to a content section of the website | 0 |
150,259 | 11,953,619,824 | IssuesEvent | 2020-04-03 21:18:07 | IEMLdev/Intlekt-editor | https://api.github.com/repos/IEMLdev/Intlekt-editor | closed | Impossible de créer les mots d'un paradigme de mots | bug to retest | J'ai fait le paradigme de mots mais je ne peux pas accéder aux ss au moyen de la table. Donc je ne peux pas créer les mots (ou seulement un par un...)
<img width="1102" alt="Screenshot 2020-03-23 16 41 44 impossible créer mots : paradigme" src="https://user-images.githubusercontent.com/19435943/77361391-8f15a780-6d25-11ea-9db2-42f45da92250.png">
| 1.0 | Impossible de créer les mots d'un paradigme de mots - J'ai fait le paradigme de mots mais je ne peux pas accéder aux ss au moyen de la table. Donc je ne peux pas créer les mots (ou seulement un par un...)
<img width="1102" alt="Screenshot 2020-03-23 16 41 44 impossible créer mots : paradigme" src="https://user-images.githubusercontent.com/19435943/77361391-8f15a780-6d25-11ea-9db2-42f45da92250.png">
| non_priority | impossible de créer les mots d un paradigme de mots j ai fait le paradigme de mots mais je ne peux pas accéder aux ss au moyen de la table donc je ne peux pas créer les mots ou seulement un par un img width alt screenshot impossible créer mots paradigme src | 0 |
30,006 | 4,194,672,069 | IssuesEvent | 2016-06-25 07:09:33 | elixir-lang/ex_doc | https://api.github.com/repos/elixir-lang/ex_doc | closed | Hamburger icon is not clearly visible when left menu is hidden | Area:Design Kind:Enhancement | 
and the wider your screen resolution, the more lost it gets.
I don't know if we should have a different icon with darker lines,
or if we should put it a dark purple circle.
another issue to take into consideration while fixing this is https://github.com/elixir-lang/ex_doc/issues/434
| 1.0 | Hamburger icon is not clearly visible when left menu is hidden - 
and the wider your screen resolution, the more lost it gets.
I don't know if we should have a different icon with darker lines,
or if we should put it a dark purple circle.
another issue to take into consideration while fixing this is https://github.com/elixir-lang/ex_doc/issues/434
| non_priority | hamburger icon is not clearly visible when left menu is hidden and the wider your screen resolution the more lost it gets i don t know if we should have a different icon with darker lines or if we should put it a dark purple circle another issue to take into consideration while fixing this is | 0 |
10,468 | 26,993,777,963 | IssuesEvent | 2023-02-09 22:21:44 | Azure/azure-sdk | https://api.github.com/repos/Azure/azure-sdk | closed | Board Review: Microsoft.BillingBenefits namespace for Azure (Management plane SDK namespace review) | architecture board-review | Thank you for starting the process for approval of the client library for your Azure service. Thorough review of your client library ensures that your APIs are consistent with the guidelines and the consumers of your client library have a consistently good experience when using Azure.
**The Architecture Board reviews [Track 2 libraries](https://azure.github.io/azure-sdk/general_introduction.html) only.** If your library does not meet this requirement, please reach out to [Architecture Board](adparch@microsoft.com) before creating the issue.
Please reference our [review process guidelines](https://azure.github.io/azure-sdk/policies_reviewprocess.html) to understand what is being asked for in the issue template.
**Before submitting, ensure you adjust the title of the issue appropriately.**
**Note that the required material must be included before a meeting can be scheduled.**
## Contacts and Timeline
* Service team responsible for the client library: ReservationsRP
* Main contacts: @gaoyp830
* Expected stable release date for this library: 12/01/2022
## About the Service
* Link to documentation introducing/describing the service: https://learn.microsoft.com/en-us/azure/cost-management-billing/savings-plan/savings-plan-compute-overview
* Link to the service REST APIs: https://github.com/Azure/azure-rest-api-specs/blob/main/specification/billingbenefits/resource-manager/Microsoft.BillingBenefits/stable/2022-11-01/billingbenefits.json
* Is the goal to release a Public Preview, Private Preview, or GA? GA
## About the client library
* Name of client library:
* Link to library reference documentation:
* Is there an existing SDK library? If yes, provide link: No
## Thank you for your submission!
| 1.0 | Board Review: Microsoft.BillingBenefits namespace for Azure (Management plane SDK namespace review) - Thank you for starting the process for approval of the client library for your Azure service. Thorough review of your client library ensures that your APIs are consistent with the guidelines and the consumers of your client library have a consistently good experience when using Azure.
**The Architecture Board reviews [Track 2 libraries](https://azure.github.io/azure-sdk/general_introduction.html) only.** If your library does not meet this requirement, please reach out to [Architecture Board](adparch@microsoft.com) before creating the issue.
Please reference our [review process guidelines](https://azure.github.io/azure-sdk/policies_reviewprocess.html) to understand what is being asked for in the issue template.
**Before submitting, ensure you adjust the title of the issue appropriately.**
**Note that the required material must be included before a meeting can be scheduled.**
## Contacts and Timeline
* Service team responsible for the client library: ReservationsRP
* Main contacts: @gaoyp830
* Expected stable release date for this library: 12/01/2022
## About the Service
* Link to documentation introducing/describing the service: https://learn.microsoft.com/en-us/azure/cost-management-billing/savings-plan/savings-plan-compute-overview
* Link to the service REST APIs: https://github.com/Azure/azure-rest-api-specs/blob/main/specification/billingbenefits/resource-manager/Microsoft.BillingBenefits/stable/2022-11-01/billingbenefits.json
* Is the goal to release a Public Preview, Private Preview, or GA? GA
## About the client library
* Name of client library:
* Link to library reference documentation:
* Is there an existing SDK library? If yes, provide link: No
## Thank you for your submission!
| non_priority | board review microsoft billingbenefits namespace for azure management plane sdk namespace review thank you for starting the process for approval of the client library for your azure service thorough review of your client library ensures that your apis are consistent with the guidelines and the consumers of your client library have a consistently good experience when using azure the architecture board reviews only if your library does not meet this requirement please reach out to adparch microsoft com before creating the issue please reference our to understand what is being asked for in the issue template before submitting ensure you adjust the title of the issue appropriately note that the required material must be included before a meeting can be scheduled contacts and timeline service team responsible for the client library reservationsrp main contacts expected stable release date for this library about the service link to documentation introducing describing the service link to the service rest apis is the goal to release a public preview private preview or ga ga about the client library name of client library link to library reference documentation is there an existing sdk library if yes provide link no thank you for your submission | 0 |
135,125 | 12,675,614,840 | IssuesEvent | 2020-06-19 02:18:46 | ant-design/ant-design | https://api.github.com/repos/ant-design/ant-design | closed | When sorting is enabled on a column the only sorting options should be ascending and descending. Not ascending, descending and none | Inactive 📝 Documentation 🗣 Discussion | - [x] I have searched the [issues](https://github.com/ant-design/ant-design/issues) of this repository and believe that this is not a duplicate.
### What problem does this feature solve?
Most applications use tables and to improve end user experience add the ability to filter, sort and search. Currently sorting, after being enabled on a column, is almost completely optional. Most apps using tables would prefer if when sorting is enabled that it be required, this makes it less confusing on the end user since they will always know how their table is being sorted. Currently its extremely confusing to have a table sorted descending and when you click the column to try to swap to ascending instead you disable the sort. This also forces you to check on the back-end if the table is sorted, and have a default sort case if its not. Overall I think it just wasted the user and developers time having sorting currently setup like this.
### What does the proposed API look like?
I propose that when sorting is enabled on a column and if you define a default sort order that sorting should stay required. If the user tries to swap that columns sort order they shouldn't be able to disable the sorting. This just wastes the users time, makes an unnecessary DB call, and I can't think of a use case where you would want the results of some data completely unsorted (like why would you want your records ordered randomly in the table). If you want to leave in the older functionality just add a Boolean prop to the table object that is called sortingRequired if there are use cases I'm not seeing but currently this is wasting developer and user time.
<!-- generated by ant-design-issue-helper. DO NOT REMOVE --> | 1.0 | When sorting is enabled on a column the only sorting options should be ascending and descending. Not ascending, descending and none - - [x] I have searched the [issues](https://github.com/ant-design/ant-design/issues) of this repository and believe that this is not a duplicate.
### What problem does this feature solve?
Most applications use tables and to improve end user experience add the ability to filter, sort and search. Currently sorting, after being enabled on a column, is almost completely optional. Most apps using tables would prefer if when sorting is enabled that it be required, this makes it less confusing on the end user since they will always know how their table is being sorted. Currently its extremely confusing to have a table sorted descending and when you click the column to try to swap to ascending instead you disable the sort. This also forces you to check on the back-end if the table is sorted, and have a default sort case if its not. Overall I think it just wasted the user and developers time having sorting currently setup like this.
### What does the proposed API look like?
I propose that when sorting is enabled on a column and if you define a default sort order that sorting should stay required. If the user tries to swap that columns sort order they shouldn't be able to disable the sorting. This just wastes the users time, makes an unnecessary DB call, and I can't think of a use case where you would want the results of some data completely unsorted (like why would you want your records ordered randomly in the table). If you want to leave in the older functionality just add a Boolean prop to the table object that is called sortingRequired if there are use cases I'm not seeing but currently this is wasting developer and user time.
<!-- generated by ant-design-issue-helper. DO NOT REMOVE --> | non_priority | when sorting is enabled on a column the only sorting options should be ascending and descending not ascending descending and none i have searched the of this repository and believe that this is not a duplicate what problem does this feature solve most applications use tables and to improve end user experience add the ability to filter sort and search currently sorting after being enabled on a column is almost completely optional most apps using tables would prefer if when sorting is enabled that it be required this makes it less confusing on the end user since they will always know how their table is being sorted currently its extremely confusing to have a table sorted descending and when you click the column to try to swap to ascending instead you disable the sort this also forces you to check on the back end if the table is sorted and have a default sort case if its not overall i think it just wasted the user and developers time having sorting currently setup like this what does the proposed api look like i propose that when sorting is enabled on a column and if you define a default sort order that sorting should stay required if the user tries to swap that columns sort order they shouldn t be able to disable the sorting this just wastes the users time makes an unnecessary db call and i can t think of a use case where you would want the results of some data completely unsorted like why would you want your records ordered randomly in the table if you want to leave in the older functionality just add a boolean prop to the table object that is called sortingrequired if there are use cases i m not seeing but currently this is wasting developer and user time | 0 |
32,590 | 15,495,856,011 | IssuesEvent | 2021-03-11 01:37:06 | fluttercandies/flutter_wechat_assets_picker | https://api.github.com/repos/fluttercandies/flutter_wechat_assets_picker | closed | [BUG] await entity.file unable to wait iCloud file | await investigate b: third party e: performance r: photo_manager s: feature | **Describe the bug (描述)**
Ios下载iCloud图片时,await一直过不去,图片其实已经下载成功,需要重新调用方法选择图片,可以正常获取File对象
**How to reproduce (如何复现)**
<details>
<summary>Sample code</summary>
```dart
import 'package:flutter/material.dart';
import 'package:wechat_assets_picker/wechat_assets_picker.dart';
void main() => runApp(MyApp());
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Flutter Demo',
theme: ThemeData(
primarySwatch: Colors.blue,
),
home: MyHomePage(title: 'iCloud图片下载问题'),
);
}
}
class MyHomePage extends StatefulWidget {
MyHomePage({Key key, this.title}) : super(key: key);
final String title;
@override
_MyHomePageState createState() => _MyHomePageState();
}
class _MyHomePageState extends State {
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(widget.title),
backgroundColor: Color.fromRGBO(84, 65, 208, 1),
),
body: Center(
child: Text('')
),
floatingActionButton: FloatingActionButton(
onPressed: () async{
final List assets = await AssetPicker.pickAssets(context);
if (assets != null) {
AssetEntity entity = assets[0];
// Ios的iCloud下载问题:await一直过不去,其实已经在下载了,需要重新选择该图片才能获取到文件对象
var file = await entity.file; // 图片在iCloud的话,一直等不到结果
print(file.path);
}
},
tooltip: '点击拍照',
child: Text('拍照'),
),
);
}
}
```
</details>
Steps to reproduce the behavior (描述复现步骤):
1. build APP
2. 点击拍照按钮
3. 选择在iCloud的图片
4. 等待print(),一直等不到
**Expected behavior (期望行为)**
选择图片的时候,如果在iCloud的话,希望可以显示下载进度
**Screenshots (If contains) (是否有截图可以提供)**
无
**Device information (设备信息)**
- Device: iPhone6s plus
- OS: ios14.0.1
- Package Version: 2.10.2
- Flutter Version: 1.22.2
**Additional context (附加信息)**
无
| True | [BUG] await entity.file unable to wait iCloud file - **Describe the bug (描述)**
Ios下载iCloud图片时,await一直过不去,图片其实已经下载成功,需要重新调用方法选择图片,可以正常获取File对象
**How to reproduce (如何复现)**
<details>
<summary>Sample code</summary>
```dart
import 'package:flutter/material.dart';
import 'package:wechat_assets_picker/wechat_assets_picker.dart';
void main() => runApp(MyApp());
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Flutter Demo',
theme: ThemeData(
primarySwatch: Colors.blue,
),
home: MyHomePage(title: 'iCloud图片下载问题'),
);
}
}
class MyHomePage extends StatefulWidget {
MyHomePage({Key key, this.title}) : super(key: key);
final String title;
@override
_MyHomePageState createState() => _MyHomePageState();
}
class _MyHomePageState extends State {
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(widget.title),
backgroundColor: Color.fromRGBO(84, 65, 208, 1),
),
body: Center(
child: Text('')
),
floatingActionButton: FloatingActionButton(
onPressed: () async{
final List assets = await AssetPicker.pickAssets(context);
if (assets != null) {
AssetEntity entity = assets[0];
// Ios的iCloud下载问题:await一直过不去,其实已经在下载了,需要重新选择该图片才能获取到文件对象
var file = await entity.file; // 图片在iCloud的话,一直等不到结果
print(file.path);
}
},
tooltip: '点击拍照',
child: Text('拍照'),
),
);
}
}
```
</details>
Steps to reproduce the behavior (描述复现步骤):
1. build APP
2. 点击拍照按钮
3. 选择在iCloud的图片
4. 等待print(),一直等不到
**Expected behavior (期望行为)**
选择图片的时候,如果在iCloud的话,希望可以显示下载进度
**Screenshots (If contains) (是否有截图可以提供)**
无
**Device information (设备信息)**
- Device: iPhone6s plus
- OS: ios14.0.1
- Package Version: 2.10.2
- Flutter Version: 1.22.2
**Additional context (附加信息)**
无
| non_priority | await entity file unable to wait icloud file describe the bug 描述 ios下载icloud图片时,await一直过不去,图片其实已经下载成功,需要重新调用方法选择图片,可以正常获取file对象 how to reproduce 如何复现 sample code dart import package flutter material dart import package wechat assets picker wechat assets picker dart void main runapp myapp class myapp extends statelesswidget override widget build buildcontext context return materialapp title flutter demo theme themedata primaryswatch colors blue home myhomepage title icloud图片下载问题 class myhomepage extends statefulwidget myhomepage key key this title super key key final string title override myhomepagestate createstate myhomepagestate class myhomepagestate extends state override widget build buildcontext context return scaffold appbar appbar title text widget title backgroundcolor color fromrgbo body center child text floatingactionbutton floatingactionbutton onpressed async final list assets await assetpicker pickassets context if assets null assetentity entity assets ios的icloud下载问题:await一直过不去,其实已经在下载了,需要重新选择该图片才能获取到文件对象 var file await entity file 图片在icloud的话,一直等不到结果 print file path tooltip 点击拍照 child text 拍照 steps to reproduce the behavior 描述复现步骤 build app 点击拍照按钮 选择在icloud的图片 等待print 一直等不到 expected behavior 期望行为 选择图片的时候,如果在icloud的话,希望可以显示下载进度 screenshots if contains 是否有截图可以提供 无 device information 设备信息 device plus os package version flutter version additional context 附加信息 无 | 0 |
13,506 | 3,343,333,066 | IssuesEvent | 2015-11-15 12:08:13 | hughbe/xml.net | https://api.github.com/repos/hughbe/xml.net | closed | Test object deserialization | test | - [x] Test deserializing from XElement
- [x] Test deserializing from string
- [x] Test deserializing from invalid data | 1.0 | Test object deserialization - - [x] Test deserializing from XElement
- [x] Test deserializing from string
- [x] Test deserializing from invalid data | non_priority | test object deserialization test deserializing from xelement test deserializing from string test deserializing from invalid data | 0 |
52,525 | 27,606,141,012 | IssuesEvent | 2023-03-09 13:07:39 | neovim/neovim | https://api.github.com/repos/neovim/neovim | closed | tempname() doesn't always ensure parent dir exists | performance robustness bug-vim | On the first call to tempname(), nvim returns a handle to a nonexistent file like `/tmp/nvimpJVmXL/1` in a nvimpJVmXL/ directory that _does_ exist. But sometimes that directory can get deleted and all subsequent tempname() usages that assume the directory exists will fail. It would be useful to ensure that dir exists on each tempname() call so the whole vim session doesn't get poisoned, even if there's nothing to be done for code using lingering references to previous tempname() paths.
FWIW, vim doesn't consider this a bug (https://groups.google.com/d/topic/vim_use/ef55jNm5czI/discussion), and vim itself assumes the parent dir exists in system().
| True | tempname() doesn't always ensure parent dir exists - On the first call to tempname(), nvim returns a handle to a nonexistent file like `/tmp/nvimpJVmXL/1` in a nvimpJVmXL/ directory that _does_ exist. But sometimes that directory can get deleted and all subsequent tempname() usages that assume the directory exists will fail. It would be useful to ensure that dir exists on each tempname() call so the whole vim session doesn't get poisoned, even if there's nothing to be done for code using lingering references to previous tempname() paths.
FWIW, vim doesn't consider this a bug (https://groups.google.com/d/topic/vim_use/ef55jNm5czI/discussion), and vim itself assumes the parent dir exists in system().
| non_priority | tempname doesn t always ensure parent dir exists on the first call to tempname nvim returns a handle to a nonexistent file like tmp nvimpjvmxl in a nvimpjvmxl directory that does exist but sometimes that directory can get deleted and all subsequent tempname usages that assume the directory exists will fail it would be useful to ensure that dir exists on each tempname call so the whole vim session doesn t get poisoned even if there s nothing to be done for code using lingering references to previous tempname paths fwiw vim doesn t consider this a bug and vim itself assumes the parent dir exists in system | 0 |
344,448 | 30,747,001,640 | IssuesEvent | 2023-07-28 15:47:16 | elastic/kibana | https://api.github.com/repos/elastic/kibana | closed | Failing test: Jest Integration Tests.src/core/server/integration_tests/saved_objects/migrations/group2 - migration v2 completes the migration even when a full batch would exceed ES http.max_content_length | Team:Core failed-test | A test failed on a tracked branch
```
Error: Missing version for public endpoint GET /api/observability_onboarding/custom_logs/step/{name}
at parseEndpoint (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/kbn-server-route-repository/src/parse_endpoint.ts:23:11)
at /var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/x-pack/plugins/observability_onboarding/server/routes/register_routes.ts:39:47
at Array.forEach (<anonymous>)
at forEach (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/x-pack/plugins/observability_onboarding/server/routes/register_routes.ts:37:10)
at ObservabilityOnboardingPlugin.setup (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/x-pack/plugins/observability_onboarding/server/plugin.ts:66:19)
at PluginWrapper.setup (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/core/plugins/core-plugins-server-internal/src/plugin.ts:105:26)
at PluginsSystem.setup [as setupPlugins] (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/core/plugins/core-plugins-server-internal/src/plugins_system.ts:131:40)
at PluginsService.setupPlugins [as setup] (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/core/plugins/core-plugins-server-internal/src/plugins_service.ts:166:52)
at Server.setup (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/core/root/core-root-server-internal/src/server.ts:348:26)
at Root.setup (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/core/root/core-root-server-internal/src/root/index.ts:66:14)
at Object.<anonymous> (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/src/core/server/integration_tests/saved_objects/migrations/group2/batch_size_bytes.test.ts:100:5)
```
First failure: [CI Build - main](https://buildkite.com/elastic/kibana-on-merge/builds/30745#01884a02-35b1-4dfb-aab8-78245d4c47f5)
<!-- kibanaCiData = {"failed-test":{"test.class":"Jest Integration Tests.src/core/server/integration_tests/saved_objects/migrations/group2","test.name":"migration v2 completes the migration even when a full batch would exceed ES http.max_content_length","test.failCount":1}} --> | 1.0 | Failing test: Jest Integration Tests.src/core/server/integration_tests/saved_objects/migrations/group2 - migration v2 completes the migration even when a full batch would exceed ES http.max_content_length - A test failed on a tracked branch
```
Error: Missing version for public endpoint GET /api/observability_onboarding/custom_logs/step/{name}
at parseEndpoint (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/kbn-server-route-repository/src/parse_endpoint.ts:23:11)
at /var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/x-pack/plugins/observability_onboarding/server/routes/register_routes.ts:39:47
at Array.forEach (<anonymous>)
at forEach (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/x-pack/plugins/observability_onboarding/server/routes/register_routes.ts:37:10)
at ObservabilityOnboardingPlugin.setup (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/x-pack/plugins/observability_onboarding/server/plugin.ts:66:19)
at PluginWrapper.setup (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/core/plugins/core-plugins-server-internal/src/plugin.ts:105:26)
at PluginsSystem.setup [as setupPlugins] (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/core/plugins/core-plugins-server-internal/src/plugins_system.ts:131:40)
at PluginsService.setupPlugins [as setup] (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/core/plugins/core-plugins-server-internal/src/plugins_service.ts:166:52)
at Server.setup (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/core/root/core-root-server-internal/src/server.ts:348:26)
at Root.setup (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/packages/core/root/core-root-server-internal/src/root/index.ts:66:14)
at Object.<anonymous> (/var/lib/buildkite-agent/builds/kb-n2-4-spot-6ad4d653405b6337/elastic/kibana-on-merge/kibana/src/core/server/integration_tests/saved_objects/migrations/group2/batch_size_bytes.test.ts:100:5)
```
First failure: [CI Build - main](https://buildkite.com/elastic/kibana-on-merge/builds/30745#01884a02-35b1-4dfb-aab8-78245d4c47f5)
<!-- kibanaCiData = {"failed-test":{"test.class":"Jest Integration Tests.src/core/server/integration_tests/saved_objects/migrations/group2","test.name":"migration v2 completes the migration even when a full batch would exceed ES http.max_content_length","test.failCount":1}} --> | non_priority | failing test jest integration tests src core server integration tests saved objects migrations migration completes the migration even when a full batch would exceed es http max content length a test failed on a tracked branch error missing version for public endpoint get api observability onboarding custom logs step name at parseendpoint var lib buildkite agent builds kb spot elastic kibana on merge kibana packages kbn server route repository src parse endpoint ts at var lib buildkite agent builds kb spot elastic kibana on merge kibana x pack plugins observability onboarding server routes register routes ts at array foreach at foreach var lib buildkite agent builds kb spot elastic kibana on merge kibana x pack plugins observability onboarding server routes register routes ts at observabilityonboardingplugin setup var lib buildkite agent builds kb spot elastic kibana on merge kibana x pack plugins observability onboarding server plugin ts at pluginwrapper setup var lib buildkite agent builds kb spot elastic kibana on merge kibana packages core plugins core plugins server internal src plugin ts at pluginssystem setup var lib buildkite agent builds kb spot elastic kibana on merge kibana packages core plugins core plugins server internal src plugins system ts at pluginsservice setupplugins var lib buildkite agent builds kb spot elastic kibana on merge kibana packages core plugins core plugins server internal src plugins service ts at server setup var lib buildkite agent builds kb spot elastic kibana on merge kibana packages core root core root server internal src server ts at root setup var lib buildkite agent builds kb spot elastic kibana on merge kibana packages core root core root server internal src root index ts at object var lib buildkite agent builds kb spot elastic kibana on merge kibana src core server integration tests saved objects migrations batch size bytes test ts first failure | 0 |
267,817 | 20,246,798,497 | IssuesEvent | 2022-02-14 14:26:51 | mmastro31/talking-oscilloscope | https://api.github.com/repos/mmastro31/talking-oscilloscope | opened | Write Breadboard Prototype section of report | documentation Medium | Complete section of report relating to the breadboard prototype. This can be done after the breadboard prototype is complete. | 1.0 | Write Breadboard Prototype section of report - Complete section of report relating to the breadboard prototype. This can be done after the breadboard prototype is complete. | non_priority | write breadboard prototype section of report complete section of report relating to the breadboard prototype this can be done after the breadboard prototype is complete | 0 |
10,818 | 6,935,799,396 | IssuesEvent | 2017-12-03 13:40:06 | adinfinit/jamvote | https://api.github.com/repos/adinfinit/jamvote | opened | Better link sanitisation | later usability | Currently people seem to put either minimal or broken links into facebook / github fields. | True | Better link sanitisation - Currently people seem to put either minimal or broken links into facebook / github fields. | non_priority | better link sanitisation currently people seem to put either minimal or broken links into facebook github fields | 0 |
49,253 | 12,305,369,179 | IssuesEvent | 2020-05-11 22:21:54 | eccentricdevotion/TARDIS | https://api.github.com/repos/eccentricdevotion/TARDIS | closed | How to change the handbrake AND the current location status | bug build available | **Describe the bug**
There is an admin command /tardisadmin handbrake [player] [value] which should resolve this issue, but - of course - it doesn't... since this only changes some internal value which is not actually used. Even though there's a destination on the sign suggesting the TARDIS is in the world, all other evidence says the TARDIS is still in the time vortex. Some commands like "materialize" seem to do something, but on any attempt to choose a destination it says "destination set, please release the handbrake" but the handbrake "cannot be released while you are in the Time Vortex". Using the admin command effects the status of either error not at all, so while the sound effect plays, the lever itself stays in place, and there's no way of changing its status. I'm not even sure the problem won't persist through restarts since I have no idea how it got in this condition in the first place, but it's certainly stubbornly not going to be moved out of this condition by the current toolset unless you've some magical way of making this work that I"m not figuring out.
**To Reproduce**
Steps to reproduce the behaviour:
1. I don't know?
2. Tardis displays a world coordinate on its console sign, all other indications are that it is still in the Time Vortex with the hand brake on... three conditions that should each be mutually exclusive.
**Screenshots**
https://imgur.com/a/9Yq8Lwm
**Log files**
No log activity
**`/tardis version` output**
Please include an output of your `/tardis version`.
[21:38:25 INFO]: [TARDIS] TARDISChunkGenerator version: 4.3.2
[21:38:25 INFO]: [TARDIS] Server version: 1.15.2-R0.1-SNAPSHOT git-Paper-230 (MC: 1.15.2)
| 1.0 | How to change the handbrake AND the current location status - **Describe the bug**
There is an admin command /tardisadmin handbrake [player] [value] which should resolve this issue, but - of course - it doesn't... since this only changes some internal value which is not actually used. Even though there's a destination on the sign suggesting the TARDIS is in the world, all other evidence says the TARDIS is still in the time vortex. Some commands like "materialize" seem to do something, but on any attempt to choose a destination it says "destination set, please release the handbrake" but the handbrake "cannot be released while you are in the Time Vortex". Using the admin command effects the status of either error not at all, so while the sound effect plays, the lever itself stays in place, and there's no way of changing its status. I'm not even sure the problem won't persist through restarts since I have no idea how it got in this condition in the first place, but it's certainly stubbornly not going to be moved out of this condition by the current toolset unless you've some magical way of making this work that I"m not figuring out.
**To Reproduce**
Steps to reproduce the behaviour:
1. I don't know?
2. Tardis displays a world coordinate on its console sign, all other indications are that it is still in the Time Vortex with the hand brake on... three conditions that should each be mutually exclusive.
**Screenshots**
https://imgur.com/a/9Yq8Lwm
**Log files**
No log activity
**`/tardis version` output**
Please include an output of your `/tardis version`.
[21:38:25 INFO]: [TARDIS] TARDISChunkGenerator version: 4.3.2
[21:38:25 INFO]: [TARDIS] Server version: 1.15.2-R0.1-SNAPSHOT git-Paper-230 (MC: 1.15.2)
| non_priority | how to change the handbrake and the current location status describe the bug there is an admin command tardisadmin handbrake which should resolve this issue but of course it doesn t since this only changes some internal value which is not actually used even though there s a destination on the sign suggesting the tardis is in the world all other evidence says the tardis is still in the time vortex some commands like materialize seem to do something but on any attempt to choose a destination it says destination set please release the handbrake but the handbrake cannot be released while you are in the time vortex using the admin command effects the status of either error not at all so while the sound effect plays the lever itself stays in place and there s no way of changing its status i m not even sure the problem won t persist through restarts since i have no idea how it got in this condition in the first place but it s certainly stubbornly not going to be moved out of this condition by the current toolset unless you ve some magical way of making this work that i m not figuring out to reproduce steps to reproduce the behaviour i don t know tardis displays a world coordinate on its console sign all other indications are that it is still in the time vortex with the hand brake on three conditions that should each be mutually exclusive screenshots log files no log activity tardis version output please include an output of your tardis version tardischunkgenerator version server version snapshot git paper mc | 0 |
251,476 | 27,175,538,276 | IssuesEvent | 2023-02-18 01:02:58 | ThibautCas/ThibautCastelain_07_02_010321 | https://api.github.com/repos/ThibautCas/ThibautCastelain_07_02_010321 | opened | CVE-2023-22580 (Medium) detected in sequelize-6.5.0.tgz | security vulnerability | ## CVE-2023-22580 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>sequelize-6.5.0.tgz</b></p></summary>
<p>Multi dialect ORM for Node.JS</p>
<p>Library home page: <a href="https://registry.npmjs.org/sequelize/-/sequelize-6.5.0.tgz">https://registry.npmjs.org/sequelize/-/sequelize-6.5.0.tgz</a></p>
<p>Path to dependency file: /tmp/ws-scm/ThibautCastelain_07_010321/package.json</p>
<p>Path to vulnerable library: /ThibautCastelain_07_010321/node_modules/sequelize/package.json</p>
<p>
Dependency Hierarchy:
- :x: **sequelize-6.5.0.tgz** (Vulnerable Library)
<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>
Due to improper input filtering in the sequalize js library, can malicious queries lead to sensitive information disclosure.
<p>Publish Date: 2023-02-16
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2023-22580>CVE-2023-22580</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.3</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: None
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | True | CVE-2023-22580 (Medium) detected in sequelize-6.5.0.tgz - ## CVE-2023-22580 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>sequelize-6.5.0.tgz</b></p></summary>
<p>Multi dialect ORM for Node.JS</p>
<p>Library home page: <a href="https://registry.npmjs.org/sequelize/-/sequelize-6.5.0.tgz">https://registry.npmjs.org/sequelize/-/sequelize-6.5.0.tgz</a></p>
<p>Path to dependency file: /tmp/ws-scm/ThibautCastelain_07_010321/package.json</p>
<p>Path to vulnerable library: /ThibautCastelain_07_010321/node_modules/sequelize/package.json</p>
<p>
Dependency Hierarchy:
- :x: **sequelize-6.5.0.tgz** (Vulnerable Library)
<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>
Due to improper input filtering in the sequalize js library, can malicious queries lead to sensitive information disclosure.
<p>Publish Date: 2023-02-16
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2023-22580>CVE-2023-22580</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.3</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: None
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | non_priority | cve medium detected in sequelize tgz cve medium severity vulnerability vulnerable library sequelize tgz multi dialect orm for node js library home page a href path to dependency file tmp ws scm thibautcastelain package json path to vulnerable library thibautcastelain node modules sequelize package json dependency hierarchy x sequelize tgz vulnerable library found in base branch master vulnerability details due to improper input filtering in the sequalize js library can malicious queries lead to sensitive information disclosure 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 low integrity impact none availability impact none for more information on scores click a href step up your open source security game with mend | 0 |
6,389 | 2,842,119,192 | IssuesEvent | 2015-05-28 07:13:03 | owncloud/client | https://api.github.com/repos/owncloud/client | closed | Windows Client continuously discovering | bug Needs info ReadyToTest | I'm using the windows client version 1.8.0 (build 4893). Server is 8.0.2 stable running on lubuntu. After it's walked through the whole discovery process, it will succesfully sync all files (except one*) and then start again a few seconds later - even when I have set remotePollInterval=1000000 in the [general] tab of c:\users\roymcclure\appdata\local\owncloud\owncloud.cfg - thus consuming a big chunk of the cpu time.
* That file it always fails to sync throws an error message in the activity tab of the client: "Not able to upload this file because it is read-only on the server, restoring: Restoration failed: Error downloading .../not/especially/long/path/to/file/file.xml - server replied: Requested Range not satisfiable." I have checked the permissions for that file in the server and they are just the same as all the others that are being synced correctly, read-write for the owner (www-data), read for the rest. | 1.0 | Windows Client continuously discovering - I'm using the windows client version 1.8.0 (build 4893). Server is 8.0.2 stable running on lubuntu. After it's walked through the whole discovery process, it will succesfully sync all files (except one*) and then start again a few seconds later - even when I have set remotePollInterval=1000000 in the [general] tab of c:\users\roymcclure\appdata\local\owncloud\owncloud.cfg - thus consuming a big chunk of the cpu time.
* That file it always fails to sync throws an error message in the activity tab of the client: "Not able to upload this file because it is read-only on the server, restoring: Restoration failed: Error downloading .../not/especially/long/path/to/file/file.xml - server replied: Requested Range not satisfiable." I have checked the permissions for that file in the server and they are just the same as all the others that are being synced correctly, read-write for the owner (www-data), read for the rest. | non_priority | windows client continuously discovering i m using the windows client version build server is stable running on lubuntu after it s walked through the whole discovery process it will succesfully sync all files except one and then start again a few seconds later even when i have set remotepollinterval in the tab of c users roymcclure appdata local owncloud owncloud cfg thus consuming a big chunk of the cpu time that file it always fails to sync throws an error message in the activity tab of the client not able to upload this file because it is read only on the server restoring restoration failed error downloading not especially long path to file file xml server replied requested range not satisfiable i have checked the permissions for that file in the server and they are just the same as all the others that are being synced correctly read write for the owner www data read for the rest | 0 |
163,038 | 12,701,981,571 | IssuesEvent | 2020-06-22 19:14:09 | SynBioHub/synbiohub | https://api.github.com/repos/SynBioHub/synbiohub | closed | Need tests for edit endpoints | test | Should test the /updateMutableDescription, /updateSource, /updateNotes, /updateCitations endpoints with the following tests:
1) uri/value for a page that a user has rights to, without accept header
2) uri/value for a page that a user does not have rights to, without accept header
3) uri/value for a page that a user has rights to, with accept header text/plain
4) uri/value for a page that a user does not have rights to, with accept header text/plain
| 1.0 | Need tests for edit endpoints - Should test the /updateMutableDescription, /updateSource, /updateNotes, /updateCitations endpoints with the following tests:
1) uri/value for a page that a user has rights to, without accept header
2) uri/value for a page that a user does not have rights to, without accept header
3) uri/value for a page that a user has rights to, with accept header text/plain
4) uri/value for a page that a user does not have rights to, with accept header text/plain
| non_priority | need tests for edit endpoints should test the updatemutabledescription updatesource updatenotes updatecitations endpoints with the following tests uri value for a page that a user has rights to without accept header uri value for a page that a user does not have rights to without accept header uri value for a page that a user has rights to with accept header text plain uri value for a page that a user does not have rights to with accept header text plain | 0 |
23,719 | 10,928,084,102 | IssuesEvent | 2019-11-22 18:11:51 | fufunoyu/cucumber | https://api.github.com/repos/fufunoyu/cucumber | opened | CVE-2019-11358 (Medium) detected in jquery-1.11.3.js | security vulnerability | ## CVE-2019-11358 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jquery-1.11.3.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/1.11.3/jquery.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/1.11.3/jquery.js</a></p>
<p>Path to dependency file: /tmp/ws-scm/cucumber/cucumber-react/javascript/node_modules/es6-shim/test/index.html</p>
<p>Path to vulnerable library: /cucumber/cucumber-react/javascript/node_modules/es6-shim/test/index.html</p>
<p>
Dependency Hierarchy:
- :x: **jquery-1.11.3.js** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/fufunoyu/cucumber/commit/14cac61d2ecc4d035f2806c7742941cb1bf3ee6e">14cac61d2ecc4d035f2806c7742941cb1bf3ee6e</a></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>
jQuery before 3.4.0, as used in Drupal, Backdrop CMS, and other products, mishandles jQuery.extend(true, {}, ...) because of Object.prototype pollution. If an unsanitized source object contained an enumerable __proto__ property, it could extend the native Object.prototype.
<p>Publish Date: 2019-04-20
<p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-11358>CVE-2019-11358</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.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-11358">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-11358</a></p>
<p>Release Date: 2019-04-20</p>
<p>Fix Resolution: 3.4.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"1.11.3","isTransitiveDependency":false,"dependencyTree":"jquery:1.11.3","isMinimumFixVersionAvailable":true,"minimumFixVersion":"3.4.0"}],"vulnerabilityIdentifier":"CVE-2019-11358","vulnerabilityDetails":"jQuery before 3.4.0, as used in Drupal, Backdrop CMS, and other products, mishandles jQuery.extend(true, {}, ...) because of Object.prototype pollution. If an unsanitized source object contained an enumerable __proto__ property, it could extend the native Object.prototype.","vulnerabilityUrl":"https://cve.mitre.org/cgi-bin/cvename.cgi?name\u003dCVE-2019-11358","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> --> | True | CVE-2019-11358 (Medium) detected in jquery-1.11.3.js - ## CVE-2019-11358 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jquery-1.11.3.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/1.11.3/jquery.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/1.11.3/jquery.js</a></p>
<p>Path to dependency file: /tmp/ws-scm/cucumber/cucumber-react/javascript/node_modules/es6-shim/test/index.html</p>
<p>Path to vulnerable library: /cucumber/cucumber-react/javascript/node_modules/es6-shim/test/index.html</p>
<p>
Dependency Hierarchy:
- :x: **jquery-1.11.3.js** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/fufunoyu/cucumber/commit/14cac61d2ecc4d035f2806c7742941cb1bf3ee6e">14cac61d2ecc4d035f2806c7742941cb1bf3ee6e</a></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>
jQuery before 3.4.0, as used in Drupal, Backdrop CMS, and other products, mishandles jQuery.extend(true, {}, ...) because of Object.prototype pollution. If an unsanitized source object contained an enumerable __proto__ property, it could extend the native Object.prototype.
<p>Publish Date: 2019-04-20
<p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-11358>CVE-2019-11358</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.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-11358">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-11358</a></p>
<p>Release Date: 2019-04-20</p>
<p>Fix Resolution: 3.4.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"1.11.3","isTransitiveDependency":false,"dependencyTree":"jquery:1.11.3","isMinimumFixVersionAvailable":true,"minimumFixVersion":"3.4.0"}],"vulnerabilityIdentifier":"CVE-2019-11358","vulnerabilityDetails":"jQuery before 3.4.0, as used in Drupal, Backdrop CMS, and other products, mishandles jQuery.extend(true, {}, ...) because of Object.prototype pollution. If an unsanitized source object contained an enumerable __proto__ property, it could extend the native Object.prototype.","vulnerabilityUrl":"https://cve.mitre.org/cgi-bin/cvename.cgi?name\u003dCVE-2019-11358","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> --> | non_priority | cve medium detected in jquery js cve medium severity vulnerability vulnerable library jquery js javascript library for dom operations library home page a href path to dependency file tmp ws scm cucumber cucumber react javascript node modules shim test index html path to vulnerable library cucumber cucumber react javascript node modules shim test index html dependency hierarchy x jquery js vulnerable library found in head commit a href vulnerability details jquery before as used in drupal backdrop cms and other products mishandles jquery extend true because of object prototype pollution if an unsanitized source object contained an enumerable proto property it could extend the native object prototype publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope changed impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution isopenpronvulnerability false ispackagebased true isdefaultbranch true packages vulnerabilityidentifier cve vulnerabilitydetails jquery before as used in drupal backdrop cms and other products mishandles jquery extend true because of object prototype pollution if an unsanitized source object contained an enumerable proto property it could extend the native object prototype vulnerabilityurl | 0 |
25,141 | 11,161,118,415 | IssuesEvent | 2019-12-26 12:27:53 | storybookjs/storybook | https://api.github.com/repos/storybookjs/storybook | closed | [Security] Vulnerability of Low severity in "@storybook/addon-info > marksy > marked" | addon: info security | **Describe the bug**
New vulnerability discovered in July in a sub dependency: `@storybook/addon-info > marksy > marked`
This is in version `5.1.11` of `@storybook/addon-info`.
https://www.npmjs.com/advisories/1076
**Screenshots**
<img width="564" alt="Screenshot 2019-08-22 at 14 29 24" src="https://user-images.githubusercontent.com/1932208/63514757-9f447a80-c4e9-11e9-85b7-98c2be2a6c34.png">
**System**
```
Environment Info:
npmPackages:
@storybook/addon-actions: ^5.1.11 => 5.1.11
@storybook/addon-backgrounds: ^5.1.11 => 5.1.11
@storybook/addon-info: ^5.1.11 => 5.1.11
@storybook/addon-knobs: ^5.1.11 => 5.1.11
@storybook/addon-links: ^5.1.11 => 5.1.11
@storybook/addon-viewport: ^5.1.11 => 5.1.11
@storybook/react: ^5.1.11 => 5.1.11
``` | True | [Security] Vulnerability of Low severity in "@storybook/addon-info > marksy > marked" - **Describe the bug**
New vulnerability discovered in July in a sub dependency: `@storybook/addon-info > marksy > marked`
This is in version `5.1.11` of `@storybook/addon-info`.
https://www.npmjs.com/advisories/1076
**Screenshots**
<img width="564" alt="Screenshot 2019-08-22 at 14 29 24" src="https://user-images.githubusercontent.com/1932208/63514757-9f447a80-c4e9-11e9-85b7-98c2be2a6c34.png">
**System**
```
Environment Info:
npmPackages:
@storybook/addon-actions: ^5.1.11 => 5.1.11
@storybook/addon-backgrounds: ^5.1.11 => 5.1.11
@storybook/addon-info: ^5.1.11 => 5.1.11
@storybook/addon-knobs: ^5.1.11 => 5.1.11
@storybook/addon-links: ^5.1.11 => 5.1.11
@storybook/addon-viewport: ^5.1.11 => 5.1.11
@storybook/react: ^5.1.11 => 5.1.11
``` | non_priority | vulnerability of low severity in storybook addon info marksy marked describe the bug new vulnerability discovered in july in a sub dependency storybook addon info marksy marked this is in version of storybook addon info screenshots img width alt screenshot at src system environment info npmpackages storybook addon actions storybook addon backgrounds storybook addon info storybook addon knobs storybook addon links storybook addon viewport storybook react | 0 |
69,290 | 30,221,195,142 | IssuesEvent | 2023-07-05 19:33:18 | dotnet/runtime | https://api.github.com/repos/dotnet/runtime | opened | Marshalling generator pipeline should unmarshal / marshal parameters into local variables and assign just before return | area-System.Runtime.InteropServices | See https://github.com/dotnet/runtime/issues/88111 for how the current generated code doesn't follow the rules.
## Motivation:
To follow the ownership and lifetime expectations for COM, the generator pipeline should only assign to parameters and return values at the end of the method after unmarshalling / marshalling all parameters has succeeded. The generally recommended way to achieve this is to avoid modifying any parameters until the last basic block that returns a successful HRESULT. For our generator pipeline, this could look like an additional stage where local variables holding the final values of parameters are assigned to the parameters.
## Proposal:
The new list of stages would be:
1. Setup
2. Marshal
3. Pin
4. PinnedMarshal
5. Invoke
6. NotifyForSuccessfulInvoke
7. UnmarshalCapture
8. Unmarshal
9. GuaranteedUnmarshal
10. Cleanup
11. AssignOut
```C#
<< Variable Declarations >>
<< Setup >>
try
{
<< Marshal >>
<< Pin >> (fixed)
{
<< Pinned Marshal >>
<< Invoke >>
}
<< Notify For Successful Invoke >>
<< Unmarshal Capture >>
<< Unmarshal >>
}
finally
{
<< GuaranteedUnmarshal >>
<< Cleanup >>
}
<< AssignOut >>
return <returnValue>;
```
## Issues:
This causes slightly unexpected behavior for arrays of blittable elements that are pinned in the ManagedToUnmanaged stubs. These values could be modified if the pInvoke succeeds, but unmarshalling throws an exception. However, this may be more of a minor issue since this doesn't lead to a memory leak or double free, and can be fixed by allocating and copying all the values to a new temporary array to pass to the Unmanaged COM method.
## Examples:
Assign out would look like the following for the following scenarios for ManagedToUnmanaged.
- struct, blittable type / primitive: Not applicable. These values cannot pass ownership back to the caller.
- reference to struct, blittable type / primitive (`ref StructType parameter`): \<parameter\> = \<UnmarshalledValue\>
- Arrays: \<SpanOfUnmarshalledValues\>.CopyTo(parameter)
- References to reference type: ref <parameter> = ref \<UnmarshalledValue\>
And like the following for UnmanagedToManaged:
- struct, blittable type / primitive: Not applicable. These values cannot pass ownership back to the caller.
- reference to struct, blittable type / primitive (`StructType* parameter`): (*\<parameter\>) = \<MarshalledValue\>
- `StructType* value`
```C#
_value_native = StructTypeMarshaller.ConvertToManaged(...);
...
(*value) = _value_native;
```
- Arrays: \<SpanOfMarshalledValues\>.CopyTo(parameterUnmanagedValuesDestination)
- `int* array, int length`:
```C#
Span<int> _array_native_parameterSpan = ArrayMarshaller<int, int>.GetUnmanagedValuesDestination(array, length);
...
_array_native_nativeSpan.CopyTo(_array_native_parameterSpan);
```
- References to references: (*<parameter>) = <MarshalledValue>
- `int** array`
```C#
int* array_native_nativeSpan = ...;
...
(*array) = _array_native_nativeSpan;`
```
## Drawbacks:
This could be a significant amount of work and may only be necessary for a few edge cases that are left.
## Benefits:
This would make our lifetime issues much less likely and generated code would follow general COM guidance.
This also would allow us to remove ownership tracking marshalling generators like `UnmanagedToManagedOwnershipTrackingStrategy` | 1.0 | Marshalling generator pipeline should unmarshal / marshal parameters into local variables and assign just before return - See https://github.com/dotnet/runtime/issues/88111 for how the current generated code doesn't follow the rules.
## Motivation:
To follow the ownership and lifetime expectations for COM, the generator pipeline should only assign to parameters and return values at the end of the method after unmarshalling / marshalling all parameters has succeeded. The generally recommended way to achieve this is to avoid modifying any parameters until the last basic block that returns a successful HRESULT. For our generator pipeline, this could look like an additional stage where local variables holding the final values of parameters are assigned to the parameters.
## Proposal:
The new list of stages would be:
1. Setup
2. Marshal
3. Pin
4. PinnedMarshal
5. Invoke
6. NotifyForSuccessfulInvoke
7. UnmarshalCapture
8. Unmarshal
9. GuaranteedUnmarshal
10. Cleanup
11. AssignOut
```C#
<< Variable Declarations >>
<< Setup >>
try
{
<< Marshal >>
<< Pin >> (fixed)
{
<< Pinned Marshal >>
<< Invoke >>
}
<< Notify For Successful Invoke >>
<< Unmarshal Capture >>
<< Unmarshal >>
}
finally
{
<< GuaranteedUnmarshal >>
<< Cleanup >>
}
<< AssignOut >>
return <returnValue>;
```
## Issues:
This causes slightly unexpected behavior for arrays of blittable elements that are pinned in the ManagedToUnmanaged stubs. These values could be modified if the pInvoke succeeds, but unmarshalling throws an exception. However, this may be more of a minor issue since this doesn't lead to a memory leak or double free, and can be fixed by allocating and copying all the values to a new temporary array to pass to the Unmanaged COM method.
## Examples:
Assign out would look like the following for the following scenarios for ManagedToUnmanaged.
- struct, blittable type / primitive: Not applicable. These values cannot pass ownership back to the caller.
- reference to struct, blittable type / primitive (`ref StructType parameter`): \<parameter\> = \<UnmarshalledValue\>
- Arrays: \<SpanOfUnmarshalledValues\>.CopyTo(parameter)
- References to reference type: ref <parameter> = ref \<UnmarshalledValue\>
And like the following for UnmanagedToManaged:
- struct, blittable type / primitive: Not applicable. These values cannot pass ownership back to the caller.
- reference to struct, blittable type / primitive (`StructType* parameter`): (*\<parameter\>) = \<MarshalledValue\>
- `StructType* value`
```C#
_value_native = StructTypeMarshaller.ConvertToManaged(...);
...
(*value) = _value_native;
```
- Arrays: \<SpanOfMarshalledValues\>.CopyTo(parameterUnmanagedValuesDestination)
- `int* array, int length`:
```C#
Span<int> _array_native_parameterSpan = ArrayMarshaller<int, int>.GetUnmanagedValuesDestination(array, length);
...
_array_native_nativeSpan.CopyTo(_array_native_parameterSpan);
```
- References to references: (*<parameter>) = <MarshalledValue>
- `int** array`
```C#
int* array_native_nativeSpan = ...;
...
(*array) = _array_native_nativeSpan;`
```
## Drawbacks:
This could be a significant amount of work and may only be necessary for a few edge cases that are left.
## Benefits:
This would make our lifetime issues much less likely and generated code would follow general COM guidance.
This also would allow us to remove ownership tracking marshalling generators like `UnmanagedToManagedOwnershipTrackingStrategy` | non_priority | marshalling generator pipeline should unmarshal marshal parameters into local variables and assign just before return see for how the current generated code doesn t follow the rules motivation to follow the ownership and lifetime expectations for com the generator pipeline should only assign to parameters and return values at the end of the method after unmarshalling marshalling all parameters has succeeded the generally recommended way to achieve this is to avoid modifying any parameters until the last basic block that returns a successful hresult for our generator pipeline this could look like an additional stage where local variables holding the final values of parameters are assigned to the parameters proposal the new list of stages would be setup marshal pin pinnedmarshal invoke notifyforsuccessfulinvoke unmarshalcapture unmarshal guaranteedunmarshal cleanup assignout c try fixed finally return issues this causes slightly unexpected behavior for arrays of blittable elements that are pinned in the managedtounmanaged stubs these values could be modified if the pinvoke succeeds but unmarshalling throws an exception however this may be more of a minor issue since this doesn t lead to a memory leak or double free and can be fixed by allocating and copying all the values to a new temporary array to pass to the unmanaged com method examples assign out would look like the following for the following scenarios for managedtounmanaged struct blittable type primitive not applicable these values cannot pass ownership back to the caller reference to struct blittable type primitive ref structtype parameter arrays copyto parameter references to reference type ref ref and like the following for unmanagedtomanaged struct blittable type primitive not applicable these values cannot pass ownership back to the caller reference to struct blittable type primitive structtype parameter structtype value c value native structtypemarshaller converttomanaged value value native arrays copyto parameterunmanagedvaluesdestination int array int length c span array native parameterspan arraymarshaller getunmanagedvaluesdestination array length array native nativespan copyto array native parameterspan references to references int array c int array native nativespan array array native nativespan drawbacks this could be a significant amount of work and may only be necessary for a few edge cases that are left benefits this would make our lifetime issues much less likely and generated code would follow general com guidance this also would allow us to remove ownership tracking marshalling generators like unmanagedtomanagedownershiptrackingstrategy | 0 |
219,120 | 16,818,541,196 | IssuesEvent | 2021-06-17 10:14:58 | LogNet/grpc-spring-boot-starter | https://api.github.com/repos/LogNet/grpc-spring-boot-starter | closed | Document GRPC starter + Kafka Stream usage | documentation | Hi, I am having problem starting a spring cloud app using this project when no Kafka is available, which is normal in development. The app will hang until KafkaAdminClient times out after 60 s before the app is fully started.
What happens is that the bean `grpcInternalConfigurator` which is defined as a `Consumer<ServerBuilder<?>>` seems to request a Kafka Topic. This is because spring cloud streaming treats beans of `Consumer`, `Supplier` and `Function` as part of their messing system.
I am not sure if the intent of `GRpcAutoConfiguration` is to depend on this feature. From what I can tell it does not look so, however, I am a novice in this area so I could be wrong. | 1.0 | Document GRPC starter + Kafka Stream usage - Hi, I am having problem starting a spring cloud app using this project when no Kafka is available, which is normal in development. The app will hang until KafkaAdminClient times out after 60 s before the app is fully started.
What happens is that the bean `grpcInternalConfigurator` which is defined as a `Consumer<ServerBuilder<?>>` seems to request a Kafka Topic. This is because spring cloud streaming treats beans of `Consumer`, `Supplier` and `Function` as part of their messing system.
I am not sure if the intent of `GRpcAutoConfiguration` is to depend on this feature. From what I can tell it does not look so, however, I am a novice in this area so I could be wrong. | non_priority | document grpc starter kafka stream usage hi i am having problem starting a spring cloud app using this project when no kafka is available which is normal in development the app will hang until kafkaadminclient times out after s before the app is fully started what happens is that the bean grpcinternalconfigurator which is defined as a consumer seems to request a kafka topic this is because spring cloud streaming treats beans of consumer supplier and function as part of their messing system i am not sure if the intent of grpcautoconfiguration is to depend on this feature from what i can tell it does not look so however i am a novice in this area so i could be wrong | 0 |
40,081 | 12,746,058,077 | IssuesEvent | 2020-06-26 15:16:36 | OpenLiberty/open-liberty | https://api.github.com/repos/OpenLiberty/open-liberty | closed | Some file base keystore are a getting marked not file based | team:Core Security | Some file based keystore are getting marked not file based causing some file based keystore to fail to load. This may happen only if the file based keystore is something other then PKCS12, JKS, and JCEKS. | True | Some file base keystore are a getting marked not file based - Some file based keystore are getting marked not file based causing some file based keystore to fail to load. This may happen only if the file based keystore is something other then PKCS12, JKS, and JCEKS. | non_priority | some file base keystore are a getting marked not file based some file based keystore are getting marked not file based causing some file based keystore to fail to load this may happen only if the file based keystore is something other then jks and jceks | 0 |
12,552 | 3,621,265,642 | IssuesEvent | 2016-02-08 23:17:28 | dart-lang/sdk | https://api.github.com/repos/dart-lang/sdk | opened | There's no documentation for how to call a VM service extension method | area-observatory type-documentation | `dart:developer` supports a means for developers to [register extensions](https://api.dartlang.org/1.14.1/dart-developer/registerExtension.html) to the VM service, but there's no documentation in the [service protocol](https://github.com/dart-lang/sdk/blob/master/runtime/vm/service/service.md) for how those extension handlers should be invoked. The `registerExtension` documentation says "users of extensions must always specify a target isolate", but there's no information about how to specify that or what RPC call to use. | 1.0 | There's no documentation for how to call a VM service extension method - `dart:developer` supports a means for developers to [register extensions](https://api.dartlang.org/1.14.1/dart-developer/registerExtension.html) to the VM service, but there's no documentation in the [service protocol](https://github.com/dart-lang/sdk/blob/master/runtime/vm/service/service.md) for how those extension handlers should be invoked. The `registerExtension` documentation says "users of extensions must always specify a target isolate", but there's no information about how to specify that or what RPC call to use. | non_priority | there s no documentation for how to call a vm service extension method dart developer supports a means for developers to to the vm service but there s no documentation in the for how those extension handlers should be invoked the registerextension documentation says users of extensions must always specify a target isolate but there s no information about how to specify that or what rpc call to use | 0 |
85,405 | 15,736,700,274 | IssuesEvent | 2021-03-30 01:14:18 | jrshutske/unit-conversion-api | https://api.github.com/repos/jrshutske/unit-conversion-api | opened | CVE-2019-17563 (High) detected in tomcat-embed-core-9.0.14.jar | security vulnerability | ## CVE-2019-17563 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>tomcat-embed-core-9.0.14.jar</b></p></summary>
<p>Core Tomcat implementation</p>
<p>Path to dependency file: /unit-conversion-api/pom.xml</p>
<p>Path to vulnerable library: /root/.m2/repository/org/apache/tomcat/embed/tomcat-embed-core/9.0.14/tomcat-embed-core-9.0.14.jar</p>
<p>
Dependency Hierarchy:
- spring-boot-starter-web-2.1.2.RELEASE.jar (Root Library)
- spring-boot-starter-tomcat-2.1.2.RELEASE.jar
- :x: **tomcat-embed-core-9.0.14.jar** (Vulnerable Library)
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
When using FORM authentication with Apache Tomcat 9.0.0.M1 to 9.0.29, 8.5.0 to 8.5.49 and 7.0.0 to 7.0.98 there was a narrow window where an attacker could perform a session fixation attack. The window was considered too narrow for an exploit to be practical but, erring on the side of caution, this issue has been treated as a security vulnerability.
<p>Publish Date: 2019-12-23
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-17563>CVE-2019-17563</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: High
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-17563">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-17563</a></p>
<p>Release Date: 2019-12-23</p>
<p>Fix Resolution: org.apache.tomcat.embed:tomcat-embed-core:7.0.99,8.5.50,9.0.30;org.apache.tomcat:tomcat-catalina:7.0.99,8.5.50,9.0.30</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-2019-17563 (High) detected in tomcat-embed-core-9.0.14.jar - ## CVE-2019-17563 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>tomcat-embed-core-9.0.14.jar</b></p></summary>
<p>Core Tomcat implementation</p>
<p>Path to dependency file: /unit-conversion-api/pom.xml</p>
<p>Path to vulnerable library: /root/.m2/repository/org/apache/tomcat/embed/tomcat-embed-core/9.0.14/tomcat-embed-core-9.0.14.jar</p>
<p>
Dependency Hierarchy:
- spring-boot-starter-web-2.1.2.RELEASE.jar (Root Library)
- spring-boot-starter-tomcat-2.1.2.RELEASE.jar
- :x: **tomcat-embed-core-9.0.14.jar** (Vulnerable Library)
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
When using FORM authentication with Apache Tomcat 9.0.0.M1 to 9.0.29, 8.5.0 to 8.5.49 and 7.0.0 to 7.0.98 there was a narrow window where an attacker could perform a session fixation attack. The window was considered too narrow for an exploit to be practical but, erring on the side of caution, this issue has been treated as a security vulnerability.
<p>Publish Date: 2019-12-23
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-17563>CVE-2019-17563</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: High
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-17563">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-17563</a></p>
<p>Release Date: 2019-12-23</p>
<p>Fix Resolution: org.apache.tomcat.embed:tomcat-embed-core:7.0.99,8.5.50,9.0.30;org.apache.tomcat:tomcat-catalina:7.0.99,8.5.50,9.0.30</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 tomcat embed core jar cve high severity vulnerability vulnerable library tomcat embed core jar core tomcat implementation path to dependency file unit conversion api pom xml path to vulnerable library root repository org apache tomcat embed tomcat embed core tomcat embed core jar dependency hierarchy spring boot starter web release jar root library spring boot starter tomcat release jar x tomcat embed core jar vulnerable library vulnerability details when using form authentication with apache tomcat to to and to there was a narrow window where an attacker could perform a session fixation attack the window was considered too narrow for an exploit to be practical but erring on the side of caution this issue has been treated as a security vulnerability 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 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 org apache tomcat embed tomcat embed core org apache tomcat tomcat catalina step up your open source security game with whitesource | 0 |
264,057 | 23,098,724,660 | IssuesEvent | 2022-07-26 22:47:10 | eclipse-openj9/openj9 | https://api.github.com/repos/eclipse-openj9/openj9 | opened | JDK11 cmdLineTester_criu_2_FAILED [ERR] Error (criu/cr-restore.c:1480): 2849080 killed by signal 11: Segmentation fault | test failure | Failure link
------------
From [an internal build](https://hyc-runtimes-jenkins.swg-devops.com/job/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/272/)(`ubu22x86-rt2-1`):
```
java version "11.0.16-ea" 2022-07-19
IBM Semeru Runtime Open Edition 11.0.16.0-july_22-preview_1 (build 11.0.16-ea+8)
Eclipse OpenJ9 VM 11.0.16.0-july_22-preview_1 (build HEAD-509a857f346, JRE 11 Linux amd64-64-Bit Compressed References 20220725_27 (JIT enabled, AOT enabled)
OpenJ9 - 509a857f346
OMR - d1e503e41
JCL - 2927262e48 based on jdk-11.0.16+8)
```
[Rerun in Grinder](https://hyc-runtimes-jenkins.swg-devops.com/job/Grinder/parambuild/?SDK_RESOURCE=upstream&TARGET=-f+parallelList.mk+testList_1&TEST_FLAG=&UPSTREAM_TEST_JOB_NAME=Test_openjdk11_j9_sanity.functional_x86-64_linux&DOCKER_REQUIRED=false&ACTIVE_NODE_TIMEOUT=0&VENDOR_TEST_DIRS=&EXTRA_DOCKER_ARGS=&TKG_OWNER_BRANCH=adoptium%3Amaster&OPENJ9_SYSTEMTEST_OWNER_BRANCH=eclipse%3Amaster&PLATFORM=x86-64_linux&GENERATE_JOBS=false&KEEP_REPORTDIR=false&PERSONAL_BUILD=false&ADOPTOPENJDK_REPO=https%3A%2F%2Fgithub.com%2Fadoptium%2Faqa-tests.git&LABEL=&EXTRA_OPTIONS=&CUSTOMIZED_SDK_URL=+https%3A%2F%2Fna.artifactory.swg-devops.com%2Fartifactory%2Fsys-rt-generic-local%2Fhyc-runtimes-jenkins.swg-devops.com%2Fbuild-scripts%2Fjobs%2Fjdk11u%2Fjdk11u-linux-x64-openj9-criu%2F27%2Fibm-semeru-open-ea-jre_x64_linux_11.0.16_8_july_22-preview_1.tar.gz+https%3A%2F%2Fna.artifactory.swg-devops.com%2Fartifactory%2Fsys-rt-generic-local%2Fhyc-runtimes-jenkins.swg-devops.com%2Fbuild-scripts%2Fjobs%2Fjdk11u%2Fjdk11u-linux-x64-openj9-criu%2F27%2Fibm-semeru-open-ea-debugimage_x64_linux_11.0.16_8_july_22-preview_1.tar.gz+https%3A%2F%2Fna.artifactory.swg-devops.com%2Fartifactory%2Fsys-rt-generic-local%2Fhyc-runtimes-jenkins.swg-devops.com%2Fbuild-scripts%2Fjobs%2Fjdk11u%2Fjdk11u-linux-x64-openj9-criu%2F27%2Fibm-semeru-open-ea-testimage_x64_linux_11.0.16_8_july_22-preview_1.tar.gz+https%3A%2F%2Fna.artifactory.swg-devops.com%2Fartifactory%2Fsys-rt-generic-local%2Fhyc-runtimes-jenkins.swg-devops.com%2Fbuild-scripts%2Fjobs%2Fjdk11u%2Fjdk11u-linux-x64-openj9-criu%2F27%2Fibm-semeru-open-ea-jdk_x64_linux_11.0.16_8_july_22-preview_1.tar.gz&BUILD_IDENTIFIER=&ADOPTOPENJDK_BRANCH=master&LIGHT_WEIGHT_CHECKOUT=false&USE_JRE=false&ARTIFACTORY_SERVER=na.artifactory.swg-devops&KEEP_WORKSPACE=false&USER_CREDENTIALS_ID=&JDK_VERSION=11&ITERATIONS=1&VENDOR_TEST_REPOS=&JDK_REPO=git%40github.com%3Aibmruntimes%2Fopenj9-openjdk-jdk11&RELEASE_TAG=&OPENJ9_BRANCH=master&OPENJ9_SHA=&JCK_GIT_REPO=&VENDOR_TEST_BRANCHES=&OPENJ9_REPO=https%3A%2F%2Fgithub.com%2Feclipse-openj9%2Fopenj9.git&UPSTREAM_JOB_NAME=&CLOUD_PROVIDER=&CUSTOM_TARGET=&VENDOR_TEST_SHAS=&JDK_BRANCH=openj9&LABEL_ADDITION=ci.project.openj9+%26%26+hw.arch.x86+%26%26+sw.os.linux+%26%26+ci.role.test.criu&ARTIFACTORY_REPO=&ARTIFACTORY_ROOT_DIR=&UPSTREAM_TEST_JOB_NUMBER=338&DOCKERIMAGE_TAG=&JDK_IMPL=openj9&TEST_TIME=&SSH_AGENT_CREDENTIAL=83181e25-eea4-4f55-8b3e-e79615733226&AUTO_DETECT=true&SLACK_CHANNEL=&DYNAMIC_COMPILE=true&ADOPTOPENJDK_SYSTEMTEST_OWNER_BRANCH=adoptium%3Amaster&CUSTOMIZED_SDK_URL_CREDENTIAL_ID=4e18ffe7-b1b1-4272-9979-99769b68bcc2&ARCHIVE_TEST_RESULTS=false&NUM_MACHINES=&OPENJDK_SHA=&TRSS_URL=http%3A%2F%2Ftrss1.fyre.ibm.com&USE_TESTENV_PROPERTIES=false&BUILD_LIST=functional&UPSTREAM_JOB_NUMBER=&STF_OWNER_BRANCH=adoptium%3Amaster&TIME_LIMIT=20&JVM_OPTIONS=&PARALLEL=None) - Change TARGET to run only the failed test targets.
Optional info
-------------
Failure output (captured from console output)
---------------------------------------------
```
[2022-07-25T21:12:46.840Z] variation: -Xjit:count=0
[2022-07-25T21:12:46.840Z] JVM_OPTIONS: -Xjit:count=0
[2022-07-25T21:12:56.916Z] *** Starting test suite: J9 Criu Command-Line Option Tests ***
[2022-07-25T21:12:56.916Z] Testing: Create and Restore Criu Checkpoint Image once
[2022-07-25T21:13:01.529Z] Test start time: 2022/07/25 14:12:58 Pacific Standard Time
[2022-07-25T21:13:01.964Z] Running command: bash /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/openjdkbinary/j2sdk-image/bin/java -Xjit:count=0 org.openj9.criu.CRIUSimpleTest 1 1 false
[2022-07-25T21:13:02.398Z] Time spent starting: 645 milliseconds
[2022-07-25T21:13:06.911Z] Time spent executing: 5026 milliseconds
[2022-07-25T21:13:06.911Z] Test result: FAILED
[2022-07-25T21:13:06.911Z] Output from test:
[2022-07-25T21:13:06.911Z] [OUT] start running script
[2022-07-25T21:13:06.911Z] [OUT] Total checkpoint(s) 1:
[2022-07-25T21:13:06.911Z] [OUT] Pre-checkpoint
[2022-07-25T21:13:06.911Z] [OUT] finished script
[2022-07-25T21:13:06.911Z] [ERR] /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh: line 35: 2849080 Killed $2 -XX:+EnableCRIUSupport $3 -cp "$1/criu.jar" $4 $5 "$6" > testOutput 2>&1
[2022-07-25T21:13:06.911Z] [ERR] Error (criu/cr-restore.c:1480): 2849080 killed by signal 11: Segmentation fault
[2022-07-25T21:13:06.911Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:06.911Z] >> Success condition was found: [Output match: Killed]
[2022-07-25T21:13:06.911Z] >> Required condition was found: [Output match: Pre-checkpoint]
[2022-07-25T21:13:06.911Z] >> Required condition was not found: [Output match: Post-checkpoint]
[2022-07-25T21:13:06.911Z] >> Failure condition was not found: [Output match: CRIU is not enabled]
[2022-07-25T21:13:06.911Z] >> Failure condition was not found: [Output match: Operation not permitted]
[2022-07-25T21:13:06.911Z] >> Failure condition was not found: [Output match: ERR]
[2022-07-25T21:13:06.911Z]
[2022-07-25T21:13:06.911Z] Testing: Create and Restore Criu Checkpoint Image twice
[2022-07-25T21:13:06.911Z] Test start time: 2022/07/25 14:13:06 Pacific Standard Time
[2022-07-25T21:13:06.911Z] Running command: bash /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/openjdkbinary/j2sdk-image/bin/java -Xjit:count=0 org.openj9.criu.CRIUSimpleTest 2 2 false
[2022-07-25T21:13:06.911Z] Time spent starting: 16 milliseconds
[2022-07-25T21:13:13.746Z] Time spent executing: 6228 milliseconds
[2022-07-25T21:13:13.746Z] Test result: FAILED
[2022-07-25T21:13:13.746Z] Output from test:
[2022-07-25T21:13:13.746Z] [OUT] start running script
[2022-07-25T21:13:13.746Z] [OUT] Total checkpoint(s) 2:
[2022-07-25T21:13:13.746Z] [OUT] Pre-checkpoint
[2022-07-25T21:13:13.746Z] [OUT] finished script
[2022-07-25T21:13:13.746Z] [ERR] /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh: line 35: 2849113 Killed $2 -XX:+EnableCRIUSupport $3 -cp "$1/criu.jar" $4 $5 "$6" > testOutput 2>&1
[2022-07-25T21:13:13.746Z] [ERR] Error (criu/cr-restore.c:1480): 2849113 killed by signal 11: Segmentation fault
[2022-07-25T21:13:13.746Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:13.746Z] [ERR] Error (criu/cr-restore.c:1480): 2849113 killed by signal 11: Segmentation fault
[2022-07-25T21:13:13.746Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:13.746Z] >> Success condition was found: [Output match: Killed]
[2022-07-25T21:13:13.746Z] >> Required condition was found: [Output match: Pre-checkpoint]
[2022-07-25T21:13:13.746Z] >> Required condition was not found: [Output match: Post-checkpoint 1]
[2022-07-25T21:13:13.746Z] >> Required condition was not found: [Output match: Post-checkpoint 2]
[2022-07-25T21:13:13.746Z] >> Failure condition was not found: [Output match: CRIU is not enabled]
[2022-07-25T21:13:13.746Z] >> Failure condition was not found: [Output match: Operation not permitted]
[2022-07-25T21:13:13.746Z] >> Failure condition was not found: [Output match: ERR]
[2022-07-25T21:13:13.746Z]
[2022-07-25T21:13:13.746Z] Testing: Create and Restore Criu Checkpoint Image three times
[2022-07-25T21:13:13.746Z] Test start time: 2022/07/25 14:13:12 Pacific Standard Time
[2022-07-25T21:13:13.746Z] Running command: bash /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/openjdkbinary/j2sdk-image/bin/java -Xjit:count=0 org.openj9.criu.CRIUSimpleTest 3 3 false
[2022-07-25T21:13:13.746Z] Time spent starting: 3 milliseconds
[2022-07-25T21:13:20.593Z] Time spent executing: 7424 milliseconds
[2022-07-25T21:13:20.594Z] Test result: FAILED
[2022-07-25T21:13:20.594Z] Output from test:
[2022-07-25T21:13:20.594Z] [OUT] start running script
[2022-07-25T21:13:20.594Z] [OUT] Total checkpoint(s) 3:
[2022-07-25T21:13:20.594Z] [OUT] Pre-checkpoint
[2022-07-25T21:13:20.594Z] [OUT] finished script
[2022-07-25T21:13:20.594Z] [ERR] /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh: line 35: 2849149 Killed $2 -XX:+EnableCRIUSupport $3 -cp "$1/criu.jar" $4 $5 "$6" > testOutput 2>&1
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:1480): 2849149 killed by signal 11: Segmentation fault
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:1480): 2849149 killed by signal 11: Segmentation fault
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:1480): 2849149 killed by signal 11: Segmentation fault
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:20.594Z] >> Success condition was found: [Output match: Killed]
[2022-07-25T21:13:20.594Z] >> Required condition was found: [Output match: Pre-checkpoint]
[2022-07-25T21:13:20.594Z] >> Required condition was not found: [Output match: Post-checkpoint 1]
[2022-07-25T21:13:20.594Z] >> Required condition was not found: [Output match: Post-checkpoint 2]
[2022-07-25T21:13:20.594Z] >> Required condition was not found: [Output match: Post-checkpoint 3]
[2022-07-25T21:13:20.594Z] >> Failure condition was not found: [Output match: CRIU is not enabled]
[2022-07-25T21:13:20.594Z] >> Failure condition was not found: [Output match: Operation not permitted]
[2022-07-25T21:13:20.594Z] >> Failure condition was not found: [Output match: ERR]
[2022-07-25T21:13:20.594Z]
[2022-07-25T21:13:20.594Z]
[2022-07-25T21:13:20.594Z] ---TEST RESULTS---
[2022-07-25T21:13:21.035Z] Number of PASSED tests: 0 out of 3
[2022-07-25T21:13:21.035Z] Number of FAILED tests: 3 out of 3
[2022-07-25T21:13:21.035Z]
[2022-07-25T21:13:21.035Z] ---SUMMARY OF FAILED TESTS---
[2022-07-25T21:13:21.035Z] Create and Restore Criu Checkpoint Image once
[2022-07-25T21:13:21.035Z] Create and Restore Criu Checkpoint Image twice
[2022-07-25T21:13:21.035Z] Create and Restore Criu Checkpoint Image three times
[2022-07-25T21:13:21.035Z] -----------------------------
[2022-07-25T21:13:21.035Z]
[2022-07-25T21:13:21.476Z]
[2022-07-25T21:13:21.476Z] cmdLineTester_criu_2_FAILED
```
[10x grinder](https://hyc-runtimes-jenkins.swg-devops.com/job/Grinder/26184/)
| 1.0 | JDK11 cmdLineTester_criu_2_FAILED [ERR] Error (criu/cr-restore.c:1480): 2849080 killed by signal 11: Segmentation fault - Failure link
------------
From [an internal build](https://hyc-runtimes-jenkins.swg-devops.com/job/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/272/)(`ubu22x86-rt2-1`):
```
java version "11.0.16-ea" 2022-07-19
IBM Semeru Runtime Open Edition 11.0.16.0-july_22-preview_1 (build 11.0.16-ea+8)
Eclipse OpenJ9 VM 11.0.16.0-july_22-preview_1 (build HEAD-509a857f346, JRE 11 Linux amd64-64-Bit Compressed References 20220725_27 (JIT enabled, AOT enabled)
OpenJ9 - 509a857f346
OMR - d1e503e41
JCL - 2927262e48 based on jdk-11.0.16+8)
```
[Rerun in Grinder](https://hyc-runtimes-jenkins.swg-devops.com/job/Grinder/parambuild/?SDK_RESOURCE=upstream&TARGET=-f+parallelList.mk+testList_1&TEST_FLAG=&UPSTREAM_TEST_JOB_NAME=Test_openjdk11_j9_sanity.functional_x86-64_linux&DOCKER_REQUIRED=false&ACTIVE_NODE_TIMEOUT=0&VENDOR_TEST_DIRS=&EXTRA_DOCKER_ARGS=&TKG_OWNER_BRANCH=adoptium%3Amaster&OPENJ9_SYSTEMTEST_OWNER_BRANCH=eclipse%3Amaster&PLATFORM=x86-64_linux&GENERATE_JOBS=false&KEEP_REPORTDIR=false&PERSONAL_BUILD=false&ADOPTOPENJDK_REPO=https%3A%2F%2Fgithub.com%2Fadoptium%2Faqa-tests.git&LABEL=&EXTRA_OPTIONS=&CUSTOMIZED_SDK_URL=+https%3A%2F%2Fna.artifactory.swg-devops.com%2Fartifactory%2Fsys-rt-generic-local%2Fhyc-runtimes-jenkins.swg-devops.com%2Fbuild-scripts%2Fjobs%2Fjdk11u%2Fjdk11u-linux-x64-openj9-criu%2F27%2Fibm-semeru-open-ea-jre_x64_linux_11.0.16_8_july_22-preview_1.tar.gz+https%3A%2F%2Fna.artifactory.swg-devops.com%2Fartifactory%2Fsys-rt-generic-local%2Fhyc-runtimes-jenkins.swg-devops.com%2Fbuild-scripts%2Fjobs%2Fjdk11u%2Fjdk11u-linux-x64-openj9-criu%2F27%2Fibm-semeru-open-ea-debugimage_x64_linux_11.0.16_8_july_22-preview_1.tar.gz+https%3A%2F%2Fna.artifactory.swg-devops.com%2Fartifactory%2Fsys-rt-generic-local%2Fhyc-runtimes-jenkins.swg-devops.com%2Fbuild-scripts%2Fjobs%2Fjdk11u%2Fjdk11u-linux-x64-openj9-criu%2F27%2Fibm-semeru-open-ea-testimage_x64_linux_11.0.16_8_july_22-preview_1.tar.gz+https%3A%2F%2Fna.artifactory.swg-devops.com%2Fartifactory%2Fsys-rt-generic-local%2Fhyc-runtimes-jenkins.swg-devops.com%2Fbuild-scripts%2Fjobs%2Fjdk11u%2Fjdk11u-linux-x64-openj9-criu%2F27%2Fibm-semeru-open-ea-jdk_x64_linux_11.0.16_8_july_22-preview_1.tar.gz&BUILD_IDENTIFIER=&ADOPTOPENJDK_BRANCH=master&LIGHT_WEIGHT_CHECKOUT=false&USE_JRE=false&ARTIFACTORY_SERVER=na.artifactory.swg-devops&KEEP_WORKSPACE=false&USER_CREDENTIALS_ID=&JDK_VERSION=11&ITERATIONS=1&VENDOR_TEST_REPOS=&JDK_REPO=git%40github.com%3Aibmruntimes%2Fopenj9-openjdk-jdk11&RELEASE_TAG=&OPENJ9_BRANCH=master&OPENJ9_SHA=&JCK_GIT_REPO=&VENDOR_TEST_BRANCHES=&OPENJ9_REPO=https%3A%2F%2Fgithub.com%2Feclipse-openj9%2Fopenj9.git&UPSTREAM_JOB_NAME=&CLOUD_PROVIDER=&CUSTOM_TARGET=&VENDOR_TEST_SHAS=&JDK_BRANCH=openj9&LABEL_ADDITION=ci.project.openj9+%26%26+hw.arch.x86+%26%26+sw.os.linux+%26%26+ci.role.test.criu&ARTIFACTORY_REPO=&ARTIFACTORY_ROOT_DIR=&UPSTREAM_TEST_JOB_NUMBER=338&DOCKERIMAGE_TAG=&JDK_IMPL=openj9&TEST_TIME=&SSH_AGENT_CREDENTIAL=83181e25-eea4-4f55-8b3e-e79615733226&AUTO_DETECT=true&SLACK_CHANNEL=&DYNAMIC_COMPILE=true&ADOPTOPENJDK_SYSTEMTEST_OWNER_BRANCH=adoptium%3Amaster&CUSTOMIZED_SDK_URL_CREDENTIAL_ID=4e18ffe7-b1b1-4272-9979-99769b68bcc2&ARCHIVE_TEST_RESULTS=false&NUM_MACHINES=&OPENJDK_SHA=&TRSS_URL=http%3A%2F%2Ftrss1.fyre.ibm.com&USE_TESTENV_PROPERTIES=false&BUILD_LIST=functional&UPSTREAM_JOB_NUMBER=&STF_OWNER_BRANCH=adoptium%3Amaster&TIME_LIMIT=20&JVM_OPTIONS=&PARALLEL=None) - Change TARGET to run only the failed test targets.
Optional info
-------------
Failure output (captured from console output)
---------------------------------------------
```
[2022-07-25T21:12:46.840Z] variation: -Xjit:count=0
[2022-07-25T21:12:46.840Z] JVM_OPTIONS: -Xjit:count=0
[2022-07-25T21:12:56.916Z] *** Starting test suite: J9 Criu Command-Line Option Tests ***
[2022-07-25T21:12:56.916Z] Testing: Create and Restore Criu Checkpoint Image once
[2022-07-25T21:13:01.529Z] Test start time: 2022/07/25 14:12:58 Pacific Standard Time
[2022-07-25T21:13:01.964Z] Running command: bash /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/openjdkbinary/j2sdk-image/bin/java -Xjit:count=0 org.openj9.criu.CRIUSimpleTest 1 1 false
[2022-07-25T21:13:02.398Z] Time spent starting: 645 milliseconds
[2022-07-25T21:13:06.911Z] Time spent executing: 5026 milliseconds
[2022-07-25T21:13:06.911Z] Test result: FAILED
[2022-07-25T21:13:06.911Z] Output from test:
[2022-07-25T21:13:06.911Z] [OUT] start running script
[2022-07-25T21:13:06.911Z] [OUT] Total checkpoint(s) 1:
[2022-07-25T21:13:06.911Z] [OUT] Pre-checkpoint
[2022-07-25T21:13:06.911Z] [OUT] finished script
[2022-07-25T21:13:06.911Z] [ERR] /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh: line 35: 2849080 Killed $2 -XX:+EnableCRIUSupport $3 -cp "$1/criu.jar" $4 $5 "$6" > testOutput 2>&1
[2022-07-25T21:13:06.911Z] [ERR] Error (criu/cr-restore.c:1480): 2849080 killed by signal 11: Segmentation fault
[2022-07-25T21:13:06.911Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:06.911Z] >> Success condition was found: [Output match: Killed]
[2022-07-25T21:13:06.911Z] >> Required condition was found: [Output match: Pre-checkpoint]
[2022-07-25T21:13:06.911Z] >> Required condition was not found: [Output match: Post-checkpoint]
[2022-07-25T21:13:06.911Z] >> Failure condition was not found: [Output match: CRIU is not enabled]
[2022-07-25T21:13:06.911Z] >> Failure condition was not found: [Output match: Operation not permitted]
[2022-07-25T21:13:06.911Z] >> Failure condition was not found: [Output match: ERR]
[2022-07-25T21:13:06.911Z]
[2022-07-25T21:13:06.911Z] Testing: Create and Restore Criu Checkpoint Image twice
[2022-07-25T21:13:06.911Z] Test start time: 2022/07/25 14:13:06 Pacific Standard Time
[2022-07-25T21:13:06.911Z] Running command: bash /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/openjdkbinary/j2sdk-image/bin/java -Xjit:count=0 org.openj9.criu.CRIUSimpleTest 2 2 false
[2022-07-25T21:13:06.911Z] Time spent starting: 16 milliseconds
[2022-07-25T21:13:13.746Z] Time spent executing: 6228 milliseconds
[2022-07-25T21:13:13.746Z] Test result: FAILED
[2022-07-25T21:13:13.746Z] Output from test:
[2022-07-25T21:13:13.746Z] [OUT] start running script
[2022-07-25T21:13:13.746Z] [OUT] Total checkpoint(s) 2:
[2022-07-25T21:13:13.746Z] [OUT] Pre-checkpoint
[2022-07-25T21:13:13.746Z] [OUT] finished script
[2022-07-25T21:13:13.746Z] [ERR] /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh: line 35: 2849113 Killed $2 -XX:+EnableCRIUSupport $3 -cp "$1/criu.jar" $4 $5 "$6" > testOutput 2>&1
[2022-07-25T21:13:13.746Z] [ERR] Error (criu/cr-restore.c:1480): 2849113 killed by signal 11: Segmentation fault
[2022-07-25T21:13:13.746Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:13.746Z] [ERR] Error (criu/cr-restore.c:1480): 2849113 killed by signal 11: Segmentation fault
[2022-07-25T21:13:13.746Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:13.746Z] >> Success condition was found: [Output match: Killed]
[2022-07-25T21:13:13.746Z] >> Required condition was found: [Output match: Pre-checkpoint]
[2022-07-25T21:13:13.746Z] >> Required condition was not found: [Output match: Post-checkpoint 1]
[2022-07-25T21:13:13.746Z] >> Required condition was not found: [Output match: Post-checkpoint 2]
[2022-07-25T21:13:13.746Z] >> Failure condition was not found: [Output match: CRIU is not enabled]
[2022-07-25T21:13:13.746Z] >> Failure condition was not found: [Output match: Operation not permitted]
[2022-07-25T21:13:13.746Z] >> Failure condition was not found: [Output match: ERR]
[2022-07-25T21:13:13.746Z]
[2022-07-25T21:13:13.746Z] Testing: Create and Restore Criu Checkpoint Image three times
[2022-07-25T21:13:13.746Z] Test start time: 2022/07/25 14:13:12 Pacific Standard Time
[2022-07-25T21:13:13.746Z] Running command: bash /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/openjdkbinary/j2sdk-image/bin/java -Xjit:count=0 org.openj9.criu.CRIUSimpleTest 3 3 false
[2022-07-25T21:13:13.746Z] Time spent starting: 3 milliseconds
[2022-07-25T21:13:20.593Z] Time spent executing: 7424 milliseconds
[2022-07-25T21:13:20.594Z] Test result: FAILED
[2022-07-25T21:13:20.594Z] Output from test:
[2022-07-25T21:13:20.594Z] [OUT] start running script
[2022-07-25T21:13:20.594Z] [OUT] Total checkpoint(s) 3:
[2022-07-25T21:13:20.594Z] [OUT] Pre-checkpoint
[2022-07-25T21:13:20.594Z] [OUT] finished script
[2022-07-25T21:13:20.594Z] [ERR] /home/jenkins/workspace/Test_openjdk11_j9_sanity.functional_x86-64_linux_testList_1/aqa-tests/TKG/../../jvmtest/functional/cmdLineTests/criu/criuScript.sh: line 35: 2849149 Killed $2 -XX:+EnableCRIUSupport $3 -cp "$1/criu.jar" $4 $5 "$6" > testOutput 2>&1
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:1480): 2849149 killed by signal 11: Segmentation fault
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:1480): 2849149 killed by signal 11: Segmentation fault
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:1480): 2849149 killed by signal 11: Segmentation fault
[2022-07-25T21:13:20.594Z] [ERR] Error (criu/cr-restore.c:2447): Restoring FAILED.
[2022-07-25T21:13:20.594Z] >> Success condition was found: [Output match: Killed]
[2022-07-25T21:13:20.594Z] >> Required condition was found: [Output match: Pre-checkpoint]
[2022-07-25T21:13:20.594Z] >> Required condition was not found: [Output match: Post-checkpoint 1]
[2022-07-25T21:13:20.594Z] >> Required condition was not found: [Output match: Post-checkpoint 2]
[2022-07-25T21:13:20.594Z] >> Required condition was not found: [Output match: Post-checkpoint 3]
[2022-07-25T21:13:20.594Z] >> Failure condition was not found: [Output match: CRIU is not enabled]
[2022-07-25T21:13:20.594Z] >> Failure condition was not found: [Output match: Operation not permitted]
[2022-07-25T21:13:20.594Z] >> Failure condition was not found: [Output match: ERR]
[2022-07-25T21:13:20.594Z]
[2022-07-25T21:13:20.594Z]
[2022-07-25T21:13:20.594Z] ---TEST RESULTS---
[2022-07-25T21:13:21.035Z] Number of PASSED tests: 0 out of 3
[2022-07-25T21:13:21.035Z] Number of FAILED tests: 3 out of 3
[2022-07-25T21:13:21.035Z]
[2022-07-25T21:13:21.035Z] ---SUMMARY OF FAILED TESTS---
[2022-07-25T21:13:21.035Z] Create and Restore Criu Checkpoint Image once
[2022-07-25T21:13:21.035Z] Create and Restore Criu Checkpoint Image twice
[2022-07-25T21:13:21.035Z] Create and Restore Criu Checkpoint Image three times
[2022-07-25T21:13:21.035Z] -----------------------------
[2022-07-25T21:13:21.035Z]
[2022-07-25T21:13:21.476Z]
[2022-07-25T21:13:21.476Z] cmdLineTester_criu_2_FAILED
```
[10x grinder](https://hyc-runtimes-jenkins.swg-devops.com/job/Grinder/26184/)
| non_priority | cmdlinetester criu failed error criu cr restore c killed by signal segmentation fault failure link from java version ea ibm semeru runtime open edition july preview build ea eclipse vm july preview build head jre linux bit compressed references jit enabled aot enabled omr jcl based on jdk change target to run only the failed test targets optional info failure output captured from console output variation xjit count jvm options xjit count starting test suite criu command line option tests testing create and restore criu checkpoint image once test start time pacific standard time running command bash home jenkins workspace test sanity functional linux testlist aqa tests tkg jvmtest functional cmdlinetests criu criuscript sh home jenkins workspace test sanity functional linux testlist aqa tests tkg jvmtest functional cmdlinetests criu home jenkins workspace test sanity functional linux testlist openjdkbinary image bin java xjit count org criu criusimpletest false time spent starting milliseconds time spent executing milliseconds test result failed output from test start running script total checkpoint s pre checkpoint finished script home jenkins workspace test sanity functional linux testlist aqa tests tkg jvmtest functional cmdlinetests criu criuscript sh line killed xx enablecriusupport cp criu jar testoutput error criu cr restore c killed by signal segmentation fault error criu cr restore c restoring failed success condition was found required condition was found required condition was not found failure condition was not found failure condition was not found failure condition was not found testing create and restore criu checkpoint image twice test start time pacific standard time running command bash home jenkins workspace test sanity functional linux testlist aqa tests tkg jvmtest functional cmdlinetests criu criuscript sh home jenkins workspace test sanity functional linux testlist aqa tests tkg jvmtest functional cmdlinetests criu home jenkins workspace test sanity functional linux testlist openjdkbinary image bin java xjit count org criu criusimpletest false time spent starting milliseconds time spent executing milliseconds test result failed output from test start running script total checkpoint s pre checkpoint finished script home jenkins workspace test sanity functional linux testlist aqa tests tkg jvmtest functional cmdlinetests criu criuscript sh line killed xx enablecriusupport cp criu jar testoutput error criu cr restore c killed by signal segmentation fault error criu cr restore c restoring failed error criu cr restore c killed by signal segmentation fault error criu cr restore c restoring failed success condition was found required condition was found required condition was not found required condition was not found failure condition was not found failure condition was not found failure condition was not found testing create and restore criu checkpoint image three times test start time pacific standard time running command bash home jenkins workspace test sanity functional linux testlist aqa tests tkg jvmtest functional cmdlinetests criu criuscript sh home jenkins workspace test sanity functional linux testlist aqa tests tkg jvmtest functional cmdlinetests criu home jenkins workspace test sanity functional linux testlist openjdkbinary image bin java xjit count org criu criusimpletest false time spent starting milliseconds time spent executing milliseconds test result failed output from test start running script total checkpoint s pre checkpoint finished script home jenkins workspace test sanity functional linux testlist aqa tests tkg jvmtest functional cmdlinetests criu criuscript sh line killed xx enablecriusupport cp criu jar testoutput error criu cr restore c killed by signal segmentation fault error criu cr restore c restoring failed error criu cr restore c killed by signal segmentation fault error criu cr restore c restoring failed error criu cr restore c killed by signal segmentation fault error criu cr restore c restoring failed success condition was found required condition was found required condition was not found required condition was not found required condition was not found failure condition was not found failure condition was not found failure condition was not found test results number of passed tests out of number of failed tests out of summary of failed tests create and restore criu checkpoint image once create and restore criu checkpoint image twice create and restore criu checkpoint image three times cmdlinetester criu failed | 0 |
54,290 | 7,881,895,851 | IssuesEvent | 2018-06-26 20:38:26 | Azure/azure-cli | https://api.github.com/repos/Azure/azure-cli | closed | az network vnet check-ip-address - error in doc | Documentation Network-cli | Hi,
--ip-address is also mandatory. If not specified, returned error is: Private IP address is null or empty in the CheckIpAddressAvailability call. Specify IpAddress=$(ipaddress) as a query parameter in the request URI.
---
#### Document Details
⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.*
* ID: bc99d572-abdb-ab6b-7a9a-c6951a1c1466
* Version Independent ID: 0a50e966-cbc8-8960-c01f-e117cac842d4
* Content: [az network vnet](https://docs.microsoft.com/en-us/cli/azure/network/vnet?view=azure-cli-latest#az-network-vnet-check-ip-address)
* Content Source: [src/command_modules/azure-cli-network/azure/cli/command_modules/network/_help.py](https://github.com/Azure/azure-cli/blob/master/src/command_modules/azure-cli-network/azure/cli/command_modules/network/_help.py)
* Service: **virtual-network**
* GitHub Login: @rloutlaw
* Microsoft Alias: **routlaw** | 1.0 | az network vnet check-ip-address - error in doc - Hi,
--ip-address is also mandatory. If not specified, returned error is: Private IP address is null or empty in the CheckIpAddressAvailability call. Specify IpAddress=$(ipaddress) as a query parameter in the request URI.
---
#### Document Details
⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.*
* ID: bc99d572-abdb-ab6b-7a9a-c6951a1c1466
* Version Independent ID: 0a50e966-cbc8-8960-c01f-e117cac842d4
* Content: [az network vnet](https://docs.microsoft.com/en-us/cli/azure/network/vnet?view=azure-cli-latest#az-network-vnet-check-ip-address)
* Content Source: [src/command_modules/azure-cli-network/azure/cli/command_modules/network/_help.py](https://github.com/Azure/azure-cli/blob/master/src/command_modules/azure-cli-network/azure/cli/command_modules/network/_help.py)
* Service: **virtual-network**
* GitHub Login: @rloutlaw
* Microsoft Alias: **routlaw** | non_priority | az network vnet check ip address error in doc hi ip address is also mandatory if not specified returned error is private ip address is null or empty in the checkipaddressavailability call specify ipaddress ipaddress as a query parameter in the request uri document details ⚠ do not edit this section it is required for docs microsoft com ➟ github issue linking id abdb version independent id content content source service virtual network github login rloutlaw microsoft alias routlaw | 0 |
12,595 | 3,282,547,267 | IssuesEvent | 2015-10-28 07:29:14 | NativeScript/nativescript-cli | https://api.github.com/repos/NativeScript/nativescript-cli | closed | Support xcconfig file from plugin | 2 - Ready For Test feature | The `.xcconfig` file should be in `platforms/ios` folder of the plugin and will be included into native project's xcconfig file. | 1.0 | Support xcconfig file from plugin - The `.xcconfig` file should be in `platforms/ios` folder of the plugin and will be included into native project's xcconfig file. | non_priority | support xcconfig file from plugin the xcconfig file should be in platforms ios folder of the plugin and will be included into native project s xcconfig file | 0 |
28,483 | 4,414,070,362 | IssuesEvent | 2016-08-13 06:34:57 | cockroachdb/cockroach | https://api.github.com/repos/cockroachdb/cockroach | opened | stress: failed test in cockroach/gossip/gossip.test: TestGossipStorageCleanup | Robot test-failure | Binary: cockroach/static-tests.tar.gz sha: https://github.com/cockroachdb/cockroach/commits/5b3055b64a56b38698980d06ba12acdc2b3b355f
Stress build found a failed test:
```
=== RUN TestGossipStorageCleanup
I160813 05:17:11.911174 gossip/simulation/network.go:68 simulating gossip network with 3 nodes
W160813 05:17:11.911428 gossip/gossip.go:1016 not connected to cluster; use --join to specify a connected node
W160813 05:17:11.911641 gossip/gossip.go:1016 not connected to cluster; use --join to specify a connected node
W160813 05:17:11.911849 gossip/gossip.go:1016 not connected to cluster; use --join to specify a connected node
W160813 05:17:11.912859 gossip/gossip.go:816 invalid bootstrap address: &{typ:tcp addr:10.10.10.10.10:3333333}, invalid port 3333333
I160813 05:17:11.912955 gossip/client.go:76 node 1: starting client to 127.0.0.1:36081
W160813 05:17:11.913504 gossip/gossip.go:816 invalid bootstrap address: &{typ:tcp addr:10.10.10.10.10:3333333}, invalid port 3333333
I160813 05:17:11.913615 gossip/client.go:76 node 3: starting client to 127.0.0.1:38709
W160813 05:17:11.914072 gossip/gossip.go:816 invalid bootstrap address: &{typ:tcp addr:10.10.10.10.10:3333333}, invalid port 3333333
I160813 05:17:11.914149 gossip/client.go:76 node 2: starting client to 127.0.0.1:40539
I160813 05:17:11.924779 gossip/server.go:180 node 2: received gossip from node 1
I160813 05:17:11.924813 gossip/server.go:278 node 2: replying to 1
I160813 05:17:11.925579 gossip/gossip.go:478 purging invalid bootstrap address {tcp 10.10.10.10.10:3333333}
I160813 05:17:11.925613 gossip/server.go:180 node 3: received gossip from node 2
I160813 05:17:11.925758 gossip/server.go:278 node 3: replying to 2
I160813 05:17:11.925862 gossip/gossip.go:984 node has connected to cluster via gossip
I160813 05:17:11.925974 gossip/server.go:180 node 3: received gossip from node 2
I160813 05:17:11.926011 gossip/server.go:278 node 3: replying to 2
I160813 05:17:11.926166 gossip/server.go:180 node 2: received gossip from node 1
I160813 05:17:11.926210 gossip/server.go:278 node 2: replying to 1
I160813 05:17:11.926946 gossip/client.go:76 node 2: starting client to 127.0.0.1:38709
I160813 05:17:11.927002 gossip/client.go:76 node 3: starting client to 127.0.0.1:36081
I160813 05:17:11.927325 gossip/server.go:180 node 2: received gossip from node 3
I160813 05:17:11.927361 gossip/server.go:278 node 2: replying to 3
I160813 05:17:11.927613 gossip/client.go:100 node 2: closing client to node 3 (127.0.0.1:40539): stopping outgoing client to node 3 (127.0.0.1:40539); already have incoming
I160813 05:17:11.928121 gossip/client.go:76 node 2: starting client to 127.0.0.1:40539
I160813 05:17:11.928673 gossip/server.go:180 node 1: received gossip from node 2
I160813 05:17:11.928706 gossip/server.go:278 node 1: replying to 2
I160813 05:17:11.928754 gossip/server.go:180 node 1: received gossip from node 3
I160813 05:17:11.928782 gossip/server.go:278 node 1: replying to 3
I160813 05:17:11.929107 gossip/client.go:100 node 1: closing client to node 2 (127.0.0.1:36081): stopping outgoing client to node 2 (127.0.0.1:36081); already have incoming
I160813 05:17:11.929122 gossip/gossip.go:478 purging invalid bootstrap address {tcp 10.10.10.10.10:3333333}
I160813 05:17:11.929157 gossip/gossip.go:984 node has connected to cluster via gossip
I160813 05:17:11.929194 gossip/gossip.go:984 node has connected to cluster via gossip
I160813 05:17:11.931094 gossip/simulation/network.go:193 gossip network simulation: total infos sent=47, received=4
I160813 05:17:57.023618 gossip/server.go:180 node 1: received gossip from node 2
I160813 05:17:57.023843 gossip/server.go:278 node 1: replying to 2
I160813 05:17:57.024115 gossip/server.go:180 node 1: received gossip from node 2
I160813 05:17:57.024135 gossip/server.go:278 node 1: replying to 2
I160813 05:17:57.024186 gossip/server.go:180 node 1: received gossip from node 3
W160813 05:17:57.024211 gossip/infostore.go:291 node unavailable; try another peer
W160813 05:17:57.024223 gossip/infostore.go:291 node unavailable; try another peer
I160813 05:17:57.024233 gossip/server.go:278 node 1: replying to 3
I160813 05:17:57.024284 gossip/server.go:180 node 1: received gossip from node 3
I160813 05:17:57.024303 gossip/server.go:278 node 1: replying to 3
I160813 05:17:57.024348 gossip/server.go:180 node 3: received gossip from node 2
I160813 05:17:57.024398 gossip/server.go:180 node 2: received gossip from node 1
I160813 05:17:57.024511 gossip/server.go:278 node 2: replying to 1
I160813 05:17:57.024523 gossip/server.go:278 node 3: replying to 2
I160813 05:17:57.024716 http2_server.go:276 transport: http2Server.HandleStreams failed to read frame: read tcp 127.0.0.1:36081->127.0.0.1:57486: use of closed network connection
I160813 05:17:57.024761 http2_client.go:1022 transport: http2Client.notifyError got notified that the client transport was broken EOF.
I160813 05:17:57.024773 http2_server.go:276 transport: http2Server.HandleStreams failed to read frame: read tcp 127.0.0.1:38709->127.0.0.1:51482: use of closed network connection
I160813 05:17:57.024801 http2_client.go:1022 transport: http2Client.notifyError got notified that the client transport was broken EOF.
I160813 05:17:57.024859 /go/src/google.golang.org/grpc/clientconn.go:645 grpc: addrConn.resetTransport failed to create client transport: connection error: desc = "transport: dial tcp 127.0.0.1:36081: operation was canceled"; Reconnecting to {"127.0.0.1:36081" <nil>}
I160813 05:17:57.024865 http2_server.go:276 transport: http2Server.HandleStreams failed to read frame: read tcp 127.0.0.1:40539->127.0.0.1:48528: use of closed network connection
I160813 05:17:57.024876 /go/src/google.golang.org/grpc/clientconn.go:745 grpc: addrConn.transportMonitor exits due to: grpc: the connection is closing
W160813 05:17:57.024887 gossip/gossip.go:1016 not connected to cluster; use --join to specify a connected node
--- FAIL: TestGossipStorageCleanup (45.11s)
testing.go:117: gossip/storage_test.go:261, condition failed to evaluate within 45s: expected 2, got 3 (info: []util.UnresolvedAddr{util.UnresolvedAddr{NetworkField:"tcp", AddressField:"127.0.0.1:40539"}, util.UnresolvedAddr{NetworkField:"tcp", AddressField:"10.10.10.10.10:3333333"}, util.UnresolvedAddr{NetworkField:"tcp", AddressField:"127.0.0.1:38709"}})
FAIL
ERROR: exit status 1
```
Run Details:
```
90 runs so far, 0 failures, over 5s
190 runs so far, 0 failures, over 10s
291 runs so far, 0 failures, over 15s
393 runs so far, 0 failures, over 20s
490 runs so far, 0 failures, over 25s
590 runs so far, 0 failures, over 30s
691 runs so far, 0 failures, over 35s
793 runs so far, 0 failures, over 40s
896 runs so far, 0 failures, over 45s
926 runs completed, 1 failures, over 46s
FAIL
```
Please assign, take a look and update the issue accordingly. | 1.0 | stress: failed test in cockroach/gossip/gossip.test: TestGossipStorageCleanup - Binary: cockroach/static-tests.tar.gz sha: https://github.com/cockroachdb/cockroach/commits/5b3055b64a56b38698980d06ba12acdc2b3b355f
Stress build found a failed test:
```
=== RUN TestGossipStorageCleanup
I160813 05:17:11.911174 gossip/simulation/network.go:68 simulating gossip network with 3 nodes
W160813 05:17:11.911428 gossip/gossip.go:1016 not connected to cluster; use --join to specify a connected node
W160813 05:17:11.911641 gossip/gossip.go:1016 not connected to cluster; use --join to specify a connected node
W160813 05:17:11.911849 gossip/gossip.go:1016 not connected to cluster; use --join to specify a connected node
W160813 05:17:11.912859 gossip/gossip.go:816 invalid bootstrap address: &{typ:tcp addr:10.10.10.10.10:3333333}, invalid port 3333333
I160813 05:17:11.912955 gossip/client.go:76 node 1: starting client to 127.0.0.1:36081
W160813 05:17:11.913504 gossip/gossip.go:816 invalid bootstrap address: &{typ:tcp addr:10.10.10.10.10:3333333}, invalid port 3333333
I160813 05:17:11.913615 gossip/client.go:76 node 3: starting client to 127.0.0.1:38709
W160813 05:17:11.914072 gossip/gossip.go:816 invalid bootstrap address: &{typ:tcp addr:10.10.10.10.10:3333333}, invalid port 3333333
I160813 05:17:11.914149 gossip/client.go:76 node 2: starting client to 127.0.0.1:40539
I160813 05:17:11.924779 gossip/server.go:180 node 2: received gossip from node 1
I160813 05:17:11.924813 gossip/server.go:278 node 2: replying to 1
I160813 05:17:11.925579 gossip/gossip.go:478 purging invalid bootstrap address {tcp 10.10.10.10.10:3333333}
I160813 05:17:11.925613 gossip/server.go:180 node 3: received gossip from node 2
I160813 05:17:11.925758 gossip/server.go:278 node 3: replying to 2
I160813 05:17:11.925862 gossip/gossip.go:984 node has connected to cluster via gossip
I160813 05:17:11.925974 gossip/server.go:180 node 3: received gossip from node 2
I160813 05:17:11.926011 gossip/server.go:278 node 3: replying to 2
I160813 05:17:11.926166 gossip/server.go:180 node 2: received gossip from node 1
I160813 05:17:11.926210 gossip/server.go:278 node 2: replying to 1
I160813 05:17:11.926946 gossip/client.go:76 node 2: starting client to 127.0.0.1:38709
I160813 05:17:11.927002 gossip/client.go:76 node 3: starting client to 127.0.0.1:36081
I160813 05:17:11.927325 gossip/server.go:180 node 2: received gossip from node 3
I160813 05:17:11.927361 gossip/server.go:278 node 2: replying to 3
I160813 05:17:11.927613 gossip/client.go:100 node 2: closing client to node 3 (127.0.0.1:40539): stopping outgoing client to node 3 (127.0.0.1:40539); already have incoming
I160813 05:17:11.928121 gossip/client.go:76 node 2: starting client to 127.0.0.1:40539
I160813 05:17:11.928673 gossip/server.go:180 node 1: received gossip from node 2
I160813 05:17:11.928706 gossip/server.go:278 node 1: replying to 2
I160813 05:17:11.928754 gossip/server.go:180 node 1: received gossip from node 3
I160813 05:17:11.928782 gossip/server.go:278 node 1: replying to 3
I160813 05:17:11.929107 gossip/client.go:100 node 1: closing client to node 2 (127.0.0.1:36081): stopping outgoing client to node 2 (127.0.0.1:36081); already have incoming
I160813 05:17:11.929122 gossip/gossip.go:478 purging invalid bootstrap address {tcp 10.10.10.10.10:3333333}
I160813 05:17:11.929157 gossip/gossip.go:984 node has connected to cluster via gossip
I160813 05:17:11.929194 gossip/gossip.go:984 node has connected to cluster via gossip
I160813 05:17:11.931094 gossip/simulation/network.go:193 gossip network simulation: total infos sent=47, received=4
I160813 05:17:57.023618 gossip/server.go:180 node 1: received gossip from node 2
I160813 05:17:57.023843 gossip/server.go:278 node 1: replying to 2
I160813 05:17:57.024115 gossip/server.go:180 node 1: received gossip from node 2
I160813 05:17:57.024135 gossip/server.go:278 node 1: replying to 2
I160813 05:17:57.024186 gossip/server.go:180 node 1: received gossip from node 3
W160813 05:17:57.024211 gossip/infostore.go:291 node unavailable; try another peer
W160813 05:17:57.024223 gossip/infostore.go:291 node unavailable; try another peer
I160813 05:17:57.024233 gossip/server.go:278 node 1: replying to 3
I160813 05:17:57.024284 gossip/server.go:180 node 1: received gossip from node 3
I160813 05:17:57.024303 gossip/server.go:278 node 1: replying to 3
I160813 05:17:57.024348 gossip/server.go:180 node 3: received gossip from node 2
I160813 05:17:57.024398 gossip/server.go:180 node 2: received gossip from node 1
I160813 05:17:57.024511 gossip/server.go:278 node 2: replying to 1
I160813 05:17:57.024523 gossip/server.go:278 node 3: replying to 2
I160813 05:17:57.024716 http2_server.go:276 transport: http2Server.HandleStreams failed to read frame: read tcp 127.0.0.1:36081->127.0.0.1:57486: use of closed network connection
I160813 05:17:57.024761 http2_client.go:1022 transport: http2Client.notifyError got notified that the client transport was broken EOF.
I160813 05:17:57.024773 http2_server.go:276 transport: http2Server.HandleStreams failed to read frame: read tcp 127.0.0.1:38709->127.0.0.1:51482: use of closed network connection
I160813 05:17:57.024801 http2_client.go:1022 transport: http2Client.notifyError got notified that the client transport was broken EOF.
I160813 05:17:57.024859 /go/src/google.golang.org/grpc/clientconn.go:645 grpc: addrConn.resetTransport failed to create client transport: connection error: desc = "transport: dial tcp 127.0.0.1:36081: operation was canceled"; Reconnecting to {"127.0.0.1:36081" <nil>}
I160813 05:17:57.024865 http2_server.go:276 transport: http2Server.HandleStreams failed to read frame: read tcp 127.0.0.1:40539->127.0.0.1:48528: use of closed network connection
I160813 05:17:57.024876 /go/src/google.golang.org/grpc/clientconn.go:745 grpc: addrConn.transportMonitor exits due to: grpc: the connection is closing
W160813 05:17:57.024887 gossip/gossip.go:1016 not connected to cluster; use --join to specify a connected node
--- FAIL: TestGossipStorageCleanup (45.11s)
testing.go:117: gossip/storage_test.go:261, condition failed to evaluate within 45s: expected 2, got 3 (info: []util.UnresolvedAddr{util.UnresolvedAddr{NetworkField:"tcp", AddressField:"127.0.0.1:40539"}, util.UnresolvedAddr{NetworkField:"tcp", AddressField:"10.10.10.10.10:3333333"}, util.UnresolvedAddr{NetworkField:"tcp", AddressField:"127.0.0.1:38709"}})
FAIL
ERROR: exit status 1
```
Run Details:
```
90 runs so far, 0 failures, over 5s
190 runs so far, 0 failures, over 10s
291 runs so far, 0 failures, over 15s
393 runs so far, 0 failures, over 20s
490 runs so far, 0 failures, over 25s
590 runs so far, 0 failures, over 30s
691 runs so far, 0 failures, over 35s
793 runs so far, 0 failures, over 40s
896 runs so far, 0 failures, over 45s
926 runs completed, 1 failures, over 46s
FAIL
```
Please assign, take a look and update the issue accordingly. | non_priority | stress failed test in cockroach gossip gossip test testgossipstoragecleanup binary cockroach static tests tar gz sha stress build found a failed test run testgossipstoragecleanup gossip simulation network go simulating gossip network with nodes gossip gossip go not connected to cluster use join to specify a connected node gossip gossip go not connected to cluster use join to specify a connected node gossip gossip go not connected to cluster use join to specify a connected node gossip gossip go invalid bootstrap address typ tcp addr invalid port gossip client go node starting client to gossip gossip go invalid bootstrap address typ tcp addr invalid port gossip client go node starting client to gossip gossip go invalid bootstrap address typ tcp addr invalid port gossip client go node starting client to gossip server go node received gossip from node gossip server go node replying to gossip gossip go purging invalid bootstrap address tcp gossip server go node received gossip from node gossip server go node replying to gossip gossip go node has connected to cluster via gossip gossip server go node received gossip from node gossip server go node replying to gossip server go node received gossip from node gossip server go node replying to gossip client go node starting client to gossip client go node starting client to gossip server go node received gossip from node gossip server go node replying to gossip client go node closing client to node stopping outgoing client to node already have incoming gossip client go node starting client to gossip server go node received gossip from node gossip server go node replying to gossip server go node received gossip from node gossip server go node replying to gossip client go node closing client to node stopping outgoing client to node already have incoming gossip gossip go purging invalid bootstrap address tcp gossip gossip go node has connected to cluster via gossip gossip gossip go node has connected to cluster via gossip gossip simulation network go gossip network simulation total infos sent received gossip server go node received gossip from node gossip server go node replying to gossip server go node received gossip from node gossip server go node replying to gossip server go node received gossip from node gossip infostore go node unavailable try another peer gossip infostore go node unavailable try another peer gossip server go node replying to gossip server go node received gossip from node gossip server go node replying to gossip server go node received gossip from node gossip server go node received gossip from node gossip server go node replying to gossip server go node replying to server go transport handlestreams failed to read frame read tcp use of closed network connection client go transport notifyerror got notified that the client transport was broken eof server go transport handlestreams failed to read frame read tcp use of closed network connection client go transport notifyerror got notified that the client transport was broken eof go src google golang org grpc clientconn go grpc addrconn resettransport failed to create client transport connection error desc transport dial tcp operation was canceled reconnecting to server go transport handlestreams failed to read frame read tcp use of closed network connection go src google golang org grpc clientconn go grpc addrconn transportmonitor exits due to grpc the connection is closing gossip gossip go not connected to cluster use join to specify a connected node fail testgossipstoragecleanup testing go gossip storage test go condition failed to evaluate within expected got info util unresolvedaddr util unresolvedaddr networkfield tcp addressfield util unresolvedaddr networkfield tcp addressfield util unresolvedaddr networkfield tcp addressfield fail error exit status run details runs so far failures over runs so far failures over runs so far failures over runs so far failures over runs so far failures over runs so far failures over runs so far failures over runs so far failures over runs so far failures over runs completed failures over fail please assign take a look and update the issue accordingly | 0 |
8,741 | 7,604,293,809 | IssuesEvent | 2018-04-29 23:30:54 | coq/coq | https://api.github.com/repos/coq/coq | closed | Pull Request merging is opaque and unpredictable | kind: infrastructure part: website | Getting pull requests merged is not as predicatable as it should be, in particular, there is no reliable way for a PR author to know if their PR will be merged and when. This is a large drag of time, and difficults planning work. In particular, we'd need:
- To expose the filter used by the RMs to consider candidate PRs. This way, authors could check on their own if some step is missing.
- To provide an ordering mechanism when several PRs may conflict.
- To provide predicatable merge windows ["week 52, merges will happen in Tue/Wed at 10"] so authors don't have to be constantly checking for notifications.
| 1.0 | Pull Request merging is opaque and unpredictable - Getting pull requests merged is not as predicatable as it should be, in particular, there is no reliable way for a PR author to know if their PR will be merged and when. This is a large drag of time, and difficults planning work. In particular, we'd need:
- To expose the filter used by the RMs to consider candidate PRs. This way, authors could check on their own if some step is missing.
- To provide an ordering mechanism when several PRs may conflict.
- To provide predicatable merge windows ["week 52, merges will happen in Tue/Wed at 10"] so authors don't have to be constantly checking for notifications.
| non_priority | pull request merging is opaque and unpredictable getting pull requests merged is not as predicatable as it should be in particular there is no reliable way for a pr author to know if their pr will be merged and when this is a large drag of time and difficults planning work in particular we d need to expose the filter used by the rms to consider candidate prs this way authors could check on their own if some step is missing to provide an ordering mechanism when several prs may conflict to provide predicatable merge windows so authors don t have to be constantly checking for notifications | 0 |
374,577 | 26,123,927,698 | IssuesEvent | 2022-12-28 15:54:28 | maliput/maliput_documentation | https://api.github.com/repos/maliput/maliput_documentation | closed | Adds doc about creating a maliput backend using maliput_sparse | documentation enhancement | ## Desired behavior
`maliput_osm` is a good example of how to create a maliput backend using `maliput_sparse`.
It would be nice to have a doc/tutorial/page that mentions how `maliput_sparse` was leveraged for this goal.
Maybe it could be seen as a tutorial for the `maliput_sparse` package and to be located at https://maliput.readthedocs.io/en/latest/tutorials.html | 1.0 | Adds doc about creating a maliput backend using maliput_sparse - ## Desired behavior
`maliput_osm` is a good example of how to create a maliput backend using `maliput_sparse`.
It would be nice to have a doc/tutorial/page that mentions how `maliput_sparse` was leveraged for this goal.
Maybe it could be seen as a tutorial for the `maliput_sparse` package and to be located at https://maliput.readthedocs.io/en/latest/tutorials.html | non_priority | adds doc about creating a maliput backend using maliput sparse desired behavior maliput osm is a good example of how to create a maliput backend using maliput sparse it would be nice to have a doc tutorial page that mentions how maliput sparse was leveraged for this goal maybe it could be seen as a tutorial for the maliput sparse package and to be located at | 0 |
398,393 | 27,193,091,279 | IssuesEvent | 2023-02-20 01:01:57 | JoshuaKGoldberg/ts-api-utils | https://api.github.com/repos/JoshuaKGoldberg/ts-api-utils | closed | 📝 Documentation: Update README.md h1 title to match package name | good first issue area: documentation status: accepting prs | ### Bug Report Checklist
- [X] I have pulled the latest `main` branch of the repository.
- [X] I have [searched for related issues](https://github.com/JoshuaKGoldberg/ts-api-utils/issues?q=is%3Aissue) and found none that matched my issue.
### Overview
As [reported by @jmchor on Twitter](https://twitter.com/jmchor/status/1627213834673848321): the `#` h1 in the README.md right now says _TypeScript API Tools_. That's a holdover from when the package was called `ts-api-tools`.
Let's rename that to _TypeScript API Utils_.
### Additional Info
This should apply to the README.md and any other files that reference the old name. | 1.0 | 📝 Documentation: Update README.md h1 title to match package name - ### Bug Report Checklist
- [X] I have pulled the latest `main` branch of the repository.
- [X] I have [searched for related issues](https://github.com/JoshuaKGoldberg/ts-api-utils/issues?q=is%3Aissue) and found none that matched my issue.
### Overview
As [reported by @jmchor on Twitter](https://twitter.com/jmchor/status/1627213834673848321): the `#` h1 in the README.md right now says _TypeScript API Tools_. That's a holdover from when the package was called `ts-api-tools`.
Let's rename that to _TypeScript API Utils_.
### Additional Info
This should apply to the README.md and any other files that reference the old name. | non_priority | 📝 documentation update readme md title to match package name bug report checklist i have pulled the latest main branch of the repository i have and found none that matched my issue overview as the in the readme md right now says typescript api tools that s a holdover from when the package was called ts api tools let s rename that to typescript api utils additional info this should apply to the readme md and any other files that reference the old name | 0 |
152 | 2,714,391,909 | IssuesEvent | 2015-04-10 03:01:54 | radremedy/radremedy | https://api.github.com/repos/radremedy/radremedy | closed | Bundle CSS and JavaScript | documentation/architecture enhancement frontend needs review | I'd like to switch `remedy.css` to a LESS-based approach, which should clean this up somewhat. In the process, I'd also like it to generate a `remedy.min.css` file and include that everywhere to help reduce page loading times.
In addition, we have a lot of in-page JavaScript (although a good chunk of it is currently generated by macros). I'd like to move that to a `remedy.js` and minified `remedy.min.js` file.
In particular, I'm looking to move the following items:
- The majority of the code in the `gmaps_script` macro
- The majority of the code in the `hide_control_group` macro
- The JavaScript in `index.html` (which should be removed) and in `find-provider.html` that wires up the select2-based categories fields
- The JavaScript in `find-provider.html` that sets up the Google map (it should just take an array of providers and work from there) | 1.0 | Bundle CSS and JavaScript - I'd like to switch `remedy.css` to a LESS-based approach, which should clean this up somewhat. In the process, I'd also like it to generate a `remedy.min.css` file and include that everywhere to help reduce page loading times.
In addition, we have a lot of in-page JavaScript (although a good chunk of it is currently generated by macros). I'd like to move that to a `remedy.js` and minified `remedy.min.js` file.
In particular, I'm looking to move the following items:
- The majority of the code in the `gmaps_script` macro
- The majority of the code in the `hide_control_group` macro
- The JavaScript in `index.html` (which should be removed) and in `find-provider.html` that wires up the select2-based categories fields
- The JavaScript in `find-provider.html` that sets up the Google map (it should just take an array of providers and work from there) | non_priority | bundle css and javascript i d like to switch remedy css to a less based approach which should clean this up somewhat in the process i d also like it to generate a remedy min css file and include that everywhere to help reduce page loading times in addition we have a lot of in page javascript although a good chunk of it is currently generated by macros i d like to move that to a remedy js and minified remedy min js file in particular i m looking to move the following items the majority of the code in the gmaps script macro the majority of the code in the hide control group macro the javascript in index html which should be removed and in find provider html that wires up the based categories fields the javascript in find provider html that sets up the google map it should just take an array of providers and work from there | 0 |
108,481 | 16,777,919,643 | IssuesEvent | 2021-06-15 01:19:18 | renfei/GitPub | https://api.github.com/repos/renfei/GitPub | opened | CVE-2020-36188 (High) detected in jackson-databind-2.9.2.jar | security vulnerability | ## CVE-2020-36188 - 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.2.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: /GitPub/pom.xml</p>
<p>Path to vulnerable library: 2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.2/jackson-databind-2.9.2.jar</p>
<p>
Dependency Hierarchy:
- :x: **jackson-databind-2.9.2.jar** (Vulnerable Library)
</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.8 mishandles the interaction between serialization gadgets and typing, related to com.newrelic.agent.deps.ch.qos.logback.core.db.JNDIConnectionSource.
<p>Publish Date: 2021-01-06
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-36188>CVE-2020-36188</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/2996">https://github.com/FasterXML/jackson-databind/issues/2996</a></p>
<p>Release Date: 2021-01-06</p>
<p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.9.10.8</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-36188 (High) detected in jackson-databind-2.9.2.jar - ## CVE-2020-36188 - 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.2.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: /GitPub/pom.xml</p>
<p>Path to vulnerable library: 2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.2/jackson-databind-2.9.2.jar</p>
<p>
Dependency Hierarchy:
- :x: **jackson-databind-2.9.2.jar** (Vulnerable Library)
</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.8 mishandles the interaction between serialization gadgets and typing, related to com.newrelic.agent.deps.ch.qos.logback.core.db.JNDIConnectionSource.
<p>Publish Date: 2021-01-06
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-36188>CVE-2020-36188</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/2996">https://github.com/FasterXML/jackson-databind/issues/2996</a></p>
<p>Release Date: 2021-01-06</p>
<p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.9.10.8</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 gitpub pom xml path to vulnerable library repository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy x jackson databind jar vulnerable library vulnerability details fasterxml jackson databind x before mishandles the interaction between serialization gadgets and typing related to com newrelic agent deps ch qos logback core db jndiconnectionsource 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 step up your open source security game with whitesource | 0 |
44,393 | 7,107,827,877 | IssuesEvent | 2018-01-16 21:25:35 | NOAA-PMEL/LAS | https://api.github.com/repos/NOAA-PMEL/LAS | closed | Recover pertinent documentation from old LAS docs into Plone | Documentation - User P: normal S: normal enhancement | **Reported by @kevin-obrien on 1 Apr 2011 20:38 UTC**
There is a bunch of stuff under:
http://ferret.pmel.noaa.gov/FERRET_17sep07/LAS/Documentation/
That is LAS documenation that is not in our current Plone system.
We should go through this documentation and make sure that whatever is still relevant gets moved into Plone.
Migrated-From: http://dunkel.pmel.noaa.gov/trac/las/ticket/1021 | 1.0 | Recover pertinent documentation from old LAS docs into Plone - **Reported by @kevin-obrien on 1 Apr 2011 20:38 UTC**
There is a bunch of stuff under:
http://ferret.pmel.noaa.gov/FERRET_17sep07/LAS/Documentation/
That is LAS documenation that is not in our current Plone system.
We should go through this documentation and make sure that whatever is still relevant gets moved into Plone.
Migrated-From: http://dunkel.pmel.noaa.gov/trac/las/ticket/1021 | non_priority | recover pertinent documentation from old las docs into plone reported by kevin obrien on apr utc there is a bunch of stuff under that is las documenation that is not in our current plone system we should go through this documentation and make sure that whatever is still relevant gets moved into plone migrated from | 0 |
284,197 | 21,408,282,167 | IssuesEvent | 2022-04-22 00:55:31 | hawtio/hawtio | https://api.github.com/repos/hawtio/hawtio | closed | Docs reference hawtio.config.dir but blueprint.xml references hawtio.home.dir & hawtio.dirname | documentation status/stale | The blueprint file for ConfigFacade references `hawtio.home.dir` which can be used in a blueprint.properties file to override the config location but this is not mentioned in the docs.
Relates to #1958
| 1.0 | Docs reference hawtio.config.dir but blueprint.xml references hawtio.home.dir & hawtio.dirname - The blueprint file for ConfigFacade references `hawtio.home.dir` which can be used in a blueprint.properties file to override the config location but this is not mentioned in the docs.
Relates to #1958
| non_priority | docs reference hawtio config dir but blueprint xml references hawtio home dir hawtio dirname the blueprint file for configfacade references hawtio home dir which can be used in a blueprint properties file to override the config location but this is not mentioned in the docs relates to | 0 |
126,366 | 12,291,096,750 | IssuesEvent | 2020-05-10 08:13:33 | developer-student-club-thapar/officialWebsite | https://api.github.com/repos/developer-student-club-thapar/officialWebsite | closed | Add join us on Slack button in Readme | documentation good first issue | This is the link that is to be used! Make sure it's adjacent to the builds button!
https://dscthapar-gspatiala.slack.com/join/shared_invite/enQtNzU2MzA2MjcxNzkyLTkwNDRiNWMzYjUzYjNjYjM0M2JhMDgwOTI3MGQwYWU1NzNlNGMxZGVhNzk0MGZiYTI5YzgwZDhiMTk1MjE4M2M | 1.0 | Add join us on Slack button in Readme - This is the link that is to be used! Make sure it's adjacent to the builds button!
https://dscthapar-gspatiala.slack.com/join/shared_invite/enQtNzU2MzA2MjcxNzkyLTkwNDRiNWMzYjUzYjNjYjM0M2JhMDgwOTI3MGQwYWU1NzNlNGMxZGVhNzk0MGZiYTI5YzgwZDhiMTk1MjE4M2M | non_priority | add join us on slack button in readme this is the link that is to be used make sure it s adjacent to the builds button | 0 |
333,508 | 24,377,193,715 | IssuesEvent | 2022-10-04 02:55:25 | CyCraft/pepicons | https://api.github.com/repos/CyCraft/pepicons | closed | feat(pepicons.com): make cursor use "open" icon on hover external links | documentation help wanted good first issue | Make the cursor use the **pepicon** for `open` when hovering over an external link.
guide:
https://developer.mozilla.org/en-US/docs/Web/CSS/cursor#formal_syntax
try to use just an SVG or a PNG. (perhaps look into `.cur` image format)
The icon should be the pop or print icon depending on the user selection.
### icons
<img width="105" alt="image" src="https://user-images.githubusercontent.com/3253920/95166918-ac095800-07e9-11eb-812a-32b5490e8ccf.png">
<img width="102" alt="image" src="https://user-images.githubusercontent.com/3253920/95166930-b1ff3900-07e9-11eb-9a56-f793035b612f.png">
### notes
don't grab these images from the ticket. Just use the actual SVG or PNG from the source code. | 1.0 | feat(pepicons.com): make cursor use "open" icon on hover external links - Make the cursor use the **pepicon** for `open` when hovering over an external link.
guide:
https://developer.mozilla.org/en-US/docs/Web/CSS/cursor#formal_syntax
try to use just an SVG or a PNG. (perhaps look into `.cur` image format)
The icon should be the pop or print icon depending on the user selection.
### icons
<img width="105" alt="image" src="https://user-images.githubusercontent.com/3253920/95166918-ac095800-07e9-11eb-812a-32b5490e8ccf.png">
<img width="102" alt="image" src="https://user-images.githubusercontent.com/3253920/95166930-b1ff3900-07e9-11eb-9a56-f793035b612f.png">
### notes
don't grab these images from the ticket. Just use the actual SVG or PNG from the source code. | non_priority | feat pepicons com make cursor use open icon on hover external links make the cursor use the pepicon for open when hovering over an external link guide try to use just an svg or a png perhaps look into cur image format the icon should be the pop or print icon depending on the user selection icons img width alt image src img width alt image src notes don t grab these images from the ticket just use the actual svg or png from the source code | 0 |
30,422 | 4,614,176,105 | IssuesEvent | 2016-09-25 12:37:08 | Lunat1q/Catchem-PoGo | https://api.github.com/repos/Lunat1q/Catchem-PoGo | closed | [Bug] when the poke inventory becomes full at the console tab and then switch back to the poke tab ... | bug test-required |
1. The poke inventory table including the count will not be updated automatically .
2. The egg pane is empty.
Has to press the refresh button to resume normal.
(V1.5.3.0 bld 54) | 1.0 | [Bug] when the poke inventory becomes full at the console tab and then switch back to the poke tab ... -
1. The poke inventory table including the count will not be updated automatically .
2. The egg pane is empty.
Has to press the refresh button to resume normal.
(V1.5.3.0 bld 54) | non_priority | when the poke inventory becomes full at the console tab and then switch back to the poke tab the poke inventory table including the count will not be updated automatically the egg pane is empty has to press the refresh button to resume normal bld | 0 |
70,698 | 7,197,256,039 | IssuesEvent | 2018-02-05 08:22:49 | rancher/rancher | https://api.github.com/repos/rancher/rancher | closed | [Windows]Webhook service for windows | area/windows kind/feature status/resolved status/to-test team/cn | In 1.6.13, Webhook service was not available. We plan to support scale-service and fully test it. | 1.0 | [Windows]Webhook service for windows - In 1.6.13, Webhook service was not available. We plan to support scale-service and fully test it. | non_priority | webhook service for windows in webhook service was not available we plan to support scale service and fully test it | 0 |
304,596 | 26,291,140,751 | IssuesEvent | 2023-01-08 12:34:30 | DCSFlightpanels/dcs-bios | https://api.github.com/repos/DCSFlightpanels/dcs-bios | closed | F/A18-C Stand By Altimeter 1000 Feet Count | Need testing-fix uploaded | Hi,
First thanks to everyone who maintains this indispensable add-on to DCS.
In the process of building a stand by altimeter for my cockpit, I've noticed that there is a bug on the thousand feet count, When starting an instant action like in free flight where the plane starts at +/- 8000 feet there is no data in the control reference at the 1000 count. I descended to under 1000 to find out that it worked ok between 50 and 1000 feet like if it was counting the hundreds instead of the thousands.
Climbing back to over a thousand it freezes again, it comes back working ok between ( 10 000 and 11 000) than freezes again, and it goes on at 20 000, 30 000 and 40 000.
Thanks for having a look at this
Reg


| 1.0 | F/A18-C Stand By Altimeter 1000 Feet Count - Hi,
First thanks to everyone who maintains this indispensable add-on to DCS.
In the process of building a stand by altimeter for my cockpit, I've noticed that there is a bug on the thousand feet count, When starting an instant action like in free flight where the plane starts at +/- 8000 feet there is no data in the control reference at the 1000 count. I descended to under 1000 to find out that it worked ok between 50 and 1000 feet like if it was counting the hundreds instead of the thousands.
Climbing back to over a thousand it freezes again, it comes back working ok between ( 10 000 and 11 000) than freezes again, and it goes on at 20 000, 30 000 and 40 000.
Thanks for having a look at this
Reg


| non_priority | f c stand by altimeter feet count hi first thanks to everyone who maintains this indispensable add on to dcs in the process of building a stand by altimeter for my cockpit i ve noticed that there is a bug on the thousand feet count when starting an instant action like in free flight where the plane starts at feet there is no data in the control reference at the count i descended to under to find out that it worked ok between and feet like if it was counting the hundreds instead of the thousands climbing back to over a thousand it freezes again it comes back working ok between and than freezes again and it goes on at and thanks for having a look at this reg | 0 |
77,402 | 7,573,550,342 | IssuesEvent | 2018-04-23 18:07:13 | Microsoft/AzureStorageExplorer | https://api.github.com/repos/Microsoft/AzureStorageExplorer | closed | The background of the selected items don't theme under HC-modes | testing | **Storage Explorer Version:** master/20180419.2
**OS Version:** Windows 10/Mac/Linux
**Regression:** Works well on 1.0.0 release
**Steps to Reproduce:**
1. Launch Storage Explorer and expand Storage Accounts.
2. Change the theme to HC-Black/White.
3. Open one container and check the background of the selected items.
**Expected Experience:**
The background of the selected items is themed.
**Actual Experience:**
The background of the selected items isn't themed.

| 1.0 | The background of the selected items don't theme under HC-modes - **Storage Explorer Version:** master/20180419.2
**OS Version:** Windows 10/Mac/Linux
**Regression:** Works well on 1.0.0 release
**Steps to Reproduce:**
1. Launch Storage Explorer and expand Storage Accounts.
2. Change the theme to HC-Black/White.
3. Open one container and check the background of the selected items.
**Expected Experience:**
The background of the selected items is themed.
**Actual Experience:**
The background of the selected items isn't themed.

| non_priority | the background of the selected items don t theme under hc modes storage explorer version master os version windows mac linux regression works well on release steps to reproduce launch storage explorer and expand storage accounts change the theme to hc black white open one container and check the background of the selected items expected experience the background of the selected items is themed actual experience the background of the selected items isn t themed | 0 |
346,525 | 30,924,771,097 | IssuesEvent | 2023-08-06 10:53:33 | jongmee/todays-lunch-server | https://api.github.com/repos/jongmee/todays-lunch-server | opened | 메뉴를 등록하고 수정할 때 세일 정보도 함께 받기 | enhancement test | ## Description
> 메뉴를 등록하고 수정할 때 세일 정보를 함께 입력할 수 있도록 페이지 기능이 변경되었다. 또한 마이너한 변경사항은 메뉴의 사진을 조회할 때 유저의 pk를 함께 받도록 하는 것이다.
## Progress
- [ ] 메뉴를 등록하고 수정할 때 세일 정보도 함께 받기
- [ ] 위 기능에 대한 테스트 코드 작성하기
- [ ] 메뉴의 사진을 조회할 때 유저의 pk를 포함시키기
| 1.0 | 메뉴를 등록하고 수정할 때 세일 정보도 함께 받기 - ## Description
> 메뉴를 등록하고 수정할 때 세일 정보를 함께 입력할 수 있도록 페이지 기능이 변경되었다. 또한 마이너한 변경사항은 메뉴의 사진을 조회할 때 유저의 pk를 함께 받도록 하는 것이다.
## Progress
- [ ] 메뉴를 등록하고 수정할 때 세일 정보도 함께 받기
- [ ] 위 기능에 대한 테스트 코드 작성하기
- [ ] 메뉴의 사진을 조회할 때 유저의 pk를 포함시키기
| non_priority | 메뉴를 등록하고 수정할 때 세일 정보도 함께 받기 description 메뉴를 등록하고 수정할 때 세일 정보를 함께 입력할 수 있도록 페이지 기능이 변경되었다 또한 마이너한 변경사항은 메뉴의 사진을 조회할 때 유저의 pk를 함께 받도록 하는 것이다 progress 메뉴를 등록하고 수정할 때 세일 정보도 함께 받기 위 기능에 대한 테스트 코드 작성하기 메뉴의 사진을 조회할 때 유저의 pk를 포함시키기 | 0 |
162,657 | 20,235,443,812 | IssuesEvent | 2022-02-14 01:09:32 | michaeldotson/movie-app | https://api.github.com/repos/michaeldotson/movie-app | opened | CVE-2022-23633 (High) detected in actionpack-5.2.2.gem | security vulnerability | ## CVE-2022-23633 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>actionpack-5.2.2.gem</b></p></summary>
<p>Web apps on Rails. Simple, battle-tested conventions for building and testing MVC web applications. Works with any Rack-compatible server.</p>
<p>Library home page: <a href="https://rubygems.org/gems/actionpack-5.2.2.gem">https://rubygems.org/gems/actionpack-5.2.2.gem</a></p>
<p>Path to dependency file: /movie-app/Gemfile.lock</p>
<p>Path to vulnerable library: /var/lib/gems/2.3.0/cache/actionpack-5.2.2.gem</p>
<p>
Dependency Hierarchy:
- sass-rails-5.0.7.gem (Root Library)
- sprockets-rails-3.2.1.gem
- :x: **actionpack-5.2.2.gem** (Vulnerable Library)
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
Action Pack is a framework for handling and responding to web requests. Under certain circumstances response bodies will not be closed. In the event a response is *not* notified of a `close`, `ActionDispatch::Executor` will not know to reset thread local state for the next request. This can lead to data being leaked to subsequent requests.This has been fixed in Rails 7.0.2.1, 6.1.4.5, 6.0.4.5, and 5.2.6.1. Upgrading is highly recommended, but to work around this problem a middleware described in GHSA-wh98-p28r-vrc9 can be used.
<p>Publish Date: 2022-02-11
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-23633>CVE-2022-23633</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.4</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: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/rails/rails/security/advisories/GHSA-wh98-p28r-vrc9">https://github.com/rails/rails/security/advisories/GHSA-wh98-p28r-vrc9</a></p>
<p>Release Date: 2022-02-11</p>
<p>Fix Resolution: 5.2.6.2, 6.0.4.6, 6.1.4.6, 7.0.2.2
</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-2022-23633 (High) detected in actionpack-5.2.2.gem - ## CVE-2022-23633 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>actionpack-5.2.2.gem</b></p></summary>
<p>Web apps on Rails. Simple, battle-tested conventions for building and testing MVC web applications. Works with any Rack-compatible server.</p>
<p>Library home page: <a href="https://rubygems.org/gems/actionpack-5.2.2.gem">https://rubygems.org/gems/actionpack-5.2.2.gem</a></p>
<p>Path to dependency file: /movie-app/Gemfile.lock</p>
<p>Path to vulnerable library: /var/lib/gems/2.3.0/cache/actionpack-5.2.2.gem</p>
<p>
Dependency Hierarchy:
- sass-rails-5.0.7.gem (Root Library)
- sprockets-rails-3.2.1.gem
- :x: **actionpack-5.2.2.gem** (Vulnerable Library)
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
Action Pack is a framework for handling and responding to web requests. Under certain circumstances response bodies will not be closed. In the event a response is *not* notified of a `close`, `ActionDispatch::Executor` will not know to reset thread local state for the next request. This can lead to data being leaked to subsequent requests.This has been fixed in Rails 7.0.2.1, 6.1.4.5, 6.0.4.5, and 5.2.6.1. Upgrading is highly recommended, but to work around this problem a middleware described in GHSA-wh98-p28r-vrc9 can be used.
<p>Publish Date: 2022-02-11
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-23633>CVE-2022-23633</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.4</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: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/rails/rails/security/advisories/GHSA-wh98-p28r-vrc9">https://github.com/rails/rails/security/advisories/GHSA-wh98-p28r-vrc9</a></p>
<p>Release Date: 2022-02-11</p>
<p>Fix Resolution: 5.2.6.2, 6.0.4.6, 6.1.4.6, 7.0.2.2
</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 actionpack gem cve high severity vulnerability vulnerable library actionpack gem web apps on rails simple battle tested conventions for building and testing mvc web applications works with any rack compatible server library home page a href path to dependency file movie app gemfile lock path to vulnerable library var lib gems cache actionpack gem dependency hierarchy sass rails gem root library sprockets rails gem x actionpack gem vulnerable library vulnerability details action pack is a framework for handling and responding to web requests under certain circumstances response bodies will not be closed in the event a response is not notified of a close actiondispatch executor will not know to reset thread local state for the next request this can lead to data being leaked to subsequent requests this has been fixed in rails and upgrading is highly recommended but to work around this problem a middleware described in ghsa can be used 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 none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with whitesource | 0 |
152,187 | 19,680,207,361 | IssuesEvent | 2022-01-11 16:04:55 | Dima2021/juice-shop | https://api.github.com/repos/Dima2021/juice-shop | opened | CVE-2022-0155 (High) detected in follow-redirects-1.14.6.tgz | security vulnerability | ## CVE-2022-0155 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>follow-redirects-1.14.6.tgz</b></p></summary>
<p>HTTP and HTTPS modules that follow redirects.</p>
<p>Library home page: <a href="https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.6.tgz">https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.6.tgz</a></p>
<p>Path to dependency file: /frontend/package.json</p>
<p>Path to vulnerable library: /frontend/node_modules/follow-redirects/package.json,/node_modules/follow-redirects/package.json</p>
<p>
Dependency Hierarchy:
- http-server-0.12.3.tgz (Root Library)
- http-proxy-1.18.1.tgz
- :x: **follow-redirects-1.14.6.tgz** (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>
follow-redirects is vulnerable to Exposure of Private Personal Information to an Unauthorized Actor
<p>Publish Date: 2022-01-10
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-0155>CVE-2022-0155</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.0</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: Low
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://huntr.dev/bounties/fc524e4b-ebb6-427d-ab67-a64181020406/">https://huntr.dev/bounties/fc524e4b-ebb6-427d-ab67-a64181020406/</a></p>
<p>Release Date: 2022-01-10</p>
<p>Fix Resolution: follow-redirects - v1.14.7</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"follow-redirects","packageVersion":"1.14.6","packageFilePaths":["/frontend/package.json"],"isTransitiveDependency":true,"dependencyTree":"http-server:0.12.3;http-proxy:1.18.1;follow-redirects:1.14.6","isMinimumFixVersionAvailable":true,"minimumFixVersion":"follow-redirects - v1.14.7","isBinary":false}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2022-0155","vulnerabilityDetails":"follow-redirects is vulnerable to Exposure of Private Personal Information to an Unauthorized Actor","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-0155","cvss3Severity":"high","cvss3Score":"8.0","cvss3Metrics":{"A":"High","AC":"Low","PR":"Low","S":"Unchanged","C":"High","UI":"Required","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> --> | True | CVE-2022-0155 (High) detected in follow-redirects-1.14.6.tgz - ## CVE-2022-0155 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>follow-redirects-1.14.6.tgz</b></p></summary>
<p>HTTP and HTTPS modules that follow redirects.</p>
<p>Library home page: <a href="https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.6.tgz">https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.6.tgz</a></p>
<p>Path to dependency file: /frontend/package.json</p>
<p>Path to vulnerable library: /frontend/node_modules/follow-redirects/package.json,/node_modules/follow-redirects/package.json</p>
<p>
Dependency Hierarchy:
- http-server-0.12.3.tgz (Root Library)
- http-proxy-1.18.1.tgz
- :x: **follow-redirects-1.14.6.tgz** (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>
follow-redirects is vulnerable to Exposure of Private Personal Information to an Unauthorized Actor
<p>Publish Date: 2022-01-10
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-0155>CVE-2022-0155</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.0</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: Low
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://huntr.dev/bounties/fc524e4b-ebb6-427d-ab67-a64181020406/">https://huntr.dev/bounties/fc524e4b-ebb6-427d-ab67-a64181020406/</a></p>
<p>Release Date: 2022-01-10</p>
<p>Fix Resolution: follow-redirects - v1.14.7</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"follow-redirects","packageVersion":"1.14.6","packageFilePaths":["/frontend/package.json"],"isTransitiveDependency":true,"dependencyTree":"http-server:0.12.3;http-proxy:1.18.1;follow-redirects:1.14.6","isMinimumFixVersionAvailable":true,"minimumFixVersion":"follow-redirects - v1.14.7","isBinary":false}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2022-0155","vulnerabilityDetails":"follow-redirects is vulnerable to Exposure of Private Personal Information to an Unauthorized Actor","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-0155","cvss3Severity":"high","cvss3Score":"8.0","cvss3Metrics":{"A":"High","AC":"Low","PR":"Low","S":"Unchanged","C":"High","UI":"Required","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> --> | non_priority | cve high detected in follow redirects tgz cve high severity vulnerability vulnerable library follow redirects tgz http and https modules that follow redirects library home page a href path to dependency file frontend package json path to vulnerable library frontend node modules follow redirects package json node modules follow redirects package json dependency hierarchy http server tgz root library http proxy tgz x follow redirects tgz vulnerable library found in base branch master vulnerability details follow redirects is vulnerable to exposure of private personal information to an unauthorized actor publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required low user interaction required scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution follow redirects isopenpronvulnerability true ispackagebased true isdefaultbranch true packages istransitivedependency true dependencytree http server http proxy follow redirects isminimumfixversionavailable true minimumfixversion follow redirects isbinary false basebranches vulnerabilityidentifier cve vulnerabilitydetails follow redirects is vulnerable to exposure of private personal information to an unauthorized actor vulnerabilityurl | 0 |
122,125 | 16,086,593,765 | IssuesEvent | 2021-04-26 12:03:16 | microsoft/fluentui | https://api.github.com/repos/microsoft/fluentui | closed | Different font sizes between fabric theme and design resource | Area: Fonts Needs: Design Resolution: Soft Close Type: Feature | When building and styling a custom fabric react component, I am utilizing the `theme.fonts` object within the styles file. By default this object shows definitions for various font sizes, eg. small, medium, large, xLarge etc.
By default, I understand these font sizes start as follows: 10, 11, 12, 13, 14, 15, 17...
The components that I am building are initially designed by my colleague using Sketch. My problem is that he is referring to the Sketch Design Resource [here](https://developer.microsoft.com/en-us/fabric#/resources) which lists a different set of font sizes (10, 12, 14, 16, 18). So when it comes to building the component, I have a problem because there is no font slot with a size of 16 or 18 by default. I don't want to manually specify the font size and I also don't want to change the theme.fonts definition.
Is it possible to update this design resource to include the additional font sizes used by the theme.fonts object? | 1.0 | Different font sizes between fabric theme and design resource - When building and styling a custom fabric react component, I am utilizing the `theme.fonts` object within the styles file. By default this object shows definitions for various font sizes, eg. small, medium, large, xLarge etc.
By default, I understand these font sizes start as follows: 10, 11, 12, 13, 14, 15, 17...
The components that I am building are initially designed by my colleague using Sketch. My problem is that he is referring to the Sketch Design Resource [here](https://developer.microsoft.com/en-us/fabric#/resources) which lists a different set of font sizes (10, 12, 14, 16, 18). So when it comes to building the component, I have a problem because there is no font slot with a size of 16 or 18 by default. I don't want to manually specify the font size and I also don't want to change the theme.fonts definition.
Is it possible to update this design resource to include the additional font sizes used by the theme.fonts object? | non_priority | different font sizes between fabric theme and design resource when building and styling a custom fabric react component i am utilizing the theme fonts object within the styles file by default this object shows definitions for various font sizes eg small medium large xlarge etc by default i understand these font sizes start as follows the components that i am building are initially designed by my colleague using sketch my problem is that he is referring to the sketch design resource which lists a different set of font sizes so when it comes to building the component i have a problem because there is no font slot with a size of or by default i don t want to manually specify the font size and i also don t want to change the theme fonts definition is it possible to update this design resource to include the additional font sizes used by the theme fonts object | 0 |
336,329 | 24,493,382,534 | IssuesEvent | 2022-10-10 06:07:15 | supabase/cli | https://api.github.com/repos/supabase/cli | closed | Demo version | documentation | What is the deno version of supabase edge functions? How can I update it?? I cannot run "npm:express" super hard to install "firebase-admin" | 1.0 | Demo version - What is the deno version of supabase edge functions? How can I update it?? I cannot run "npm:express" super hard to install "firebase-admin" | non_priority | demo version what is the deno version of supabase edge functions how can i update it i cannot run npm express super hard to install firebase admin | 0 |
182,357 | 30,834,541,776 | IssuesEvent | 2023-08-02 06:13:44 | pie-sfac/3-14-ketotop | https://api.github.com/repos/pie-sfac/3-14-ketotop | closed | [feat] Component - Dialog 구현 | 🔮 Feature 🎨 Design | ## 작업할 내용 간략한 설명
- `TextField` 컴포넌트 구현
## 구현 방법 및 예상 동작
- 디자인에 맞는 로직을 가지는 `TextField` 컴포넌트 제작(아래에 기재)
## 특이사항
- 피그마에 기재된 `TextField`의 상태는 아래와 같습니다
> `Inactive`, `Focusesd`, `Error`, `Positive`, `Activated`, `Disable`
| 1.0 | [feat] Component - Dialog 구현 - ## 작업할 내용 간략한 설명
- `TextField` 컴포넌트 구현
## 구현 방법 및 예상 동작
- 디자인에 맞는 로직을 가지는 `TextField` 컴포넌트 제작(아래에 기재)
## 특이사항
- 피그마에 기재된 `TextField`의 상태는 아래와 같습니다
> `Inactive`, `Focusesd`, `Error`, `Positive`, `Activated`, `Disable`
| non_priority | component dialog 구현 작업할 내용 간략한 설명 textfield 컴포넌트 구현 구현 방법 및 예상 동작 디자인에 맞는 로직을 가지는 textfield 컴포넌트 제작 아래에 기재 특이사항 피그마에 기재된 textfield 의 상태는 아래와 같습니다 inactive focusesd error positive activated disable | 0 |
451,081 | 32,007,657,484 | IssuesEvent | 2023-09-21 15:46:46 | Zaczero/osm-yolo-crossings | https://api.github.com/repos/Zaczero/osm-yolo-crossings | closed | Add instructions for use | documentation | It would be nice to add at least a brief instruction on how to start the project to run locally.
I see a lot of files in the project that I need to explore into to run and set up the environment, but they are pretty hard to understand. For example, I see files from the Nix package manager requires research if encountering it for the first time. Yet it seems to be responsible for setting up the environment and installing packages. | 1.0 | Add instructions for use - It would be nice to add at least a brief instruction on how to start the project to run locally.
I see a lot of files in the project that I need to explore into to run and set up the environment, but they are pretty hard to understand. For example, I see files from the Nix package manager requires research if encountering it for the first time. Yet it seems to be responsible for setting up the environment and installing packages. | non_priority | add instructions for use it would be nice to add at least a brief instruction on how to start the project to run locally i see a lot of files in the project that i need to explore into to run and set up the environment but they are pretty hard to understand for example i see files from the nix package manager requires research if encountering it for the first time yet it seems to be responsible for setting up the environment and installing packages | 0 |
19,025 | 3,412,598,698 | IssuesEvent | 2015-12-06 00:54:04 | elastic/kibana | https://api.github.com/repos/elastic/kibana | opened | Keep next/previous page buttons static | enhancement UI-Design | When you page through various areas, like all the vizs you have, with the little next/prev page buttons, these buttons shift ever so slightly as the length/size of the numbers it pages through change.
This means you can think you are paging through one-by-one, but actually click on a high number and then miss a bunch.
See below;


It'd be better if these were static :) | 1.0 | Keep next/previous page buttons static - When you page through various areas, like all the vizs you have, with the little next/prev page buttons, these buttons shift ever so slightly as the length/size of the numbers it pages through change.
This means you can think you are paging through one-by-one, but actually click on a high number and then miss a bunch.
See below;


It'd be better if these were static :) | non_priority | keep next previous page buttons static when you page through various areas like all the vizs you have with the little next prev page buttons these buttons shift ever so slightly as the length size of the numbers it pages through change this means you can think you are paging through one by one but actually click on a high number and then miss a bunch see below it d be better if these were static | 0 |
64,712 | 7,837,274,068 | IssuesEvent | 2018-06-18 04:54:55 | gitcoinco/web | https://api.github.com/repos/gitcoinco/web | opened | design : new 404 page | design-help will-tip-for-turnaround | ### User Story
This is a design ticket for the redesign of the gitcoin 404 page.
Feel free to browse through our current assets set up at: https://github.com/gitcoinco/creative/tree/master/Marketing/Art
Current 404 page:
Looks meh ! Could be improved.
<img width="1440" alt="screen shot 2018-06-18 at 10 16 09 am" src="https://user-images.githubusercontent.com/5358146/41518538-a821cc9a-72e0-11e8-942e-d1456de088ac.png">
### Definition of Done
Feel free to create a new icon that is relavent to the gitcoin mantra of `Growing open source` / reusing the assets to design a neat 404 page
Once done
Submit a PR to https://github.com/gitcoinco/creative with the svg / design files.
| 1.0 | design : new 404 page - ### User Story
This is a design ticket for the redesign of the gitcoin 404 page.
Feel free to browse through our current assets set up at: https://github.com/gitcoinco/creative/tree/master/Marketing/Art
Current 404 page:
Looks meh ! Could be improved.
<img width="1440" alt="screen shot 2018-06-18 at 10 16 09 am" src="https://user-images.githubusercontent.com/5358146/41518538-a821cc9a-72e0-11e8-942e-d1456de088ac.png">
### Definition of Done
Feel free to create a new icon that is relavent to the gitcoin mantra of `Growing open source` / reusing the assets to design a neat 404 page
Once done
Submit a PR to https://github.com/gitcoinco/creative with the svg / design files.
| non_priority | design new page user story this is a design ticket for the redesign of the gitcoin page feel free to browse through our current assets set up at current page looks meh could be improved img width alt screen shot at am src definition of done feel free to create a new icon that is relavent to the gitcoin mantra of growing open source reusing the assets to design a neat page once done submit a pr to with the svg design files | 0 |
18,420 | 10,113,098,849 | IssuesEvent | 2019-07-30 15:57:40 | reposense/RepoSense | https://api.github.com/repos/reposense/RepoSense | closed | Increase performance by not cloning a repo twice | a-Performance p.Low | (Problem applies to users of Windows OS)
### Current
Currently, RepoSense does a `git clone --bare` of each individual repos and check if any of the files/folders contain illegal characters in the repo. Then when no illegal characters are detected, RepoSense performs a proper clone of the repository (again).
This incurs heavy performance penalty, especially if the remo repo is huge in size (e.g.: TEAMMATES) as repos will be cloned twice (note `clone bare` and `clone` clones the repo with the same total size).
### Suggested
Do a clone bare of the repo, check for illegal file names in windows. Once done, do a clone **from the local directory where the bare repo is located** to a new location. Doing so will just copy the files over, and do a chekout to the master branch. See [this](https://stackoverflow.com/questions/6403982/accessing-source-files-from-git-baremaster).

| True | Increase performance by not cloning a repo twice - (Problem applies to users of Windows OS)
### Current
Currently, RepoSense does a `git clone --bare` of each individual repos and check if any of the files/folders contain illegal characters in the repo. Then when no illegal characters are detected, RepoSense performs a proper clone of the repository (again).
This incurs heavy performance penalty, especially if the remo repo is huge in size (e.g.: TEAMMATES) as repos will be cloned twice (note `clone bare` and `clone` clones the repo with the same total size).
### Suggested
Do a clone bare of the repo, check for illegal file names in windows. Once done, do a clone **from the local directory where the bare repo is located** to a new location. Doing so will just copy the files over, and do a chekout to the master branch. See [this](https://stackoverflow.com/questions/6403982/accessing-source-files-from-git-baremaster).

| non_priority | increase performance by not cloning a repo twice problem applies to users of windows os current currently reposense does a git clone bare of each individual repos and check if any of the files folders contain illegal characters in the repo then when no illegal characters are detected reposense performs a proper clone of the repository again this incurs heavy performance penalty especially if the remo repo is huge in size e g teammates as repos will be cloned twice note clone bare and clone clones the repo with the same total size suggested do a clone bare of the repo check for illegal file names in windows once done do a clone from the local directory where the bare repo is located to a new location doing so will just copy the files over and do a chekout to the master branch see | 0 |
71,712 | 13,728,147,412 | IssuesEvent | 2020-10-04 10:13:38 | yfinkelstein/node-zookeeper | https://api.github.com/repos/yfinkelstein/node-zookeeper | closed | Add build step for Node.js 14 | Code quality good-first-issue help-wanted | **Is your feature request related to a problem? Please describe.**
In October, Node.js 14 will be LTS. Make sure `node-zookeeper` works as expected on that version, besides v10 and v12.
**Describe the solution you'd like**
Add Travis-CI build steps for Node.js 14.
| 1.0 | Add build step for Node.js 14 - **Is your feature request related to a problem? Please describe.**
In October, Node.js 14 will be LTS. Make sure `node-zookeeper` works as expected on that version, besides v10 and v12.
**Describe the solution you'd like**
Add Travis-CI build steps for Node.js 14.
| non_priority | add build step for node js is your feature request related to a problem please describe in october node js will be lts make sure node zookeeper works as expected on that version besides and describe the solution you d like add travis ci build steps for node js | 0 |
13,861 | 8,697,354,647 | IssuesEvent | 2018-12-04 20:01:39 | godotengine/godot | https://api.github.com/repos/godotengine/godot | closed | 'Drag and Drop' and 'Clear' are not functional in Cubemap creation. | bug topic:editor usability | **Operating system or device - Godot version:**
Windows 10 - Godot 2.1
**Issue description** (what happened, and what was expected):
When creating a Cubemap resource, you can not drag and drop textures onto the appropriate slot in the editor. It seems that trying to clear the texture slot does not work properly either.
**Steps to reproduce:**
Create a WorldEnvironment Node **->** Create a new Environment **->** Create a new Cubemap in said Environment **->** Attempt to drag textures onto appropriate 'Side' slots **->** Fail miserably **->** Sigh deeply as you now have to spend 20 precious seconds of your life manually loading the six textures.
| True | 'Drag and Drop' and 'Clear' are not functional in Cubemap creation. - **Operating system or device - Godot version:**
Windows 10 - Godot 2.1
**Issue description** (what happened, and what was expected):
When creating a Cubemap resource, you can not drag and drop textures onto the appropriate slot in the editor. It seems that trying to clear the texture slot does not work properly either.
**Steps to reproduce:**
Create a WorldEnvironment Node **->** Create a new Environment **->** Create a new Cubemap in said Environment **->** Attempt to drag textures onto appropriate 'Side' slots **->** Fail miserably **->** Sigh deeply as you now have to spend 20 precious seconds of your life manually loading the six textures.
| non_priority | drag and drop and clear are not functional in cubemap creation operating system or device godot version windows godot issue description what happened and what was expected when creating a cubemap resource you can not drag and drop textures onto the appropriate slot in the editor it seems that trying to clear the texture slot does not work properly either steps to reproduce create a worldenvironment node create a new environment create a new cubemap in said environment attempt to drag textures onto appropriate side slots fail miserably sigh deeply as you now have to spend precious seconds of your life manually loading the six textures | 0 |
8,885 | 3,801,151,231 | IssuesEvent | 2016-03-23 21:42:48 | rubberduck-vba/Rubberduck | https://api.github.com/repos/rubberduck-vba/Rubberduck | closed | Resolver should ignore access modifiers in current module | bug code-parsing | Picture this (evil) code in a standard (.bas) module, named `Module1`, in a VBA project named `VBAProject` (the default):
Option Explicit
Private Type Module1
Foo As Integer
Bar As Integer
End Type
Private Module1 As Module1
Private Foo As Integer
Private Bar As Integer
Public Sub DoSomething()
Dim Foo As Integer
Bar = 42
Foo = Bar
Module1.Foo = Foo
VBAProject.Module1.Module1.Foo = Foo
Debug.Print VBAProject.Module1.Module1.Foo
End Sub
Running `DoSomething` will output `42` in the debug pane.
Yet, these lines:
> VBAProject.Module1.Module1.Foo = Foo
> Debug.Print VBAProject.Module1.Module1.Foo
Are both accessing a `Private` field - and IntelliSense *seems* to respect that:
![only DoSomething shows up in IntelliSense][1]
...and yet IntelliSense still resolves the **private** type and the next dot lists both UDT members:
![...yet it resolves the private type][2]
The reason is because, since we're in the same module, the access modifier doesn't matter. The resolver needs to take that into account.
Accessing private members of `Module1` from `Module2` will not compile and shouldn't resolve, obviously.
[1]: http://i.stack.imgur.com/CZZdC.png
[2]: http://i.stack.imgur.com/OhSGP.png
| 1.0 | Resolver should ignore access modifiers in current module - Picture this (evil) code in a standard (.bas) module, named `Module1`, in a VBA project named `VBAProject` (the default):
Option Explicit
Private Type Module1
Foo As Integer
Bar As Integer
End Type
Private Module1 As Module1
Private Foo As Integer
Private Bar As Integer
Public Sub DoSomething()
Dim Foo As Integer
Bar = 42
Foo = Bar
Module1.Foo = Foo
VBAProject.Module1.Module1.Foo = Foo
Debug.Print VBAProject.Module1.Module1.Foo
End Sub
Running `DoSomething` will output `42` in the debug pane.
Yet, these lines:
> VBAProject.Module1.Module1.Foo = Foo
> Debug.Print VBAProject.Module1.Module1.Foo
Are both accessing a `Private` field - and IntelliSense *seems* to respect that:
![only DoSomething shows up in IntelliSense][1]
...and yet IntelliSense still resolves the **private** type and the next dot lists both UDT members:
![...yet it resolves the private type][2]
The reason is because, since we're in the same module, the access modifier doesn't matter. The resolver needs to take that into account.
Accessing private members of `Module1` from `Module2` will not compile and shouldn't resolve, obviously.
[1]: http://i.stack.imgur.com/CZZdC.png
[2]: http://i.stack.imgur.com/OhSGP.png
| non_priority | resolver should ignore access modifiers in current module picture this evil code in a standard bas module named in a vba project named vbaproject the default option explicit private type foo as integer bar as integer end type private as private foo as integer private bar as integer public sub dosomething dim foo as integer bar foo bar foo foo vbaproject foo foo debug print vbaproject foo end sub running dosomething will output in the debug pane yet these lines vbaproject foo foo debug print vbaproject foo are both accessing a private field and intellisense seems to respect that and yet intellisense still resolves the private type and the next dot lists both udt members the reason is because since we re in the same module the access modifier doesn t matter the resolver needs to take that into account accessing private members of from will not compile and shouldn t resolve obviously | 0 |
11,707 | 4,281,968,521 | IssuesEvent | 2016-07-15 06:55:10 | oppia/oppia | https://api.github.com/repos/oppia/oppia | closed | The admin page jobs list needs alternating colors to avoid mis-clicking the start job button | loc: frontend starter project TODO: code type: feature (minor) | The current admin page jobs tab enumerates the jobs in a table. Each row of this table should have an alternating color with the adjacent rows to make it easier to click the 'start' button. It's hard to trace the job name to its start button. Misclicking a job button can be disastrous. | 1.0 | The admin page jobs list needs alternating colors to avoid mis-clicking the start job button - The current admin page jobs tab enumerates the jobs in a table. Each row of this table should have an alternating color with the adjacent rows to make it easier to click the 'start' button. It's hard to trace the job name to its start button. Misclicking a job button can be disastrous. | non_priority | the admin page jobs list needs alternating colors to avoid mis clicking the start job button the current admin page jobs tab enumerates the jobs in a table each row of this table should have an alternating color with the adjacent rows to make it easier to click the start button it s hard to trace the job name to its start button misclicking a job button can be disastrous | 0 |
132,156 | 18,528,851,772 | IssuesEvent | 2021-10-21 01:33:51 | GDC-WM/2DGame2021 | https://api.github.com/repos/GDC-WM/2DGame2021 | opened | Story for 2D game | character design level design | WE NEED A STORY. How does the player enter the tunnels? Why are they there? How will the player progress through the tunnels? What enemies are there? Why are they there? These are all important questions that we need to answer. | 2.0 | Story for 2D game - WE NEED A STORY. How does the player enter the tunnels? Why are they there? How will the player progress through the tunnels? What enemies are there? Why are they there? These are all important questions that we need to answer. | non_priority | story for game we need a story how does the player enter the tunnels why are they there how will the player progress through the tunnels what enemies are there why are they there these are all important questions that we need to answer | 0 |
293,835 | 25,326,096,251 | IssuesEvent | 2022-11-18 09:25:02 | mozilla-mobile/reference-browser | https://api.github.com/repos/mozilla-mobile/reference-browser | opened | Intermittent UI test failure - < CustomTabsTest.verifyCustomTabMenuItemsTest> | eng:ui-test eng:intermittent-test | ### Firebase Test Run: [Firebase link](https://console.firebase.google.com/u/0/project/moz-reference-browser-230023/testlab/histories/bh.b4e77beaed81bc1c/matrices/7939284004025639201/executions/bs.d5cdfc24f150c715/testcases/1)
### Stacktrace:
androidx.test.espresso.AmbiguousViewMatcherException: 'view.getContentDescription() is "Forward"' matches 2 views in the hierarchy:
- [1] AppCompatImageButton{id=-1, desc=Forward, visibility=VISIBLE, width=218, height=147, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.LinearLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0}
- [2] AppCompatImageButton{id=-1, desc=Forward, visibility=VISIBLE, width=218, height=147, has-focus=false, has-focusable=true, has-window-focus=false, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.LinearLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0}
Problem views are marked with '****MATCHES****' below.
View Hierarchy:
+>PopupDecorView{id=-1, visibility=VISIBLE, width=706, height=721, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params={(985,1063)(wrapxwrap) gr=TOP START CENTER DISPLAY_CLIP_VERTICAL sim={state=unchanged} ty=APPLICATION_PANEL fmt=TRANSLUCENT wanim=0x7f13013e surfaceInsets=Rect(0, 0 - 0, 0) (manual)
fl=ALT_FOCUSABLE_IM SPLIT_TOUCH HARDWARE_ACCELERATED FLAG_LAYOUT_ATTACHED_IN_DECOR
pfl=WILL_NOT_REPLACE_ON_RELAUNCH LAYOUT_CHILD_WINDOW_IN_PARENT_FRAME
fitTypes=STATUS_BARS NAVIGATION_BARS CAPTION_BAR}, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0, child-count=1}
|
+->MenuView{id=-1, visibility=VISIBLE, width=706, height=721, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=android.widget.FrameLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0, child-count=1}
|
+-->CardView{id=2131296666, res-name=mozac_browser_menu_cardView, visibility=VISIBLE, width=706, height=721, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=android.widget.FrameLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0, child-count=1}
|
+--->RecyclerView{id=2131296668, res-name=mozac_browser_menu_recyclerView, visibility=VISIBLE, width=656, height=651, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.FrameLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=25.0, y=35.0, child-count=5}
|
+---->LinearLayout{id=-1, visibility=VISIBLE, width=656, height=147, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=androidx.recyclerview.widget.RecyclerView$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0, child-count=3}
|
+----->AppCompatImageButton{id=-1, desc=Forward, visibility=VISIBLE, width=218, height=147, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.LinearLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0} ****MATCHES****
|
+----->AppCompatImageButton{id=-1, desc=Refresh, visibility=VISIBLE, width=219, height=147, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.LinearLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=218.0, y=0.0}
|
+----->AppCompatImageButton{id=-1, desc=Stop, visibility=VISIBLE, width=219, height=147, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.LinearLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=437.0, y=0.0}
|
+---->ConstraintLayout{id=-1, visibility=VISIBLE, width=656, height=126, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=androidx.recyclerview.widget.RecyclerView$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=147.0, child-count=1}
|
+----->AppCompatTextView{id=2131296597, res-name=label, visibility=VISIBLE, width=572, height=57, has-focus=false, has-focusable=false, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=androidx.constraintlayout.widget.ConstraintLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=42.0, y=35.0, text=Share, input-type=0, ime-target=false, has-links=false}
|
+---->ConstraintLayout{id=-1, visibility=VISIBLE, width=656, height=126, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=androidx.recyclerview.widget.RecyclerView$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=273.0, child-count=1}
|
+----->SwitchCompat{id=2131296597, res-name=label, visibility=VISIBLE, width=572, height=126, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=androidx.constraintlayout.widget.ConstraintLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=42.0, y=0.0, text=Request desktop site, input-type=0, ime-target=false, has-links=false, is-checked=false}
|
+---->ConstraintLayout{id=-1, visibility=VISIBLE, width=656, height=126, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=androidx.recyclerview.widget.RecyclerView$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=399.0, child-count=1}
|
+----->AppCompatTextView{id=2131296597, res-name=label, visibility=VISIBLE, width=572, height=57, has-focus=false, has-focusable=false, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=androidx.constraintlayout.widget.ConstraintLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=42.0, y=35.0, text=Find in Page, input-type=0, ime-target=false, has-links=false}
|
+---->ConstraintLayout{id=-1, visibility=VISIBLE, width=656, height=126, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=androidx.recyclerview.widget.RecyclerView$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=525.0, child-count=1}
|
+----->AppCompatTextView{id=2131296597, res-name=label, visibility=VISIBLE, width=572, height=57, has-focus=false, has-focusable=false, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=androidx.constraintlayout.widget.ConstraintLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=42.0, y=35.0, text=Open in Browser, input-type=0, ime-target=false, has-links=false}
at androidx.test.espresso.AmbiguousViewMatcherException$Builder.build(AmbiguousViewMatcherException.java:6)
at androidx.test.espresso.base.DefaultFailureHandler.lambda$getAmbiguousViewMatcherExceptionTruncater$1(DefaultFailureHandler.java:5)
at androidx.test.espresso.base.DefaultFailureHandler$$ExternalSyntheticLambda0.truncateExceptionMessage(Unknown Source:2)
at androidx.test.espresso.base.ViewHierarchyExceptionHandler.handleSafely(ViewHierarchyExceptionHandler.java:5)
at androidx.test.espresso.base.ViewHierarchyExceptionHandler.handleSafely(ViewHierarchyExceptionHandler.java:1)
at androidx.test.espresso.base.DefaultFailureHandler$TypedFailureHandler.handle(DefaultFailureHandler.java:4)
at androidx.test.espresso.base.DefaultFailureHandler.handle(DefaultFailureHandler.java:5)
at androidx.test.espresso.ViewInteraction.waitForAndHandleInteractionResults(ViewInteraction.java:8)
at androidx.test.espresso.ViewInteraction.check(ViewInteraction.java:12)
at org.mozilla.reference.browser.ui.robots.CustomTabRobotKt.assertForwardButton(CustomTabRobot.kt:157)
at org.mozilla.reference.browser.ui.robots.CustomTabRobotKt.access$assertForwardButton(CustomTabRobot.kt:1)
at org.mozilla.reference.browser.ui.robots.CustomTabRobot.verifyForwardButton(CustomTabRobot.kt:35)
at org.mozilla.reference.browser.ui.CustomTabsTest$verifyCustomTabMenuItemsTest$2.invoke(CustomTabsTest.kt:83)
at org.mozilla.reference.browser.ui.CustomTabsTest$verifyCustomTabMenuItemsTest$2.invoke(CustomTabsTest.kt:82)
at org.mozilla.reference.browser.ui.robots.CustomTabRobot$Transition.openMainMenu(CustomTabRobot.kt:90)
at org.mozilla.reference.browser.ui.CustomTabsTest.verifyCustomTabMenuItemsTest(CustomTabsTest.kt:82)
### Build: 11/17 Main
| 2.0 | Intermittent UI test failure - < CustomTabsTest.verifyCustomTabMenuItemsTest> - ### Firebase Test Run: [Firebase link](https://console.firebase.google.com/u/0/project/moz-reference-browser-230023/testlab/histories/bh.b4e77beaed81bc1c/matrices/7939284004025639201/executions/bs.d5cdfc24f150c715/testcases/1)
### Stacktrace:
androidx.test.espresso.AmbiguousViewMatcherException: 'view.getContentDescription() is "Forward"' matches 2 views in the hierarchy:
- [1] AppCompatImageButton{id=-1, desc=Forward, visibility=VISIBLE, width=218, height=147, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.LinearLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0}
- [2] AppCompatImageButton{id=-1, desc=Forward, visibility=VISIBLE, width=218, height=147, has-focus=false, has-focusable=true, has-window-focus=false, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.LinearLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0}
Problem views are marked with '****MATCHES****' below.
View Hierarchy:
+>PopupDecorView{id=-1, visibility=VISIBLE, width=706, height=721, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params={(985,1063)(wrapxwrap) gr=TOP START CENTER DISPLAY_CLIP_VERTICAL sim={state=unchanged} ty=APPLICATION_PANEL fmt=TRANSLUCENT wanim=0x7f13013e surfaceInsets=Rect(0, 0 - 0, 0) (manual)
fl=ALT_FOCUSABLE_IM SPLIT_TOUCH HARDWARE_ACCELERATED FLAG_LAYOUT_ATTACHED_IN_DECOR
pfl=WILL_NOT_REPLACE_ON_RELAUNCH LAYOUT_CHILD_WINDOW_IN_PARENT_FRAME
fitTypes=STATUS_BARS NAVIGATION_BARS CAPTION_BAR}, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0, child-count=1}
|
+->MenuView{id=-1, visibility=VISIBLE, width=706, height=721, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=android.widget.FrameLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0, child-count=1}
|
+-->CardView{id=2131296666, res-name=mozac_browser_menu_cardView, visibility=VISIBLE, width=706, height=721, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=android.widget.FrameLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0, child-count=1}
|
+--->RecyclerView{id=2131296668, res-name=mozac_browser_menu_recyclerView, visibility=VISIBLE, width=656, height=651, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.FrameLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=25.0, y=35.0, child-count=5}
|
+---->LinearLayout{id=-1, visibility=VISIBLE, width=656, height=147, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=androidx.recyclerview.widget.RecyclerView$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0, child-count=3}
|
+----->AppCompatImageButton{id=-1, desc=Forward, visibility=VISIBLE, width=218, height=147, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.LinearLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=0.0} ****MATCHES****
|
+----->AppCompatImageButton{id=-1, desc=Refresh, visibility=VISIBLE, width=219, height=147, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.LinearLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=218.0, y=0.0}
|
+----->AppCompatImageButton{id=-1, desc=Stop, visibility=VISIBLE, width=219, height=147, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=android.widget.LinearLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=437.0, y=0.0}
|
+---->ConstraintLayout{id=-1, visibility=VISIBLE, width=656, height=126, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=androidx.recyclerview.widget.RecyclerView$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=147.0, child-count=1}
|
+----->AppCompatTextView{id=2131296597, res-name=label, visibility=VISIBLE, width=572, height=57, has-focus=false, has-focusable=false, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=androidx.constraintlayout.widget.ConstraintLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=42.0, y=35.0, text=Share, input-type=0, ime-target=false, has-links=false}
|
+---->ConstraintLayout{id=-1, visibility=VISIBLE, width=656, height=126, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=androidx.recyclerview.widget.RecyclerView$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=273.0, child-count=1}
|
+----->SwitchCompat{id=2131296597, res-name=label, visibility=VISIBLE, width=572, height=126, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=androidx.constraintlayout.widget.ConstraintLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=42.0, y=0.0, text=Request desktop site, input-type=0, ime-target=false, has-links=false, is-checked=false}
|
+---->ConstraintLayout{id=-1, visibility=VISIBLE, width=656, height=126, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=androidx.recyclerview.widget.RecyclerView$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=399.0, child-count=1}
|
+----->AppCompatTextView{id=2131296597, res-name=label, visibility=VISIBLE, width=572, height=57, has-focus=false, has-focusable=false, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=androidx.constraintlayout.widget.ConstraintLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=42.0, y=35.0, text=Find in Page, input-type=0, ime-target=false, has-links=false}
|
+---->ConstraintLayout{id=-1, visibility=VISIBLE, width=656, height=126, has-focus=false, has-focusable=true, has-window-focus=true, is-clickable=true, is-enabled=true, is-focused=false, is-focusable=true, is-layout-requested=false, is-selected=false, layout-params=androidx.recyclerview.widget.RecyclerView$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=0.0, y=525.0, child-count=1}
|
+----->AppCompatTextView{id=2131296597, res-name=label, visibility=VISIBLE, width=572, height=57, has-focus=false, has-focusable=false, has-window-focus=true, is-clickable=false, is-enabled=true, is-focused=false, is-focusable=false, is-layout-requested=false, is-selected=false, layout-params=androidx.constraintlayout.widget.ConstraintLayout$LayoutParams@YYYYYY, tag=null, root-is-layout-requested=false, has-input-connection=false, x=42.0, y=35.0, text=Open in Browser, input-type=0, ime-target=false, has-links=false}
at androidx.test.espresso.AmbiguousViewMatcherException$Builder.build(AmbiguousViewMatcherException.java:6)
at androidx.test.espresso.base.DefaultFailureHandler.lambda$getAmbiguousViewMatcherExceptionTruncater$1(DefaultFailureHandler.java:5)
at androidx.test.espresso.base.DefaultFailureHandler$$ExternalSyntheticLambda0.truncateExceptionMessage(Unknown Source:2)
at androidx.test.espresso.base.ViewHierarchyExceptionHandler.handleSafely(ViewHierarchyExceptionHandler.java:5)
at androidx.test.espresso.base.ViewHierarchyExceptionHandler.handleSafely(ViewHierarchyExceptionHandler.java:1)
at androidx.test.espresso.base.DefaultFailureHandler$TypedFailureHandler.handle(DefaultFailureHandler.java:4)
at androidx.test.espresso.base.DefaultFailureHandler.handle(DefaultFailureHandler.java:5)
at androidx.test.espresso.ViewInteraction.waitForAndHandleInteractionResults(ViewInteraction.java:8)
at androidx.test.espresso.ViewInteraction.check(ViewInteraction.java:12)
at org.mozilla.reference.browser.ui.robots.CustomTabRobotKt.assertForwardButton(CustomTabRobot.kt:157)
at org.mozilla.reference.browser.ui.robots.CustomTabRobotKt.access$assertForwardButton(CustomTabRobot.kt:1)
at org.mozilla.reference.browser.ui.robots.CustomTabRobot.verifyForwardButton(CustomTabRobot.kt:35)
at org.mozilla.reference.browser.ui.CustomTabsTest$verifyCustomTabMenuItemsTest$2.invoke(CustomTabsTest.kt:83)
at org.mozilla.reference.browser.ui.CustomTabsTest$verifyCustomTabMenuItemsTest$2.invoke(CustomTabsTest.kt:82)
at org.mozilla.reference.browser.ui.robots.CustomTabRobot$Transition.openMainMenu(CustomTabRobot.kt:90)
at org.mozilla.reference.browser.ui.CustomTabsTest.verifyCustomTabMenuItemsTest(CustomTabsTest.kt:82)
### Build: 11/17 Main
| non_priority | intermittent ui test failure firebase test run stacktrace androidx test espresso ambiguousviewmatcherexception view getcontentdescription is forward matches views in the hierarchy appcompatimagebutton id desc forward visibility visible width height has focus false has focusable true has window focus true is clickable true is enabled true is focused false is focusable true is layout requested false is selected false layout params android widget linearlayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y appcompatimagebutton id desc forward visibility visible width height has focus false has focusable true has window focus false is clickable true is enabled true is focused false is focusable true is layout requested false is selected false layout params android widget linearlayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y problem views are marked with matches below view hierarchy popupdecorview id visibility visible width height has focus false has focusable true has window focus true is clickable false is enabled true is focused false is focusable false is layout requested false is selected false layout params wrapxwrap gr top start center display clip vertical sim state unchanged ty application panel fmt translucent wanim surfaceinsets rect manual fl alt focusable im split touch hardware accelerated flag layout attached in decor pfl will not replace on relaunch layout child window in parent frame fittypes status bars navigation bars caption bar tag null root is layout requested false has input connection false x y child count menuview id visibility visible width height has focus false has focusable true has window focus true is clickable false is enabled true is focused false is focusable false is layout requested false is selected false layout params android widget framelayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y child count cardview id res name mozac browser menu cardview visibility visible width height has focus false has focusable true has window focus true is clickable false is enabled true is focused false is focusable false is layout requested false is selected false layout params android widget framelayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y child count recyclerview id res name mozac browser menu recyclerview visibility visible width height has focus false has focusable true has window focus true is clickable false is enabled true is focused false is focusable true is layout requested false is selected false layout params android widget framelayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y child count linearlayout id visibility visible width height has focus false has focusable true has window focus true is clickable false is enabled true is focused false is focusable false is layout requested false is selected false layout params androidx recyclerview widget recyclerview layoutparams yyyyyy tag null root is layout requested false has input connection false x y child count appcompatimagebutton id desc forward visibility visible width height has focus false has focusable true has window focus true is clickable true is enabled true is focused false is focusable true is layout requested false is selected false layout params android widget linearlayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y matches appcompatimagebutton id desc refresh visibility visible width height has focus false has focusable true has window focus true is clickable true is enabled true is focused false is focusable true is layout requested false is selected false layout params android widget linearlayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y appcompatimagebutton id desc stop visibility visible width height has focus false has focusable true has window focus true is clickable true is enabled true is focused false is focusable true is layout requested false is selected false layout params android widget linearlayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y constraintlayout id visibility visible width height has focus false has focusable true has window focus true is clickable true is enabled true is focused false is focusable true is layout requested false is selected false layout params androidx recyclerview widget recyclerview layoutparams yyyyyy tag null root is layout requested false has input connection false x y child count appcompattextview id res name label visibility visible width height has focus false has focusable false has window focus true is clickable false is enabled true is focused false is focusable false is layout requested false is selected false layout params androidx constraintlayout widget constraintlayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y text share input type ime target false has links false constraintlayout id visibility visible width height has focus false has focusable true has window focus true is clickable true is enabled true is focused false is focusable false is layout requested false is selected false layout params androidx recyclerview widget recyclerview layoutparams yyyyyy tag null root is layout requested false has input connection false x y child count switchcompat id res name label visibility visible width height has focus false has focusable true has window focus true is clickable true is enabled true is focused false is focusable true is layout requested false is selected false layout params androidx constraintlayout widget constraintlayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y text request desktop site input type ime target false has links false is checked false constraintlayout id visibility visible width height has focus false has focusable true has window focus true is clickable true is enabled true is focused false is focusable true is layout requested false is selected false layout params androidx recyclerview widget recyclerview layoutparams yyyyyy tag null root is layout requested false has input connection false x y child count appcompattextview id res name label visibility visible width height has focus false has focusable false has window focus true is clickable false is enabled true is focused false is focusable false is layout requested false is selected false layout params androidx constraintlayout widget constraintlayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y text find in page input type ime target false has links false constraintlayout id visibility visible width height has focus false has focusable true has window focus true is clickable true is enabled true is focused false is focusable true is layout requested false is selected false layout params androidx recyclerview widget recyclerview layoutparams yyyyyy tag null root is layout requested false has input connection false x y child count appcompattextview id res name label visibility visible width height has focus false has focusable false has window focus true is clickable false is enabled true is focused false is focusable false is layout requested false is selected false layout params androidx constraintlayout widget constraintlayout layoutparams yyyyyy tag null root is layout requested false has input connection false x y text open in browser input type ime target false has links false at androidx test espresso ambiguousviewmatcherexception builder build ambiguousviewmatcherexception java at androidx test espresso base defaultfailurehandler lambda getambiguousviewmatcherexceptiontruncater defaultfailurehandler java at androidx test espresso base defaultfailurehandler truncateexceptionmessage unknown source at androidx test espresso base viewhierarchyexceptionhandler handlesafely viewhierarchyexceptionhandler java at androidx test espresso base viewhierarchyexceptionhandler handlesafely viewhierarchyexceptionhandler java at androidx test espresso base defaultfailurehandler typedfailurehandler handle defaultfailurehandler java at androidx test espresso base defaultfailurehandler handle defaultfailurehandler java at androidx test espresso viewinteraction waitforandhandleinteractionresults viewinteraction java at androidx test espresso viewinteraction check viewinteraction java at org mozilla reference browser ui robots customtabrobotkt assertforwardbutton customtabrobot kt at org mozilla reference browser ui robots customtabrobotkt access assertforwardbutton customtabrobot kt at org mozilla reference browser ui robots customtabrobot verifyforwardbutton customtabrobot kt at org mozilla reference browser ui customtabstest verifycustomtabmenuitemstest invoke customtabstest kt at org mozilla reference browser ui customtabstest verifycustomtabmenuitemstest invoke customtabstest kt at org mozilla reference browser ui robots customtabrobot transition openmainmenu customtabrobot kt at org mozilla reference browser ui customtabstest verifycustomtabmenuitemstest customtabstest kt build main | 0 |
129,086 | 27,392,457,346 | IssuesEvent | 2023-02-28 17:08:58 | Leafwing-Studios/Emergence | https://api.github.com/repos/Leafwing-Studios/Emergence | opened | Create a basic end-to-end testing design | code quality architectural | The existing strategy is incompatible with #453, so we need to think more carefully about the exact testing setup.
Ideally we would be able to run the game fully headlessly, without having to change the code at all. | 1.0 | Create a basic end-to-end testing design - The existing strategy is incompatible with #453, so we need to think more carefully about the exact testing setup.
Ideally we would be able to run the game fully headlessly, without having to change the code at all. | non_priority | create a basic end to end testing design the existing strategy is incompatible with so we need to think more carefully about the exact testing setup ideally we would be able to run the game fully headlessly without having to change the code at all | 0 |
178,684 | 13,791,025,424 | IssuesEvent | 2020-10-09 11:26:20 | Oldes/Rebol-issues | https://api.github.com/repos/Oldes/Rebol-issues | closed | Module EXPORT keyword | CC.resolved Datatype: module! Status.important Test.written Type.wish | _Submitted by:_ **BrianH**
This was proposed by Carl in http://www.rebol.net/r3blogs/0300.html
In top-level module body code, the word EXPORT could be used as a keyword to indicate that the next any-word or block of any-words should be added to the module exports list. If the module already has an exports list, words are added to it if they aren't there already. The words will be added in the order seen in the code.
If you are exporting a block of words, any values that aren't any-words in the block should be ignored. This will allow you to include docs, export words in a construct spec, whatever.
Any code in the code block can act like the EXPORT keyword isn't there at all - the EXPORT keywords should be removed from the source before the module code is run. This is the only safe way to do it.
Only the word! export at the top level of module code will be treated as a keyword. This will allow the word to be used as a local or even exported word if you like. No nested code blocks should be scanned, or else nested modules would fail.
At runtime once the module is built, it will be as if the exported words were declared in the Exports block in the header. The words will be in the module spec at runtime, where the module infrastructure can see them without reparsing the code block.
The EXPORT keyword should never be found or removed from non-modules (aka scripts).
``` rebol
; Exporting some word without initializing it
export 'blah ; Usable wherever having a stray lit-word won't matter
; Exporting a block of words without initializing them
export [a b c] ; Usable wherever having a stray block won't matter
; Exporting a word where it is set (to a function this time)
export blah: does [...]
; Exporting a block of words that are set with SET
set export [a b c] none ; Note that EXPORT is *after* SET
; Exporting an export function
export export: func [what] [...]
```
---
<sup>**Imported from:** **[CureCode](https://www.curecode.org/rebol3/ticket.rsp?id=1446)** [ Version: alpha 97 Type: Wish Platform: All Category: Syntax Reproduce: Always Fixed-in:alpha 97 ]</sup>
<sup>**Imported from**: https://github.com/rebol/rebol-issues/issues/1446</sup>
Comments:
---
> **Rebolbot** commented on Jan 24, 2010:
_Submitted by:_ **BrianH**
Added in mezz-intrinsics.r 6734. Has minimal overhead if there are no EXPORT keywords.
---
> **Rebolbot** commented on Feb 4, 2010:
_Submitted by:_ **Carl**
Nicely done. And super-small add!
---
> **Rebolbot** mentioned this issue on Jan 12, 2016:
> [Module code HIDDEN keyword](https://github.com/Oldes/Rebol-issues/issues/1696)
---
> **Rebolbot** added **Type.wish** and **Status.important** on Jan 12, 2016
--- | 1.0 | Module EXPORT keyword - _Submitted by:_ **BrianH**
This was proposed by Carl in http://www.rebol.net/r3blogs/0300.html
In top-level module body code, the word EXPORT could be used as a keyword to indicate that the next any-word or block of any-words should be added to the module exports list. If the module already has an exports list, words are added to it if they aren't there already. The words will be added in the order seen in the code.
If you are exporting a block of words, any values that aren't any-words in the block should be ignored. This will allow you to include docs, export words in a construct spec, whatever.
Any code in the code block can act like the EXPORT keyword isn't there at all - the EXPORT keywords should be removed from the source before the module code is run. This is the only safe way to do it.
Only the word! export at the top level of module code will be treated as a keyword. This will allow the word to be used as a local or even exported word if you like. No nested code blocks should be scanned, or else nested modules would fail.
At runtime once the module is built, it will be as if the exported words were declared in the Exports block in the header. The words will be in the module spec at runtime, where the module infrastructure can see them without reparsing the code block.
The EXPORT keyword should never be found or removed from non-modules (aka scripts).
``` rebol
; Exporting some word without initializing it
export 'blah ; Usable wherever having a stray lit-word won't matter
; Exporting a block of words without initializing them
export [a b c] ; Usable wherever having a stray block won't matter
; Exporting a word where it is set (to a function this time)
export blah: does [...]
; Exporting a block of words that are set with SET
set export [a b c] none ; Note that EXPORT is *after* SET
; Exporting an export function
export export: func [what] [...]
```
---
<sup>**Imported from:** **[CureCode](https://www.curecode.org/rebol3/ticket.rsp?id=1446)** [ Version: alpha 97 Type: Wish Platform: All Category: Syntax Reproduce: Always Fixed-in:alpha 97 ]</sup>
<sup>**Imported from**: https://github.com/rebol/rebol-issues/issues/1446</sup>
Comments:
---
> **Rebolbot** commented on Jan 24, 2010:
_Submitted by:_ **BrianH**
Added in mezz-intrinsics.r 6734. Has minimal overhead if there are no EXPORT keywords.
---
> **Rebolbot** commented on Feb 4, 2010:
_Submitted by:_ **Carl**
Nicely done. And super-small add!
---
> **Rebolbot** mentioned this issue on Jan 12, 2016:
> [Module code HIDDEN keyword](https://github.com/Oldes/Rebol-issues/issues/1696)
---
> **Rebolbot** added **Type.wish** and **Status.important** on Jan 12, 2016
--- | non_priority | module export keyword submitted by brianh this was proposed by carl in in top level module body code the word export could be used as a keyword to indicate that the next any word or block of any words should be added to the module exports list if the module already has an exports list words are added to it if they aren t there already the words will be added in the order seen in the code if you are exporting a block of words any values that aren t any words in the block should be ignored this will allow you to include docs export words in a construct spec whatever any code in the code block can act like the export keyword isn t there at all the export keywords should be removed from the source before the module code is run this is the only safe way to do it only the word export at the top level of module code will be treated as a keyword this will allow the word to be used as a local or even exported word if you like no nested code blocks should be scanned or else nested modules would fail at runtime once the module is built it will be as if the exported words were declared in the exports block in the header the words will be in the module spec at runtime where the module infrastructure can see them without reparsing the code block the export keyword should never be found or removed from non modules aka scripts rebol exporting some word without initializing it export blah usable wherever having a stray lit word won t matter exporting a block of words without initializing them export usable wherever having a stray block won t matter exporting a word where it is set to a function this time export blah does exporting a block of words that are set with set set export none note that export is after set exporting an export function export export func imported from imported from comments rebolbot commented on jan submitted by brianh added in mezz intrinsics r has minimal overhead if there are no export keywords rebolbot commented on feb submitted by carl nicely done and super small add rebolbot mentioned this issue on jan rebolbot added type wish and status important on jan | 0 |
284,648 | 21,464,172,172 | IssuesEvent | 2022-04-26 00:41:46 | pythonarcade/community-rpg | https://api.github.com/repos/pythonarcade/community-rpg | opened | Documentation: Map Creation/Editing guidelines | documentation | The game uses a number of more advanced Tiled map editor features to enable some dynamic functionality in the levels. For example, there are special properties which can be used to set things about an object, or for an entire map. These things need to be documented in a way that non-programmers can read and understand how to use them in the map editor.
As an example:
An object layer named `searchable` in the map is special, objects within this layer will be looked at for collisions for item pickups. Objects on this layer are then expected to have an `item` property which corresponds to an item that is in the `item-dictionary.json` data file. This data on the map lets the game know what item should be picked up when that object is interacted with.
There are many more examples of the maps enabling functionality like this, so we need to go through and document everything for in maybe a markdown file or perhaps on the Github Wiki section of the project? It should be a living document that can be updated as we enable for features like this though. | 1.0 | Documentation: Map Creation/Editing guidelines - The game uses a number of more advanced Tiled map editor features to enable some dynamic functionality in the levels. For example, there are special properties which can be used to set things about an object, or for an entire map. These things need to be documented in a way that non-programmers can read and understand how to use them in the map editor.
As an example:
An object layer named `searchable` in the map is special, objects within this layer will be looked at for collisions for item pickups. Objects on this layer are then expected to have an `item` property which corresponds to an item that is in the `item-dictionary.json` data file. This data on the map lets the game know what item should be picked up when that object is interacted with.
There are many more examples of the maps enabling functionality like this, so we need to go through and document everything for in maybe a markdown file or perhaps on the Github Wiki section of the project? It should be a living document that can be updated as we enable for features like this though. | non_priority | documentation map creation editing guidelines the game uses a number of more advanced tiled map editor features to enable some dynamic functionality in the levels for example there are special properties which can be used to set things about an object or for an entire map these things need to be documented in a way that non programmers can read and understand how to use them in the map editor as an example an object layer named searchable in the map is special objects within this layer will be looked at for collisions for item pickups objects on this layer are then expected to have an item property which corresponds to an item that is in the item dictionary json data file this data on the map lets the game know what item should be picked up when that object is interacted with there are many more examples of the maps enabling functionality like this so we need to go through and document everything for in maybe a markdown file or perhaps on the github wiki section of the project it should be a living document that can be updated as we enable for features like this though | 0 |
331,533 | 29,040,827,759 | IssuesEvent | 2023-05-13 00:27:17 | cockroachdb/cockroach | https://api.github.com/repos/cockroachdb/cockroach | opened | pkg/sql/logictest/tests/local-legacy-schema-changer/local-legacy-schema-changer_test: TestLogic_udf failed | C-test-failure O-robot branch-master | pkg/sql/logictest/tests/local-legacy-schema-changer/local-legacy-schema-changer_test.TestLogic_udf [failed](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Ci_TestsAwsLinuxArm64_UnitTests/10060771?buildTab=log) with [artifacts](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Ci_TestsAwsLinuxArm64_UnitTests/10060771?buildTab=artifacts#/) on master @ [0036f11ca58e2ab1eeef0d785dbe4d8641e8cba3](https://github.com/cockroachdb/cockroach/commits/0036f11ca58e2ab1eeef0d785dbe4d8641e8cba3):
```
=== RUN TestLogic_udf
test_log_scope.go:161: test logs captured to: /artifacts/tmp/_tmp/7f1e7ac178916dd9f085ac9bb5e76ebe/logTestLogic_udf1196170223
test_log_scope.go:79: use -show-logs to present logs inline
[00:18:05] setting distsql_workmem='43291B';
=== CONT TestLogic_udf
logic.go:3995:
/home/roach/.cache/bazel/_bazel_roach/c5a4e7d36696d9cd970af2045211a7df/sandbox/processwrapper-sandbox/12168/execroot/com_github_cockroachdb_cockroach/bazel-out/aarch64-fastbuild/bin/pkg/sql/logictest/tests/local-legacy-schema-changer/local-legacy-schema-changer_test_/local-legacy-schema-changer_test.runfiles/com_github_cockroachdb_cockroach/pkg/sql/logictest/testdata/logic_test/udf:3465: error while processing
logic.go:3995: test was successful but validation upon completion failed: dropping database test failed: pq: polling for queued jobs to complete: poll-show-jobs: root: memory budget exceeded: 10240 bytes requested, 201318400 currently allocated, 201326592 bytes in budget
panic.go:522: -- test log scope end --
test logs left over in: /artifacts/tmp/_tmp/7f1e7ac178916dd9f085ac9bb5e76ebe/logTestLogic_udf1196170223
--- FAIL: TestLogic_udf (194.74s)
```
<details><summary>Help</summary>
<p>
See also: [How To Investigate a Go Test Failure \(internal\)](https://cockroachlabs.atlassian.net/l/c/HgfXfJgM)
</p>
</details>
/cc @cockroachdb/sql-queries
<sub>
[This test on roachdash](https://roachdash.crdb.dev/?filter=status:open%20t:.*TestLogic_udf.*&sort=title+created&display=lastcommented+project) | [Improve this report!](https://github.com/cockroachdb/cockroach/tree/master/pkg/cmd/internal/issues)
</sub>
| 1.0 | pkg/sql/logictest/tests/local-legacy-schema-changer/local-legacy-schema-changer_test: TestLogic_udf failed - pkg/sql/logictest/tests/local-legacy-schema-changer/local-legacy-schema-changer_test.TestLogic_udf [failed](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Ci_TestsAwsLinuxArm64_UnitTests/10060771?buildTab=log) with [artifacts](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Ci_TestsAwsLinuxArm64_UnitTests/10060771?buildTab=artifacts#/) on master @ [0036f11ca58e2ab1eeef0d785dbe4d8641e8cba3](https://github.com/cockroachdb/cockroach/commits/0036f11ca58e2ab1eeef0d785dbe4d8641e8cba3):
```
=== RUN TestLogic_udf
test_log_scope.go:161: test logs captured to: /artifacts/tmp/_tmp/7f1e7ac178916dd9f085ac9bb5e76ebe/logTestLogic_udf1196170223
test_log_scope.go:79: use -show-logs to present logs inline
[00:18:05] setting distsql_workmem='43291B';
=== CONT TestLogic_udf
logic.go:3995:
/home/roach/.cache/bazel/_bazel_roach/c5a4e7d36696d9cd970af2045211a7df/sandbox/processwrapper-sandbox/12168/execroot/com_github_cockroachdb_cockroach/bazel-out/aarch64-fastbuild/bin/pkg/sql/logictest/tests/local-legacy-schema-changer/local-legacy-schema-changer_test_/local-legacy-schema-changer_test.runfiles/com_github_cockroachdb_cockroach/pkg/sql/logictest/testdata/logic_test/udf:3465: error while processing
logic.go:3995: test was successful but validation upon completion failed: dropping database test failed: pq: polling for queued jobs to complete: poll-show-jobs: root: memory budget exceeded: 10240 bytes requested, 201318400 currently allocated, 201326592 bytes in budget
panic.go:522: -- test log scope end --
test logs left over in: /artifacts/tmp/_tmp/7f1e7ac178916dd9f085ac9bb5e76ebe/logTestLogic_udf1196170223
--- FAIL: TestLogic_udf (194.74s)
```
<details><summary>Help</summary>
<p>
See also: [How To Investigate a Go Test Failure \(internal\)](https://cockroachlabs.atlassian.net/l/c/HgfXfJgM)
</p>
</details>
/cc @cockroachdb/sql-queries
<sub>
[This test on roachdash](https://roachdash.crdb.dev/?filter=status:open%20t:.*TestLogic_udf.*&sort=title+created&display=lastcommented+project) | [Improve this report!](https://github.com/cockroachdb/cockroach/tree/master/pkg/cmd/internal/issues)
</sub>
| non_priority | pkg sql logictest tests local legacy schema changer local legacy schema changer test testlogic udf failed pkg sql logictest tests local legacy schema changer local legacy schema changer test testlogic udf with on master run testlogic udf test log scope go test logs captured to artifacts tmp tmp logtestlogic test log scope go use show logs to present logs inline setting distsql workmem cont testlogic udf logic go home roach cache bazel bazel roach sandbox processwrapper sandbox execroot com github cockroachdb cockroach bazel out fastbuild bin pkg sql logictest tests local legacy schema changer local legacy schema changer test local legacy schema changer test runfiles com github cockroachdb cockroach pkg sql logictest testdata logic test udf error while processing logic go test was successful but validation upon completion failed dropping database test failed pq polling for queued jobs to complete poll show jobs root memory budget exceeded bytes requested currently allocated bytes in budget panic go test log scope end test logs left over in artifacts tmp tmp logtestlogic fail testlogic udf help see also cc cockroachdb sql queries | 0 |
119,380 | 10,040,907,514 | IssuesEvent | 2019-07-18 21:10:12 | NCAR/METplus | https://api.github.com/repos/NCAR/METplus | opened | Create unit tests for pb2nc | component: testing prioirty: blocker | The tests that exist worked for the old version of the code. We need new tests to test the functionality of the refactored version. | 1.0 | Create unit tests for pb2nc - The tests that exist worked for the old version of the code. We need new tests to test the functionality of the refactored version. | non_priority | create unit tests for the tests that exist worked for the old version of the code we need new tests to test the functionality of the refactored version | 0 |
45,928 | 13,144,997,192 | IssuesEvent | 2020-08-08 01:02:51 | shaundmorris/ddf | https://api.github.com/repos/shaundmorris/ddf | closed | CVE-2014-9970 High Severity Vulnerability detected by WhiteSource | security vulnerability wontfix | ## CVE-2014-9970 - High Severity Vulnerability
<details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jasypt-1.9.0.jar</b></p></summary>
<p>Java library which enables encryption in java apps with minimum effort.</p>
<p>path: 2/repository/org/jasypt/jasypt/1.9.0/jasypt-1.9.0.jar</p>
<p>
<p>Library home page: <a href=http://www.jasypt.org>http://www.jasypt.org</a></p>
Dependency Hierarchy:
- :x: **jasypt-1.9.0.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/shaundmorris/ddf/commit/97965f18b08ff37443884cd51df841cee9d729ff">97965f18b08ff37443884cd51df841cee9d729ff</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
jasypt before 1.9.2 allows a timing attack against the password hash comparison.
<p>Publish Date: 2017-05-21
<p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2014-9970>CVE-2014-9970</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/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: High
- Integrity Impact: None
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="http://www.securitytracker.com/id/1039744">http://www.securitytracker.com/id/1039744</a></p>
<p>Fix Resolution: Red Hat has issued a fix.
The Red Hat advisory is available at:
https://access.redhat.com/errata/RHSA-2017:3141</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-2014-9970 High Severity Vulnerability detected by WhiteSource - ## CVE-2014-9970 - High Severity Vulnerability
<details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jasypt-1.9.0.jar</b></p></summary>
<p>Java library which enables encryption in java apps with minimum effort.</p>
<p>path: 2/repository/org/jasypt/jasypt/1.9.0/jasypt-1.9.0.jar</p>
<p>
<p>Library home page: <a href=http://www.jasypt.org>http://www.jasypt.org</a></p>
Dependency Hierarchy:
- :x: **jasypt-1.9.0.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/shaundmorris/ddf/commit/97965f18b08ff37443884cd51df841cee9d729ff">97965f18b08ff37443884cd51df841cee9d729ff</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
jasypt before 1.9.2 allows a timing attack against the password hash comparison.
<p>Publish Date: 2017-05-21
<p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2014-9970>CVE-2014-9970</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/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: High
- Integrity Impact: None
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="http://www.securitytracker.com/id/1039744">http://www.securitytracker.com/id/1039744</a></p>
<p>Fix Resolution: Red Hat has issued a fix.
The Red Hat advisory is available at:
https://access.redhat.com/errata/RHSA-2017:3141</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 severity vulnerability detected by whitesource cve high severity vulnerability vulnerable library jasypt jar java library which enables encryption in java apps with minimum effort path repository org jasypt jasypt jasypt jar library home page a href dependency hierarchy x jasypt jar vulnerable library found in head commit a href vulnerability details jasypt before allows a timing attack against the password hash comparison 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 none availability impact none for more information on scores click a href suggested fix type upgrade version origin a href fix resolution red hat has issued a fix the red hat advisory is available at step up your open source security game with whitesource | 0 |
225,651 | 24,881,052,404 | IssuesEvent | 2022-10-28 01:08:34 | TERMINALSERVERORDERLY/github-services | https://api.github.com/repos/TERMINALSERVERORDERLY/github-services | closed | WS-2022-0334 (Medium) detected in nokogiri-1.8.1.gem - autoclosed | security vulnerability | ## WS-2022-0334 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>nokogiri-1.8.1.gem</b></p></summary>
<p>Nokogiri (鋸) is an HTML, XML, SAX, and Reader parser. Among
Nokogiri's many features is the ability to search documents via XPath
or CSS3 selectors.</p>
<p>Library home page: <a href="https://rubygems.org/gems/nokogiri-1.8.1.gem">https://rubygems.org/gems/nokogiri-1.8.1.gem</a></p>
<p>Path to vulnerable library: /vendor/cache/nokogiri-1.8.1.gem</p>
<p>
Dependency Hierarchy:
- :x: **nokogiri-1.8.1.gem** (Vulnerable Library)
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
nokogiri up to and including 1.13.8 is affected by several vulnerabilities (CVE-2022-40303, CVE-2022-40304 and CVE-2022-2309) in the dependency bundled libxml2 library. Version 1.13.9 of nokogiri contains a patch where the dependency is upgraded with the patches as well.
<p>Publish Date: 2022-10-18
<p>URL: <a href=https://github.com/sparklemotion/nokogiri/commit/e8cfe13953c63099f879d8a25ca70a909e19fb96>WS-2022-0334</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.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/advisories/GHSA-2qc6-mcvw-92cw">https://github.com/advisories/GHSA-2qc6-mcvw-92cw</a></p>
<p>Release Date: 2022-10-18</p>
<p>Fix Resolution: nokogiri - 1.13.9</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | True | WS-2022-0334 (Medium) detected in nokogiri-1.8.1.gem - autoclosed - ## WS-2022-0334 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>nokogiri-1.8.1.gem</b></p></summary>
<p>Nokogiri (鋸) is an HTML, XML, SAX, and Reader parser. Among
Nokogiri's many features is the ability to search documents via XPath
or CSS3 selectors.</p>
<p>Library home page: <a href="https://rubygems.org/gems/nokogiri-1.8.1.gem">https://rubygems.org/gems/nokogiri-1.8.1.gem</a></p>
<p>Path to vulnerable library: /vendor/cache/nokogiri-1.8.1.gem</p>
<p>
Dependency Hierarchy:
- :x: **nokogiri-1.8.1.gem** (Vulnerable Library)
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
nokogiri up to and including 1.13.8 is affected by several vulnerabilities (CVE-2022-40303, CVE-2022-40304 and CVE-2022-2309) in the dependency bundled libxml2 library. Version 1.13.9 of nokogiri contains a patch where the dependency is upgraded with the patches as well.
<p>Publish Date: 2022-10-18
<p>URL: <a href=https://github.com/sparklemotion/nokogiri/commit/e8cfe13953c63099f879d8a25ca70a909e19fb96>WS-2022-0334</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.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/advisories/GHSA-2qc6-mcvw-92cw">https://github.com/advisories/GHSA-2qc6-mcvw-92cw</a></p>
<p>Release Date: 2022-10-18</p>
<p>Fix Resolution: nokogiri - 1.13.9</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | non_priority | ws medium detected in nokogiri gem autoclosed ws medium severity vulnerability vulnerable library nokogiri gem nokogiri 鋸 is an html xml sax and reader parser among nokogiri s many features is the ability to search documents via xpath or selectors library home page a href path to vulnerable library vendor cache nokogiri gem dependency hierarchy x nokogiri gem vulnerable library vulnerability details nokogiri up to and including is affected by several vulnerabilities cve cve and cve in the dependency bundled library version of nokogiri contains a patch where the dependency is upgraded with the patches as well publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required none user interaction required scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution nokogiri step up your open source security game with mend | 0 |
265,451 | 28,262,721,922 | IssuesEvent | 2023-04-07 01:51:18 | DaemonToolz/locuste.dashboard.ui | https://api.github.com/repos/DaemonToolz/locuste.dashboard.ui | closed | CVE-2021-23440 (High) detected in set-value-2.0.1.tgz - autoclosed | Mend: dependency security vulnerability | ## CVE-2021-23440 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>set-value-2.0.1.tgz</b></p></summary>
<p>Create nested values and any intermediaries using dot notation (`'a.b.c'`) paths.</p>
<p>Library home page: <a href="https://registry.npmjs.org/set-value/-/set-value-2.0.1.tgz">https://registry.npmjs.org/set-value/-/set-value-2.0.1.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/set-value/package.json</p>
<p>
Dependency Hierarchy:
- build-angular-0.901.1.tgz (Root Library)
- webpack-4.42.0.tgz
- micromatch-3.1.10.tgz
- snapdragon-0.8.2.tgz
- base-0.11.2.tgz
- cache-base-1.0.1.tgz
- :x: **set-value-2.0.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/DaemonToolz/locuste.dashboard.ui/commit/d58469e6570b5316991b316991eb079b6bd1b951">d58469e6570b5316991b316991eb079b6bd1b951</a></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>
This affects the package set-value before <2.0.1, >=3.0.0 <4.0.1. A type confusion vulnerability can lead to a bypass of CVE-2019-10747 when the user-provided keys used in the path parameter are arrays.
Mend Note: After conducting further research, Mend has determined that all versions of set-value up to version 4.0.0 are vulnerable to CVE-2021-23440.
<p>Publish Date: 2021-09-12
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-23440>CVE-2021-23440</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>Release Date: 2021-09-12</p>
<p>Fix Resolution (set-value): 4.0.1</p>
<p>Direct dependency fix Resolution (@angular-devkit/build-angular): 13.0.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-2021-23440 (High) detected in set-value-2.0.1.tgz - autoclosed - ## CVE-2021-23440 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>set-value-2.0.1.tgz</b></p></summary>
<p>Create nested values and any intermediaries using dot notation (`'a.b.c'`) paths.</p>
<p>Library home page: <a href="https://registry.npmjs.org/set-value/-/set-value-2.0.1.tgz">https://registry.npmjs.org/set-value/-/set-value-2.0.1.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/set-value/package.json</p>
<p>
Dependency Hierarchy:
- build-angular-0.901.1.tgz (Root Library)
- webpack-4.42.0.tgz
- micromatch-3.1.10.tgz
- snapdragon-0.8.2.tgz
- base-0.11.2.tgz
- cache-base-1.0.1.tgz
- :x: **set-value-2.0.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/DaemonToolz/locuste.dashboard.ui/commit/d58469e6570b5316991b316991eb079b6bd1b951">d58469e6570b5316991b316991eb079b6bd1b951</a></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>
This affects the package set-value before <2.0.1, >=3.0.0 <4.0.1. A type confusion vulnerability can lead to a bypass of CVE-2019-10747 when the user-provided keys used in the path parameter are arrays.
Mend Note: After conducting further research, Mend has determined that all versions of set-value up to version 4.0.0 are vulnerable to CVE-2021-23440.
<p>Publish Date: 2021-09-12
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-23440>CVE-2021-23440</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>Release Date: 2021-09-12</p>
<p>Fix Resolution (set-value): 4.0.1</p>
<p>Direct dependency fix Resolution (@angular-devkit/build-angular): 13.0.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 set value tgz autoclosed cve high severity vulnerability vulnerable library set value tgz create nested values and any intermediaries using dot notation a b c paths library home page a href path to dependency file package json path to vulnerable library node modules set value package json dependency hierarchy build angular tgz root library webpack tgz micromatch tgz snapdragon tgz base tgz cache base tgz x set value tgz vulnerable library found in head commit a href vulnerability details this affects the package set value before a type confusion vulnerability can lead to a bypass of cve when the user provided keys used in the path parameter are arrays mend note after conducting further research mend has determined that all versions of set value up to version are vulnerable to cve 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 release date fix resolution set value direct dependency fix resolution angular devkit build angular step up your open source security game with mend | 0 |
202,033 | 15,252,133,971 | IssuesEvent | 2021-02-20 01:39:37 | trufflesuite/truffle | https://api.github.com/repos/trufflesuite/truffle | opened | Add code coverage reporting to Truffle Test, backed by Truffle Debugger | Debugger truffle test | As per the title. This very much needs to be spec'ed out; it's not fully clear at the moment how this would work. | 1.0 | Add code coverage reporting to Truffle Test, backed by Truffle Debugger - As per the title. This very much needs to be spec'ed out; it's not fully clear at the moment how this would work. | non_priority | add code coverage reporting to truffle test backed by truffle debugger as per the title this very much needs to be spec ed out it s not fully clear at the moment how this would work | 0 |
116,512 | 24,931,620,481 | IssuesEvent | 2022-10-31 12:08:03 | appsmithorg/appsmith | https://api.github.com/repos/appsmithorg/appsmith | closed | [Bug]-[2780]:Success block of code is executed when user denies to share location when using Geolocation API | Bug JS Evaluation High Production Needs Triaging FE Coders Pod Framework Functions | ### Is there an existing issue for this?
- [X] I have searched the existing issues
### Description
When user denies location access when using `getCurrentLocation()` function then success case is incorrectly executed.
Also, `appsmith.geolocation.canBeRequested` is true for case where user denies website to ask for location permission.
### Steps To Reproduce
1. Use following code in a JS object
```
locationDetails: () => {
return appsmith.geolocation.getCurrentPosition()
.then(() => {
showModal('Modal1')
showAlert('Your location is now updated')
return appsmith.geolocation.currentPosition
})
.catch(() => {
return showAlert("There's an error fetching your location", 'error') })
}
```
2. On the Modal widget, drop a map widget and bind lat and long with `{{appsmith.geolocation.currentPosition.coords.latitude}}` & `{{appsmith.geolocation.currentPosition.coords.longitude}}` - step can be avoided but can be included to verify map widget functionality
3. Run the function `locationDetails` and deny browser permission to share location
4. Observe that success blocked is executed when user denies permission (watch video below)
https://www.loom.com/share/96c78abadac94817ba2917554a3209c0
### Public Sample App
_No response_
### Version
Cloud | 1.0 | [Bug]-[2780]:Success block of code is executed when user denies to share location when using Geolocation API - ### Is there an existing issue for this?
- [X] I have searched the existing issues
### Description
When user denies location access when using `getCurrentLocation()` function then success case is incorrectly executed.
Also, `appsmith.geolocation.canBeRequested` is true for case where user denies website to ask for location permission.
### Steps To Reproduce
1. Use following code in a JS object
```
locationDetails: () => {
return appsmith.geolocation.getCurrentPosition()
.then(() => {
showModal('Modal1')
showAlert('Your location is now updated')
return appsmith.geolocation.currentPosition
})
.catch(() => {
return showAlert("There's an error fetching your location", 'error') })
}
```
2. On the Modal widget, drop a map widget and bind lat and long with `{{appsmith.geolocation.currentPosition.coords.latitude}}` & `{{appsmith.geolocation.currentPosition.coords.longitude}}` - step can be avoided but can be included to verify map widget functionality
3. Run the function `locationDetails` and deny browser permission to share location
4. Observe that success blocked is executed when user denies permission (watch video below)
https://www.loom.com/share/96c78abadac94817ba2917554a3209c0
### Public Sample App
_No response_
### Version
Cloud | non_priority | success block of code is executed when user denies to share location when using geolocation api is there an existing issue for this i have searched the existing issues description when user denies location access when using getcurrentlocation function then success case is incorrectly executed also appsmith geolocation canberequested is true for case where user denies website to ask for location permission steps to reproduce use following code in a js object locationdetails return appsmith geolocation getcurrentposition then showmodal showalert your location is now updated return appsmith geolocation currentposition catch return showalert there s an error fetching your location error on the modal widget drop a map widget and bind lat and long with appsmith geolocation currentposition coords latitude appsmith geolocation currentposition coords longitude step can be avoided but can be included to verify map widget functionality run the function locationdetails and deny browser permission to share location observe that success blocked is executed when user denies permission watch video below public sample app no response version cloud | 0 |
119,682 | 15,597,116,576 | IssuesEvent | 2021-03-18 16:34:17 | mozilla/foundation.mozilla.org | https://api.github.com/repos/mozilla/foundation.mozilla.org | closed | Allow longer strings for homepage hero button | design localization 🌎 | As you can tell from the screenshot, the Portuguese translation needed a few more characters. I expect this issue to happen again, so we should find a way to allow for longer translations.

I’m assuming the limit was set to avoid breaking the layout on mobile, but it may be possible to allow buttons to wrap in multiple lines?
FTR, the 50 characters limit is set here https://github.com/mozilla/foundation.mozilla.org/blob/master/network-api/networkapi/wagtailpages/factory/homepage.py#L33 | 1.0 | Allow longer strings for homepage hero button - As you can tell from the screenshot, the Portuguese translation needed a few more characters. I expect this issue to happen again, so we should find a way to allow for longer translations.

I’m assuming the limit was set to avoid breaking the layout on mobile, but it may be possible to allow buttons to wrap in multiple lines?
FTR, the 50 characters limit is set here https://github.com/mozilla/foundation.mozilla.org/blob/master/network-api/networkapi/wagtailpages/factory/homepage.py#L33 | non_priority | allow longer strings for homepage hero button as you can tell from the screenshot the portuguese translation needed a few more characters i expect this issue to happen again so we should find a way to allow for longer translations i’m assuming the limit was set to avoid breaking the layout on mobile but it may be possible to allow buttons to wrap in multiple lines ftr the characters limit is set here | 0 |
399,763 | 27,254,719,034 | IssuesEvent | 2023-02-22 10:38:33 | hiubunho/blog | https://api.github.com/repos/hiubunho/blog | opened | This is my first blog. | documentation | This is my first blog.
This is my first blog.
This is my first blog.
This is my first blog.
This is my first blog.
This is my first blog. | 1.0 | This is my first blog. - This is my first blog.
This is my first blog.
This is my first blog.
This is my first blog.
This is my first blog.
This is my first blog. | non_priority | this is my first blog this is my first blog this is my first blog this is my first blog this is my first blog this is my first blog this is my first blog | 0 |
209,564 | 16,235,770,121 | IssuesEvent | 2021-05-07 00:23:52 | numpy/numpy | https://api.github.com/repos/numpy/numpy | closed | DOC error when git clone with a ssh key | 04 - Documentation | ## Documentation
<!-- If this is an issue with the current documentation for NumPy (e.g.
incomplete/inaccurate docstring, unclear explanation in any part of the
documentation), make sure to leave a reference to the document/code you're
referring to. You can also check the development version of the documentation
and see if this issue has already been addressed: https://numpy.org/devdocs/
-->
<!-- If this is an idea or a request for content, please describe as clearly as
possible what topics you think are missing from the current documentation. Make
sure to check https://github.com/numpy/numpy-tutorials and see if this issue
might be more appropriate there. -->
The error show in development setup a wrong configuration of git clone when using over ssh
[development setup page](https://numpy.org/devdocs/dev/gitwash/development_setup.html)
go to the head "Optional: set up SSH keys to avoid passwords"
the instruction said to in https to do:
```
git clone https://github.com/your-user-name/numpy.git
```
replace by
```
git clone git@github.com:numpy/numpy.git
```
the user should fork is own repo and then use ssh
so the command should be:
```
git clone git@github.com:your-user-name/numpy
```
| 1.0 | DOC error when git clone with a ssh key - ## Documentation
<!-- If this is an issue with the current documentation for NumPy (e.g.
incomplete/inaccurate docstring, unclear explanation in any part of the
documentation), make sure to leave a reference to the document/code you're
referring to. You can also check the development version of the documentation
and see if this issue has already been addressed: https://numpy.org/devdocs/
-->
<!-- If this is an idea or a request for content, please describe as clearly as
possible what topics you think are missing from the current documentation. Make
sure to check https://github.com/numpy/numpy-tutorials and see if this issue
might be more appropriate there. -->
The error show in development setup a wrong configuration of git clone when using over ssh
[development setup page](https://numpy.org/devdocs/dev/gitwash/development_setup.html)
go to the head "Optional: set up SSH keys to avoid passwords"
the instruction said to in https to do:
```
git clone https://github.com/your-user-name/numpy.git
```
replace by
```
git clone git@github.com:numpy/numpy.git
```
the user should fork is own repo and then use ssh
so the command should be:
```
git clone git@github.com:your-user-name/numpy
```
| non_priority | doc error when git clone with a ssh key documentation if this is an issue with the current documentation for numpy e g incomplete inaccurate docstring unclear explanation in any part of the documentation make sure to leave a reference to the document code you re referring to you can also check the development version of the documentation and see if this issue has already been addressed if this is an idea or a request for content please describe as clearly as possible what topics you think are missing from the current documentation make sure to check and see if this issue might be more appropriate there the error show in development setup a wrong configuration of git clone when using over ssh go to the head optional set up ssh keys to avoid passwords the instruction said to in https to do git clone replace by git clone git github com numpy numpy git the user should fork is own repo and then use ssh so the command should be git clone git github com your user name numpy | 0 |
228,594 | 17,466,545,606 | IssuesEvent | 2021-08-06 17:44:09 | apollobvm/apollobvm | https://api.github.com/repos/apollobvm/apollobvm | closed | Missing documentation and parts | documentation | All of the documentation, pictures, and parts from http://oedk.rice.edu/ApolloBVM-DIY should be included on the git or a separate repo. At this time, there is not a way to collaborate on the rest of the project. | 1.0 | Missing documentation and parts - All of the documentation, pictures, and parts from http://oedk.rice.edu/ApolloBVM-DIY should be included on the git or a separate repo. At this time, there is not a way to collaborate on the rest of the project. | non_priority | missing documentation and parts all of the documentation pictures and parts from should be included on the git or a separate repo at this time there is not a way to collaborate on the rest of the project | 0 |
13,675 | 16,419,866,510 | IssuesEvent | 2021-05-19 11:15:22 | Bedrohung-der-Bienen/Transformationsfelder-Digitalisierung | https://api.github.com/repos/Bedrohung-der-Bienen/Transformationsfelder-Digitalisierung | opened | Benutzer will angemeldet bleiben | backend login process | # Szenario: Der Benutzer will angemeldet bleiben.
- **Gegeben** Der Benutzer ist auf der Startseite angelangt und meldet sich an
- **Wenn** der Benutzer sich anmeldet
- **Dann** klickt er auf angemeldet bleiben
- **Und** gibt seine Zugangsdaten ein
Der Benutzer bleibt somit angemeldet und muss für eine bestimmte Zeit nicht immer wieder sich anmelden.
-----
__Als__ Benutzer,
__möchte ich__ mein Passwort zurücksetzten können,
__damit__ ich mich anmelden kann.
__Szenario 1__: Benutzer kann sich nicht anmelden, da er sein Passwort vergessen hat. | 1.0 | Benutzer will angemeldet bleiben - # Szenario: Der Benutzer will angemeldet bleiben.
- **Gegeben** Der Benutzer ist auf der Startseite angelangt und meldet sich an
- **Wenn** der Benutzer sich anmeldet
- **Dann** klickt er auf angemeldet bleiben
- **Und** gibt seine Zugangsdaten ein
Der Benutzer bleibt somit angemeldet und muss für eine bestimmte Zeit nicht immer wieder sich anmelden.
-----
__Als__ Benutzer,
__möchte ich__ mein Passwort zurücksetzten können,
__damit__ ich mich anmelden kann.
__Szenario 1__: Benutzer kann sich nicht anmelden, da er sein Passwort vergessen hat. | non_priority | benutzer will angemeldet bleiben szenario der benutzer will angemeldet bleiben gegeben der benutzer ist auf der startseite angelangt und meldet sich an wenn der benutzer sich anmeldet dann klickt er auf angemeldet bleiben und gibt seine zugangsdaten ein der benutzer bleibt somit angemeldet und muss für eine bestimmte zeit nicht immer wieder sich anmelden als benutzer möchte ich mein passwort zurücksetzten können damit ich mich anmelden kann szenario benutzer kann sich nicht anmelden da er sein passwort vergessen hat | 0 |
13,872 | 4,786,449,149 | IssuesEvent | 2016-10-29 12:37:43 | missionpinball/mpf | https://api.github.com/repos/missionpinball/mpf | opened | Coil power coordination controller | code refactor new feature | Write coil power coordination controller
Make sure only one coil per PSU is pulsing at the same time. Add method with max wait time to queue for a pulse (maybe 0, e.g. for flippers).
This should help to increase the reliability of ball device and other devices. Also this should allow us to remove a lot of code in the score reels which implement similar behavior already.
| 1.0 | Coil power coordination controller - Write coil power coordination controller
Make sure only one coil per PSU is pulsing at the same time. Add method with max wait time to queue for a pulse (maybe 0, e.g. for flippers).
This should help to increase the reliability of ball device and other devices. Also this should allow us to remove a lot of code in the score reels which implement similar behavior already.
| non_priority | coil power coordination controller write coil power coordination controller make sure only one coil per psu is pulsing at the same time add method with max wait time to queue for a pulse maybe e g for flippers this should help to increase the reliability of ball device and other devices also this should allow us to remove a lot of code in the score reels which implement similar behavior already | 0 |
76,027 | 14,548,810,967 | IssuesEvent | 2020-12-16 02:12:21 | dotnet/runtime | https://api.github.com/repos/dotnet/runtime | opened | Test failure: readytorun/determinism/crossgen2determinism/crossgen2determinism.sh | area-CodeGen-coreclr | failed in job: [runtime-coreclr outerloop 20201215.2 ](https://dev.azure.com/dnceng/public/_build/results?buildId=922305&view=ms.vss-test-web.build-test-results-tab&runId=29291702&resultId=110429&paneView=debug)
CoreCLR Linux x64 Checked no_tiered_compilation @ Ubuntu.1804.Amd64.Open
Error message
~~~
Fatal error. System.AccessViolationException: Attempted to read or write protected memory. This is often an indication that other memory is corrupt.
at System.Buffer.Memmove(Byte ByRef, Byte ByRef, UIntPtr)
at System.Runtime.InteropServices.Marshal.CopyToManaged[[System.Byte, System.Private.CoreLib, Version=6.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e]](IntPtr, Byte[], Int32, Int32)
at System.Reflection.BlobUtilities.ReadBytes(Byte*, Int32)
at Internal.IL.EcmaMethodIL.GetILBytes()
at Internal.JitInterface.CorInfoImpl.Get_CORINFO_METHOD_INFO(Internal.TypeSystem.MethodDesc, Internal.IL.MethodIL, Internal.JitInterface.CORINFO_METHOD_INFO*)
at Internal.JitInterface.CorInfoImpl.CompileMethodInternal(ILCompiler.DependencyAnalysis.IMethodNode, Internal.IL.MethodIL)
at Internal.JitInterface.CorInfoImpl.CompileMethod(ILCompiler.DependencyAnalysis.ReadyToRun.MethodWithGCInfo)
at ILCompiler.ReadyToRunCodegenCompilation.<ComputeDependencyNodeDependencies>b__26_0(ILCompiler.DependencyAnalysisFramework.DependencyNodeCore1<ILCompiler.DependencyAnalysis.NodeFactory>)
at System.Threading.Tasks.Parallel+<>c__DisplayClass19_01[[System.__Canon, System.Private.CoreLib, Version=6.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e]].<ForWorker>b__1(System.Threading.Tasks.RangeWorker ByRef, Int32, Boolean ByRef)
at System.Threading.Tasks.TaskReplicator+Replica.Execute()
at System.Threading.Tasks.Task.InnerInvoke()
at System.Threading.Tasks.Task+<>c.<.cctor>b__278_0(System.Object)
at System.Threading.ExecutionContext.RunFromThreadPoolDispatchLoop(System.Threading.Thread, System.Threading.ExecutionContext, System.Threading.ContextCallback, System.Object)
at System.Threading.Tasks.Task.ExecuteWithThreadLocal(System.Threading.Tasks.Task ByRef, System.Threading.Thread)
at System.Threading.Tasks.Task.ExecuteEntryUnsafe(System.Threading.Thread)
at System.Threading.Tasks.Task.ExecuteFromThreadPool(System.Threading.Thread)
at System.Threading.ThreadPoolWorkQueue.Dispatch()
at System.Threading.PortableThreadPool+WorkerThread.WorkerThreadStart()
at System.Threading.ThreadHelper.ThreadStart_Context(System.Object)
at System.Threading.ExecutionContext.RunInternal(System.Threading.ExecutionContext, System.Threading.ContextCallback, System.Object)
at System.Threading.ThreadHelper.ThreadStart()
/home/helixbot/work/A4FF0904/w/AF640926/e/readytorun/determinism/crossgen2determinism/crossgen2determinism.sh: line 132: 24243 Aborted (core dumped) $CORE_ROOT/corerun $CORE_ROOT/crossgen2/crossgen2.dll --map -r:$CORE_ROOT/.dll -r:../../crossgen2/crossgen2smoke/helperdll.dll -r:../../crossgen2/crossgen2smoke/helperildll.dll -o:crossgen2smoke1.ildll ../../crossgen2/crossgen2smoke/crossgen2smoke.dll
Fatal error. System.AccessViolationException: Attempted to read or write protected memory. This is often an indication that other memory is corrupt.
at System.Buffer.Memmove(Byte ByRef, Byte ByRef, UIntPtr)
at System.Runtime.InteropServices.Marshal.CopyToManaged[[System.Byte, System.Private.CoreLib, Version=6.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e]](IntPtr, Byte[], Int32, Int32)
at System.Reflection.BlobUtilities.ReadBytes(Byte, Int32)
at Internal.IL.EcmaMethodIL.GetILBytes()
at Internal.JitInterface.CorInfoImpl.Get_CORINFO_METHOD_INFO(Internal.TypeSystem.MethodDesc, Internal.IL.MethodIL, Internal.JitInterface.CORINFO_METHOD_INFO*)
at Internal.JitInterface.CorInfoImpl.CompileMethodInternal(ILCompiler.DependencyAnalysis.IMethodNode, Internal.IL.MethodIL)
at Internal.JitInterface.CorInfoImpl.CompileMethod(ILCompiler.DependencyAnalysis.ReadyToRun.MethodWithGCInfo)
at ILCompiler.ReadyToRunCodegenCompilation.<ComputeDependencyNodeDependencies>b__26_0(ILCompiler.DependencyAnalysisFramework.DependencyNodeCore1<ILCompiler.DependencyAnalysis.NodeFactory>)
at System.Threading.Tasks.Parallel+<>c__DisplayClass19_01[[Sys
Stack trace
at readytorun_determinism._crossgen2determinism_crossgen2determinism_._crossgen2determinism_crossgen2determinism_sh() in /__w/1/s/artifacts/tests/coreclr/Linux.x64.Checked/TestWrappers/readytorun.determinism/readytorun.determinism.XUnitWrapper.cs:line 153
~~~ | 1.0 | Test failure: readytorun/determinism/crossgen2determinism/crossgen2determinism.sh - failed in job: [runtime-coreclr outerloop 20201215.2 ](https://dev.azure.com/dnceng/public/_build/results?buildId=922305&view=ms.vss-test-web.build-test-results-tab&runId=29291702&resultId=110429&paneView=debug)
CoreCLR Linux x64 Checked no_tiered_compilation @ Ubuntu.1804.Amd64.Open
Error message
~~~
Fatal error. System.AccessViolationException: Attempted to read or write protected memory. This is often an indication that other memory is corrupt.
at System.Buffer.Memmove(Byte ByRef, Byte ByRef, UIntPtr)
at System.Runtime.InteropServices.Marshal.CopyToManaged[[System.Byte, System.Private.CoreLib, Version=6.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e]](IntPtr, Byte[], Int32, Int32)
at System.Reflection.BlobUtilities.ReadBytes(Byte*, Int32)
at Internal.IL.EcmaMethodIL.GetILBytes()
at Internal.JitInterface.CorInfoImpl.Get_CORINFO_METHOD_INFO(Internal.TypeSystem.MethodDesc, Internal.IL.MethodIL, Internal.JitInterface.CORINFO_METHOD_INFO*)
at Internal.JitInterface.CorInfoImpl.CompileMethodInternal(ILCompiler.DependencyAnalysis.IMethodNode, Internal.IL.MethodIL)
at Internal.JitInterface.CorInfoImpl.CompileMethod(ILCompiler.DependencyAnalysis.ReadyToRun.MethodWithGCInfo)
at ILCompiler.ReadyToRunCodegenCompilation.<ComputeDependencyNodeDependencies>b__26_0(ILCompiler.DependencyAnalysisFramework.DependencyNodeCore1<ILCompiler.DependencyAnalysis.NodeFactory>)
at System.Threading.Tasks.Parallel+<>c__DisplayClass19_01[[System.__Canon, System.Private.CoreLib, Version=6.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e]].<ForWorker>b__1(System.Threading.Tasks.RangeWorker ByRef, Int32, Boolean ByRef)
at System.Threading.Tasks.TaskReplicator+Replica.Execute()
at System.Threading.Tasks.Task.InnerInvoke()
at System.Threading.Tasks.Task+<>c.<.cctor>b__278_0(System.Object)
at System.Threading.ExecutionContext.RunFromThreadPoolDispatchLoop(System.Threading.Thread, System.Threading.ExecutionContext, System.Threading.ContextCallback, System.Object)
at System.Threading.Tasks.Task.ExecuteWithThreadLocal(System.Threading.Tasks.Task ByRef, System.Threading.Thread)
at System.Threading.Tasks.Task.ExecuteEntryUnsafe(System.Threading.Thread)
at System.Threading.Tasks.Task.ExecuteFromThreadPool(System.Threading.Thread)
at System.Threading.ThreadPoolWorkQueue.Dispatch()
at System.Threading.PortableThreadPool+WorkerThread.WorkerThreadStart()
at System.Threading.ThreadHelper.ThreadStart_Context(System.Object)
at System.Threading.ExecutionContext.RunInternal(System.Threading.ExecutionContext, System.Threading.ContextCallback, System.Object)
at System.Threading.ThreadHelper.ThreadStart()
/home/helixbot/work/A4FF0904/w/AF640926/e/readytorun/determinism/crossgen2determinism/crossgen2determinism.sh: line 132: 24243 Aborted (core dumped) $CORE_ROOT/corerun $CORE_ROOT/crossgen2/crossgen2.dll --map -r:$CORE_ROOT/.dll -r:../../crossgen2/crossgen2smoke/helperdll.dll -r:../../crossgen2/crossgen2smoke/helperildll.dll -o:crossgen2smoke1.ildll ../../crossgen2/crossgen2smoke/crossgen2smoke.dll
Fatal error. System.AccessViolationException: Attempted to read or write protected memory. This is often an indication that other memory is corrupt.
at System.Buffer.Memmove(Byte ByRef, Byte ByRef, UIntPtr)
at System.Runtime.InteropServices.Marshal.CopyToManaged[[System.Byte, System.Private.CoreLib, Version=6.0.0.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e]](IntPtr, Byte[], Int32, Int32)
at System.Reflection.BlobUtilities.ReadBytes(Byte, Int32)
at Internal.IL.EcmaMethodIL.GetILBytes()
at Internal.JitInterface.CorInfoImpl.Get_CORINFO_METHOD_INFO(Internal.TypeSystem.MethodDesc, Internal.IL.MethodIL, Internal.JitInterface.CORINFO_METHOD_INFO*)
at Internal.JitInterface.CorInfoImpl.CompileMethodInternal(ILCompiler.DependencyAnalysis.IMethodNode, Internal.IL.MethodIL)
at Internal.JitInterface.CorInfoImpl.CompileMethod(ILCompiler.DependencyAnalysis.ReadyToRun.MethodWithGCInfo)
at ILCompiler.ReadyToRunCodegenCompilation.<ComputeDependencyNodeDependencies>b__26_0(ILCompiler.DependencyAnalysisFramework.DependencyNodeCore1<ILCompiler.DependencyAnalysis.NodeFactory>)
at System.Threading.Tasks.Parallel+<>c__DisplayClass19_01[[Sys
Stack trace
at readytorun_determinism._crossgen2determinism_crossgen2determinism_._crossgen2determinism_crossgen2determinism_sh() in /__w/1/s/artifacts/tests/coreclr/Linux.x64.Checked/TestWrappers/readytorun.determinism/readytorun.determinism.XUnitWrapper.cs:line 153
~~~ | non_priority | test failure readytorun determinism sh failed in job coreclr linux checked no tiered compilation ubuntu open error message fatal error system accessviolationexception attempted to read or write protected memory this is often an indication that other memory is corrupt at system buffer memmove byte byref byte byref uintptr at system runtime interopservices marshal copytomanaged intptr byte at system reflection blobutilities readbytes byte at internal il ecmamethodil getilbytes at internal jitinterface corinfoimpl get corinfo method info internal typesystem methoddesc internal il methodil internal jitinterface corinfo method info at internal jitinterface corinfoimpl compilemethodinternal ilcompiler dependencyanalysis imethodnode internal il methodil at internal jitinterface corinfoimpl compilemethod ilcompiler dependencyanalysis readytorun methodwithgcinfo at ilcompiler readytoruncodegencompilation b ilcompiler dependencyanalysisframework at system threading tasks parallel c b system threading tasks rangeworker byref boolean byref at system threading tasks taskreplicator replica execute at system threading tasks task innerinvoke at system threading tasks task c b system object at system threading executioncontext runfromthreadpooldispatchloop system threading thread system threading executioncontext system threading contextcallback system object at system threading tasks task executewiththreadlocal system threading tasks task byref system threading thread at system threading tasks task executeentryunsafe system threading thread at system threading tasks task executefromthreadpool system threading thread at system threading threadpoolworkqueue dispatch at system threading portablethreadpool workerthread workerthreadstart at system threading threadhelper threadstart context system object at system threading executioncontext runinternal system threading executioncontext system threading contextcallback system object at system threading threadhelper threadstart home helixbot work w e readytorun determinism sh line aborted core dumped core root corerun core root dll map r core root dll r helperdll dll r helperildll dll o ildll dll fatal error system accessviolationexception attempted to read or write protected memory this is often an indication that other memory is corrupt at system buffer memmove byte byref byte byref uintptr at system runtime interopservices marshal copytomanaged intptr byte at system reflection blobutilities readbytes byte at internal il ecmamethodil getilbytes at internal jitinterface corinfoimpl get corinfo method info internal typesystem methoddesc internal il methodil internal jitinterface corinfo method info at internal jitinterface corinfoimpl compilemethodinternal ilcompiler dependencyanalysis imethodnode internal il methodil at internal jitinterface corinfoimpl compilemethod ilcompiler dependencyanalysis readytorun methodwithgcinfo at ilcompiler readytoruncodegencompilation b ilcompiler dependencyanalysisframework at system threading tasks parallel c sys stack trace at readytorun determinism sh in w s artifacts tests coreclr linux checked testwrappers readytorun determinism readytorun determinism xunitwrapper cs line | 0 |
36,558 | 15,025,446,988 | IssuesEvent | 2021-02-01 21:06:12 | cityofaustin/atd-data-tech | https://api.github.com/repos/cityofaustin/atd-data-tech | closed | LIT/Sistema 2020 Contract | Product: AMANDA Service: Product | ### Staff augmentation contract with DIR Sistema, Sub-Vendor LaunchIT
[_See purchase order details_](http://finance.austintexas.gov/web/controller/afs3/Payments/podetail.cfm?transcode=DO&doc_dept_cd=5600&ponumber=20081412161)
- Product folder is [here](https://drive.google.com/drive/folders/1fR8Ydj3VlwkSztAU3ysa0c0oRa-GfqoE?usp=sharing)
- Not to Exceed $252,000
- DO-5600-20081412161
- CTM PR: PR0011296
- [Budget & Payments](https://docs.google.com/spreadsheets/d/1Wto5wldUpOBHTycKSE_osjlEwvg-mZpkM821Fdk4dFk/edit?usp=sharing)
| 1.0 | LIT/Sistema 2020 Contract - ### Staff augmentation contract with DIR Sistema, Sub-Vendor LaunchIT
[_See purchase order details_](http://finance.austintexas.gov/web/controller/afs3/Payments/podetail.cfm?transcode=DO&doc_dept_cd=5600&ponumber=20081412161)
- Product folder is [here](https://drive.google.com/drive/folders/1fR8Ydj3VlwkSztAU3ysa0c0oRa-GfqoE?usp=sharing)
- Not to Exceed $252,000
- DO-5600-20081412161
- CTM PR: PR0011296
- [Budget & Payments](https://docs.google.com/spreadsheets/d/1Wto5wldUpOBHTycKSE_osjlEwvg-mZpkM821Fdk4dFk/edit?usp=sharing)
| non_priority | lit sistema contract staff augmentation contract with dir sistema sub vendor launchit product folder is not to exceed do ctm pr | 0 |
15,888 | 3,988,922,102 | IssuesEvent | 2016-05-09 12:03:01 | emberjs/data | https://api.github.com/repos/emberjs/data | opened | Document polymorphic relationships | Documentation | 😨 looks like this is currently not covered by the API docs for `belongsTo` and `hasMany`. Also, there is currently no entry in the guides for that 😢 | 1.0 | Document polymorphic relationships - 😨 looks like this is currently not covered by the API docs for `belongsTo` and `hasMany`. Also, there is currently no entry in the guides for that 😢 | non_priority | document polymorphic relationships 😨 looks like this is currently not covered by the api docs for belongsto and hasmany also there is currently no entry in the guides for that 😢 | 0 |
88,560 | 10,574,718,554 | IssuesEvent | 2019-10-07 14:29:30 | tjpb92/ExpPatrimonies | https://api.github.com/repos/tjpb92/ExpPatrimonies | closed | Corriger les fautes dans README.md | documentation | par défaut désigne la base de données de **pré**-production
-p chemin vers fichier est le chemin vers le fichier Excel. Amorcé **au répertoire courant (.)** par défaut (paramètre optionnel).
-o fichier est le nom du fichier Excel qui recevra les **patrimoines**
[junit-4.12.jar](https://github.com/junit-team/junit4/releases/tag/r4.12)
[hamcrest-2.1.jar](https://search.maven.org/search?q=g:org.hamcrest)
| 1.0 | Corriger les fautes dans README.md - par défaut désigne la base de données de **pré**-production
-p chemin vers fichier est le chemin vers le fichier Excel. Amorcé **au répertoire courant (.)** par défaut (paramètre optionnel).
-o fichier est le nom du fichier Excel qui recevra les **patrimoines**
[junit-4.12.jar](https://github.com/junit-team/junit4/releases/tag/r4.12)
[hamcrest-2.1.jar](https://search.maven.org/search?q=g:org.hamcrest)
| non_priority | corriger les fautes dans readme md par défaut désigne la base de données de pré production p chemin vers fichier est le chemin vers le fichier excel amorcé au répertoire courant par défaut paramètre optionnel o fichier est le nom du fichier excel qui recevra les patrimoines | 0 |
73,910 | 7,369,105,783 | IssuesEvent | 2018-03-13 00:44:27 | magneticstain/Inquisition | https://api.github.com/repos/magneticstain/Inquisition | closed | Review Code | enhancement in progress testing | Now that the first submodule has been completed (Alerts), we should comb through the code to review it and optimize/improve any deficiencies identified. | 1.0 | Review Code - Now that the first submodule has been completed (Alerts), we should comb through the code to review it and optimize/improve any deficiencies identified. | non_priority | review code now that the first submodule has been completed alerts we should comb through the code to review it and optimize improve any deficiencies identified | 0 |
27,419 | 7,962,905,125 | IssuesEvent | 2018-07-13 15:41:21 | jeff1evesque/cis_benchmark | https://api.github.com/repos/jeff1evesque/cis_benchmark | closed | Segregate 'apt-get update' into dedicated class | build trusty64 | We need to segregate the `apt-get update` logic into it's own dedicated class. | 1.0 | Segregate 'apt-get update' into dedicated class - We need to segregate the `apt-get update` logic into it's own dedicated class. | non_priority | segregate apt get update into dedicated class we need to segregate the apt get update logic into it s own dedicated class | 0 |
419,595 | 28,148,528,687 | IssuesEvent | 2023-04-02 19:14:40 | numpy/numpy | https://api.github.com/repos/numpy/numpy | opened | DOC: Instructions for skipping CI jobs are unclear | 04 - Documentation | ### Issue with current documentation:
The only instructions for skipping CI jobs are on [a single paragraph](https://numpy.org/doc/stable/dev/development_workflow.html#commands-to-skip-continuous-integration) and don't explain what each of the jobs do. This makes it very difficult to know which ones should be skipped. I suggest that the guide is updated to explain what each of the jobs do, ideally with examples of when to skip particular jobs.
### Idea or request for content:
_No response_ | 1.0 | DOC: Instructions for skipping CI jobs are unclear - ### Issue with current documentation:
The only instructions for skipping CI jobs are on [a single paragraph](https://numpy.org/doc/stable/dev/development_workflow.html#commands-to-skip-continuous-integration) and don't explain what each of the jobs do. This makes it very difficult to know which ones should be skipped. I suggest that the guide is updated to explain what each of the jobs do, ideally with examples of when to skip particular jobs.
### Idea or request for content:
_No response_ | non_priority | doc instructions for skipping ci jobs are unclear issue with current documentation the only instructions for skipping ci jobs are on and don t explain what each of the jobs do this makes it very difficult to know which ones should be skipped i suggest that the guide is updated to explain what each of the jobs do ideally with examples of when to skip particular jobs idea or request for content no response | 0 |
222,108 | 17,393,980,908 | IssuesEvent | 2021-08-02 11:05:22 | cockroachdb/cockroach | https://api.github.com/repos/cockroachdb/cockroach | closed | ccl/changefeedccl: package timed out under stress | C-test-failure O-robot X-stale branch-master no-issue-activity | SHA: https://github.com/cockroachdb/cockroach/commits/d4c59df1dd71fb97ccf356d4eda49f0c70dcda36
Parameters:
```
TAGS=
GOFLAGS=-race
```
To repro, try:
```
# Don't forget to check out a clean suitable branch and experiment with the
# stress invocation until the desired results present themselves. For example,
# using stressrace instead of stress and passing the '-p' stressflag which
# controls concurrency.
./scripts/gceworker.sh start && ./scripts/gceworker.sh mosh
cd ~/go/src/github.com/cockroachdb/cockroach && \
stdbuf -oL -eL \
make stress TESTS=(unknown) PKG=github.com/cockroachdb/cockroach/pkg/ccl/changefeedccl TESTTIMEOUT=5m STRESSFLAGS='-stderr=false -maxtime 20m -timeout 10m'
```
Failed test: https://teamcity.cockroachdb.com/viewLog.html?buildId=1531708&tab=buildLog
```
Slow failing tests:
TestChangefeedRetryableSinkError - 0.06s
Slow passing tests:
TestChangefeedSchemaChangeNoBackfill - 17.37s
TestChangefeedSchemaChangeAllowBackfill - 13.59s
TestChangefeedCursor - 8.76s
TestChangefeedInterleaved - 7.12s
TestChangefeedTruncateRenameDrop - 6.84s
TestChangefeedEnvelope - 5.37s
TestChangefeedAfterSchemaChangeBackfill - 4.84s
TestChangefeedColumnFamily - 4.78s
TestChangefeedMonitoring - 4.76s
TestChangefeedTimestamps - 4.67s
TestChangefeedBasics - 4.38s
TestChangefeedUpdatePrimaryKey - 4.14s
TestChangefeedResolvedFrequency - 4.10s
TestChangefeedComputedColumn - 4.01s
TestChangefeedMultiTable - 3.83s
``` | 1.0 | ccl/changefeedccl: package timed out under stress - SHA: https://github.com/cockroachdb/cockroach/commits/d4c59df1dd71fb97ccf356d4eda49f0c70dcda36
Parameters:
```
TAGS=
GOFLAGS=-race
```
To repro, try:
```
# Don't forget to check out a clean suitable branch and experiment with the
# stress invocation until the desired results present themselves. For example,
# using stressrace instead of stress and passing the '-p' stressflag which
# controls concurrency.
./scripts/gceworker.sh start && ./scripts/gceworker.sh mosh
cd ~/go/src/github.com/cockroachdb/cockroach && \
stdbuf -oL -eL \
make stress TESTS=(unknown) PKG=github.com/cockroachdb/cockroach/pkg/ccl/changefeedccl TESTTIMEOUT=5m STRESSFLAGS='-stderr=false -maxtime 20m -timeout 10m'
```
Failed test: https://teamcity.cockroachdb.com/viewLog.html?buildId=1531708&tab=buildLog
```
Slow failing tests:
TestChangefeedRetryableSinkError - 0.06s
Slow passing tests:
TestChangefeedSchemaChangeNoBackfill - 17.37s
TestChangefeedSchemaChangeAllowBackfill - 13.59s
TestChangefeedCursor - 8.76s
TestChangefeedInterleaved - 7.12s
TestChangefeedTruncateRenameDrop - 6.84s
TestChangefeedEnvelope - 5.37s
TestChangefeedAfterSchemaChangeBackfill - 4.84s
TestChangefeedColumnFamily - 4.78s
TestChangefeedMonitoring - 4.76s
TestChangefeedTimestamps - 4.67s
TestChangefeedBasics - 4.38s
TestChangefeedUpdatePrimaryKey - 4.14s
TestChangefeedResolvedFrequency - 4.10s
TestChangefeedComputedColumn - 4.01s
TestChangefeedMultiTable - 3.83s
``` | non_priority | ccl changefeedccl package timed out under stress sha parameters tags goflags race to repro try don t forget to check out a clean suitable branch and experiment with the stress invocation until the desired results present themselves for example using stressrace instead of stress and passing the p stressflag which controls concurrency scripts gceworker sh start scripts gceworker sh mosh cd go src github com cockroachdb cockroach stdbuf ol el make stress tests unknown pkg github com cockroachdb cockroach pkg ccl changefeedccl testtimeout stressflags stderr false maxtime timeout failed test slow failing tests testchangefeedretryablesinkerror slow passing tests testchangefeedschemachangenobackfill testchangefeedschemachangeallowbackfill testchangefeedcursor testchangefeedinterleaved testchangefeedtruncaterenamedrop testchangefeedenvelope testchangefeedafterschemachangebackfill testchangefeedcolumnfamily testchangefeedmonitoring testchangefeedtimestamps testchangefeedbasics testchangefeedupdateprimarykey testchangefeedresolvedfrequency testchangefeedcomputedcolumn testchangefeedmultitable | 0 |
84,677 | 24,381,788,300 | IssuesEvent | 2022-10-04 08:27:52 | vyper-protocol/vyper-otc-ui | https://api.github.com/repos/vyper-protocol/vyper-otc-ui | closed | Disable Cypress postbuild testing | bug build | We currently have a postbuild error because of cypress testing, considering that as of now we're not using it we can remove/disable for now. Attached build log
<img width="1082" alt="Screenshot 2022-10-03 at 15 36 11" src="https://user-images.githubusercontent.com/91868385/193591320-27b5b19e-3b90-4f30-ad5f-aaf7e02eb962.png">
[build_log.log](https://github.com/vyper-protocol/vyper-otc-ui/files/9697934/build_log.log)
| 1.0 | Disable Cypress postbuild testing - We currently have a postbuild error because of cypress testing, considering that as of now we're not using it we can remove/disable for now. Attached build log
<img width="1082" alt="Screenshot 2022-10-03 at 15 36 11" src="https://user-images.githubusercontent.com/91868385/193591320-27b5b19e-3b90-4f30-ad5f-aaf7e02eb962.png">
[build_log.log](https://github.com/vyper-protocol/vyper-otc-ui/files/9697934/build_log.log)
| non_priority | disable cypress postbuild testing we currently have a postbuild error because of cypress testing considering that as of now we re not using it we can remove disable for now attached build log img width alt screenshot at src | 0 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.