Unnamed: 0
int64
0
832k
id
float64
2.49B
32.1B
type
stringclasses
1 value
created_at
stringlengths
19
19
repo
stringlengths
5
112
repo_url
stringlengths
34
141
action
stringclasses
3 values
title
stringlengths
1
757
labels
stringlengths
4
664
body
stringlengths
3
261k
index
stringclasses
10 values
text_combine
stringlengths
96
261k
label
stringclasses
2 values
text
stringlengths
96
232k
binary_label
int64
0
1
32,085
6,711,936,648
IssuesEvent
2017-10-13 07:16:52
primefaces/primefaces
https://api.github.com/repos/primefaces/primefaces
closed
Rowkey is null when celledit with LazyDataModel
defect
## 1) Environment - PrimeFaces 6.1 - Wildfly 10 - Browser : Firefox ## 2) Expected behavior When updating a cell, the method onCellEdit is called, and we can get the rowKey from the CellEditEvent object. ... ## 3) Actual behavior rowKey is always null .. ## 4) Steps to reproduce just edit a cell .. ## 5) Sample XHTML <p:dataTable emptyMessage="Nessun record trovato." style="margin-top: 50px" id="cars" var="produit" value="#{gecomparBean.lazyModel}" editable="true" editMode="cell" widgetVar="carsTable" filteredValue="#{gecomparBean.filteredCars}" rows="10" lazy="true" scrollRows="10" scrollable="true" liveScroll="true" scrollHeight="250" resizableColumns="true" resizeMode="expand" draggableColumns="true" rowStyleClass="#{produit.id == gecomparBean.selectedObject.id ? 'selectedRow' : null}" > <p:ajax event="colReorder" listener="#{gecomparBean.onColumnReorder}" /> <p:ajax event="cellEdit" listener="#{gecomparBean.onCellEdit}" oncomplete="updateTable()" update=":form:remote" /> .. ## 6) Sample bean public void onCellEdit(CellEditEvent event) throws RestRequestException { Object oldValue = event.getOldValue(); Object newValue = event.getNewValue(); UIColumn colonne = event.getColumn(); DataTable s = (DataTable) event.getSource(); System.out.println("rowkey "+event.getRowKey()); } ## 6) LazyProductDataModel public class LazyProductDataModel extends LazyDataModel<ProductSessionDTO> implements Serializable { private List<ProductSessionDTO> products; private ProductSearchWrapper wrapper; public LazyProductDataModel(ProductSearchWrapper wrapp) throws RestRequestException { super(); wrapper = wrapp; } @Override public ProductSessionDTO getRowData(String rowKey) { for (ProductSessionDTO car : getProducts()) { if (car.getId() == (Long.parseLong(rowKey))) { return car; } } return null; } @Override public Object getRowKey(ProductSessionDTO car) { return car.getId(); } @Override public List<ProductSessionDTO> load(int first, int pageSize, String sortField, SortOrder sortOrder, Map<String, Object> filters) { List<ProductSessionDTO> data = new ArrayList<ProductSessionDTO>(); try { System.out.println("First " + first + " Max " + pageSize); wrapper.setFirst(first); wrapper.setPageSize(pageSize); setProducts(ServiceUtils.getInstance().getProducts(wrapper)); this.setWrappedData((List<ProductSessionDTO>) products); if (getProducts() != null) { Comparator<ProductSessionDTO> lengthComparator = new Comparator<ProductSessionDTO>() { @Override public int compare(ProductSessionDTO o1, ProductSessionDTO o2) { return Long.compare(o1.getId(), o2.getId()); } }; Collections.sort(getProducts(), lengthComparator); } } catch (RestRequestException ex) { Logger.getLogger(LazyProductDataModel.class.getName()).log(Level.SEVERE, null, ex); } data = products; //rowCount int dataSize = data.size(); this.setRowCount(1000); //paginate if (dataSize > pageSize) { try { return data.subList(first, first + pageSize); } catch (IndexOutOfBoundsException e) { return data.subList(first, first + (dataSize % pageSize)); } } else { return data; } } /** * @return the products */ public List<ProductSessionDTO> getProducts() { return products; } /** * @param products the products to set */ public void setProducts(List<ProductSessionDTO> products) { this.products = products; } @Override public Object getWrappedData() { // TODO Auto-generated method stub return products; } }
1.0
Rowkey is null when celledit with LazyDataModel - ## 1) Environment - PrimeFaces 6.1 - Wildfly 10 - Browser : Firefox ## 2) Expected behavior When updating a cell, the method onCellEdit is called, and we can get the rowKey from the CellEditEvent object. ... ## 3) Actual behavior rowKey is always null .. ## 4) Steps to reproduce just edit a cell .. ## 5) Sample XHTML <p:dataTable emptyMessage="Nessun record trovato." style="margin-top: 50px" id="cars" var="produit" value="#{gecomparBean.lazyModel}" editable="true" editMode="cell" widgetVar="carsTable" filteredValue="#{gecomparBean.filteredCars}" rows="10" lazy="true" scrollRows="10" scrollable="true" liveScroll="true" scrollHeight="250" resizableColumns="true" resizeMode="expand" draggableColumns="true" rowStyleClass="#{produit.id == gecomparBean.selectedObject.id ? 'selectedRow' : null}" > <p:ajax event="colReorder" listener="#{gecomparBean.onColumnReorder}" /> <p:ajax event="cellEdit" listener="#{gecomparBean.onCellEdit}" oncomplete="updateTable()" update=":form:remote" /> .. ## 6) Sample bean public void onCellEdit(CellEditEvent event) throws RestRequestException { Object oldValue = event.getOldValue(); Object newValue = event.getNewValue(); UIColumn colonne = event.getColumn(); DataTable s = (DataTable) event.getSource(); System.out.println("rowkey "+event.getRowKey()); } ## 6) LazyProductDataModel public class LazyProductDataModel extends LazyDataModel<ProductSessionDTO> implements Serializable { private List<ProductSessionDTO> products; private ProductSearchWrapper wrapper; public LazyProductDataModel(ProductSearchWrapper wrapp) throws RestRequestException { super(); wrapper = wrapp; } @Override public ProductSessionDTO getRowData(String rowKey) { for (ProductSessionDTO car : getProducts()) { if (car.getId() == (Long.parseLong(rowKey))) { return car; } } return null; } @Override public Object getRowKey(ProductSessionDTO car) { return car.getId(); } @Override public List<ProductSessionDTO> load(int first, int pageSize, String sortField, SortOrder sortOrder, Map<String, Object> filters) { List<ProductSessionDTO> data = new ArrayList<ProductSessionDTO>(); try { System.out.println("First " + first + " Max " + pageSize); wrapper.setFirst(first); wrapper.setPageSize(pageSize); setProducts(ServiceUtils.getInstance().getProducts(wrapper)); this.setWrappedData((List<ProductSessionDTO>) products); if (getProducts() != null) { Comparator<ProductSessionDTO> lengthComparator = new Comparator<ProductSessionDTO>() { @Override public int compare(ProductSessionDTO o1, ProductSessionDTO o2) { return Long.compare(o1.getId(), o2.getId()); } }; Collections.sort(getProducts(), lengthComparator); } } catch (RestRequestException ex) { Logger.getLogger(LazyProductDataModel.class.getName()).log(Level.SEVERE, null, ex); } data = products; //rowCount int dataSize = data.size(); this.setRowCount(1000); //paginate if (dataSize > pageSize) { try { return data.subList(first, first + pageSize); } catch (IndexOutOfBoundsException e) { return data.subList(first, first + (dataSize % pageSize)); } } else { return data; } } /** * @return the products */ public List<ProductSessionDTO> getProducts() { return products; } /** * @param products the products to set */ public void setProducts(List<ProductSessionDTO> products) { this.products = products; } @Override public Object getWrappedData() { // TODO Auto-generated method stub return products; } }
defect
rowkey is null when celledit with lazydatamodel environment primefaces wildfly browser firefox expected behavior when updating a cell the method oncelledit is called and we can get the rowkey from the celleditevent object actual behavior rowkey is always null steps to reproduce just edit a cell sample xhtml p datatable emptymessage nessun record trovato style margin top id cars var produit value gecomparbean lazymodel editable true editmode cell widgetvar carstable filteredvalue gecomparbean filteredcars rows lazy true scrollrows scrollable true livescroll true scrollheight resizablecolumns true resizemode expand draggablecolumns true rowstyleclass produit id gecomparbean selectedobject id selectedrow null p ajax event colreorder listener gecomparbean oncolumnreorder p ajax event celledit listener gecomparbean oncelledit oncomplete updatetable update form remote sample bean public void oncelledit celleditevent event throws restrequestexception object oldvalue event getoldvalue object newvalue event getnewvalue uicolumn colonne event getcolumn datatable s datatable event getsource system out println rowkey event getrowkey lazyproductdatamodel public class lazyproductdatamodel extends lazydatamodel implements serializable private list products private productsearchwrapper wrapper public lazyproductdatamodel productsearchwrapper wrapp throws restrequestexception super wrapper wrapp override public productsessiondto getrowdata string rowkey for productsessiondto car getproducts if car getid long parselong rowkey return car return null override public object getrowkey productsessiondto car return car getid override public list load int first int pagesize string sortfield sortorder sortorder map filters list data new arraylist try system out println first first max pagesize wrapper setfirst first wrapper setpagesize pagesize setproducts serviceutils getinstance getproducts wrapper this setwrappeddata list products if getproducts null comparator lengthcomparator new comparator override public int compare productsessiondto productsessiondto return long compare getid getid collections sort getproducts lengthcomparator catch restrequestexception ex logger getlogger lazyproductdatamodel class getname log level severe null ex data products rowcount int datasize data size this setrowcount paginate if datasize pagesize try return data sublist first first pagesize catch indexoutofboundsexception e return data sublist first first datasize pagesize else return data return the products public list getproducts return products param products the products to set public void setproducts list products this products products override public object getwrappeddata todo auto generated method stub return products
1
70,114
9,377,323,269
IssuesEvent
2019-04-04 10:02:16
shopsys/shopsys
https://api.github.com/repos/shopsys/shopsys
opened
Problem with parameter filter when not existing parameter value is in URL
Bug Documentation :book:
<!--- Title should contain short general summary what is the issue about --> ### What is happening <!--- What are preconditions and your setting e.g. Shopsys version or in case of Docker issues your operating system --> <!--- Best is to include steps to reproduce this issue if relevant--> <!--- Tell us what happens --> if we pick some options in filter and add into URL some not existing one or some that has been disabled the whole option group is cleared and the result list is like with no option group checked `/electronics/?product_filter_form[parameters][1][]=2&product_filter_form[parameters][1][]=14&product_filter_form[parameters][1][]=666` ### Expected result <!--- Tell us what should happen instead --> The not existing filter option should be ignored and filter should applies the existing ones for the result list. Maybe to have this behavior explained somewhere whether this is really a buggy situation.
1.0
Problem with parameter filter when not existing parameter value is in URL - <!--- Title should contain short general summary what is the issue about --> ### What is happening <!--- What are preconditions and your setting e.g. Shopsys version or in case of Docker issues your operating system --> <!--- Best is to include steps to reproduce this issue if relevant--> <!--- Tell us what happens --> if we pick some options in filter and add into URL some not existing one or some that has been disabled the whole option group is cleared and the result list is like with no option group checked `/electronics/?product_filter_form[parameters][1][]=2&product_filter_form[parameters][1][]=14&product_filter_form[parameters][1][]=666` ### Expected result <!--- Tell us what should happen instead --> The not existing filter option should be ignored and filter should applies the existing ones for the result list. Maybe to have this behavior explained somewhere whether this is really a buggy situation.
non_defect
problem with parameter filter when not existing parameter value is in url what is happening if we pick some options in filter and add into url some not existing one or some that has been disabled the whole option group is cleared and the result list is like with no option group checked electronics product filter form product filter form product filter form expected result the not existing filter option should be ignored and filter should applies the existing ones for the result list maybe to have this behavior explained somewhere whether this is really a buggy situation
0
505,521
14,635,182,084
IssuesEvent
2020-12-24 07:33:08
gnosis/conditional-tokens-explorer
https://api.github.com/repos/gnosis/conditional-tokens-explorer
reopened
Positions list: Page settings are not reset when disconnect a wallet
Low priority bug
Related to #725 1. Connect to a wallet 2. apply changes in the positions list view 3. disconnect a wallet **AR**: the applied changes are still there **ER**: page settings are reset
1.0
Positions list: Page settings are not reset when disconnect a wallet - Related to #725 1. Connect to a wallet 2. apply changes in the positions list view 3. disconnect a wallet **AR**: the applied changes are still there **ER**: page settings are reset
non_defect
positions list page settings are not reset when disconnect a wallet related to connect to a wallet apply changes in the positions list view disconnect a wallet ar the applied changes are still there er page settings are reset
0
159,505
12,477,469,562
IssuesEvent
2020-05-29 15:00:39
ui-libraries/flint
https://api.github.com/repos/ui-libraries/flint
closed
Data cleaning and new data formats needed
can-we-do help wanted testing-required timestamps
For the calendar I made in R, I found that the date format that gives R the least amount of hassle is YEAR-MONTH-DAY. That said, our dates are formatted in a variety of different ways. I've been using datetime and strptime to change some of the dates around, to varying degrees of success. I have it where we get the dates (just the dates, no TOD data, as that confuses the function I'm using to make the calendar) and have them as a list of strings. Then, I can use the following to successfully reformat them: `strings = ['Wednesday October 28 2015', 'Monday October 26 2015']` ``` for string in strings: object2 = datetime.strptime(string, '%A %B %d %Y') print(datetime.strftime(object2,'%Y-%m-%d')) ``` That prints the result `2015-10-28` `2015-10-26` That's perfect! But, it only works when I have a list of the same KIND of date. I haven't gotten a working loop for a list that includes multiple date types. Anyone know how to pull this loop off?
1.0
Data cleaning and new data formats needed - For the calendar I made in R, I found that the date format that gives R the least amount of hassle is YEAR-MONTH-DAY. That said, our dates are formatted in a variety of different ways. I've been using datetime and strptime to change some of the dates around, to varying degrees of success. I have it where we get the dates (just the dates, no TOD data, as that confuses the function I'm using to make the calendar) and have them as a list of strings. Then, I can use the following to successfully reformat them: `strings = ['Wednesday October 28 2015', 'Monday October 26 2015']` ``` for string in strings: object2 = datetime.strptime(string, '%A %B %d %Y') print(datetime.strftime(object2,'%Y-%m-%d')) ``` That prints the result `2015-10-28` `2015-10-26` That's perfect! But, it only works when I have a list of the same KIND of date. I haven't gotten a working loop for a list that includes multiple date types. Anyone know how to pull this loop off?
non_defect
data cleaning and new data formats needed for the calendar i made in r i found that the date format that gives r the least amount of hassle is year month day that said our dates are formatted in a variety of different ways i ve been using datetime and strptime to change some of the dates around to varying degrees of success i have it where we get the dates just the dates no tod data as that confuses the function i m using to make the calendar and have them as a list of strings then i can use the following to successfully reformat them strings for string in strings datetime strptime string a b d y print datetime strftime y m d that prints the result that s perfect but it only works when i have a list of the same kind of date i haven t gotten a working loop for a list that includes multiple date types anyone know how to pull this loop off
0
685,845
23,469,165,279
IssuesEvent
2022-08-16 19:52:53
RunSignUp-Team/RunSignup-Mobile-Timing-App
https://api.github.com/repos/RunSignUp-Team/RunSignup-Mobile-Timing-App
opened
v2 Review - Chute Mode Bibs Not Pushed
bug high-priority
Major bug @chelseaRSU found. When we saved in Finish Line Mode, we were pushing checker bibs whether or not they were all 0s. Then, when we saved in Chute Mode, if there were results at RSU (which there were, as an array of 0s), we didn't push anything to RSU. So basically, the normal flow of Finish Line Mode and then Chute Mode was broken, unless the user made an edit in Results and re-pushed the correct data to RSU. This has been here since v1 and somehow we missed it.
1.0
v2 Review - Chute Mode Bibs Not Pushed - Major bug @chelseaRSU found. When we saved in Finish Line Mode, we were pushing checker bibs whether or not they were all 0s. Then, when we saved in Chute Mode, if there were results at RSU (which there were, as an array of 0s), we didn't push anything to RSU. So basically, the normal flow of Finish Line Mode and then Chute Mode was broken, unless the user made an edit in Results and re-pushed the correct data to RSU. This has been here since v1 and somehow we missed it.
non_defect
review chute mode bibs not pushed major bug chelsearsu found when we saved in finish line mode we were pushing checker bibs whether or not they were all then when we saved in chute mode if there were results at rsu which there were as an array of we didn t push anything to rsu so basically the normal flow of finish line mode and then chute mode was broken unless the user made an edit in results and re pushed the correct data to rsu this has been here since and somehow we missed it
0
131,863
5,166,438,336
IssuesEvent
2017-01-17 16:13:57
snaiperskaya96/test-import-repo
https://api.github.com/repos/snaiperskaya96/test-import-repo
opened
Warehouse - Submit button doesn't work sometimes when manually clicking with mouse on amazon barcodes page
Accepted Bug Low Priority
https://trello.com/c/DbdTIc9H/253-warehouse-submit-button-doesn-t-work-sometimes-when-manually-clicking-with-mouse-on-amazon-barcodes-page
1.0
Warehouse - Submit button doesn't work sometimes when manually clicking with mouse on amazon barcodes page - https://trello.com/c/DbdTIc9H/253-warehouse-submit-button-doesn-t-work-sometimes-when-manually-clicking-with-mouse-on-amazon-barcodes-page
non_defect
warehouse submit button doesn t work sometimes when manually clicking with mouse on amazon barcodes page
0
15,373
2,850,676,080
IssuesEvent
2015-05-31 19:35:35
damonkohler/sl4a
https://api.github.com/repos/damonkohler/sl4a
opened
Invalid triggers crash
auto-migrated Priority-Medium Type-Defect
_From @GoogleCodeExporter on May 31, 2015 11:28_ ``` What device(s) are you experiencing the problem on? Motorola Droid What steps will reproduce the problem? 1. Create a python script with the line "droid.scheduleRelative('wrong.py', 10, True)", where 'wrong.py' can apparently be any path that doesn't exist. 2. Run the script; 10 seconds later, SL4A crashes 3. Try launching SL4A again; it notifies you that it's launching the triggers, and immediately crashes 4. Also, if you wait around long enough, it'll show the same notification and same crash. What is the expected output? What do you see instead? I dunno what the "right" thing to do is - log the error somewhere? Pop up a failure dialog? But force crashing is a bad idea, especially because I can't go in and cancel the trigger (because it tries to run it again and crashes again every time I open SL4A). What version of the product are you using? On what operating system? SL4A version 3, on Android version 2.2.1 Please provide any additional information below. Any time I launch it, the following appears in the log: I/ActivityManager( 1086): Starting activity: Intent { act=android.intent.action.MAIN cat=[android.intent.category.LAUNCHER] flg=0x10200000 cmp=com.googlecode.android_scripting/.activity.ScriptManager bnds=[5,260][115,378] } I/ActivityManager( 1086): Start proc com.googlecode.android_scripting for activity com.googlecode.android_scripting/.activity.ScriptManager: pid=3061 uid=10041 gids={3003, 1015, 1007, 3002, 3001, 1006} I/ActivityThread( 3061): Publishing provider com.googlecode.android_scripting.provider.apiprovider: com.googlecode.android_scripting.provider.ApiProvider D/dalvikvm( 3061): GC_FOR_MALLOC freed 8336 objects / 378544 bytes in 59ms I/ActivityThread( 3061): Publishing provider com.googlecode.android_scripting.provider.scriptprovider: com.googlecode.android_scripting.provider.ScriptProvider I/global ( 3061): Default buffer size used in BufferedReader constructor. It would be better to be explicit if an 8k-char buffer is required. I/global ( 3061): Default buffer size used in BufferedReader constructor. It would be better to be explicit if an 8k-char buffer is required. V/sl4a.InterpreterConfiguration$InterpreterListener:127( 3061): Interpreter discovered: com.googlecode.pythonforandroid V/sl4a.InterpreterConfiguration$InterpreterListener:127( 3061): Binary: /data/data/com.googlecode.pythonforandroid/files/python/bin/python I/global ( 3061): Default buffer size used in BufferedReader constructor. It would be better to be explicit if an 8k-char buffer is required. I/global ( 3061): Default buffer size used in BufferedReader constructor. It would be better to be explicit if an 8k-char buffer is required. D/dalvikvm( 3061): GC_FOR_MALLOC freed 5801 objects / 432312 bytes in 58ms V/sl4a.InterpreterConfiguration$InterpreterListener:127( 3061): Interpreter discovered: com.googlecode.pythonforandroid V/sl4a.InterpreterConfiguration$InterpreterListener:127( 3061): Binary: /data/data/com.googlecode.pythonforandroid/files/python/bin/python V/sl4a.FileUtils:119( 3061): Creating directory: scripts E/sl4a.FileUtils:121( 3061): Failed to create directory. D/AndroidRuntime( 3061): Shutting down VM W/dalvikvm( 3061): threadid=1: thread exiting with uncaught exception (group=0x4001d7e0) E/AndroidRuntime( 3061): FATAL EXCEPTION: main E/AndroidRuntime( 3061): java.lang.RuntimeException: Unable to start activity ComponentInfo{com.googlecode.android_scripting/com.googlecode.android_scripting. activity.ScriptManager}: java.lang.RuntimeException: Failed to create scripts directory. E/AndroidRuntime( 3061): at android.app.ActivityThread.performLaunchActivity(ActivityThread.java:2663) E/AndroidRuntime( 3061): at android.app.ActivityThread.handleLaunchActivity(ActivityThread.java:2679) E/AndroidRuntime( 3061): at android.app.ActivityThread.access$2300(ActivityThread.java:125) E/AndroidRuntime( 3061): at android.app.ActivityThread$H.handleMessage(ActivityThread.java:2033) E/AndroidRuntime( 3061): at android.os.Handler.dispatchMessage(Handler.java:99) E/AndroidRuntime( 3061): at android.os.Looper.loop(Looper.java:123) E/AndroidRuntime( 3061): at android.app.ActivityThread.main(ActivityThread.java:4627) E/AndroidRuntime( 3061): at java.lang.reflect.Method.invokeNative(Native Method) E/AndroidRuntime( 3061): at java.lang.reflect.Method.invoke(Method.java:521) E/AndroidRuntime( 3061): at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:858) E/AndroidRuntime( 3061): at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:616) E/AndroidRuntime( 3061): at dalvik.system.NativeStart.main(Native Method) E/AndroidRuntime( 3061): Caused by: java.lang.RuntimeException: Failed to create scripts directory. E/AndroidRuntime( 3061): at com.googlecode.android_scripting.activity.ScriptManager.onCreate(ScriptManager.j ava:112) E/AndroidRuntime( 3061): at android.app.Instrumentation.callActivityOnCreate(Instrumentation.java:1047) E/AndroidRuntime( 3061): at android.app.ActivityThread.performLaunchActivity(ActivityThread.java:2627) E/AndroidRuntime( 3061): ... 11 more W/ActivityManager( 1086): Force finishing activity com.googlecode.android_scripting/.activity.ScriptManager W/ActivityManager( 1086): Activity pause timeout for HistoryRecord{44ca3d00 com.googlecode.android_scripting/.activity.ScriptManager} ``` Original issue reported on code.google.com by `dplep...@gmail.com` on 6 Jan 2011 at 10:48 _Copied from original issue: damonkohler/android-scripting#499_
1.0
Invalid triggers crash - _From @GoogleCodeExporter on May 31, 2015 11:28_ ``` What device(s) are you experiencing the problem on? Motorola Droid What steps will reproduce the problem? 1. Create a python script with the line "droid.scheduleRelative('wrong.py', 10, True)", where 'wrong.py' can apparently be any path that doesn't exist. 2. Run the script; 10 seconds later, SL4A crashes 3. Try launching SL4A again; it notifies you that it's launching the triggers, and immediately crashes 4. Also, if you wait around long enough, it'll show the same notification and same crash. What is the expected output? What do you see instead? I dunno what the "right" thing to do is - log the error somewhere? Pop up a failure dialog? But force crashing is a bad idea, especially because I can't go in and cancel the trigger (because it tries to run it again and crashes again every time I open SL4A). What version of the product are you using? On what operating system? SL4A version 3, on Android version 2.2.1 Please provide any additional information below. Any time I launch it, the following appears in the log: I/ActivityManager( 1086): Starting activity: Intent { act=android.intent.action.MAIN cat=[android.intent.category.LAUNCHER] flg=0x10200000 cmp=com.googlecode.android_scripting/.activity.ScriptManager bnds=[5,260][115,378] } I/ActivityManager( 1086): Start proc com.googlecode.android_scripting for activity com.googlecode.android_scripting/.activity.ScriptManager: pid=3061 uid=10041 gids={3003, 1015, 1007, 3002, 3001, 1006} I/ActivityThread( 3061): Publishing provider com.googlecode.android_scripting.provider.apiprovider: com.googlecode.android_scripting.provider.ApiProvider D/dalvikvm( 3061): GC_FOR_MALLOC freed 8336 objects / 378544 bytes in 59ms I/ActivityThread( 3061): Publishing provider com.googlecode.android_scripting.provider.scriptprovider: com.googlecode.android_scripting.provider.ScriptProvider I/global ( 3061): Default buffer size used in BufferedReader constructor. It would be better to be explicit if an 8k-char buffer is required. I/global ( 3061): Default buffer size used in BufferedReader constructor. It would be better to be explicit if an 8k-char buffer is required. V/sl4a.InterpreterConfiguration$InterpreterListener:127( 3061): Interpreter discovered: com.googlecode.pythonforandroid V/sl4a.InterpreterConfiguration$InterpreterListener:127( 3061): Binary: /data/data/com.googlecode.pythonforandroid/files/python/bin/python I/global ( 3061): Default buffer size used in BufferedReader constructor. It would be better to be explicit if an 8k-char buffer is required. I/global ( 3061): Default buffer size used in BufferedReader constructor. It would be better to be explicit if an 8k-char buffer is required. D/dalvikvm( 3061): GC_FOR_MALLOC freed 5801 objects / 432312 bytes in 58ms V/sl4a.InterpreterConfiguration$InterpreterListener:127( 3061): Interpreter discovered: com.googlecode.pythonforandroid V/sl4a.InterpreterConfiguration$InterpreterListener:127( 3061): Binary: /data/data/com.googlecode.pythonforandroid/files/python/bin/python V/sl4a.FileUtils:119( 3061): Creating directory: scripts E/sl4a.FileUtils:121( 3061): Failed to create directory. D/AndroidRuntime( 3061): Shutting down VM W/dalvikvm( 3061): threadid=1: thread exiting with uncaught exception (group=0x4001d7e0) E/AndroidRuntime( 3061): FATAL EXCEPTION: main E/AndroidRuntime( 3061): java.lang.RuntimeException: Unable to start activity ComponentInfo{com.googlecode.android_scripting/com.googlecode.android_scripting. activity.ScriptManager}: java.lang.RuntimeException: Failed to create scripts directory. E/AndroidRuntime( 3061): at android.app.ActivityThread.performLaunchActivity(ActivityThread.java:2663) E/AndroidRuntime( 3061): at android.app.ActivityThread.handleLaunchActivity(ActivityThread.java:2679) E/AndroidRuntime( 3061): at android.app.ActivityThread.access$2300(ActivityThread.java:125) E/AndroidRuntime( 3061): at android.app.ActivityThread$H.handleMessage(ActivityThread.java:2033) E/AndroidRuntime( 3061): at android.os.Handler.dispatchMessage(Handler.java:99) E/AndroidRuntime( 3061): at android.os.Looper.loop(Looper.java:123) E/AndroidRuntime( 3061): at android.app.ActivityThread.main(ActivityThread.java:4627) E/AndroidRuntime( 3061): at java.lang.reflect.Method.invokeNative(Native Method) E/AndroidRuntime( 3061): at java.lang.reflect.Method.invoke(Method.java:521) E/AndroidRuntime( 3061): at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:858) E/AndroidRuntime( 3061): at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:616) E/AndroidRuntime( 3061): at dalvik.system.NativeStart.main(Native Method) E/AndroidRuntime( 3061): Caused by: java.lang.RuntimeException: Failed to create scripts directory. E/AndroidRuntime( 3061): at com.googlecode.android_scripting.activity.ScriptManager.onCreate(ScriptManager.j ava:112) E/AndroidRuntime( 3061): at android.app.Instrumentation.callActivityOnCreate(Instrumentation.java:1047) E/AndroidRuntime( 3061): at android.app.ActivityThread.performLaunchActivity(ActivityThread.java:2627) E/AndroidRuntime( 3061): ... 11 more W/ActivityManager( 1086): Force finishing activity com.googlecode.android_scripting/.activity.ScriptManager W/ActivityManager( 1086): Activity pause timeout for HistoryRecord{44ca3d00 com.googlecode.android_scripting/.activity.ScriptManager} ``` Original issue reported on code.google.com by `dplep...@gmail.com` on 6 Jan 2011 at 10:48 _Copied from original issue: damonkohler/android-scripting#499_
defect
invalid triggers crash from googlecodeexporter on may what device s are you experiencing the problem on motorola droid what steps will reproduce the problem create a python script with the line droid schedulerelative wrong py true where wrong py can apparently be any path that doesn t exist run the script seconds later crashes try launching again it notifies you that it s launching the triggers and immediately crashes also if you wait around long enough it ll show the same notification and same crash what is the expected output what do you see instead i dunno what the right thing to do is log the error somewhere pop up a failure dialog but force crashing is a bad idea especially because i can t go in and cancel the trigger because it tries to run it again and crashes again every time i open what version of the product are you using on what operating system version on android version please provide any additional information below any time i launch it the following appears in the log i activitymanager starting activity intent act android intent action main cat flg cmp com googlecode android scripting activity scriptmanager bnds i activitymanager start proc com googlecode android scripting for activity com googlecode android scripting activity scriptmanager pid uid gids i activitythread publishing provider com googlecode android scripting provider apiprovider com googlecode android scripting provider apiprovider d dalvikvm gc for malloc freed objects bytes in i activitythread publishing provider com googlecode android scripting provider scriptprovider com googlecode android scripting provider scriptprovider i global default buffer size used in bufferedreader constructor it would be better to be explicit if an char buffer is required i global default buffer size used in bufferedreader constructor it would be better to be explicit if an char buffer is required v interpreterconfiguration interpreterlistener interpreter discovered com googlecode pythonforandroid v interpreterconfiguration interpreterlistener binary data data com googlecode pythonforandroid files python bin python i global default buffer size used in bufferedreader constructor it would be better to be explicit if an char buffer is required i global default buffer size used in bufferedreader constructor it would be better to be explicit if an char buffer is required d dalvikvm gc for malloc freed objects bytes in v interpreterconfiguration interpreterlistener interpreter discovered com googlecode pythonforandroid v interpreterconfiguration interpreterlistener binary data data com googlecode pythonforandroid files python bin python v fileutils creating directory scripts e fileutils failed to create directory d androidruntime shutting down vm w dalvikvm threadid thread exiting with uncaught exception group e androidruntime fatal exception main e androidruntime java lang runtimeexception unable to start activity componentinfo com googlecode android scripting com googlecode android scripting activity scriptmanager java lang runtimeexception failed to create scripts directory e androidruntime at android app activitythread performlaunchactivity activitythread java e androidruntime at android app activitythread handlelaunchactivity activitythread java e androidruntime at android app activitythread access activitythread java e androidruntime at android app activitythread h handlemessage activitythread java e androidruntime at android os handler dispatchmessage handler java e androidruntime at android os looper loop looper java e androidruntime at android app activitythread main activitythread java e androidruntime at java lang reflect method invokenative native method e androidruntime at java lang reflect method invoke method java e androidruntime at com android internal os zygoteinit methodandargscaller run zygoteinit java e androidruntime at com android internal os zygoteinit main zygoteinit java e androidruntime at dalvik system nativestart main native method e androidruntime caused by java lang runtimeexception failed to create scripts directory e androidruntime at com googlecode android scripting activity scriptmanager oncreate scriptmanager j ava e androidruntime at android app instrumentation callactivityoncreate instrumentation java e androidruntime at android app activitythread performlaunchactivity activitythread java e androidruntime more w activitymanager force finishing activity com googlecode android scripting activity scriptmanager w activitymanager activity pause timeout for historyrecord com googlecode android scripting activity scriptmanager original issue reported on code google com by dplep gmail com on jan at copied from original issue damonkohler android scripting
1
11,820
2,666,592,763
IssuesEvent
2015-03-21 18:36:58
kbjorgensen/kbsslenforcer
https://api.github.com/repos/kbjorgensen/kbsslenforcer
closed
twitch.tv No Channels Live
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. Open twitch.tv 2. Choose a game (like http://www.twitch.tv/directory/game/Counter-Strike%3A%20Global%20Offensive) 3. See, that there are no channels, which is not true. What is the expected output? What do you see instead? I expect to see videos, and channels, but I see "No Channels Live". What version of the product are you using? On what operating system? 2.0.4 on 41.0.2217.0 canary (64-bit) on W7 x64. Please provide any additional information below. When I pause the extension I can see the videos/streams. Adding an exception won't help. Nor ublock and Ghostery aren't causing this bug. ``` Original issue reported on code.google.com by `bielejew...@gmail.com` on 12 Nov 2014 at 4:02 Attachments: * [Untitled-1.jpg](https://storage.googleapis.com/google-code-attachments/kbsslenforcer/issue-112/comment-0/Untitled-1.jpg)
1.0
twitch.tv No Channels Live - ``` What steps will reproduce the problem? 1. Open twitch.tv 2. Choose a game (like http://www.twitch.tv/directory/game/Counter-Strike%3A%20Global%20Offensive) 3. See, that there are no channels, which is not true. What is the expected output? What do you see instead? I expect to see videos, and channels, but I see "No Channels Live". What version of the product are you using? On what operating system? 2.0.4 on 41.0.2217.0 canary (64-bit) on W7 x64. Please provide any additional information below. When I pause the extension I can see the videos/streams. Adding an exception won't help. Nor ublock and Ghostery aren't causing this bug. ``` Original issue reported on code.google.com by `bielejew...@gmail.com` on 12 Nov 2014 at 4:02 Attachments: * [Untitled-1.jpg](https://storage.googleapis.com/google-code-attachments/kbsslenforcer/issue-112/comment-0/Untitled-1.jpg)
defect
twitch tv no channels live what steps will reproduce the problem open twitch tv choose a game like see that there are no channels which is not true what is the expected output what do you see instead i expect to see videos and channels but i see no channels live what version of the product are you using on what operating system on canary bit on please provide any additional information below when i pause the extension i can see the videos streams adding an exception won t help nor ublock and ghostery aren t causing this bug original issue reported on code google com by bielejew gmail com on nov at attachments
1
56,895
15,437,047,017
IssuesEvent
2021-03-07 15:18:20
martinrotter/rssguard
https://api.github.com/repos/martinrotter/rssguard
closed
rssguard-3.9.0-56e72357 vs rssguard-3.9.0-a939e237
Type-Defect
These two 3.9.0 versions are available on the release page, but which one should I pick?
1.0
rssguard-3.9.0-56e72357 vs rssguard-3.9.0-a939e237 - These two 3.9.0 versions are available on the release page, but which one should I pick?
defect
rssguard vs rssguard these two versions are available on the release page but which one should i pick
1
4,057
4,165,497,009
IssuesEvent
2016-06-19 14:49:19
sympy/sympy
https://api.github.com/repos/sympy/sympy
closed
faster factorials (and other functions) using gmpy
Performance
Sympy's current factorial function sympy.functions.combinatorial.factorials.factorial(x) is much slower than using gmpy, then converting to a sympy integer: S(gmpy.fac(x)). Since we already take advantage of gmpy for ground types, doesn't it make sense to do the same for integer functions, where possible (and where it helps)? Another example of where this makes a big difference is in computing Fibonacci numbers. For example at 2**18, sympy allocates at least a gig of memory, while gmpy allocates none and returns instantly. I killed the sympy calculation pretty soon after I started it, so I don't know how long it would take to run to completion, but it is obviously slower than gmpy and the memory issue alone would make gmpy an improvement. sympy's binomial function actually computes C(2**19, 2**18) faster than gmpy. Curiously, gmpy.bincoef is also slower than using gmpy's own factorial function and the definition of the binomial coefficient. I have some benchmark numbers on factorials (and a scripti to generate them, plus a plot) if anyone is interested. As an example, sympy takes 8.33s to compute (2**20)!, whereas S(gmpy.fac(2**20)) takes 0.41s (a 20x speedup). I see similar speed-ups for numbers in the range of 2**10 to 2**21. Memory usage is not an issue here, thankfully.
True
faster factorials (and other functions) using gmpy - Sympy's current factorial function sympy.functions.combinatorial.factorials.factorial(x) is much slower than using gmpy, then converting to a sympy integer: S(gmpy.fac(x)). Since we already take advantage of gmpy for ground types, doesn't it make sense to do the same for integer functions, where possible (and where it helps)? Another example of where this makes a big difference is in computing Fibonacci numbers. For example at 2**18, sympy allocates at least a gig of memory, while gmpy allocates none and returns instantly. I killed the sympy calculation pretty soon after I started it, so I don't know how long it would take to run to completion, but it is obviously slower than gmpy and the memory issue alone would make gmpy an improvement. sympy's binomial function actually computes C(2**19, 2**18) faster than gmpy. Curiously, gmpy.bincoef is also slower than using gmpy's own factorial function and the definition of the binomial coefficient. I have some benchmark numbers on factorials (and a scripti to generate them, plus a plot) if anyone is interested. As an example, sympy takes 8.33s to compute (2**20)!, whereas S(gmpy.fac(2**20)) takes 0.41s (a 20x speedup). I see similar speed-ups for numbers in the range of 2**10 to 2**21. Memory usage is not an issue here, thankfully.
non_defect
faster factorials and other functions using gmpy sympy s current factorial function sympy functions combinatorial factorials factorial x is much slower than using gmpy then converting to a sympy integer s gmpy fac x since we already take advantage of gmpy for ground types doesn t it make sense to do the same for integer functions where possible and where it helps another example of where this makes a big difference is in computing fibonacci numbers for example at sympy allocates at least a gig of memory while gmpy allocates none and returns instantly i killed the sympy calculation pretty soon after i started it so i don t know how long it would take to run to completion but it is obviously slower than gmpy and the memory issue alone would make gmpy an improvement sympy s binomial function actually computes c faster than gmpy curiously gmpy bincoef is also slower than using gmpy s own factorial function and the definition of the binomial coefficient i have some benchmark numbers on factorials and a scripti to generate them plus a plot if anyone is interested as an example sympy takes to compute whereas s gmpy fac takes a speedup i see similar speed ups for numbers in the range of to memory usage is not an issue here thankfully
0
472,138
13,617,209,943
IssuesEvent
2020-09-23 16:40:05
cloudfoundry-incubator/kubecf
https://api.github.com/repos/cloudfoundry-incubator/kubecf
closed
HA upgrades with multiple app instances have noticeable app downtime
Priority: High Status: Validation Type: Bug
As spotted during kubecf 2.2.2 to 2.2.3 upgrade testing, we're getting reports that app downtime is obvious. This is despite having an HA setup with multiple app instances and load distributed across Diego cells. @HartS and @svollath can provide details on their environments but it's across different Kubernetes implementations.
1.0
HA upgrades with multiple app instances have noticeable app downtime - As spotted during kubecf 2.2.2 to 2.2.3 upgrade testing, we're getting reports that app downtime is obvious. This is despite having an HA setup with multiple app instances and load distributed across Diego cells. @HartS and @svollath can provide details on their environments but it's across different Kubernetes implementations.
non_defect
ha upgrades with multiple app instances have noticeable app downtime as spotted during kubecf to upgrade testing we re getting reports that app downtime is obvious this is despite having an ha setup with multiple app instances and load distributed across diego cells harts and svollath can provide details on their environments but it s across different kubernetes implementations
0
175,418
21,301,009,966
IssuesEvent
2022-04-15 03:06:16
macbre/phantomas
https://api.github.com/repos/macbre/phantomas
opened
jquery-3.3.1.min.js: 3 vulnerabilities (highest severity is: 6.1)
security vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jquery-3.3.1.min.js</b></p></summary> <p>JavaScript library for DOM operations</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js</a></p> <p>Path to dependency file: /test/webroot/timing.html</p> <p>Path to vulnerable library: /test/webroot/timing.html</p> <p> </details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | --- | --- | | [CVE-2020-11023](https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.1 | jquery-3.3.1.min.js | Direct | jquery - 3.5.0;jquery-rails - 4.4.0 | &#10060; | | [CVE-2020-11022](https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11022) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.1 | jquery-3.3.1.min.js | Direct | jQuery - 3.5.0 | &#10060; | | [CVE-2019-11358](https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-11358) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.1 | jquery-3.3.1.min.js | Direct | 3.4.0 | &#10060; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2020-11023</summary> ### Vulnerable Library - <b>jquery-3.3.1.min.js</b></p> <p>JavaScript library for DOM operations</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js</a></p> <p>Path to dependency file: /test/webroot/timing.html</p> <p>Path to vulnerable library: /test/webroot/timing.html</p> <p> Dependency Hierarchy: - :x: **jquery-3.3.1.min.js** (Vulnerable Library) <p>Found in base branch: <b>devel</b></p> </p> <p></p> ### Vulnerability Details <p> In jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing <option> elements from untrusted sources - even after sanitizing it - to one of jQuery's DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0. <p>Publish Date: 2020-04-29 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023>CVE-2020-11023</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/jquery/jquery/security/advisories/GHSA-jpcq-cgw6-v4j6,https://github.com/rails/jquery-rails/blob/master/CHANGELOG.md#440">https://github.com/jquery/jquery/security/advisories/GHSA-jpcq-cgw6-v4j6,https://github.com/rails/jquery-rails/blob/master/CHANGELOG.md#440</a></p> <p>Release Date: 2020-04-29</p> <p>Fix Resolution: jquery - 3.5.0;jquery-rails - 4.4.0</p> </p> <p></p> Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2020-11022</summary> ### Vulnerable Library - <b>jquery-3.3.1.min.js</b></p> <p>JavaScript library for DOM operations</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js</a></p> <p>Path to dependency file: /test/webroot/timing.html</p> <p>Path to vulnerable library: /test/webroot/timing.html</p> <p> Dependency Hierarchy: - :x: **jquery-3.3.1.min.js** (Vulnerable Library) <p>Found in base branch: <b>devel</b></p> </p> <p></p> ### Vulnerability Details <p> In jQuery versions greater than or equal to 1.2 and before 3.5.0, passing HTML from untrusted sources - even after sanitizing it - to one of jQuery's DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0. <p>Publish Date: 2020-04-29 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11022>CVE-2020-11022</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://blog.jquery.com/2020/04/10/jquery-3-5-0-released/">https://blog.jquery.com/2020/04/10/jquery-3-5-0-released/</a></p> <p>Release Date: 2020-04-29</p> <p>Fix Resolution: jQuery - 3.5.0</p> </p> <p></p> Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2019-11358</summary> ### Vulnerable Library - <b>jquery-3.3.1.min.js</b></p> <p>JavaScript library for DOM operations</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js</a></p> <p>Path to dependency file: /test/webroot/timing.html</p> <p>Path to vulnerable library: /test/webroot/timing.html</p> <p> Dependency Hierarchy: - :x: **jquery-3.3.1.min.js** (Vulnerable Library) <p>Found in base branch: <b>devel</b></p> </p> <p></p> ### Vulnerability Details <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://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-11358>CVE-2019-11358</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-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> <p></p> Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) </details> <!-- <REMEDIATE>[{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.3.1","packageFilePaths":["/test/webroot/timing.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:3.3.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0;jquery-rails - 4.4.0","isBinary":false}],"baseBranches":["devel"],"vulnerabilityIdentifier":"CVE-2020-11023","vulnerabilityDetails":"In jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing \u003coption\u003e elements from untrusted sources - even after sanitizing it - to one of jQuery\u0027s DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}},{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.3.1","packageFilePaths":["/test/webroot/timing.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:3.3.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jQuery - 3.5.0","isBinary":false}],"baseBranches":["devel"],"vulnerabilityIdentifier":"CVE-2020-11022","vulnerabilityDetails":"In jQuery versions greater than or equal to 1.2 and before 3.5.0, passing HTML from untrusted sources - even after sanitizing it - to one of jQuery\u0027s DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11022","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}},{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.3.1","packageFilePaths":["/test/webroot/timing.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:3.3.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"3.4.0","isBinary":false}],"baseBranches":["devel"],"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://vuln.whitesourcesoftware.com/vulnerability/CVE-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
jquery-3.3.1.min.js: 3 vulnerabilities (highest severity is: 6.1) - <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jquery-3.3.1.min.js</b></p></summary> <p>JavaScript library for DOM operations</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js</a></p> <p>Path to dependency file: /test/webroot/timing.html</p> <p>Path to vulnerable library: /test/webroot/timing.html</p> <p> </details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | --- | --- | | [CVE-2020-11023](https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.1 | jquery-3.3.1.min.js | Direct | jquery - 3.5.0;jquery-rails - 4.4.0 | &#10060; | | [CVE-2020-11022](https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11022) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.1 | jquery-3.3.1.min.js | Direct | jQuery - 3.5.0 | &#10060; | | [CVE-2019-11358](https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-11358) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.1 | jquery-3.3.1.min.js | Direct | 3.4.0 | &#10060; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2020-11023</summary> ### Vulnerable Library - <b>jquery-3.3.1.min.js</b></p> <p>JavaScript library for DOM operations</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js</a></p> <p>Path to dependency file: /test/webroot/timing.html</p> <p>Path to vulnerable library: /test/webroot/timing.html</p> <p> Dependency Hierarchy: - :x: **jquery-3.3.1.min.js** (Vulnerable Library) <p>Found in base branch: <b>devel</b></p> </p> <p></p> ### Vulnerability Details <p> In jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing <option> elements from untrusted sources - even after sanitizing it - to one of jQuery's DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0. <p>Publish Date: 2020-04-29 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023>CVE-2020-11023</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/jquery/jquery/security/advisories/GHSA-jpcq-cgw6-v4j6,https://github.com/rails/jquery-rails/blob/master/CHANGELOG.md#440">https://github.com/jquery/jquery/security/advisories/GHSA-jpcq-cgw6-v4j6,https://github.com/rails/jquery-rails/blob/master/CHANGELOG.md#440</a></p> <p>Release Date: 2020-04-29</p> <p>Fix Resolution: jquery - 3.5.0;jquery-rails - 4.4.0</p> </p> <p></p> Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2020-11022</summary> ### Vulnerable Library - <b>jquery-3.3.1.min.js</b></p> <p>JavaScript library for DOM operations</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js</a></p> <p>Path to dependency file: /test/webroot/timing.html</p> <p>Path to vulnerable library: /test/webroot/timing.html</p> <p> Dependency Hierarchy: - :x: **jquery-3.3.1.min.js** (Vulnerable Library) <p>Found in base branch: <b>devel</b></p> </p> <p></p> ### Vulnerability Details <p> In jQuery versions greater than or equal to 1.2 and before 3.5.0, passing HTML from untrusted sources - even after sanitizing it - to one of jQuery's DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0. <p>Publish Date: 2020-04-29 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11022>CVE-2020-11022</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://blog.jquery.com/2020/04/10/jquery-3-5-0-released/">https://blog.jquery.com/2020/04/10/jquery-3-5-0-released/</a></p> <p>Release Date: 2020-04-29</p> <p>Fix Resolution: jQuery - 3.5.0</p> </p> <p></p> Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2019-11358</summary> ### Vulnerable Library - <b>jquery-3.3.1.min.js</b></p> <p>JavaScript library for DOM operations</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js</a></p> <p>Path to dependency file: /test/webroot/timing.html</p> <p>Path to vulnerable library: /test/webroot/timing.html</p> <p> Dependency Hierarchy: - :x: **jquery-3.3.1.min.js** (Vulnerable Library) <p>Found in base branch: <b>devel</b></p> </p> <p></p> ### Vulnerability Details <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://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-11358>CVE-2019-11358</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.1</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Changed - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-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> <p></p> Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) </details> <!-- <REMEDIATE>[{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.3.1","packageFilePaths":["/test/webroot/timing.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:3.3.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jquery - 3.5.0;jquery-rails - 4.4.0","isBinary":false}],"baseBranches":["devel"],"vulnerabilityIdentifier":"CVE-2020-11023","vulnerabilityDetails":"In jQuery versions greater than or equal to 1.0.3 and before 3.5.0, passing HTML containing \u003coption\u003e elements from untrusted sources - even after sanitizing it - to one of jQuery\u0027s DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11023","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}},{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.3.1","packageFilePaths":["/test/webroot/timing.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:3.3.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jQuery - 3.5.0","isBinary":false}],"baseBranches":["devel"],"vulnerabilityIdentifier":"CVE-2020-11022","vulnerabilityDetails":"In jQuery versions greater than or equal to 1.2 and before 3.5.0, passing HTML from untrusted sources - even after sanitizing it - to one of jQuery\u0027s DOM manipulation methods (i.e. .html(), .append(), and others) may execute untrusted code. This problem is patched in jQuery 3.5.0.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-11022","cvss3Severity":"medium","cvss3Score":"6.1","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}},{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"3.3.1","packageFilePaths":["/test/webroot/timing.html"],"isTransitiveDependency":false,"dependencyTree":"jquery:3.3.1","isMinimumFixVersionAvailable":true,"minimumFixVersion":"3.4.0","isBinary":false}],"baseBranches":["devel"],"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://vuln.whitesourcesoftware.com/vulnerability/CVE-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_defect
jquery min js vulnerabilities highest severity is vulnerable library jquery min js javascript library for dom operations library home page a href path to dependency file test webroot timing html path to vulnerable library test webroot timing html vulnerabilities cve severity cvss dependency type fixed in remediation available medium jquery min js direct jquery jquery rails medium jquery min js direct jquery medium jquery min js direct details cve vulnerable library jquery min js javascript library for dom operations library home page a href path to dependency file test webroot timing html path to vulnerable library test webroot timing html dependency hierarchy x jquery min js vulnerable library found in base branch devel vulnerability details in jquery versions greater than or equal to and before passing html containing elements from untrusted sources even after sanitizing it to one of jquery s dom manipulation methods i e html append and others may execute untrusted code this problem is patched in jquery 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 jquery jquery rails step up your open source security game with whitesource cve vulnerable library jquery min js javascript library for dom operations library home page a href path to dependency file test webroot timing html path to vulnerable library test webroot timing html dependency hierarchy x jquery min js vulnerable library found in base branch devel vulnerability details in jquery versions greater than or equal to and before passing html from untrusted sources even after sanitizing it to one of jquery s dom manipulation methods i e html append and others may execute untrusted code this problem is patched in jquery 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 jquery step up your open source security game with whitesource cve vulnerable library jquery min js javascript library for dom operations library home page a href path to dependency file test webroot timing html path to vulnerable library test webroot timing html dependency hierarchy x jquery min js vulnerable library found in base branch devel 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 step up your open source security game with whitesource istransitivedependency false dependencytree jquery isminimumfixversionavailable true minimumfixversion jquery jquery rails isbinary false basebranches vulnerabilityidentifier cve vulnerabilitydetails in jquery versions greater than or equal to and before passing html containing elements from untrusted sources even after sanitizing it to one of jquery dom manipulation methods i e html append and others may execute untrusted code this problem is patched in jquery vulnerabilityurl istransitivedependency false dependencytree jquery isminimumfixversionavailable true minimumfixversion jquery isbinary false basebranches vulnerabilityidentifier cve vulnerabilitydetails in jquery versions greater than or equal to and before passing html from untrusted sources even after sanitizing it to one of jquery dom manipulation methods i e html append and others may execute untrusted code this problem is patched in jquery vulnerabilityurl istransitivedependency false dependencytree jquery isminimumfixversionavailable true minimumfixversion isbinary false basebranches 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
149,395
19,578,578,232
IssuesEvent
2022-01-04 18:06:19
opensearch-project/opensearch-build
https://api.github.com/repos/opensearch-project/opensearch-build
closed
CVE-2020-2162 (Medium) detected in jenkins-core-2.176.2.jar - autoclosed
security vulnerability
## CVE-2020-2162 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jenkins-core-2.176.2.jar</b></p></summary> <p>Jenkins core code and view files to render HTML.</p> <p>Library home page: <a href="https://jenkins.io/jenkins-parent/jenkins-core/">https://jenkins.io/jenkins-parent/jenkins-core/</a></p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/org.jenkins-ci.main/jenkins-core/2.176.2/e89e2ba55a3005859110331f9fa7bce9a8284743/jenkins-core-2.176.2.jar,/ches/modules-2/files-2.1/org.jenkins-ci.main/jenkins-core/2.176.2/e89e2ba55a3005859110331f9fa7bce9a8284743/jenkins-core-2.176.2.jar</p> <p> Dependency Hierarchy: - :x: **jenkins-core-2.176.2.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/opensearch-project/opensearch-build/commit/379a0396e83ffd3481f8e9aa1d61bbcd253f00ee">379a0396e83ffd3481f8e9aa1d61bbcd253f00ee</a></p> <p>Found in base branch: <b>main</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Jenkins 2.227 and earlier, LTS 2.204.5 and earlier does not set Content-Security-Policy headers for files uploaded as file parameters to a build, resulting in a stored XSS vulnerability. <p>Publish Date: 2020-03-25 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-2162>CVE-2020-2162</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.4</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: Low - 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://jenkins.io/security/advisory/2020-03-25/#SECURITY-1793">https://jenkins.io/security/advisory/2020-03-25/#SECURITY-1793</a></p> <p>Release Date: 2020-03-27</p> <p>Fix Resolution: jenkins_2.228,LTS_2.204.6</p> </p> </details> <p></p> *** <!-- REMEDIATE-OPEN-PR-START --> - [ ] Check this box to open an automated fix PR <!-- REMEDIATE-OPEN-PR-END --> <!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"org.jenkins-ci.main","packageName":"jenkins-core","packageVersion":"2.176.2","packageFilePaths":["/build.gradle"],"isTransitiveDependency":false,"dependencyTree":"org.jenkins-ci.main:jenkins-core:2.176.2","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jenkins_2.228,LTS_2.204.6","isBinary":false}],"baseBranches":["main"],"vulnerabilityIdentifier":"CVE-2020-2162","vulnerabilityDetails":"Jenkins 2.227 and earlier, LTS 2.204.5 and earlier does not set Content-Security-Policy headers for files uploaded as file parameters to a build, resulting in a stored XSS vulnerability.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-2162","cvss3Severity":"medium","cvss3Score":"5.4","cvss3Metrics":{"A":"None","AC":"Low","PR":"Low","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> -->
True
CVE-2020-2162 (Medium) detected in jenkins-core-2.176.2.jar - autoclosed - ## CVE-2020-2162 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jenkins-core-2.176.2.jar</b></p></summary> <p>Jenkins core code and view files to render HTML.</p> <p>Library home page: <a href="https://jenkins.io/jenkins-parent/jenkins-core/">https://jenkins.io/jenkins-parent/jenkins-core/</a></p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/org.jenkins-ci.main/jenkins-core/2.176.2/e89e2ba55a3005859110331f9fa7bce9a8284743/jenkins-core-2.176.2.jar,/ches/modules-2/files-2.1/org.jenkins-ci.main/jenkins-core/2.176.2/e89e2ba55a3005859110331f9fa7bce9a8284743/jenkins-core-2.176.2.jar</p> <p> Dependency Hierarchy: - :x: **jenkins-core-2.176.2.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/opensearch-project/opensearch-build/commit/379a0396e83ffd3481f8e9aa1d61bbcd253f00ee">379a0396e83ffd3481f8e9aa1d61bbcd253f00ee</a></p> <p>Found in base branch: <b>main</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Jenkins 2.227 and earlier, LTS 2.204.5 and earlier does not set Content-Security-Policy headers for files uploaded as file parameters to a build, resulting in a stored XSS vulnerability. <p>Publish Date: 2020-03-25 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-2162>CVE-2020-2162</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.4</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: Low - 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://jenkins.io/security/advisory/2020-03-25/#SECURITY-1793">https://jenkins.io/security/advisory/2020-03-25/#SECURITY-1793</a></p> <p>Release Date: 2020-03-27</p> <p>Fix Resolution: jenkins_2.228,LTS_2.204.6</p> </p> </details> <p></p> *** <!-- REMEDIATE-OPEN-PR-START --> - [ ] Check this box to open an automated fix PR <!-- REMEDIATE-OPEN-PR-END --> <!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"org.jenkins-ci.main","packageName":"jenkins-core","packageVersion":"2.176.2","packageFilePaths":["/build.gradle"],"isTransitiveDependency":false,"dependencyTree":"org.jenkins-ci.main:jenkins-core:2.176.2","isMinimumFixVersionAvailable":true,"minimumFixVersion":"jenkins_2.228,LTS_2.204.6","isBinary":false}],"baseBranches":["main"],"vulnerabilityIdentifier":"CVE-2020-2162","vulnerabilityDetails":"Jenkins 2.227 and earlier, LTS 2.204.5 and earlier does not set Content-Security-Policy headers for files uploaded as file parameters to a build, resulting in a stored XSS vulnerability.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-2162","cvss3Severity":"medium","cvss3Score":"5.4","cvss3Metrics":{"A":"None","AC":"Low","PR":"Low","S":"Changed","C":"Low","UI":"Required","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> -->
non_defect
cve medium detected in jenkins core jar autoclosed cve medium severity vulnerability vulnerable library jenkins core jar jenkins core code and view files to render html library home page a href path to dependency file build gradle path to vulnerable library home wss scanner gradle caches modules files org jenkins ci main jenkins core jenkins core jar ches modules files org jenkins ci main jenkins core jenkins core jar dependency hierarchy x jenkins core jar vulnerable library found in head commit a href found in base branch main vulnerability details jenkins and earlier lts and earlier does not set content security policy headers for files uploaded as file parameters to a build resulting in a stored xss vulnerability 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 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 jenkins lts check this box to open an automated fix pr isopenpronvulnerability false ispackagebased true isdefaultbranch true packages istransitivedependency false dependencytree org jenkins ci main jenkins core isminimumfixversionavailable true minimumfixversion jenkins lts isbinary false basebranches vulnerabilityidentifier cve vulnerabilitydetails jenkins and earlier lts and earlier does not set content security policy headers for files uploaded as file parameters to a build resulting in a stored xss vulnerability vulnerabilityurl
0
75,835
26,089,604,651
IssuesEvent
2022-12-26 09:20:54
vector-im/element-android
https://api.github.com/repos/vector-im/element-android
opened
Clearing cache from general settings , sets all rooms roomMembership count to zero.
T-Defect
### Steps to reproduce Go to general settings -> clear cache. Now all rooms members count is set to zero. Make voice call in the room now, and we can see alerts. ### Outcome Clear cache should not reset the room membership count. ### Your phone model Galaxy A51 ### Operating system version One UI, Android 12 ### Application version and app store latest ### Homeserver matrix.org ### Will you send logs? No ### Are you willing to provide a PR? No
1.0
Clearing cache from general settings , sets all rooms roomMembership count to zero. - ### Steps to reproduce Go to general settings -> clear cache. Now all rooms members count is set to zero. Make voice call in the room now, and we can see alerts. ### Outcome Clear cache should not reset the room membership count. ### Your phone model Galaxy A51 ### Operating system version One UI, Android 12 ### Application version and app store latest ### Homeserver matrix.org ### Will you send logs? No ### Are you willing to provide a PR? No
defect
clearing cache from general settings sets all rooms roommembership count to zero steps to reproduce go to general settings clear cache now all rooms members count is set to zero make voice call in the room now and we can see alerts outcome clear cache should not reset the room membership count your phone model galaxy operating system version one ui android application version and app store latest homeserver matrix org will you send logs no are you willing to provide a pr no
1
166,893
6,314,176,788
IssuesEvent
2017-07-24 10:06:42
OpenSourceBrain/geppetto-osb
https://api.github.com/repos/OpenSourceBrain/geppetto-osb
closed
Ability to use radius from annotation in NeuroML file for abstract cells
New feature Priority
Many abstract cells in NeuroML2 have no 3D information, e.g. I&F, Izhikevich, specifically nothing saying what radius the should be when rendered in 3D. The default for this in OSB is to use 1um, as this has been useful for the C elegans model, e.g. [here](http://opensourcebrain.org/projects/celegans?explorer=https%253A%252F%252Fraw.githubusercontent.com%252Fopenworm%252FCElegansNeuroML%252Fmaster%252FCElegans%252FpythonScripts%252Fc302%252Fexamples%252Fc302_A_Muscles.nml#) since this appropriate for the radius for somas in the worm. Ideally the default should be 5um, but this could be overridden [in the `<population>` element](https://github.com/openworm/CElegansNeuroML/blob/master/CElegans/pythonScripts/c302/examples/c302_B_Muscles.nml#L59) in the neuroml file inside an `<annotation>` (similar to https://github.com/OpenSourceBrain/redmine/issues/244) allowing different networks to customise how they are displayed.
1.0
Ability to use radius from annotation in NeuroML file for abstract cells - Many abstract cells in NeuroML2 have no 3D information, e.g. I&F, Izhikevich, specifically nothing saying what radius the should be when rendered in 3D. The default for this in OSB is to use 1um, as this has been useful for the C elegans model, e.g. [here](http://opensourcebrain.org/projects/celegans?explorer=https%253A%252F%252Fraw.githubusercontent.com%252Fopenworm%252FCElegansNeuroML%252Fmaster%252FCElegans%252FpythonScripts%252Fc302%252Fexamples%252Fc302_A_Muscles.nml#) since this appropriate for the radius for somas in the worm. Ideally the default should be 5um, but this could be overridden [in the `<population>` element](https://github.com/openworm/CElegansNeuroML/blob/master/CElegans/pythonScripts/c302/examples/c302_B_Muscles.nml#L59) in the neuroml file inside an `<annotation>` (similar to https://github.com/OpenSourceBrain/redmine/issues/244) allowing different networks to customise how they are displayed.
non_defect
ability to use radius from annotation in neuroml file for abstract cells many abstract cells in have no information e g i f izhikevich specifically nothing saying what radius the should be when rendered in the default for this in osb is to use as this has been useful for the c elegans model e g since this appropriate for the radius for somas in the worm ideally the default should be but this could be overridden in the neuroml file inside an similar to allowing different networks to customise how they are displayed
0
31,632
6,562,586,166
IssuesEvent
2017-09-07 17:09:45
STEllAR-GROUP/hpx
https://api.github.com/repos/STEllAR-GROUP/hpx
closed
hpx not compiling with `HPX_WITH_ITTNOTIFY=On`
category: core category: diagnostics type: defect
Using the following cmake command cmake -DCMAKE_BUILD_TYPE=Release -DCMAKE_INSTALL_PREFIX=/work/02578/bremer/stampede2/dgswemv2_local_install_Release_with_vtune -DHPX_WITH_PARCELPORT_MPI=true -DHPX_WITH_MALLOC=jemalloc -DHPX_WITH_THREAD_IDLE_RATES=true -DHPX_WITH_CXX14=On -DHPX_WITH_TESTS=Off -DHPX_WITH_EXAMPLES=Off -DCMAKE_TOOLCHAIN_FILE=/work/02578/bremer/stampede2/dgswemv2/scripts/build/Stampede2-gcc.cmake -DHPX_WITH_ITTNOTIFY=On -DAMPLIFIER_ROOT=/opt/intel/vtune_amplifier_xe_2017.4.0.518798 /work/02578/bremer/stampede2/hpx I am getting the following compiler errors on stampede2. https://gist.github.com/bremerm31/0d302cec5bf7e30206fe29b707bfc769
1.0
hpx not compiling with `HPX_WITH_ITTNOTIFY=On` - Using the following cmake command cmake -DCMAKE_BUILD_TYPE=Release -DCMAKE_INSTALL_PREFIX=/work/02578/bremer/stampede2/dgswemv2_local_install_Release_with_vtune -DHPX_WITH_PARCELPORT_MPI=true -DHPX_WITH_MALLOC=jemalloc -DHPX_WITH_THREAD_IDLE_RATES=true -DHPX_WITH_CXX14=On -DHPX_WITH_TESTS=Off -DHPX_WITH_EXAMPLES=Off -DCMAKE_TOOLCHAIN_FILE=/work/02578/bremer/stampede2/dgswemv2/scripts/build/Stampede2-gcc.cmake -DHPX_WITH_ITTNOTIFY=On -DAMPLIFIER_ROOT=/opt/intel/vtune_amplifier_xe_2017.4.0.518798 /work/02578/bremer/stampede2/hpx I am getting the following compiler errors on stampede2. https://gist.github.com/bremerm31/0d302cec5bf7e30206fe29b707bfc769
defect
hpx not compiling with hpx with ittnotify on using the following cmake command cmake dcmake build type release dcmake install prefix work bremer local install release with vtune dhpx with parcelport mpi true dhpx with malloc jemalloc dhpx with thread idle rates true dhpx with on dhpx with tests off dhpx with examples off dcmake toolchain file work bremer scripts build gcc cmake dhpx with ittnotify on damplifier root opt intel vtune amplifier xe work bremer hpx i am getting the following compiler errors on
1
31,117
6,423,854,908
IssuesEvent
2017-08-09 12:10:49
wooowooo/phpsocks5
https://api.github.com/repos/wooowooo/phpsocks5
closed
set_time_limit
auto-migrated Priority-Medium Type-Defect
``` 创建的时候能看到Create tables successfully, 但是提示有set_time_limit错误,是否可用? ``` Original issue reported on code.google.com by `cnpe...@gmail.com` on 1 Oct 2011 at 2:00
1.0
set_time_limit - ``` 创建的时候能看到Create tables successfully, 但是提示有set_time_limit错误,是否可用? ``` Original issue reported on code.google.com by `cnpe...@gmail.com` on 1 Oct 2011 at 2:00
defect
set time limit 创建的时候能看到create tables successfully, 但是提示有set time limit错误,是否可用? original issue reported on code google com by cnpe gmail com on oct at
1
39,174
5,221,453,335
IssuesEvent
2017-01-27 01:38:26
easydigitaldownloads/easy-digital-downloads
https://api.github.com/repos/easydigitaldownloads/easy-digital-downloads
closed
EDD_License does not properly support `item_id`
Bug Has PR Needs Testing
When passing a product ID to `EDD_License` instead of the product name (item_id instead of item_name), the shortcode for the license is not set, resulting in no name being displayed and verification failure for the license: ![screen shot 2016-11-21 at 1 25 26 pm](https://cloud.githubusercontent.com/assets/1034109/20497371/872fec62-afee-11e6-9031-31e45cdbaf04.png) ![screen shot 2016-11-21 at 1 29 46 pm](https://cloud.githubusercontent.com/assets/1034109/20497406/97cb7cb2-afee-11e6-9c68-04c6a2a5bcee.png) We'll have to resolve this in some way before we can start updating extensions to use `item_id` instead of `item_name`.
1.0
EDD_License does not properly support `item_id` - When passing a product ID to `EDD_License` instead of the product name (item_id instead of item_name), the shortcode for the license is not set, resulting in no name being displayed and verification failure for the license: ![screen shot 2016-11-21 at 1 25 26 pm](https://cloud.githubusercontent.com/assets/1034109/20497371/872fec62-afee-11e6-9031-31e45cdbaf04.png) ![screen shot 2016-11-21 at 1 29 46 pm](https://cloud.githubusercontent.com/assets/1034109/20497406/97cb7cb2-afee-11e6-9c68-04c6a2a5bcee.png) We'll have to resolve this in some way before we can start updating extensions to use `item_id` instead of `item_name`.
non_defect
edd license does not properly support item id when passing a product id to edd license instead of the product name item id instead of item name the shortcode for the license is not set resulting in no name being displayed and verification failure for the license we ll have to resolve this in some way before we can start updating extensions to use item id instead of item name
0
17,341
3,000,229,965
IssuesEvent
2015-07-23 23:37:06
jccastillo0007/eFacturaT
https://api.github.com/repos/jccastillo0007/eFacturaT
opened
Cuando genero remisión, marca error al consultar en descargaT
bug defect
Generé una remisión con la cuenta de la TIA. Tiene plugin de gasolinera. Probé inicialmente generando una remisión simple, es decir sin ieps y todo el desmadre, sino solo iva. Al momento de consultar en descargat, es decir ingresando el folio, fecha y total, se va al internal error. Quizas porque no es un producto con ieps, y el desmadre de combustibles.
1.0
Cuando genero remisión, marca error al consultar en descargaT - Generé una remisión con la cuenta de la TIA. Tiene plugin de gasolinera. Probé inicialmente generando una remisión simple, es decir sin ieps y todo el desmadre, sino solo iva. Al momento de consultar en descargat, es decir ingresando el folio, fecha y total, se va al internal error. Quizas porque no es un producto con ieps, y el desmadre de combustibles.
defect
cuando genero remisión marca error al consultar en descargat generé una remisión con la cuenta de la tia tiene plugin de gasolinera probé inicialmente generando una remisión simple es decir sin ieps y todo el desmadre sino solo iva al momento de consultar en descargat es decir ingresando el folio fecha y total se va al internal error quizas porque no es un producto con ieps y el desmadre de combustibles
1
47,936
13,066,396,638
IssuesEvent
2020-07-30 21:36:37
icecube-trac/tix2
https://api.github.com/repos/icecube-trac/tix2
closed
libarchive header detection is broken on OS X (Trac #1462)
Migrated from Trac cmake defect
Homebrew's libarchive is keg-only; the header is not linked to `/usr/local/include` and therefore not detected by cmake. Migrated from https://code.icecube.wisc.edu/ticket/1462 ```json { "status": "closed", "changetime": "2016-03-18T21:14:10", "description": "Homebrew's libarchive is keg-only; the header is not linked to `/usr/local/include` and therefore not detected by cmake. ", "reporter": "kkrings", "cc": "", "resolution": "fixed", "_ts": "1458335650323600", "component": "cmake", "summary": "libarchive header detection is broken on OS X", "priority": "blocker", "keywords": "", "time": "2015-12-03T09:45:23", "milestone": "", "owner": "nega", "type": "defect" } ```
1.0
libarchive header detection is broken on OS X (Trac #1462) - Homebrew's libarchive is keg-only; the header is not linked to `/usr/local/include` and therefore not detected by cmake. Migrated from https://code.icecube.wisc.edu/ticket/1462 ```json { "status": "closed", "changetime": "2016-03-18T21:14:10", "description": "Homebrew's libarchive is keg-only; the header is not linked to `/usr/local/include` and therefore not detected by cmake. ", "reporter": "kkrings", "cc": "", "resolution": "fixed", "_ts": "1458335650323600", "component": "cmake", "summary": "libarchive header detection is broken on OS X", "priority": "blocker", "keywords": "", "time": "2015-12-03T09:45:23", "milestone": "", "owner": "nega", "type": "defect" } ```
defect
libarchive header detection is broken on os x trac homebrew s libarchive is keg only the header is not linked to usr local include and therefore not detected by cmake migrated from json status closed changetime description homebrew s libarchive is keg only the header is not linked to usr local include and therefore not detected by cmake reporter kkrings cc resolution fixed ts component cmake summary libarchive header detection is broken on os x priority blocker keywords time milestone owner nega type defect
1
238,384
19,716,563,962
IssuesEvent
2022-01-13 11:34:52
OllisGit/OctoPrint-SpoolManager
https://api.github.com/repos/OllisGit/OctoPrint-SpoolManager
closed
Database call error in methode loadCatalogColors
type: bug status: waitingForTestFeedback
After update to `1.5.0` ``` SPM:ERROR: DatabaseManager Database call error in methode loadCatalogColors. See OctoPrint.log for details! ``` Log ``` 2021-10-24 19:02:15,542 - octoprint.plugins.SpoolManager.DatabaseManager - INFO - Database connection succesful. Checking Scheme versions 2021-10-24 19:02:15,545 - octoprint.plugins.SpoolManager.DatabaseManager.SQL - DEBUG - ('SELECT DISTINCT "t1"."color", "t1"."colorName" FROM "spo_spoolmodel" AS "t1"', []) 2021-10-24 19:02:15,546 - octoprint.plugins.SpoolManager.DatabaseManager - ERROR - Database call error in methode loadCatalogColors Traceback (most recent call last): File "/home/pi/OctoPrint/venv/lib/python3.7/site-packages/octoprint_SpoolManager/DatabaseManager.py", line 703, in _handleReusableConnection return databaseCallMethode() File "/home/pi/OctoPrint/venv/lib/python3.7/site-packages/octoprint_SpoolManager/DatabaseManager.py", line 1036, in databaseCallMethode "colorId": spool.color + ";" + spool.colorName, TypeError: can only concatenate str (not "NoneType") to str 2021-10-24 19:02:15,546 - octoprint.plugins.SpoolManager - WARNING - SendToClient: error#DatabaseManager#Database call error in methode loadCatalogColors. See OctoPrint.log for details! ```
1.0
Database call error in methode loadCatalogColors - After update to `1.5.0` ``` SPM:ERROR: DatabaseManager Database call error in methode loadCatalogColors. See OctoPrint.log for details! ``` Log ``` 2021-10-24 19:02:15,542 - octoprint.plugins.SpoolManager.DatabaseManager - INFO - Database connection succesful. Checking Scheme versions 2021-10-24 19:02:15,545 - octoprint.plugins.SpoolManager.DatabaseManager.SQL - DEBUG - ('SELECT DISTINCT "t1"."color", "t1"."colorName" FROM "spo_spoolmodel" AS "t1"', []) 2021-10-24 19:02:15,546 - octoprint.plugins.SpoolManager.DatabaseManager - ERROR - Database call error in methode loadCatalogColors Traceback (most recent call last): File "/home/pi/OctoPrint/venv/lib/python3.7/site-packages/octoprint_SpoolManager/DatabaseManager.py", line 703, in _handleReusableConnection return databaseCallMethode() File "/home/pi/OctoPrint/venv/lib/python3.7/site-packages/octoprint_SpoolManager/DatabaseManager.py", line 1036, in databaseCallMethode "colorId": spool.color + ";" + spool.colorName, TypeError: can only concatenate str (not "NoneType") to str 2021-10-24 19:02:15,546 - octoprint.plugins.SpoolManager - WARNING - SendToClient: error#DatabaseManager#Database call error in methode loadCatalogColors. See OctoPrint.log for details! ```
non_defect
database call error in methode loadcatalogcolors after update to spm error databasemanager database call error in methode loadcatalogcolors see octoprint log for details log octoprint plugins spoolmanager databasemanager info database connection succesful checking scheme versions octoprint plugins spoolmanager databasemanager sql debug select distinct color colorname from spo spoolmodel as octoprint plugins spoolmanager databasemanager error database call error in methode loadcatalogcolors traceback most recent call last file home pi octoprint venv lib site packages octoprint spoolmanager databasemanager py line in handlereusableconnection return databasecallmethode file home pi octoprint venv lib site packages octoprint spoolmanager databasemanager py line in databasecallmethode colorid spool color spool colorname typeerror can only concatenate str not nonetype to str octoprint plugins spoolmanager warning sendtoclient error databasemanager database call error in methode loadcatalogcolors see octoprint log for details
0
58,185
16,417,344,832
IssuesEvent
2021-05-19 08:25:38
primefaces/primefaces
https://api.github.com/repos/primefaces/primefaces
closed
Barcode: Type: qr
defect
The QR code does not appear. It works in PF10.0 but not from the latest PF11.0 as I just downloaded to test and have the issue. <p:barcode value="0123456789" type="qr"/> The error on console: **No dynamic resource handler registered for: qr. Do you miss a dependency?**
1.0
Barcode: Type: qr - The QR code does not appear. It works in PF10.0 but not from the latest PF11.0 as I just downloaded to test and have the issue. <p:barcode value="0123456789" type="qr"/> The error on console: **No dynamic resource handler registered for: qr. Do you miss a dependency?**
defect
barcode type qr the qr code does not appear it works in but not from the latest as i just downloaded to test and have the issue the error on console no dynamic resource handler registered for qr do you miss a dependency
1
73,006
24,408,289,061
IssuesEvent
2022-10-05 09:56:57
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
Desktop notifications emoticons are sometimes displayed incorrectly
T-Defect Z-Platform-Specific S-Major A-Notifications Z-Upstream A-Emoji
<!-- A picture's worth a thousand words: PLEASE INCLUDE A SCREENSHOT :P --> ![bugreport-matrixnotification](https://user-images.githubusercontent.com/9924643/126085009-a390dc8d-4a6f-455f-b735-4ee29466b4dd.png) <!-- Please report security issues by email to security@matrix.org --> <!-- This is a bug report template. By following the instructions below and filling out the sections with your information, you will help the us to get all the necessary data to fix your issue. You can also preview your report before submitting it. You may remove sections that aren't relevant to your particular case. Text between <!-- and --​> marks will be invisible in the report. --> #### Description When receiving a message whilst not focused on the desktop application, sometimes emoticons appear flipped / incorrect. This has happened on :thumbsup / :thumbsdown, and the :pleased / :ecstatic face and more emojis. #### Steps to reproduce - Start a chat with someone - Defocus the window (focus on something else like the browser) - Have them send a message with an emoji to you, e.g. "Hello 🙂" I expect the same emojis to appear in the notifications, that appear in the desktop app. <!-- Please send us logs for your bug report. They're very important for bugs which are hard to reproduce. To do this, create this issue then go to your account settings and click 'Submit Debug Logs' from the Help & About tab --> Logs being sent: no <!-- Include screenshots if possible: you can drag and drop images below. --> #### Version information <!-- IMPORTANT: please answer the following questions, to help us narrow down the problem --> - **Platform**: Desktop For the desktop app: - **OS**: Ubuntu - **Version**: 20.04.2 LTS - **Element version**: 1.7.25 - **olm version**: 3.2.1
1.0
Desktop notifications emoticons are sometimes displayed incorrectly - <!-- A picture's worth a thousand words: PLEASE INCLUDE A SCREENSHOT :P --> ![bugreport-matrixnotification](https://user-images.githubusercontent.com/9924643/126085009-a390dc8d-4a6f-455f-b735-4ee29466b4dd.png) <!-- Please report security issues by email to security@matrix.org --> <!-- This is a bug report template. By following the instructions below and filling out the sections with your information, you will help the us to get all the necessary data to fix your issue. You can also preview your report before submitting it. You may remove sections that aren't relevant to your particular case. Text between <!-- and --​> marks will be invisible in the report. --> #### Description When receiving a message whilst not focused on the desktop application, sometimes emoticons appear flipped / incorrect. This has happened on :thumbsup / :thumbsdown, and the :pleased / :ecstatic face and more emojis. #### Steps to reproduce - Start a chat with someone - Defocus the window (focus on something else like the browser) - Have them send a message with an emoji to you, e.g. "Hello 🙂" I expect the same emojis to appear in the notifications, that appear in the desktop app. <!-- Please send us logs for your bug report. They're very important for bugs which are hard to reproduce. To do this, create this issue then go to your account settings and click 'Submit Debug Logs' from the Help & About tab --> Logs being sent: no <!-- Include screenshots if possible: you can drag and drop images below. --> #### Version information <!-- IMPORTANT: please answer the following questions, to help us narrow down the problem --> - **Platform**: Desktop For the desktop app: - **OS**: Ubuntu - **Version**: 20.04.2 LTS - **Element version**: 1.7.25 - **olm version**: 3.2.1
defect
desktop notifications emoticons are sometimes displayed incorrectly this is a bug report template by following the instructions below and filling out the sections with your information you will help the us to get all the necessary data to fix your issue you can also preview your report before submitting it you may remove sections that aren t relevant to your particular case text between marks will be invisible in the report description when receiving a message whilst not focused on the desktop application sometimes emoticons appear flipped incorrect this has happened on thumbsup thumbsdown and the pleased ecstatic face and more emojis steps to reproduce start a chat with someone defocus the window focus on something else like the browser have them send a message with an emoji to you e g hello 🙂 i expect the same emojis to appear in the notifications that appear in the desktop app please send us logs for your bug report they re very important for bugs which are hard to reproduce to do this create this issue then go to your account settings and click submit debug logs from the help about tab logs being sent no version information platform desktop for the desktop app os ubuntu version lts element version olm version
1
686,488
23,493,131,917
IssuesEvent
2022-08-17 20:56:40
googleapis/python-bigtable
https://api.github.com/repos/googleapis/python-bigtable
closed
Upgrade to protobuf version 4?
api: bigtable priority: p2
I'm using another library that pins protobuf at the latest version (4.21.4), and I can't use this library with it because it pins it at <4. https://github.com/googleapis/python-bigtable/blob/main/setup.py#L36 Are there plans to upgrade soon?
1.0
Upgrade to protobuf version 4? - I'm using another library that pins protobuf at the latest version (4.21.4), and I can't use this library with it because it pins it at <4. https://github.com/googleapis/python-bigtable/blob/main/setup.py#L36 Are there plans to upgrade soon?
non_defect
upgrade to protobuf version i m using another library that pins protobuf at the latest version and i can t use this library with it because it pins it at are there plans to upgrade soon
0
273,004
20,767,365,265
IssuesEvent
2022-03-15 22:18:08
jondavid-black/AaC
https://api.github.com/repos/jondavid-black/AaC
opened
Create the Validator Implementation validator plugin
documentation enhancement
Create the "Validator Implementation" validator plugin. This validator plugin verifies that every validation definition has a corresponding python plugin implementation. (It validates validation plugins!) ## AC: - [ ] The validator plugin implements the following plugin hooks - [ ] `get_plugin_aac_definitions()` - [ ] `register_validators()` - [ ] The validator contains acceptance scenarios for - [ ] validation success - [ ] validation failure - [ ] Validation fails if a validation definition doesn't have a corresponding, registered validation plugin
1.0
Create the Validator Implementation validator plugin - Create the "Validator Implementation" validator plugin. This validator plugin verifies that every validation definition has a corresponding python plugin implementation. (It validates validation plugins!) ## AC: - [ ] The validator plugin implements the following plugin hooks - [ ] `get_plugin_aac_definitions()` - [ ] `register_validators()` - [ ] The validator contains acceptance scenarios for - [ ] validation success - [ ] validation failure - [ ] Validation fails if a validation definition doesn't have a corresponding, registered validation plugin
non_defect
create the validator implementation validator plugin create the validator implementation validator plugin this validator plugin verifies that every validation definition has a corresponding python plugin implementation it validates validation plugins ac the validator plugin implements the following plugin hooks get plugin aac definitions register validators the validator contains acceptance scenarios for validation success validation failure validation fails if a validation definition doesn t have a corresponding registered validation plugin
0
59,965
17,023,300,365
IssuesEvent
2021-07-03 01:18:38
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
rails GPX upload race condition
Component: api Priority: minor Resolution: fixed Type: defect
**[Submitted to the original trac issue database at 8.53pm, Wednesday, 24th September 2008]** While testing the new C based GPX importer I got a stack trace from ruby about a missing file. It looks to me like the trace_controller adds the entry to the DB before the file is moved to the trace directory. There is a chance for the import daemon to try picking up the file in this interval. Currently: ``` sites/rails_port/app/controllers/trace_controller.rb if @trace.save FileUtils.mv(filename, @trace.trace_name) else FileUtils.rm_f(filename) ``` Suggest something like... ``` FileUtils.mv(filename, @trace.trace_name) if not @trace.save FileUtils.rm_f(@trace.trace_name) ```
1.0
rails GPX upload race condition - **[Submitted to the original trac issue database at 8.53pm, Wednesday, 24th September 2008]** While testing the new C based GPX importer I got a stack trace from ruby about a missing file. It looks to me like the trace_controller adds the entry to the DB before the file is moved to the trace directory. There is a chance for the import daemon to try picking up the file in this interval. Currently: ``` sites/rails_port/app/controllers/trace_controller.rb if @trace.save FileUtils.mv(filename, @trace.trace_name) else FileUtils.rm_f(filename) ``` Suggest something like... ``` FileUtils.mv(filename, @trace.trace_name) if not @trace.save FileUtils.rm_f(@trace.trace_name) ```
defect
rails gpx upload race condition while testing the new c based gpx importer i got a stack trace from ruby about a missing file it looks to me like the trace controller adds the entry to the db before the file is moved to the trace directory there is a chance for the import daemon to try picking up the file in this interval currently sites rails port app controllers trace controller rb if trace save fileutils mv filename trace trace name else fileutils rm f filename suggest something like fileutils mv filename trace trace name if not trace save fileutils rm f trace trace name
1
16,920
2,962,944,882
IssuesEvent
2015-07-10 06:30:57
cakephp/cakephp
https://api.github.com/repos/cakephp/cakephp
closed
Using set after loadHelper in beforeRender
Defect
Hello, In CakePHP v3.0.8 "set" only works when it's above "loadHelper" in "beforeRender". Does not work: set() is below loadHelper() ``` public function beforeRender(Event $event) { $this->getView()->loadHelper('OrangeFingers'); $cheezels = "numnumnum"; $this->set(compact('cheezels')); } ``` Works: set() is above loadHelper() ``` public function beforeRender(Event $event) { $cheezels = "numnumnum"; $this->set(compact('cheezels')); $this->getView()->loadHelper('OrangeFingers'); } ```
1.0
Using set after loadHelper in beforeRender - Hello, In CakePHP v3.0.8 "set" only works when it's above "loadHelper" in "beforeRender". Does not work: set() is below loadHelper() ``` public function beforeRender(Event $event) { $this->getView()->loadHelper('OrangeFingers'); $cheezels = "numnumnum"; $this->set(compact('cheezels')); } ``` Works: set() is above loadHelper() ``` public function beforeRender(Event $event) { $cheezels = "numnumnum"; $this->set(compact('cheezels')); $this->getView()->loadHelper('OrangeFingers'); } ```
defect
using set after loadhelper in beforerender hello in cakephp set only works when it s above loadhelper in beforerender does not work set is below loadhelper public function beforerender event event this getview loadhelper orangefingers cheezels numnumnum this set compact cheezels works set is above loadhelper public function beforerender event event cheezels numnumnum this set compact cheezels this getview loadhelper orangefingers
1
14,568
2,826,530,101
IssuesEvent
2015-05-22 03:35:37
canadainc/quran10
https://api.github.com/repos/canadainc/quran10
closed
Searching numeric values in surah picker search bar displays juz mode results
Component-Logic Fixed Priority-Medium Type-Defect Verified
For example search for 2:255, you'll notice two hits for Baqara even though it's in Normal mode.
1.0
Searching numeric values in surah picker search bar displays juz mode results - For example search for 2:255, you'll notice two hits for Baqara even though it's in Normal mode.
defect
searching numeric values in surah picker search bar displays juz mode results for example search for you ll notice two hits for baqara even though it s in normal mode
1
58,110
16,342,479,232
IssuesEvent
2021-05-13 00:23:58
darshan-hpc/darshan
https://api.github.com/repos/darshan-hpc/darshan
closed
profile config instrumentation doesn't generate log for fortran apps using mpich 3.2
defect
In GitLab by @shanedsnyder on Nov 24, 2015, 11:22 There is a jenkins build that demonstrates this error: 'darshan-dev-modular-mpich-3.2-profile-conf' Instrumenting Fortran apps using static and dynamic methods with MPICH 3.2 work fine, and the profile config method works fine for non-Fortran apps. @carns, any suggestions on how to debug? Also, not sure if we want to leave this in 3.0.0 milestone, or bump down to something with lower priority.
1.0
profile config instrumentation doesn't generate log for fortran apps using mpich 3.2 - In GitLab by @shanedsnyder on Nov 24, 2015, 11:22 There is a jenkins build that demonstrates this error: 'darshan-dev-modular-mpich-3.2-profile-conf' Instrumenting Fortran apps using static and dynamic methods with MPICH 3.2 work fine, and the profile config method works fine for non-Fortran apps. @carns, any suggestions on how to debug? Also, not sure if we want to leave this in 3.0.0 milestone, or bump down to something with lower priority.
defect
profile config instrumentation doesn t generate log for fortran apps using mpich in gitlab by shanedsnyder on nov there is a jenkins build that demonstrates this error darshan dev modular mpich profile conf instrumenting fortran apps using static and dynamic methods with mpich work fine and the profile config method works fine for non fortran apps carns any suggestions on how to debug also not sure if we want to leave this in milestone or bump down to something with lower priority
1
65,784
19,693,115,627
IssuesEvent
2022-01-12 09:21:55
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
filepanel only seems to paginate backwards from your current scrollback position in a room
T-Defect S-Major A-File-Panel O-Occasional
so if you are on a permalink and go to the filepanel, it only shows you files before your current point.
1.0
filepanel only seems to paginate backwards from your current scrollback position in a room - so if you are on a permalink and go to the filepanel, it only shows you files before your current point.
defect
filepanel only seems to paginate backwards from your current scrollback position in a room so if you are on a permalink and go to the filepanel it only shows you files before your current point
1
22,705
3,688,578,805
IssuesEvent
2016-02-25 13:31:08
PowerDNS/pdns
https://api.github.com/repos/PowerDNS/pdns
closed
dnsdist: Too many open files when backend authoritative server restarts
defect dnsdist
Hello, We have dnsdist running in front of a single gdnsd instance. We also have carbonServer configured to send data to a Graphite instance. Occasionally when gdnsd restarts (for example because of a configuration update) we see the following: Jan 25 01:34:26 hostname dnsdist[17920]: Marking downstream 127.0.0.1:5300 as 'down' Jan 25 01:34:27 hostname dnsdist[17920]: Marking downstream 127.0.0.1:5300 as 'up' Jan 25 01:49:28 hostname dnsdist[17920]: Marking downstream 127.0.0.1:5300 as 'down' Jan 25 01:49:58 hostname dnsdist[17920]: Problem sending carbon data: Too many open files Jan 25 01:50:47 hostname dnsdist[17920]: While reading a TCP question: accepting new connection on socket: Too many open files Jan 25 01:50:58 hostname dnsdist[17920]: Problem sending carbon data: Too many open files Jan 25 01:52:58 hostname dnsdist[17920]: message repeated 2 times: [ Problem sending carbon data: Too many open files] Jan 25 01:53:57 hostname dnsdist[17920]: While reading a TCP question: accepting new connection on socket: Too many open files Even though gdnsd is available again, dnsdist does no longer see it as up. A restart of dnsdist is required. $ dnsdist -V dnsdist 1.0.0-alpha1 $ cat /etc/dnsdist/config controlSocket("0.0.0.0") webserver("0.0.0.0:8080", "<password>") setKey("<key>") setACL({"0.0.0.0/0", "::/0"}) carbonServer('<carbonserver>', '<hostname>', 60) truncateTC(true) -- fix up possibly badly truncated answers from pdns 2.9.22 warnlog(string.format("Script starting %s", "up!")) -- define the good servers newServer {address="127.0.0.1:5300", useClientSubnet=true} $ cat /proc/sys/fs/file-max 900000
1.0
dnsdist: Too many open files when backend authoritative server restarts - Hello, We have dnsdist running in front of a single gdnsd instance. We also have carbonServer configured to send data to a Graphite instance. Occasionally when gdnsd restarts (for example because of a configuration update) we see the following: Jan 25 01:34:26 hostname dnsdist[17920]: Marking downstream 127.0.0.1:5300 as 'down' Jan 25 01:34:27 hostname dnsdist[17920]: Marking downstream 127.0.0.1:5300 as 'up' Jan 25 01:49:28 hostname dnsdist[17920]: Marking downstream 127.0.0.1:5300 as 'down' Jan 25 01:49:58 hostname dnsdist[17920]: Problem sending carbon data: Too many open files Jan 25 01:50:47 hostname dnsdist[17920]: While reading a TCP question: accepting new connection on socket: Too many open files Jan 25 01:50:58 hostname dnsdist[17920]: Problem sending carbon data: Too many open files Jan 25 01:52:58 hostname dnsdist[17920]: message repeated 2 times: [ Problem sending carbon data: Too many open files] Jan 25 01:53:57 hostname dnsdist[17920]: While reading a TCP question: accepting new connection on socket: Too many open files Even though gdnsd is available again, dnsdist does no longer see it as up. A restart of dnsdist is required. $ dnsdist -V dnsdist 1.0.0-alpha1 $ cat /etc/dnsdist/config controlSocket("0.0.0.0") webserver("0.0.0.0:8080", "<password>") setKey("<key>") setACL({"0.0.0.0/0", "::/0"}) carbonServer('<carbonserver>', '<hostname>', 60) truncateTC(true) -- fix up possibly badly truncated answers from pdns 2.9.22 warnlog(string.format("Script starting %s", "up!")) -- define the good servers newServer {address="127.0.0.1:5300", useClientSubnet=true} $ cat /proc/sys/fs/file-max 900000
defect
dnsdist too many open files when backend authoritative server restarts hello we have dnsdist running in front of a single gdnsd instance we also have carbonserver configured to send data to a graphite instance occasionally when gdnsd restarts for example because of a configuration update we see the following jan hostname dnsdist marking downstream as down jan hostname dnsdist marking downstream as up jan hostname dnsdist marking downstream as down jan hostname dnsdist problem sending carbon data too many open files jan hostname dnsdist while reading a tcp question accepting new connection on socket too many open files jan hostname dnsdist problem sending carbon data too many open files jan hostname dnsdist message repeated times jan hostname dnsdist while reading a tcp question accepting new connection on socket too many open files even though gdnsd is available again dnsdist does no longer see it as up a restart of dnsdist is required dnsdist v dnsdist cat etc dnsdist config controlsocket webserver setkey setacl carbonserver truncatetc true fix up possibly badly truncated answers from pdns warnlog string format script starting s up define the good servers newserver address useclientsubnet true cat proc sys fs file max
1
46,539
11,853,163,935
IssuesEvent
2020-03-24 21:23:17
servo/servo
https://api.github.com/repos/servo/servo
closed
Ubuntu 14.04 i686 Build failure due to cc linking issue
A-build
``` error: linking with `cc` failed: exit code: 1 note: cc '-m32' '-L' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib' '-o' '/home/alwayrun/browser/servo/target/servo' '/home/alwayrun/browser/servo/target/servo.o' '-Wl,--whole-archive' '-lmorestack' '-Wl,--no-whole-archive' '-nodefaultlibs' '-Wl,--gc-sections' '-Wl,--as-needed' '/home/alwayrun/browser/servo/target/libservo-506cbc382e949f6a.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/librustuv-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libcompositing-5171d9e7044d54d3.rlib' '/home/alwayrun/browser/servo/target/deps/libalert-be8877fc86877da2.rlib' '/home/alwayrun/browser/servo/target/deps/liblayout-ac8a66d96015ea79.rlib' '/home/alwayrun/browser/servo/target/deps/liblayout_traits-b393f621a30f0204.rlib' '/home/alwayrun/browser/servo/target/deps/libgfx-4666f50622da4c52.rlib' '/home/alwayrun/browser/servo/target/deps/libfontconfig-9abe50e85852e50a.rlib' '/home/alwayrun/browser/servo/target/deps/libharfbuzz-83108d8b680b02f7.rlib' '/home/alwayrun/browser/servo/target/deps/libscript-577a0ca037baec96.rlib' '/home/alwayrun/browser/servo/target/deps/libhubbub-09d42dd1431ea644.rlib' '/home/alwayrun/browser/servo/target/deps/libcanvas-6f73145f85b74ab3.rlib' '/home/alwayrun/browser/servo/target/deps/libstyle-6b0d88feabee576d.rlib' '/home/alwayrun/browser/servo/target/deps/libcssparser-8d42871cc27aaf79.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libnum-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libjs-e564e19f78ac0475.rlib' '/home/alwayrun/browser/servo/target/deps/libscript_traits-d6e4fdc6a8227363.rlib' '/home/alwayrun/browser/servo/target/deps/libnet-f78301101caca056.rlib' '/home/alwayrun/browser/servo/target/deps/libstb_image-6bac4bc302c7b4cb.rlib' '/home/alwayrun/browser/servo/target/deps/libmsg-8a341ffcd719ee9b.rlib' '/home/alwayrun/browser/servo/target/deps/libutil-e0a292a423a6378f.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libnative-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libstring_cache-d6c0c32f0a86dfd3.rlib' '/home/alwayrun/browser/servo/target/deps/libpng-31ffcc7fd7a950a8.rlib' '/home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib' '/home/alwayrun/browser/servo/target/deps/libfreetype-4cd7f4afad7b1066.rlib' '/home/alwayrun/browser/servo/target/deps/libglfw-c167cbe64c0ca6f1.rlib' '/home/alwayrun/browser/servo/target/deps/libsemver-ee0fdf771b0e1274.rlib' '/home/alwayrun/browser/servo/target/deps/liblayers-cd2d9de149203322.rlib' '/home/alwayrun/browser/servo/target/deps/libgeom-0155f508111f5b06.rlib' '/home/alwayrun/browser/servo/target/deps/libopengles-766bf643cefe8d2c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libtest-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libterm-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libregex-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libphf-1ce973d9394705fb.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libgetopts-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libhttp-116f6c0d86ba411c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libtime-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libserialize-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/liblog-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libopenssl-f591436d05d56a5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libdebug-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/liburl-f240ab718dc73e52.rlib' '/home/alwayrun/browser/servo/target/deps/libencoding-c1d6b666cb4ac9e8.rlib' '/home/alwayrun/browser/servo/target/deps/libxlib-018345a79ab0592f.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libgreen-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libstd-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libsync-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/librustrt-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/librand-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libcollections-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/liballoc-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libunicode-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libcore-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/liblibc-4e7c5e5c.rlib' '-L' '/home/alwayrun/browser/servo/target/native/js-e564e19f78ac0475' '-L' '/home/alwayrun/browser/servo/target/native/png-31ffcc7fd7a950a8' '-L' '/home/alwayrun/browser/servo/target/native/skia-sys-b4948f12eb455974' '-L' '/home/alwayrun/browser/servo/target/native/fontconfig-sys-e07b0ca12ad9ea2a' '-L' '/home/alwayrun/browser/servo/target/native/hubbub-sys-0550cdca641790e1' '-L' '/home/alwayrun/browser/servo/target' '-L' '/home/alwayrun/browser/servo/target/native/expat-sys-960770ff581995ad' '-L' '/home/alwayrun/browser/servo/target/deps' '-L' '/home/alwayrun/browser/servo/target/native/mozjs-sys-f0dc8e6bc658bdbe' '-L' '/home/alwayrun/browser/servo/target/native/png-sys-3be9132c97a4a742' '-L' '/home/alwayrun/browser/servo/target/native/harfbuzz-83108d8b680b02f7' '-L' '/home/alwayrun/browser/servo/target/native/style-6b0d88feabee576d' '-L' '/home/alwayrun/browser/servo/target/native/cocoa-c5f608a9b81ea800' '-L' '/home/alwayrun/browser/servo/target/native/script-577a0ca037baec96' '-L' '/home/alwayrun/browser/servo/target/native/parserutils-sys-7a046be7954d112f' '-L' '/home/alwayrun/browser/servo/target/native/stb_image-6bac4bc302c7b4cb' '-L' '/home/alwayrun/browser/servo/target/native/glut-2758ad400cdfce8d' '-L' '/home/alwayrun/browser/servo/target/native/freetype-sys-09026e63257b2d26' '-L' '/home/alwayrun/browser/servo/target/native/http-116f6c0d86ba411c' '-L' '/home/alwayrun/browser/servo/target/native/azure-c41fbdcb7d8a35a8' '-L' '/home/alwayrun/browser/servo/target/native/task_info-c42fa61add5958ed' '-L' '/home/alwayrun/browser/servo/.rust' '-L' '/home/alwayrun/browser/servo' '-Wl,-Bdynamic' '-lpthread' '-lrt' '-lc' '-lfontconfig' '-lc' '-lglib-2.0' '-lstdc++' '-lpthread' '-lstdc++' '-lz' '-ljsglue' '-lz' '-lstdc++' '-lfreetype' '-lfontconfig' '-lexpat' '-lX11' '-lazure' '-lfreetype' '-lglfw3' '-lrt' '-lXrandr' '-lXi' '-lXcursor' '-lGL' '-lm' '-ldl' '-lXrender' '-ldrm' '-lXdamage' '-lX11-xcb' '-lxcb-glx' '-lxcb-dri2' '-lxcb-dri3' '-lxcb-present' '-lxcb-sync' '-lxshmfence' '-lXxf86vm' '-lXfixes' '-lXext' '-lX11' '-lpthread' '-lxcb' '-lXau' '-lXdmcp' '-lGL' '-lrt' '-lssl' '-lcrypto' '-lcrypto' '-lcrypto' '-lcrypto' '-lcrypto' '-lcrypto' '-lcrypto' '-lcrypto' '-lX11' '-ldl' '-lpthread' '-lgcc_s' '-lpthread' '-lc' '-lm' '-lcompiler-rt' note: /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(lldb-fix-r-skia-SkUtils.o):在函数‘sk_memset16_stub(unsigned short*, unsigned short, int)’中: SkUtils.cpp:(.text+0x188):对‘SkMemset16GetPlatformProc()’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(lldb-fix-r-skia-SkUtils.o):在函数‘sk_memset32_stub(unsigned int*, unsigned int, int)’中: SkUtils.cpp:(.text+0x1d0):对‘SkMemset32GetPlatformProc()’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitRow_D32.o):在函数‘SkBlitRow::Factory32(unsigned int)’中: SkBlitRow_D32.cpp:(.text+0xd9b):对‘SkBlitRow::PlatformProcs32(unsigned int)’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitRow_D32.o):在函数‘SkBlitRow::ColorProcFactory()’中: SkBlitRow_D32.cpp:(.text+0xdd0):对‘SkBlitRow::PlatformColorProc()’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitRow_D32.o):在函数‘SkBlitRow::ColorRectProcFactory()’中: SkBlitRow_D32.cpp:(.text+0xfe0):对‘PlatformColorRectProcFactory()’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitMask_D32.o):在函数‘SkBlitMask::BlitLCD16RowFactory(bool)’中: SkBlitMask_D32.cpp:(.text+0x200d):对‘SkBlitMask::PlatformBlitRowProcs16(bool)’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitMask_D32.o):在函数‘SkBlitMask::ColorFactory(SkBitmap::Config, SkMask::Format, unsigned int)’中: SkBlitMask_D32.cpp:(.text+0x212a):对‘SkBlitMask::PlatformColorProcs(SkBitmap::Config, SkMask::Format, unsigned int)’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitMask_D32.o):在函数‘SkBlitMask::RowFactory(SkBitmap::Config, SkMask::Format, SkBlitMask::RowFlags)’中: SkBlitMask_D32.cpp:(.text+0x22aa):对‘SkBlitMask::PlatformRowProcs(SkBitmap::Config, SkMask::Format, SkBlitMask::RowFlags)’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitRow_D16.o):在函数‘SkBlitRow::Factory(unsigned int, SkBitmap::Config)’中: SkBlitRow_D16.cpp:(.text+0x10a4):对‘SkBlitRow::PlatformProcs4444(unsigned int)’未定义的引用 SkBlitRow_D16.cpp:(.text+0x10bc):对‘SkBlitRow::PlatformProcs565(unsigned int)’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBitmapProcState.o):在函数‘.L577’中: SkBitmapProcState.cpp:(.text+0x636d):对‘SkBitmapProcState::platformProcs()’未定义的引用 collect2: error: ld returned 1 exit status error: aborting due to previous error Could not compile `servo`. ```
1.0
Ubuntu 14.04 i686 Build failure due to cc linking issue - ``` error: linking with `cc` failed: exit code: 1 note: cc '-m32' '-L' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib' '-o' '/home/alwayrun/browser/servo/target/servo' '/home/alwayrun/browser/servo/target/servo.o' '-Wl,--whole-archive' '-lmorestack' '-Wl,--no-whole-archive' '-nodefaultlibs' '-Wl,--gc-sections' '-Wl,--as-needed' '/home/alwayrun/browser/servo/target/libservo-506cbc382e949f6a.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/librustuv-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libcompositing-5171d9e7044d54d3.rlib' '/home/alwayrun/browser/servo/target/deps/libalert-be8877fc86877da2.rlib' '/home/alwayrun/browser/servo/target/deps/liblayout-ac8a66d96015ea79.rlib' '/home/alwayrun/browser/servo/target/deps/liblayout_traits-b393f621a30f0204.rlib' '/home/alwayrun/browser/servo/target/deps/libgfx-4666f50622da4c52.rlib' '/home/alwayrun/browser/servo/target/deps/libfontconfig-9abe50e85852e50a.rlib' '/home/alwayrun/browser/servo/target/deps/libharfbuzz-83108d8b680b02f7.rlib' '/home/alwayrun/browser/servo/target/deps/libscript-577a0ca037baec96.rlib' '/home/alwayrun/browser/servo/target/deps/libhubbub-09d42dd1431ea644.rlib' '/home/alwayrun/browser/servo/target/deps/libcanvas-6f73145f85b74ab3.rlib' '/home/alwayrun/browser/servo/target/deps/libstyle-6b0d88feabee576d.rlib' '/home/alwayrun/browser/servo/target/deps/libcssparser-8d42871cc27aaf79.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libnum-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libjs-e564e19f78ac0475.rlib' '/home/alwayrun/browser/servo/target/deps/libscript_traits-d6e4fdc6a8227363.rlib' '/home/alwayrun/browser/servo/target/deps/libnet-f78301101caca056.rlib' '/home/alwayrun/browser/servo/target/deps/libstb_image-6bac4bc302c7b4cb.rlib' '/home/alwayrun/browser/servo/target/deps/libmsg-8a341ffcd719ee9b.rlib' '/home/alwayrun/browser/servo/target/deps/libutil-e0a292a423a6378f.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libnative-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libstring_cache-d6c0c32f0a86dfd3.rlib' '/home/alwayrun/browser/servo/target/deps/libpng-31ffcc7fd7a950a8.rlib' '/home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib' '/home/alwayrun/browser/servo/target/deps/libfreetype-4cd7f4afad7b1066.rlib' '/home/alwayrun/browser/servo/target/deps/libglfw-c167cbe64c0ca6f1.rlib' '/home/alwayrun/browser/servo/target/deps/libsemver-ee0fdf771b0e1274.rlib' '/home/alwayrun/browser/servo/target/deps/liblayers-cd2d9de149203322.rlib' '/home/alwayrun/browser/servo/target/deps/libgeom-0155f508111f5b06.rlib' '/home/alwayrun/browser/servo/target/deps/libopengles-766bf643cefe8d2c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libtest-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libterm-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libregex-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libphf-1ce973d9394705fb.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libgetopts-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libhttp-116f6c0d86ba411c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libtime-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libserialize-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/liblog-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/libopenssl-f591436d05d56a5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libdebug-4e7c5e5c.rlib' '/home/alwayrun/browser/servo/target/deps/liburl-f240ab718dc73e52.rlib' '/home/alwayrun/browser/servo/target/deps/libencoding-c1d6b666cb4ac9e8.rlib' '/home/alwayrun/browser/servo/target/deps/libxlib-018345a79ab0592f.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libgreen-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libstd-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libsync-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/librustrt-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/librand-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libcollections-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/liballoc-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libunicode-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/libcore-4e7c5e5c.rlib' '/usr/local/lib/rustlib/i686-unknown-linux-gnu/lib/liblibc-4e7c5e5c.rlib' '-L' '/home/alwayrun/browser/servo/target/native/js-e564e19f78ac0475' '-L' '/home/alwayrun/browser/servo/target/native/png-31ffcc7fd7a950a8' '-L' '/home/alwayrun/browser/servo/target/native/skia-sys-b4948f12eb455974' '-L' '/home/alwayrun/browser/servo/target/native/fontconfig-sys-e07b0ca12ad9ea2a' '-L' '/home/alwayrun/browser/servo/target/native/hubbub-sys-0550cdca641790e1' '-L' '/home/alwayrun/browser/servo/target' '-L' '/home/alwayrun/browser/servo/target/native/expat-sys-960770ff581995ad' '-L' '/home/alwayrun/browser/servo/target/deps' '-L' '/home/alwayrun/browser/servo/target/native/mozjs-sys-f0dc8e6bc658bdbe' '-L' '/home/alwayrun/browser/servo/target/native/png-sys-3be9132c97a4a742' '-L' '/home/alwayrun/browser/servo/target/native/harfbuzz-83108d8b680b02f7' '-L' '/home/alwayrun/browser/servo/target/native/style-6b0d88feabee576d' '-L' '/home/alwayrun/browser/servo/target/native/cocoa-c5f608a9b81ea800' '-L' '/home/alwayrun/browser/servo/target/native/script-577a0ca037baec96' '-L' '/home/alwayrun/browser/servo/target/native/parserutils-sys-7a046be7954d112f' '-L' '/home/alwayrun/browser/servo/target/native/stb_image-6bac4bc302c7b4cb' '-L' '/home/alwayrun/browser/servo/target/native/glut-2758ad400cdfce8d' '-L' '/home/alwayrun/browser/servo/target/native/freetype-sys-09026e63257b2d26' '-L' '/home/alwayrun/browser/servo/target/native/http-116f6c0d86ba411c' '-L' '/home/alwayrun/browser/servo/target/native/azure-c41fbdcb7d8a35a8' '-L' '/home/alwayrun/browser/servo/target/native/task_info-c42fa61add5958ed' '-L' '/home/alwayrun/browser/servo/.rust' '-L' '/home/alwayrun/browser/servo' '-Wl,-Bdynamic' '-lpthread' '-lrt' '-lc' '-lfontconfig' '-lc' '-lglib-2.0' '-lstdc++' '-lpthread' '-lstdc++' '-lz' '-ljsglue' '-lz' '-lstdc++' '-lfreetype' '-lfontconfig' '-lexpat' '-lX11' '-lazure' '-lfreetype' '-lglfw3' '-lrt' '-lXrandr' '-lXi' '-lXcursor' '-lGL' '-lm' '-ldl' '-lXrender' '-ldrm' '-lXdamage' '-lX11-xcb' '-lxcb-glx' '-lxcb-dri2' '-lxcb-dri3' '-lxcb-present' '-lxcb-sync' '-lxshmfence' '-lXxf86vm' '-lXfixes' '-lXext' '-lX11' '-lpthread' '-lxcb' '-lXau' '-lXdmcp' '-lGL' '-lrt' '-lssl' '-lcrypto' '-lcrypto' '-lcrypto' '-lcrypto' '-lcrypto' '-lcrypto' '-lcrypto' '-lcrypto' '-lX11' '-ldl' '-lpthread' '-lgcc_s' '-lpthread' '-lc' '-lm' '-lcompiler-rt' note: /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(lldb-fix-r-skia-SkUtils.o):在函数‘sk_memset16_stub(unsigned short*, unsigned short, int)’中: SkUtils.cpp:(.text+0x188):对‘SkMemset16GetPlatformProc()’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(lldb-fix-r-skia-SkUtils.o):在函数‘sk_memset32_stub(unsigned int*, unsigned int, int)’中: SkUtils.cpp:(.text+0x1d0):对‘SkMemset32GetPlatformProc()’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitRow_D32.o):在函数‘SkBlitRow::Factory32(unsigned int)’中: SkBlitRow_D32.cpp:(.text+0xd9b):对‘SkBlitRow::PlatformProcs32(unsigned int)’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitRow_D32.o):在函数‘SkBlitRow::ColorProcFactory()’中: SkBlitRow_D32.cpp:(.text+0xdd0):对‘SkBlitRow::PlatformColorProc()’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitRow_D32.o):在函数‘SkBlitRow::ColorRectProcFactory()’中: SkBlitRow_D32.cpp:(.text+0xfe0):对‘PlatformColorRectProcFactory()’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitMask_D32.o):在函数‘SkBlitMask::BlitLCD16RowFactory(bool)’中: SkBlitMask_D32.cpp:(.text+0x200d):对‘SkBlitMask::PlatformBlitRowProcs16(bool)’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitMask_D32.o):在函数‘SkBlitMask::ColorFactory(SkBitmap::Config, SkMask::Format, unsigned int)’中: SkBlitMask_D32.cpp:(.text+0x212a):对‘SkBlitMask::PlatformColorProcs(SkBitmap::Config, SkMask::Format, unsigned int)’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitMask_D32.o):在函数‘SkBlitMask::RowFactory(SkBitmap::Config, SkMask::Format, SkBlitMask::RowFlags)’中: SkBlitMask_D32.cpp:(.text+0x22aa):对‘SkBlitMask::PlatformRowProcs(SkBitmap::Config, SkMask::Format, SkBlitMask::RowFlags)’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBlitRow_D16.o):在函数‘SkBlitRow::Factory(unsigned int, SkBitmap::Config)’中: SkBlitRow_D16.cpp:(.text+0x10a4):对‘SkBlitRow::PlatformProcs4444(unsigned int)’未定义的引用 SkBlitRow_D16.cpp:(.text+0x10bc):对‘SkBlitRow::PlatformProcs565(unsigned int)’未定义的引用 /home/alwayrun/browser/servo/target/deps/libazure-c41fbdcb7d8a35a8.rlib(r-skia-SkBitmapProcState.o):在函数‘.L577’中: SkBitmapProcState.cpp:(.text+0x636d):对‘SkBitmapProcState::platformProcs()’未定义的引用 collect2: error: ld returned 1 exit status error: aborting due to previous error Could not compile `servo`. ```
non_defect
ubuntu build failure due to cc linking issue error linking with cc failed exit code note cc l usr local lib rustlib unknown linux gnu lib o home alwayrun browser servo target servo home alwayrun browser servo target servo o wl whole archive lmorestack wl no whole archive nodefaultlibs wl gc sections wl as needed home alwayrun browser servo target libservo rlib usr local lib rustlib unknown linux gnu lib librustuv rlib home alwayrun browser servo target deps libcompositing rlib home alwayrun browser servo target deps libalert rlib home alwayrun browser servo target deps liblayout rlib home alwayrun browser servo target deps liblayout traits rlib home alwayrun browser servo target deps libgfx rlib home alwayrun browser servo target deps libfontconfig rlib home alwayrun browser servo target deps libharfbuzz rlib home alwayrun browser servo target deps libscript rlib home alwayrun browser servo target deps libhubbub rlib home alwayrun browser servo target deps libcanvas rlib home alwayrun browser servo target deps libstyle rlib home alwayrun browser servo target deps libcssparser rlib usr local lib rustlib unknown linux gnu lib libnum rlib home alwayrun browser servo target deps libjs rlib home alwayrun browser servo target deps libscript traits rlib home alwayrun browser servo target deps libnet rlib home alwayrun browser servo target deps libstb image rlib home alwayrun browser servo target deps libmsg rlib home alwayrun browser servo target deps libutil rlib usr local lib rustlib unknown linux gnu lib libnative rlib home alwayrun browser servo target deps libstring cache rlib home alwayrun browser servo target deps libpng rlib home alwayrun browser servo target deps libazure rlib home alwayrun browser servo target deps libfreetype rlib home alwayrun browser servo target deps libglfw rlib home alwayrun browser servo target deps libsemver rlib home alwayrun browser servo target deps liblayers rlib home alwayrun browser servo target deps libgeom rlib home alwayrun browser servo target deps libopengles rlib usr local lib rustlib unknown linux gnu lib libtest rlib usr local lib rustlib unknown linux gnu lib libterm rlib usr local lib rustlib unknown linux gnu lib libregex rlib home alwayrun browser servo target deps libphf rlib usr local lib rustlib unknown linux gnu lib libgetopts rlib home alwayrun browser servo target deps libhttp rlib usr local lib rustlib unknown linux gnu lib libtime rlib usr local lib rustlib unknown linux gnu lib libserialize rlib usr local lib rustlib unknown linux gnu lib liblog rlib home alwayrun browser servo target deps libopenssl rlib usr local lib rustlib unknown linux gnu lib libdebug rlib home alwayrun browser servo target deps liburl rlib home alwayrun browser servo target deps libencoding rlib home alwayrun browser servo target deps libxlib rlib usr local lib rustlib unknown linux gnu lib libgreen rlib usr local lib rustlib unknown linux gnu lib libstd rlib usr local lib rustlib unknown linux gnu lib libsync rlib usr local lib rustlib unknown linux gnu lib librustrt rlib usr local lib rustlib unknown linux gnu lib librand rlib usr local lib rustlib unknown linux gnu lib libcollections rlib usr local lib rustlib unknown linux gnu lib liballoc rlib usr local lib rustlib unknown linux gnu lib libunicode rlib usr local lib rustlib unknown linux gnu lib libcore rlib usr local lib rustlib unknown linux gnu lib liblibc rlib l home alwayrun browser servo target native js l home alwayrun browser servo target native png l home alwayrun browser servo target native skia sys l home alwayrun browser servo target native fontconfig sys l home alwayrun browser servo target native hubbub sys l home alwayrun browser servo target l home alwayrun browser servo target native expat sys l home alwayrun browser servo target deps l home alwayrun browser servo target native mozjs sys l home alwayrun browser servo target native png sys l home alwayrun browser servo target native harfbuzz l home alwayrun browser servo target native style l home alwayrun browser servo target native cocoa l home alwayrun browser servo target native script l home alwayrun browser servo target native parserutils sys l home alwayrun browser servo target native stb image l home alwayrun browser servo target native glut l home alwayrun browser servo target native freetype sys l home alwayrun browser servo target native http l home alwayrun browser servo target native azure l home alwayrun browser servo target native task info l home alwayrun browser servo rust l home alwayrun browser servo wl bdynamic lpthread lrt lc lfontconfig lc lglib lstdc lpthread lstdc lz ljsglue lz lstdc lfreetype lfontconfig lexpat lazure lfreetype lrt lxrandr lxi lxcursor lgl lm ldl lxrender ldrm lxdamage xcb lxcb glx lxcb lxcb lxcb present lxcb sync lxshmfence lxfixes lxext lpthread lxcb lxau lxdmcp lgl lrt lssl lcrypto lcrypto lcrypto lcrypto lcrypto lcrypto lcrypto lcrypto ldl lpthread lgcc s lpthread lc lm lcompiler rt note home alwayrun browser servo target deps libazure rlib lldb fix r skia skutils o :在函数‘sk stub unsigned short unsigned short int ’中: skutils cpp text :对‘ ’未定义的引用 home alwayrun browser servo target deps libazure rlib lldb fix r skia skutils o :在函数‘sk stub unsigned int unsigned int int ’中: skutils cpp text :对‘ ’未定义的引用 home alwayrun browser servo target deps libazure rlib r skia skblitrow o :在函数‘skblitrow unsigned int ’中: skblitrow cpp text :对‘skblitrow unsigned int ’未定义的引用 home alwayrun browser servo target deps libazure rlib r skia skblitrow o :在函数‘skblitrow colorprocfactory ’中: skblitrow cpp text :对‘skblitrow platformcolorproc ’未定义的引用 home alwayrun browser servo target deps libazure rlib r skia skblitrow o :在函数‘skblitrow colorrectprocfactory ’中: skblitrow cpp text :对‘platformcolorrectprocfactory ’未定义的引用 home alwayrun browser servo target deps libazure rlib r skia skblitmask o :在函数‘skblitmask bool ’中: skblitmask cpp text :对‘skblitmask bool ’未定义的引用 home alwayrun browser servo target deps libazure rlib r skia skblitmask o :在函数‘skblitmask colorfactory skbitmap config skmask format unsigned int ’中: skblitmask cpp text :对‘skblitmask platformcolorprocs skbitmap config skmask format unsigned int ’未定义的引用 home alwayrun browser servo target deps libazure rlib r skia skblitmask o :在函数‘skblitmask rowfactory skbitmap config skmask format skblitmask rowflags ’中: skblitmask cpp text :对‘skblitmask platformrowprocs skbitmap config skmask format skblitmask rowflags ’未定义的引用 home alwayrun browser servo target deps libazure rlib r skia skblitrow o :在函数‘skblitrow factory unsigned int skbitmap config ’中: skblitrow cpp text :对‘skblitrow unsigned int ’未定义的引用 skblitrow cpp text :对‘skblitrow unsigned int ’未定义的引用 home alwayrun browser servo target deps libazure rlib r skia skbitmapprocstate o :在函数‘ ’中: skbitmapprocstate cpp text :对‘skbitmapprocstate platformprocs ’未定义的引用 error ld returned exit status error aborting due to previous error could not compile servo
0
20,042
4,482,059,590
IssuesEvent
2016-08-29 03:15:36
dokku/dokku-mariadb
https://api.github.com/repos/dokku/dokku-mariadb
closed
How to connect with client via ssh tunnel?
type: documentation type: service
I try to connect to a db with sequel pro - can't figure out how. Is it possible?
1.0
How to connect with client via ssh tunnel? - I try to connect to a db with sequel pro - can't figure out how. Is it possible?
non_defect
how to connect with client via ssh tunnel i try to connect to a db with sequel pro can t figure out how is it possible
0
62,625
17,097,023,077
IssuesEvent
2021-07-09 05:19:54
SAP/fundamental-ngx
https://api.github.com/repos/SAP/fundamental-ngx
closed
fix: (Core) Object Status are not visible if use High Contrast Black theme
Defect Hunting ariba bug core ready for qa
#### Is this a bug, enhancement, or feature request? bug #### Briefly describe your proposal. Object Statuses are not visible if use High Contrast Black theme #### Which versions of Angular and Fundamental Library for Angular are affected? (If this is a feature request, use current version.) NA #### If this is a bug, please provide steps for reproducing it. 1. Go to http://localhost:4200/fundamental-ngx#/core/object-status 2. Select High Contrast Black theme 3. Go to any example and turn on `Switch background` Part of Object Statuses cannot be seen
1.0
fix: (Core) Object Status are not visible if use High Contrast Black theme - #### Is this a bug, enhancement, or feature request? bug #### Briefly describe your proposal. Object Statuses are not visible if use High Contrast Black theme #### Which versions of Angular and Fundamental Library for Angular are affected? (If this is a feature request, use current version.) NA #### If this is a bug, please provide steps for reproducing it. 1. Go to http://localhost:4200/fundamental-ngx#/core/object-status 2. Select High Contrast Black theme 3. Go to any example and turn on `Switch background` Part of Object Statuses cannot be seen
defect
fix core object status are not visible if use high contrast black theme is this a bug enhancement or feature request bug briefly describe your proposal object statuses are not visible if use high contrast black theme which versions of angular and fundamental library for angular are affected if this is a feature request use current version na if this is a bug please provide steps for reproducing it go to select high contrast black theme go to any example and turn on switch background part of object statuses cannot be seen
1
24,710
4,075,739,185
IssuesEvent
2016-05-29 12:29:44
bridgedotnet/Bridge
https://api.github.com/repos/bridgedotnet/Bridge
closed
Random commas appear in random places in the output JavaScript
defect
### Expected ```javascript Bridge.define('Test.BridgeIssues.N1412.SimpleTimeScaleController', { getComponent: function (T) { return null; }, updateInternal: function () { var $t; // There should be a teml JS variavble generated with no comma var animationComp = this.getComponent(String); if (animationComp != null) { $t = Bridge.getEnumerator(animationComp); while ($t.moveNext()) { var state = $t.getCurrent(); } } } }); ``` ### Actual ```javascript Bridge.define('Demo.SimpleTimeScaleController', { getComponent: function (T) { return null; }, updateInternal: function () { var , $t; // There should be a teml JS variavble generated with no comma var animationComp = this.getComponent(String); if (animationComp != null) { $t = Bridge.getEnumerator(animationComp); while ($t.moveNext()) { var state = $t.getCurrent(); } } } }); ``` ### Steps To Reproduce Example([Live](http://live.bridge.net/#ec224a38f0485a0e3b0b23ca913c7ffa)): ```csharp public class SimpleTimeScaleController { public List<string> GetComponent<T>() { return null; } private void UpdateInternal() { // There should be a teml JS variavble generated with no comma var animationComp = GetComponent<string>(); if (animationComp != null) { foreach (string state in animationComp) { } } } } ``` I also made a few attempts to change the code piece a little and see if I can get it to stop outputting the comma. If I replace `GetComponent<string>()` with `null` it disappears.
1.0
Random commas appear in random places in the output JavaScript - ### Expected ```javascript Bridge.define('Test.BridgeIssues.N1412.SimpleTimeScaleController', { getComponent: function (T) { return null; }, updateInternal: function () { var $t; // There should be a teml JS variavble generated with no comma var animationComp = this.getComponent(String); if (animationComp != null) { $t = Bridge.getEnumerator(animationComp); while ($t.moveNext()) { var state = $t.getCurrent(); } } } }); ``` ### Actual ```javascript Bridge.define('Demo.SimpleTimeScaleController', { getComponent: function (T) { return null; }, updateInternal: function () { var , $t; // There should be a teml JS variavble generated with no comma var animationComp = this.getComponent(String); if (animationComp != null) { $t = Bridge.getEnumerator(animationComp); while ($t.moveNext()) { var state = $t.getCurrent(); } } } }); ``` ### Steps To Reproduce Example([Live](http://live.bridge.net/#ec224a38f0485a0e3b0b23ca913c7ffa)): ```csharp public class SimpleTimeScaleController { public List<string> GetComponent<T>() { return null; } private void UpdateInternal() { // There should be a teml JS variavble generated with no comma var animationComp = GetComponent<string>(); if (animationComp != null) { foreach (string state in animationComp) { } } } } ``` I also made a few attempts to change the code piece a little and see if I can get it to stop outputting the comma. If I replace `GetComponent<string>()` with `null` it disappears.
defect
random commas appear in random places in the output javascript expected javascript bridge define test bridgeissues simpletimescalecontroller getcomponent function t return null updateinternal function var t there should be a teml js variavble generated with no comma var animationcomp this getcomponent string if animationcomp null t bridge getenumerator animationcomp while t movenext var state t getcurrent actual javascript bridge define demo simpletimescalecontroller getcomponent function t return null updateinternal function var t there should be a teml js variavble generated with no comma var animationcomp this getcomponent string if animationcomp null t bridge getenumerator animationcomp while t movenext var state t getcurrent steps to reproduce example csharp public class simpletimescalecontroller public list getcomponent return null private void updateinternal there should be a teml js variavble generated with no comma var animationcomp getcomponent if animationcomp null foreach string state in animationcomp i also made a few attempts to change the code piece a little and see if i can get it to stop outputting the comma if i replace getcomponent with null it disappears
1
652,492
21,554,410,863
IssuesEvent
2022-04-30 06:38:38
ASSETS-Conference/assets2022
https://api.github.com/repos/ASSETS-Conference/assets2022
closed
Artifact Award Page
high priority
I have received emails from senior members of ASSETS talking about the ASSETS'22 Artifact Award. https://assets21.sigaccess.org/artifacts.html ![image](https://user-images.githubusercontent.com/1621749/156653011-89390445-d688-439e-936d-ffd44a09c6a5.png) - We need to engage the Best Artifact Chair, [Dragan Ahmetovic](http://dragan.ahmetovic.it/) (email: best-artifact-assets22@acm.org), and work on this page for ASSETS'22 - We need to figure out where/how we can get funding for the awards. Even if we can't get funding, I think we should still have the awards
1.0
Artifact Award Page - I have received emails from senior members of ASSETS talking about the ASSETS'22 Artifact Award. https://assets21.sigaccess.org/artifacts.html ![image](https://user-images.githubusercontent.com/1621749/156653011-89390445-d688-439e-936d-ffd44a09c6a5.png) - We need to engage the Best Artifact Chair, [Dragan Ahmetovic](http://dragan.ahmetovic.it/) (email: best-artifact-assets22@acm.org), and work on this page for ASSETS'22 - We need to figure out where/how we can get funding for the awards. Even if we can't get funding, I think we should still have the awards
non_defect
artifact award page i have received emails from senior members of assets talking about the assets artifact award we need to engage the best artifact chair email best artifact acm org and work on this page for assets we need to figure out where how we can get funding for the awards even if we can t get funding i think we should still have the awards
0
53,494
28,147,634,254
IssuesEvent
2023-04-02 17:13:40
ClickHouse/ClickHouse
https://api.github.com/repos/ClickHouse/ClickHouse
closed
Compress marks in memory.
performance warmup task
Marks are represented as an array of two 64-bit numbers: `offset_in_compressed_file`, `offset_in_decompressed_block`. The array requires only one operation after it is loaded - random read access. - `offset_in_compressed_file` is monotonically non-decreasing, usually by a similar value; - `offset_in_decompressed_block` is zero most of the time, but sometimes not. Let's implement ad-hoc compression for this array. It will be split into 1024-element blocks, and every block will contain the following: - minimum value of `offset_in_compressed_file`; - the number of bits required to store the difference between the maximum and minimum value of `offset_in_compressed_file`; - minimum value of `offset_in_decompressed_block` when it is non-zero; - the number of bits required to store the difference between the maximum and minimum non-zero value of `offset_in_decompressed_file` (can be 0 if all of the values are 0); Then we will represent every `offset_in_compressed_file` as the difference with the minimum value, bit packed, and every `offset_in_decompressed_block` as one bit indicating if it is zero, and other bits as the difference with the minimum non-zero value, bit packed. Marks will always be compressed in memory, unconditionally. The expected compression ratio will be around 6 times. See also #30434
True
Compress marks in memory. - Marks are represented as an array of two 64-bit numbers: `offset_in_compressed_file`, `offset_in_decompressed_block`. The array requires only one operation after it is loaded - random read access. - `offset_in_compressed_file` is monotonically non-decreasing, usually by a similar value; - `offset_in_decompressed_block` is zero most of the time, but sometimes not. Let's implement ad-hoc compression for this array. It will be split into 1024-element blocks, and every block will contain the following: - minimum value of `offset_in_compressed_file`; - the number of bits required to store the difference between the maximum and minimum value of `offset_in_compressed_file`; - minimum value of `offset_in_decompressed_block` when it is non-zero; - the number of bits required to store the difference between the maximum and minimum non-zero value of `offset_in_decompressed_file` (can be 0 if all of the values are 0); Then we will represent every `offset_in_compressed_file` as the difference with the minimum value, bit packed, and every `offset_in_decompressed_block` as one bit indicating if it is zero, and other bits as the difference with the minimum non-zero value, bit packed. Marks will always be compressed in memory, unconditionally. The expected compression ratio will be around 6 times. See also #30434
non_defect
compress marks in memory marks are represented as an array of two bit numbers offset in compressed file offset in decompressed block the array requires only one operation after it is loaded random read access offset in compressed file is monotonically non decreasing usually by a similar value offset in decompressed block is zero most of the time but sometimes not let s implement ad hoc compression for this array it will be split into element blocks and every block will contain the following minimum value of offset in compressed file the number of bits required to store the difference between the maximum and minimum value of offset in compressed file minimum value of offset in decompressed block when it is non zero the number of bits required to store the difference between the maximum and minimum non zero value of offset in decompressed file can be if all of the values are then we will represent every offset in compressed file as the difference with the minimum value bit packed and every offset in decompressed block as one bit indicating if it is zero and other bits as the difference with the minimum non zero value bit packed marks will always be compressed in memory unconditionally the expected compression ratio will be around times see also
0
95,844
27,634,966,186
IssuesEvent
2023-03-10 13:48:32
chanzuckerberg/cell-census
https://api.github.com/repos/chanzuckerberg/cell-census
closed
Builder unit test should use at least 2 datasets per organism
cell census builder P1
Builder unit test should use at least 2 datasets per organism to ensure the var axis building is correctly creating the union of features for the var axis. An organism's datasets should have partially overlapping features.
1.0
Builder unit test should use at least 2 datasets per organism - Builder unit test should use at least 2 datasets per organism to ensure the var axis building is correctly creating the union of features for the var axis. An organism's datasets should have partially overlapping features.
non_defect
builder unit test should use at least datasets per organism builder unit test should use at least datasets per organism to ensure the var axis building is correctly creating the union of features for the var axis an organism s datasets should have partially overlapping features
0
457,827
13,162,965,683
IssuesEvent
2020-08-10 22:56:40
zulip/zulip-mobile
https://api.github.com/repos/zulip/zulip-mobile
closed
When message fetch fails, show error instead of loading-animation
P1 high-priority a-data-sync a-message list
When you go to read a conversation, we load the messages that are in it if we don't already have them. While we're doing that fetch, we show a "loading" animation of placeholder messages. But then if that fetch fails with an exception, we carry on showing that loading-animation forever. That's bad because after the fetch has failed, we are not in fact still working on loading the messages, so the animation is effectively telling the user something that isn't true. It's also misleading when trying to debug, as it obscures the fact there was an error and not just something taking a long time. Cases where we've seen this come up recently: * #4156 [turned out to be](https://chat.zulip.org/#narrow/stream/243-mobile-team/topic/.23M4156.20Message.20List.20placeholders) a server bug, where the server returned garbled data on fetching any messages that had emoji reactions. * We'd actually seen this bug [before](https://chat.zulip.org/#narrow/stream/243-mobile-team/topic/Streams.20not.20loading.20in.20android/near/883392), when it was live on chat.zulip.org and caused the same symptom. It was fixed within a couple of days, but perhaps unsurprisingly there was a deployment that happened to have upgraded to master within that window of a couple of days, and stayed there. * #4033 may in part reflect another case of this -- at least when the loading is "endless" and not merely long. (Though because that one goes away on quitting and relaunching the app, it's definitely not the same server bug and probably is a purely client-side bug.) Instead, when the fetch fails we should show a widget that's not animated and says there was an error. Preferably also with a button (low-emphasis, like a [text button](https://material.io/components/buttons#text-button)) to retry. Some chat discussion of how to implement this starts [here](https://chat.zulip.org/#narrow/stream/243-mobile-team/topic/.23M4156.20Message.20List.20placeholders/near/928698), and particularly [here](https://chat.zulip.org/#narrow/stream/243-mobile-team/topic/.23M4156.20Message.20List.20placeholders/near/928758) and after.
1.0
When message fetch fails, show error instead of loading-animation - When you go to read a conversation, we load the messages that are in it if we don't already have them. While we're doing that fetch, we show a "loading" animation of placeholder messages. But then if that fetch fails with an exception, we carry on showing that loading-animation forever. That's bad because after the fetch has failed, we are not in fact still working on loading the messages, so the animation is effectively telling the user something that isn't true. It's also misleading when trying to debug, as it obscures the fact there was an error and not just something taking a long time. Cases where we've seen this come up recently: * #4156 [turned out to be](https://chat.zulip.org/#narrow/stream/243-mobile-team/topic/.23M4156.20Message.20List.20placeholders) a server bug, where the server returned garbled data on fetching any messages that had emoji reactions. * We'd actually seen this bug [before](https://chat.zulip.org/#narrow/stream/243-mobile-team/topic/Streams.20not.20loading.20in.20android/near/883392), when it was live on chat.zulip.org and caused the same symptom. It was fixed within a couple of days, but perhaps unsurprisingly there was a deployment that happened to have upgraded to master within that window of a couple of days, and stayed there. * #4033 may in part reflect another case of this -- at least when the loading is "endless" and not merely long. (Though because that one goes away on quitting and relaunching the app, it's definitely not the same server bug and probably is a purely client-side bug.) Instead, when the fetch fails we should show a widget that's not animated and says there was an error. Preferably also with a button (low-emphasis, like a [text button](https://material.io/components/buttons#text-button)) to retry. Some chat discussion of how to implement this starts [here](https://chat.zulip.org/#narrow/stream/243-mobile-team/topic/.23M4156.20Message.20List.20placeholders/near/928698), and particularly [here](https://chat.zulip.org/#narrow/stream/243-mobile-team/topic/.23M4156.20Message.20List.20placeholders/near/928758) and after.
non_defect
when message fetch fails show error instead of loading animation when you go to read a conversation we load the messages that are in it if we don t already have them while we re doing that fetch we show a loading animation of placeholder messages but then if that fetch fails with an exception we carry on showing that loading animation forever that s bad because after the fetch has failed we are not in fact still working on loading the messages so the animation is effectively telling the user something that isn t true it s also misleading when trying to debug as it obscures the fact there was an error and not just something taking a long time cases where we ve seen this come up recently a server bug where the server returned garbled data on fetching any messages that had emoji reactions we d actually seen this bug when it was live on chat zulip org and caused the same symptom it was fixed within a couple of days but perhaps unsurprisingly there was a deployment that happened to have upgraded to master within that window of a couple of days and stayed there may in part reflect another case of this at least when the loading is endless and not merely long though because that one goes away on quitting and relaunching the app it s definitely not the same server bug and probably is a purely client side bug instead when the fetch fails we should show a widget that s not animated and says there was an error preferably also with a button low emphasis like a to retry some chat discussion of how to implement this starts and particularly and after
0
1,151
2,508,251,407
IssuesEvent
2015-01-13 00:18:52
davidlaprade/umbgov_rails
https://api.github.com/repos/davidlaprade/umbgov_rails
closed
Amendment can't save old_status field
bug high-priority
When you try to edit a budget request, the edit fails telling you that "old_status cannot be blank". Old_status is being set in the controller. It's just not saving for some reason.
1.0
Amendment can't save old_status field - When you try to edit a budget request, the edit fails telling you that "old_status cannot be blank". Old_status is being set in the controller. It's just not saving for some reason.
non_defect
amendment can t save old status field when you try to edit a budget request the edit fails telling you that old status cannot be blank old status is being set in the controller it s just not saving for some reason
0
395,706
11,695,270,094
IssuesEvent
2020-03-06 07:02:52
gambitph/Stackable
https://api.github.com/repos/gambitph/Stackable
opened
The Advanced Additional CSS Classes is on the Layout Tab
bug high priority
The Advanced Additional CSS Classes is on the Layout Tab ![image](https://user-images.githubusercontent.com/51441886/76060095-7a15e600-5fbb-11ea-9511-d0c016ea5607.png)
1.0
The Advanced Additional CSS Classes is on the Layout Tab - The Advanced Additional CSS Classes is on the Layout Tab ![image](https://user-images.githubusercontent.com/51441886/76060095-7a15e600-5fbb-11ea-9511-d0c016ea5607.png)
non_defect
the advanced additional css classes is on the layout tab the advanced additional css classes is on the layout tab
0
15,935
2,869,100,011
IssuesEvent
2015-06-05 23:20:09
dart-lang/sdk
https://api.github.com/repos/dart-lang/sdk
closed
Unittest enhanced html config: Failing test messages aren't very readable
Area-Pkg Pkg-Unittest Priority-Unassigned Triaged Type-Defect
*This issue was originally filed by dylan.kyle.p...&#064;gmail.com* _____ I made a small change to increase the readability of the failing test messages in the html_enhanced_configuration. I've attached a couple of screenshots so you can get a quick idea of what this change does :) Here's my submitted code review url (hopefully I did it properly). https://codereview.chromium.org/710813002 ______ **Attachments:** [before.png](https://storage.googleapis.com/google-code-attachments/dart/issue-21545/comment-0/before.png) (39.16 KB) [after.png](https://storage.googleapis.com/google-code-attachments/dart/issue-21545/comment-0/after.png) (40.34 KB)
1.0
Unittest enhanced html config: Failing test messages aren't very readable - *This issue was originally filed by dylan.kyle.p...&#064;gmail.com* _____ I made a small change to increase the readability of the failing test messages in the html_enhanced_configuration. I've attached a couple of screenshots so you can get a quick idea of what this change does :) Here's my submitted code review url (hopefully I did it properly). https://codereview.chromium.org/710813002 ______ **Attachments:** [before.png](https://storage.googleapis.com/google-code-attachments/dart/issue-21545/comment-0/before.png) (39.16 KB) [after.png](https://storage.googleapis.com/google-code-attachments/dart/issue-21545/comment-0/after.png) (40.34 KB)
defect
unittest enhanced html config failing test messages aren t very readable this issue was originally filed by dylan kyle p gmail com i made a small change to increase the readability of the failing test messages in the html enhanced configuration i ve attached a couple of screenshots so you can get a quick idea of what this change does here s my submitted code review url hopefully i did it properly attachments kb kb
1
173,407
21,159,970,036
IssuesEvent
2022-04-07 08:28:59
AOSC-Dev/aosc-os-abbs
https://api.github.com/repos/AOSC-Dev/aosc-os-abbs
opened
waitress: securit update to 2.1.1
security
### CVE IDs CVE-2022-24761 ### Other security advisory IDs https://github.com/advisories/GHSA-4f7p-27jc-3c36 https://ubuntu.com/security/notices/USN-5364-1 ### Description See above advisories. ### Patches N/A ### PoC(s) N/A
True
waitress: securit update to 2.1.1 - ### CVE IDs CVE-2022-24761 ### Other security advisory IDs https://github.com/advisories/GHSA-4f7p-27jc-3c36 https://ubuntu.com/security/notices/USN-5364-1 ### Description See above advisories. ### Patches N/A ### PoC(s) N/A
non_defect
waitress securit update to cve ids cve other security advisory ids description see above advisories patches n a poc s n a
0
3,708
4,495,068,676
IssuesEvent
2016-08-31 08:52:55
dinyar/uGMTfirmware
https://api.github.com/repos/dinyar/uGMTfirmware
opened
Make it possible to use relative paths in makeProject.sh
enhancement infrastructure
It would be convenient to use relative paths to indicate where the mp7fw should be checked out into.
1.0
Make it possible to use relative paths in makeProject.sh - It would be convenient to use relative paths to indicate where the mp7fw should be checked out into.
non_defect
make it possible to use relative paths in makeproject sh it would be convenient to use relative paths to indicate where the should be checked out into
0
63,056
17,360,041,804
IssuesEvent
2021-07-29 19:13:07
scipy/scipy
https://api.github.com/repos/scipy/scipy
closed
Possible Memory Leak in scipy.spatial.distance.pdist and scipy.spatial.distance.cdist
defect scipy.spatial
<!-- Thank you for taking the time to file a bug report. Please fill in the fields below, deleting the sections that don't apply to your issue. You can view the final output by clicking the preview button above. Note: This is a comment, and won't appear in the output. --> My issue is about a possible memory leak in scipy.spatial.distance.pdist and scipy.spatial.distance.cdist #### Reproducing code example: <!-- If you place your code between the triple backticks below, it will be rendered as a code block. --> ``` import numpy as np from scipy.spatial.distance import pdist X = np.random.uniform(0, 100, size=10000).reshape(-1, 10) for _ in range(10000): test = pdist(X/0.01, metric='sqeuclidean') ``` #### Error Description: On my Mac OSX 10.14.6 the memory consumption of the snipped above quickly rises into the Gigabytes (after a few seconds). If I remove the division from the pdist argument (see below), the problem vanishes. (I don't think this is intended behavior, as it also leads to excessive memory consumption in the Gaussian Process Regression implementation of Sklearn, where they have a similar line in the implementation of the RBF kernel) The code, which does not produce this problem (division removed): ``` import numpy as np from scipy.spatial.distance import pdist X = np.random.uniform(0, 100, size=10000).reshape(-1, 10) for _ in range(10000): test = pdist(X, metric='sqeuclidean') ``` #### Scipy/Numpy/Python version information: ``` 1.7.0 1.21.0 sys.version_info(major=3, minor=8, micro=5, releaselevel='final', serial=0) ```
1.0
Possible Memory Leak in scipy.spatial.distance.pdist and scipy.spatial.distance.cdist - <!-- Thank you for taking the time to file a bug report. Please fill in the fields below, deleting the sections that don't apply to your issue. You can view the final output by clicking the preview button above. Note: This is a comment, and won't appear in the output. --> My issue is about a possible memory leak in scipy.spatial.distance.pdist and scipy.spatial.distance.cdist #### Reproducing code example: <!-- If you place your code between the triple backticks below, it will be rendered as a code block. --> ``` import numpy as np from scipy.spatial.distance import pdist X = np.random.uniform(0, 100, size=10000).reshape(-1, 10) for _ in range(10000): test = pdist(X/0.01, metric='sqeuclidean') ``` #### Error Description: On my Mac OSX 10.14.6 the memory consumption of the snipped above quickly rises into the Gigabytes (after a few seconds). If I remove the division from the pdist argument (see below), the problem vanishes. (I don't think this is intended behavior, as it also leads to excessive memory consumption in the Gaussian Process Regression implementation of Sklearn, where they have a similar line in the implementation of the RBF kernel) The code, which does not produce this problem (division removed): ``` import numpy as np from scipy.spatial.distance import pdist X = np.random.uniform(0, 100, size=10000).reshape(-1, 10) for _ in range(10000): test = pdist(X, metric='sqeuclidean') ``` #### Scipy/Numpy/Python version information: ``` 1.7.0 1.21.0 sys.version_info(major=3, minor=8, micro=5, releaselevel='final', serial=0) ```
defect
possible memory leak in scipy spatial distance pdist and scipy spatial distance cdist thank you for taking the time to file a bug report please fill in the fields below deleting the sections that don t apply to your issue you can view the final output by clicking the preview button above note this is a comment and won t appear in the output my issue is about a possible memory leak in scipy spatial distance pdist and scipy spatial distance cdist reproducing code example if you place your code between the triple backticks below it will be rendered as a code block import numpy as np from scipy spatial distance import pdist x np random uniform size reshape for in range test pdist x metric sqeuclidean error description on my mac osx the memory consumption of the snipped above quickly rises into the gigabytes after a few seconds if i remove the division from the pdist argument see below the problem vanishes i don t think this is intended behavior as it also leads to excessive memory consumption in the gaussian process regression implementation of sklearn where they have a similar line in the implementation of the rbf kernel the code which does not produce this problem division removed import numpy as np from scipy spatial distance import pdist x np random uniform size reshape for in range test pdist x metric sqeuclidean scipy numpy python version information sys version info major minor micro releaselevel final serial
1
143,891
11,582,286,235
IssuesEvent
2020-02-22 02:22:01
rancher/rancher
https://api.github.com/repos/rancher/rancher
closed
Shibboleth - user input for cluster roles gets cleared, not allowing to add users manually
[zube]: To Test kind/bug-qa status/blocker
**What kind of request is this (question/bug/enhancement/feature request):** Bug **Steps to reproduce (least amount of steps as possible):** 1. Install Rancher 2.4 `master-head (02/19/2020)` commit id: e11d47814 2. Enable Shibboleth with OpenLDAP 3. Add a user and a group as cluster owners 4. Disable Shibboleth 5. Re-enable Shibboleth **without** OpenLDAP (OpenLDAP search will be disabled) 6. Login as a user in step 3. 7. Try to add a user search to LDAP won't work but we should be able to add an arbitrary username. **Result:** The dropdown input field for User/Group gets cleared out when trying to select the Cluster Role. This doesn't happen with others SAML providers like Keycloak which allows us to add usernames manually (not selected from dropdown). **Other details that may be helpful:** Errors/warnings in Rancher logs ``` 2020/02/19 21:30:52 [ERROR] Unknown error: invalid server config. only exactly 1 server is currently supported 2020/02/19 21:31:54 [WARNING] ldap search principals failed to connect to ldap: invalid server config. only exactly 1 server is currently supported ``` **Environment information** - Rancher version: `2.4 master-head (02/19/2020)` commit id: e11d47814 - Installation option (single install/HA): single
1.0
Shibboleth - user input for cluster roles gets cleared, not allowing to add users manually - **What kind of request is this (question/bug/enhancement/feature request):** Bug **Steps to reproduce (least amount of steps as possible):** 1. Install Rancher 2.4 `master-head (02/19/2020)` commit id: e11d47814 2. Enable Shibboleth with OpenLDAP 3. Add a user and a group as cluster owners 4. Disable Shibboleth 5. Re-enable Shibboleth **without** OpenLDAP (OpenLDAP search will be disabled) 6. Login as a user in step 3. 7. Try to add a user search to LDAP won't work but we should be able to add an arbitrary username. **Result:** The dropdown input field for User/Group gets cleared out when trying to select the Cluster Role. This doesn't happen with others SAML providers like Keycloak which allows us to add usernames manually (not selected from dropdown). **Other details that may be helpful:** Errors/warnings in Rancher logs ``` 2020/02/19 21:30:52 [ERROR] Unknown error: invalid server config. only exactly 1 server is currently supported 2020/02/19 21:31:54 [WARNING] ldap search principals failed to connect to ldap: invalid server config. only exactly 1 server is currently supported ``` **Environment information** - Rancher version: `2.4 master-head (02/19/2020)` commit id: e11d47814 - Installation option (single install/HA): single
non_defect
shibboleth user input for cluster roles gets cleared not allowing to add users manually what kind of request is this question bug enhancement feature request bug steps to reproduce least amount of steps as possible install rancher master head commit id enable shibboleth with openldap add a user and a group as cluster owners disable shibboleth re enable shibboleth without openldap openldap search will be disabled login as a user in step try to add a user search to ldap won t work but we should be able to add an arbitrary username result the dropdown input field for user group gets cleared out when trying to select the cluster role this doesn t happen with others saml providers like keycloak which allows us to add usernames manually not selected from dropdown other details that may be helpful errors warnings in rancher logs unknown error invalid server config only exactly server is currently supported ldap search principals failed to connect to ldap invalid server config only exactly server is currently supported environment information rancher version master head commit id installation option single install ha single
0
37,620
8,474,415,897
IssuesEvent
2018-10-24 16:05:44
google/googletest
https://api.github.com/repos/google/googletest
closed
looser throw specifier for
Priority-Medium Type-Defect auto-migrated
_From @GoogleCodeExporter on August 24, 2015 22:40_ ``` IMPORTANT NOTE: PLEASE send issues and requests to http://groups.google.com/group/googlemock *instead of here*. This issue tracker is NOT regularly monitored. If you really need to create a new issue, please provide the information asked for below. What steps will reproduce the problem? 1. When I make mock a method with throw() specifier, It is not built. MOCK_METHOD0(fn, void() throw (exception)); 2. The following error happens. ClassNameTest.cpp:40 error: looser throw specifier for `virtual void ClassName::functionName()' ClassName.h:20: error: overriding `virtual void ClassName::functionName() throw (std::exception)' What is the expected output? What do you see instead? Which version of Google Mock are you using? On what operating system? Google Mock : v 1.7.0 Google Test : v 1.7.0 Please provide any additional information below. ``` Original issue reported on code.google.com by `cjw...@gmail.com` on 29 Jul 2014 at 11:50 _Copied from original issue: google/googlemock#169_
1.0
looser throw specifier for - _From @GoogleCodeExporter on August 24, 2015 22:40_ ``` IMPORTANT NOTE: PLEASE send issues and requests to http://groups.google.com/group/googlemock *instead of here*. This issue tracker is NOT regularly monitored. If you really need to create a new issue, please provide the information asked for below. What steps will reproduce the problem? 1. When I make mock a method with throw() specifier, It is not built. MOCK_METHOD0(fn, void() throw (exception)); 2. The following error happens. ClassNameTest.cpp:40 error: looser throw specifier for `virtual void ClassName::functionName()' ClassName.h:20: error: overriding `virtual void ClassName::functionName() throw (std::exception)' What is the expected output? What do you see instead? Which version of Google Mock are you using? On what operating system? Google Mock : v 1.7.0 Google Test : v 1.7.0 Please provide any additional information below. ``` Original issue reported on code.google.com by `cjw...@gmail.com` on 29 Jul 2014 at 11:50 _Copied from original issue: google/googlemock#169_
defect
looser throw specifier for from googlecodeexporter on august important note please send issues and requests to instead of here this issue tracker is not regularly monitored if you really need to create a new issue please provide the information asked for below what steps will reproduce the problem when i make mock a method with throw specifier it is not built mock fn void throw exception the following error happens classnametest cpp error looser throw specifier for virtual void classname functionname classname h error overriding virtual void classname functionname throw std exception what is the expected output what do you see instead which version of google mock are you using on what operating system google mock v google test v please provide any additional information below original issue reported on code google com by cjw gmail com on jul at copied from original issue google googlemock
1
4,819
2,610,157,297
IssuesEvent
2015-02-26 18:49:59
chrsmith/republic-at-war
https://api.github.com/repos/chrsmith/republic-at-war
closed
ARCs
auto-migrated Priority-Medium Type-Defect
``` ARC Facility not buildable ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 30 Jan 2011 at 2:43
1.0
ARCs - ``` ARC Facility not buildable ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 30 Jan 2011 at 2:43
defect
arcs arc facility not buildable original issue reported on code google com by gmail com on jan at
1
19,167
3,146,738,419
IssuesEvent
2015-09-15 01:35:31
dart-lang/sdk
https://api.github.com/repos/dart-lang/sdk
opened
getIsolate returns invalid parameter error for an expired isolate
Area-Observatory Type-Defect
This is contrary to the behavior of the similar `getObject` RPC, and confusing since the request itself is well-formed.
1.0
getIsolate returns invalid parameter error for an expired isolate - This is contrary to the behavior of the similar `getObject` RPC, and confusing since the request itself is well-formed.
defect
getisolate returns invalid parameter error for an expired isolate this is contrary to the behavior of the similar getobject rpc and confusing since the request itself is well formed
1
205,219
7,094,767,786
IssuesEvent
2018-01-13 08:16:58
Userfeeds/Apps
https://api.github.com/repos/Userfeeds/Apps
opened
Version 0.0.141 broke https://linkexchange.io/widgets-dev but SoTD works
bug priority-high
I have no idea why but when I refresh https://linkexchange.io/widgets-dev there are no widgets but SoTD works fine and looks like it has required changes
1.0
Version 0.0.141 broke https://linkexchange.io/widgets-dev but SoTD works - I have no idea why but when I refresh https://linkexchange.io/widgets-dev there are no widgets but SoTD works fine and looks like it has required changes
non_defect
version broke but sotd works i have no idea why but when i refresh there are no widgets but sotd works fine and looks like it has required changes
0
126,327
17,019,712,672
IssuesEvent
2021-07-02 16:54:15
practice-uffs/programa
https://api.github.com/repos/practice-uffs/programa
opened
Desenho de um til com a grafia Trash Hand para a campanha do SAE
ajuda:con-mídia ajuda:ger-comunicação equipe:con-design
Foi solicitado pela equipe multimídia o sedenho de um til para ser colocado nos vídeos da campanha do SAE
1.0
Desenho de um til com a grafia Trash Hand para a campanha do SAE - Foi solicitado pela equipe multimídia o sedenho de um til para ser colocado nos vídeos da campanha do SAE
non_defect
desenho de um til com a grafia trash hand para a campanha do sae foi solicitado pela equipe multimídia o sedenho de um til para ser colocado nos vídeos da campanha do sae
0
6,297
6,305,188,469
IssuesEvent
2017-07-21 17:45:38
servo/servo
https://api.github.com/repos/servo/servo
closed
Please enable taskcluster-github web hook
A-infrastructure
This will report your pushes to Treeherder so you don't have to use the API anymore. Instructions are here: https://github.com/taskcluster/taskcluster-github/blob/master/docs/usage.md Thanks!!
1.0
Please enable taskcluster-github web hook - This will report your pushes to Treeherder so you don't have to use the API anymore. Instructions are here: https://github.com/taskcluster/taskcluster-github/blob/master/docs/usage.md Thanks!!
non_defect
please enable taskcluster github web hook this will report your pushes to treeherder so you don t have to use the api anymore instructions are here thanks
0
72,898
24,350,194,170
IssuesEvent
2022-10-02 21:05:05
DependencyTrack/frontend
https://api.github.com/repos/DependencyTrack/frontend
closed
configured API BASE URL is not used for login webflow
defect documentation
We are running a safe installation without public DNS in a complex secured environment. When I analyse the login flow the request does not use the API_BASE_URL configured in /app/static/config.json (https://dtrackapi.domain) but instead uses the FE_BASE_URL resulting in a 405 error This does not look as described. the faulty request copied from firefox (domain redacted): curl "https://dtrackfe.domain/api/v1/user/login" -X POST -H "User-Agent: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:94.0) Gecko/20100101 Firefox/94.0" -H "Accept: application/json, text/plain, */*" -H "Accept-Language: en-US,en;q=0.5" --compressed -H "Content-Type: application/x-www-form-urlencoded" -H "Origin: https://dtrackfe.domain" -H "Connection: keep-alive" -H "Referer: https://dtrackfe.domain/login?redirect="%"2Fdashboard" -H "Sec-Fetch-Dest: empty" -H "Sec-Fetch-Mode: cors" -H "Sec-Fetch-Site: same-origin" -H "Pragma: no-cache" -H "Cache-Control: no-cache" --data-raw "username=admin&password=admin" Versions: dependencytrack/frontend latest 72cbc720c2a8 11 days ago 59.2MB dependencytrack/apiserver latest b3d93dda0d2b 12 days ago 266MB (it would be helpful to find the version numbers in the containers somewhere)
1.0
configured API BASE URL is not used for login webflow - We are running a safe installation without public DNS in a complex secured environment. When I analyse the login flow the request does not use the API_BASE_URL configured in /app/static/config.json (https://dtrackapi.domain) but instead uses the FE_BASE_URL resulting in a 405 error This does not look as described. the faulty request copied from firefox (domain redacted): curl "https://dtrackfe.domain/api/v1/user/login" -X POST -H "User-Agent: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:94.0) Gecko/20100101 Firefox/94.0" -H "Accept: application/json, text/plain, */*" -H "Accept-Language: en-US,en;q=0.5" --compressed -H "Content-Type: application/x-www-form-urlencoded" -H "Origin: https://dtrackfe.domain" -H "Connection: keep-alive" -H "Referer: https://dtrackfe.domain/login?redirect="%"2Fdashboard" -H "Sec-Fetch-Dest: empty" -H "Sec-Fetch-Mode: cors" -H "Sec-Fetch-Site: same-origin" -H "Pragma: no-cache" -H "Cache-Control: no-cache" --data-raw "username=admin&password=admin" Versions: dependencytrack/frontend latest 72cbc720c2a8 11 days ago 59.2MB dependencytrack/apiserver latest b3d93dda0d2b 12 days ago 266MB (it would be helpful to find the version numbers in the containers somewhere)
defect
configured api base url is not used for login webflow we are running a safe installation without public dns in a complex secured environment when i analyse the login flow the request does not use the api base url configured in app static config json but instead uses the fe base url resulting in a error this does not look as described the faulty request copied from firefox domain redacted curl x post h user agent mozilla windows nt rv gecko firefox h accept application json text plain h accept language en us en q compressed h content type application x www form urlencoded h origin h connection keep alive h referer h sec fetch dest empty h sec fetch mode cors h sec fetch site same origin h pragma no cache h cache control no cache data raw username admin password admin versions dependencytrack frontend latest days ago dependencytrack apiserver latest days ago it would be helpful to find the version numbers in the containers somewhere
1
350,963
31,932,557,402
IssuesEvent
2023-09-19 08:25:09
unifyai/ivy
https://api.github.com/repos/unifyai/ivy
reopened
Fix gradients.test_bind_custom_gradient_function
Sub Task Ivy API Experimental Failing Test
| | | |---|---| |jax|<a href="https://github.com/unifyai/ivy/actions/runs/5759050939"><img src=https://img.shields.io/badge/-failure-red></a> |numpy|<a href="https://github.com/unifyai/ivy/actions/runs/5694682037/job/15436329380"><img src=https://img.shields.io/badge/-success-success></a> |tensorflow|<a href="https://github.com/unifyai/ivy/actions/runs/5694682037/job/15436329380"><img src=https://img.shields.io/badge/-success-success></a> |torch|<a href="https://github.com/unifyai/ivy/actions/runs/5694682037/job/15436329380"><img src=https://img.shields.io/badge/-success-success></a> |paddle|<a href="https://github.com/unifyai/ivy/actions/runs/6156951285"><img src=https://img.shields.io/badge/-failure-red></a>
1.0
Fix gradients.test_bind_custom_gradient_function - | | | |---|---| |jax|<a href="https://github.com/unifyai/ivy/actions/runs/5759050939"><img src=https://img.shields.io/badge/-failure-red></a> |numpy|<a href="https://github.com/unifyai/ivy/actions/runs/5694682037/job/15436329380"><img src=https://img.shields.io/badge/-success-success></a> |tensorflow|<a href="https://github.com/unifyai/ivy/actions/runs/5694682037/job/15436329380"><img src=https://img.shields.io/badge/-success-success></a> |torch|<a href="https://github.com/unifyai/ivy/actions/runs/5694682037/job/15436329380"><img src=https://img.shields.io/badge/-success-success></a> |paddle|<a href="https://github.com/unifyai/ivy/actions/runs/6156951285"><img src=https://img.shields.io/badge/-failure-red></a>
non_defect
fix gradients test bind custom gradient function jax a href src numpy a href src tensorflow a href src torch a href src paddle a href src
0
28,875
5,409,699,247
IssuesEvent
2017-03-01 05:34:22
STEllAR-GROUP/hpx
https://api.github.com/repos/STEllAR-GROUP/hpx
closed
CMAKE failed because it is missing: TCMALLOC_LIBRARY TCMALLOC_INCLUDE_DIR
category: CMake type: defect
I am trying to build hpx with the following command it cause an error as follow: cmake .. -DBOOST_ROOT=/usr/lib/x86_64-linux-gnu/ -DHWLOC_ROOT=/home/runtime_systems/hwloc-1.10.1/install/lib -DCMAKE_INSTALL_PREFIX=/home/runtime_systems/hpx/install build failed as follow: -- Found PkgConfig: /usr/bin/pkg-config (found version "0.26") -- Could NOT find TCMalloc (missing: TCMALLOC_LIBRARY TCMALLOC_INCLUDE_DIR) CMake Error at cmake/HPX_Message.cmake:43 (message): ERROR: HPX_WITH_MALLOC was set to tcmalloc, but tcmalloc could not be found. Valid options for HPX_WITH_MALLOC are: system, tcmalloc, jemalloc, tbbmalloc, and custom Call Stack (most recent call first): cmake/HPX_SetupAllocator.cmake:29 (hpx_error) CMakeLists.txt:1308 (include) -- Configuring incomplete, errors occurred! See also "/home/runtime_systems/hpx/my_hpx_build/CMakeFiles/CMakeOutput.log". See also "/home/runtime_systems/hpx/my_hpx_build/CMakeFiles/CMakeError.log" Any advice on how to solve it? Thanks, Rabab
1.0
CMAKE failed because it is missing: TCMALLOC_LIBRARY TCMALLOC_INCLUDE_DIR - I am trying to build hpx with the following command it cause an error as follow: cmake .. -DBOOST_ROOT=/usr/lib/x86_64-linux-gnu/ -DHWLOC_ROOT=/home/runtime_systems/hwloc-1.10.1/install/lib -DCMAKE_INSTALL_PREFIX=/home/runtime_systems/hpx/install build failed as follow: -- Found PkgConfig: /usr/bin/pkg-config (found version "0.26") -- Could NOT find TCMalloc (missing: TCMALLOC_LIBRARY TCMALLOC_INCLUDE_DIR) CMake Error at cmake/HPX_Message.cmake:43 (message): ERROR: HPX_WITH_MALLOC was set to tcmalloc, but tcmalloc could not be found. Valid options for HPX_WITH_MALLOC are: system, tcmalloc, jemalloc, tbbmalloc, and custom Call Stack (most recent call first): cmake/HPX_SetupAllocator.cmake:29 (hpx_error) CMakeLists.txt:1308 (include) -- Configuring incomplete, errors occurred! See also "/home/runtime_systems/hpx/my_hpx_build/CMakeFiles/CMakeOutput.log". See also "/home/runtime_systems/hpx/my_hpx_build/CMakeFiles/CMakeError.log" Any advice on how to solve it? Thanks, Rabab
defect
cmake failed because it is missing tcmalloc library tcmalloc include dir i am trying to build hpx with the following command it cause an error as follow cmake dboost root usr lib linux gnu dhwloc root home runtime systems hwloc install lib dcmake install prefix home runtime systems hpx install build failed as follow found pkgconfig usr bin pkg config found version could not find tcmalloc missing tcmalloc library tcmalloc include dir cmake error at cmake hpx message cmake message error hpx with malloc was set to tcmalloc but tcmalloc could not be found valid options for hpx with malloc are system tcmalloc jemalloc tbbmalloc and custom call stack most recent call first cmake hpx setupallocator cmake hpx error cmakelists txt include configuring incomplete errors occurred see also home runtime systems hpx my hpx build cmakefiles cmakeoutput log see also home runtime systems hpx my hpx build cmakefiles cmakeerror log any advice on how to solve it thanks rabab
1
494,062
14,244,390,362
IssuesEvent
2020-11-19 06:49:45
opensiddur/opensiddur
https://api.github.com/repos/opensiddur/opensiddur
closed
Testing module returns blanks on failures
Priority-Normal
After some types of failures, the testing module (test2.xqm) returns a blank TestSet. It is not clear to me which failures cause a proper return, and which cause a blank to be returned. Tracing indicates that the tests are all run.
1.0
Testing module returns blanks on failures - After some types of failures, the testing module (test2.xqm) returns a blank TestSet. It is not clear to me which failures cause a proper return, and which cause a blank to be returned. Tracing indicates that the tests are all run.
non_defect
testing module returns blanks on failures after some types of failures the testing module xqm returns a blank testset it is not clear to me which failures cause a proper return and which cause a blank to be returned tracing indicates that the tests are all run
0
59,693
17,023,207,847
IssuesEvent
2021-07-03 00:51:45
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Right-to-Left (RTL, Arabic, Hebrew) text not correctly renderd
Component: mapnik Priority: major Resolution: fixed Type: defect
**[Submitted to the original trac issue database at 3.50pm, Friday, 15th February 2008]** Currently at least Hebrew text is not correctly rendered in slippy map (Mapnik layer). Letters are in wrong order, left-to-right, not right-to-left.
1.0
Right-to-Left (RTL, Arabic, Hebrew) text not correctly renderd - **[Submitted to the original trac issue database at 3.50pm, Friday, 15th February 2008]** Currently at least Hebrew text is not correctly rendered in slippy map (Mapnik layer). Letters are in wrong order, left-to-right, not right-to-left.
defect
right to left rtl arabic hebrew text not correctly renderd currently at least hebrew text is not correctly rendered in slippy map mapnik layer letters are in wrong order left to right not right to left
1
33,382
7,108,122,925
IssuesEvent
2018-01-16 22:33:55
CenturyLinkCloud/mdw
https://api.github.com/repos/CenturyLinkCloud/mdw
closed
Locked Document selected for update is released prior to update being performed
defect
When using the getDocumentForUpdate() API, the DB lock placed on the document table row is released right after retrieving the document, instead of after the update of the document occurs, leaving other threads free to select the same document from DB, leading to multiple threads updating the same document at the same time, which can result in incorrect document values.
1.0
Locked Document selected for update is released prior to update being performed - When using the getDocumentForUpdate() API, the DB lock placed on the document table row is released right after retrieving the document, instead of after the update of the document occurs, leaving other threads free to select the same document from DB, leading to multiple threads updating the same document at the same time, which can result in incorrect document values.
defect
locked document selected for update is released prior to update being performed when using the getdocumentforupdate api the db lock placed on the document table row is released right after retrieving the document instead of after the update of the document occurs leaving other threads free to select the same document from db leading to multiple threads updating the same document at the same time which can result in incorrect document values
1
122,768
12,159,439,292
IssuesEvent
2020-04-26 09:06:42
atc0005/todo
https://api.github.com/repos/atc0005/todo
opened
Add badge for go.dev
documentation golang
refs https://github.com/golang/go/issues/36982 As of this writing there is still not an official badge, but we're still within the 30 days target by a week. Loop back after a week or two and see where things stand.
1.0
Add badge for go.dev - refs https://github.com/golang/go/issues/36982 As of this writing there is still not an official badge, but we're still within the 30 days target by a week. Loop back after a week or two and see where things stand.
non_defect
add badge for go dev refs as of this writing there is still not an official badge but we re still within the days target by a week loop back after a week or two and see where things stand
0
1,468
2,855,514,475
IssuesEvent
2015-06-02 09:56:27
mavlink/qgroundcontrol
https://api.github.com/repos/mavlink/qgroundcontrol
closed
Firmware Upgrade Usability
component-theming/usability
The message to disconnect USB before proceeding is getting missed by too many people. Need to add code to check for this.
True
Firmware Upgrade Usability - The message to disconnect USB before proceeding is getting missed by too many people. Need to add code to check for this.
non_defect
firmware upgrade usability the message to disconnect usb before proceeding is getting missed by too many people need to add code to check for this
0
24,238
3,933,203,557
IssuesEvent
2016-04-25 18:19:49
jfabry/LiveRobotProgramming
https://api.github.com/repos/jfabry/LiveRobotProgramming
closed
OpenUI abstract method requires that its implementation returns a ComposableModel instance
Component-UI Priority-Medium Type-Defect
If the OpenUI implementation doesn't return a ComposableModel, and instead returns self (by default), the method closeUI sends the message "delete" to an object that doesn't understand it.
1.0
OpenUI abstract method requires that its implementation returns a ComposableModel instance - If the OpenUI implementation doesn't return a ComposableModel, and instead returns self (by default), the method closeUI sends the message "delete" to an object that doesn't understand it.
defect
openui abstract method requires that its implementation returns a composablemodel instance if the openui implementation doesn t return a composablemodel and instead returns self by default the method closeui sends the message delete to an object that doesn t understand it
1
65,605
19,591,830,641
IssuesEvent
2022-01-05 13:50:02
SeleniumHQ/selenium
https://api.github.com/repos/SeleniumHQ/selenium
closed
[🐛 Bug]: Selenium pauses execution of code when using Remote DevTools
I-defect G-chromedriver
### What happened? I'm launching an instance of ChromeDriver with the remote debugging port option set and I can access the remote dev tools just fine however whenever I do, the script just pauses execution and sits there on the page. There are no errors in the console or in the browser and there are no indicators that anything has gone wrong. One oddity I noticed was that if I repeatedly scroll up and down on the page, the script will continue so long as I continue scrolling. This issue has already been reported here (#9759) but lacked details so I figured I'd open a new issue. I'm not really sure what to make of all this or even where I should post this issue so I'm just starting here. I'll be happy to file an issue elsewhere if someone can point me in the right direction. **Steps to reproduce:** 1. Run the example script below 2. Go to http://localhost:9000 3. Click on the `React Image Gallery` link 4. Wait a bit and you should not see the script doing anything 5. Rapidly scroll up and down and the script should continue execution 6. Stop scrolling and the script should pause **EDIT:** You may not have to _continuously_ scroll. I was just able to get the script going again scrolling once in between action. It seems that all it needs is the remote debugger to send it a command/action? Not sure. ### How can we reproduce the issue? ```shell from selenium.webdriver.chrome.options import Options from selenium.webdriver import DesiredCapabilities from selenium.webdriver.common.by import By from selenium import webdriver from time import sleep def start_driver(): chrome_options = Options() chrome_options.add_argument("--remote-debugging-port=9000") chrome_options.add_argument("--no-sandbox") chrome_options.add_argument('--disable-dev-shm-usage') chrome_options.add_argument("--disable-gpu") chrome_options.add_argument("--headless") chrome_options.add_argument("--disable-translate") chrome_options.add_argument("--disable-extensions") chrome_options.add_argument("--disable-background-networking") chrome_options.add_argument("--safebrowsing-disable-auto-update") chrome_options.add_argument("--disable-sync") chrome_options.add_argument("--metrics-recording-only") chrome_options.add_argument("--disable-default-apps") chrome_options.add_argument("--no-first-run") chrome_options.add_argument("--disable-setuid-sandbox") chrome_options.add_argument("--hide-scrollbars") chrome_options.add_argument("--no-zygote") chrome_options.add_argument("--autoplay-policy=no-user-gesture-required") chrome_options.add_argument("--disable-notifications") chrome_options.add_argument("--disable-logging") chrome_options.add_argument("--disable-permissions-api") chrome_options.add_argument("--ignore-certificate-errors") chrome_options.add_argument("--window-size=1280,720") chrome_options.add_experimental_option("excludeSwitches", ["enable-automation"]) chrome_options.page_load_strategy = "eager" capabilities = DesiredCapabilities.CHROME return webdriver.Chrome( executable_path="SOME_PATH_TO_CHROME", options=chrome_options, desired_capabilities=capabilities ) driver = start_driver() for _ in range(50): driver.get("https://www.linxtion.com/demo/react-image-gallery/") sleep(5) right_nav = driver.find_element(By.CLASS_NAME, "image-gallery-right-nav") for _ in range(5): right_nav.click() sleep(2) ``` ### Relevant log output ```shell There is none. As far as Selenium is concerned, everything is still operating nominally. ``` ### Operating System Windows 10 ### Selenium version Python 4.0.0 ### What are the browser(s) and version(s) where you see this issue? Chrome 95 ### What are the browser driver(s) and version(s) where you see this issue? ChromeDriver 95.0.4638 ### Are you using Selenium Grid? No
1.0
[🐛 Bug]: Selenium pauses execution of code when using Remote DevTools - ### What happened? I'm launching an instance of ChromeDriver with the remote debugging port option set and I can access the remote dev tools just fine however whenever I do, the script just pauses execution and sits there on the page. There are no errors in the console or in the browser and there are no indicators that anything has gone wrong. One oddity I noticed was that if I repeatedly scroll up and down on the page, the script will continue so long as I continue scrolling. This issue has already been reported here (#9759) but lacked details so I figured I'd open a new issue. I'm not really sure what to make of all this or even where I should post this issue so I'm just starting here. I'll be happy to file an issue elsewhere if someone can point me in the right direction. **Steps to reproduce:** 1. Run the example script below 2. Go to http://localhost:9000 3. Click on the `React Image Gallery` link 4. Wait a bit and you should not see the script doing anything 5. Rapidly scroll up and down and the script should continue execution 6. Stop scrolling and the script should pause **EDIT:** You may not have to _continuously_ scroll. I was just able to get the script going again scrolling once in between action. It seems that all it needs is the remote debugger to send it a command/action? Not sure. ### How can we reproduce the issue? ```shell from selenium.webdriver.chrome.options import Options from selenium.webdriver import DesiredCapabilities from selenium.webdriver.common.by import By from selenium import webdriver from time import sleep def start_driver(): chrome_options = Options() chrome_options.add_argument("--remote-debugging-port=9000") chrome_options.add_argument("--no-sandbox") chrome_options.add_argument('--disable-dev-shm-usage') chrome_options.add_argument("--disable-gpu") chrome_options.add_argument("--headless") chrome_options.add_argument("--disable-translate") chrome_options.add_argument("--disable-extensions") chrome_options.add_argument("--disable-background-networking") chrome_options.add_argument("--safebrowsing-disable-auto-update") chrome_options.add_argument("--disable-sync") chrome_options.add_argument("--metrics-recording-only") chrome_options.add_argument("--disable-default-apps") chrome_options.add_argument("--no-first-run") chrome_options.add_argument("--disable-setuid-sandbox") chrome_options.add_argument("--hide-scrollbars") chrome_options.add_argument("--no-zygote") chrome_options.add_argument("--autoplay-policy=no-user-gesture-required") chrome_options.add_argument("--disable-notifications") chrome_options.add_argument("--disable-logging") chrome_options.add_argument("--disable-permissions-api") chrome_options.add_argument("--ignore-certificate-errors") chrome_options.add_argument("--window-size=1280,720") chrome_options.add_experimental_option("excludeSwitches", ["enable-automation"]) chrome_options.page_load_strategy = "eager" capabilities = DesiredCapabilities.CHROME return webdriver.Chrome( executable_path="SOME_PATH_TO_CHROME", options=chrome_options, desired_capabilities=capabilities ) driver = start_driver() for _ in range(50): driver.get("https://www.linxtion.com/demo/react-image-gallery/") sleep(5) right_nav = driver.find_element(By.CLASS_NAME, "image-gallery-right-nav") for _ in range(5): right_nav.click() sleep(2) ``` ### Relevant log output ```shell There is none. As far as Selenium is concerned, everything is still operating nominally. ``` ### Operating System Windows 10 ### Selenium version Python 4.0.0 ### What are the browser(s) and version(s) where you see this issue? Chrome 95 ### What are the browser driver(s) and version(s) where you see this issue? ChromeDriver 95.0.4638 ### Are you using Selenium Grid? No
defect
selenium pauses execution of code when using remote devtools what happened i m launching an instance of chromedriver with the remote debugging port option set and i can access the remote dev tools just fine however whenever i do the script just pauses execution and sits there on the page there are no errors in the console or in the browser and there are no indicators that anything has gone wrong one oddity i noticed was that if i repeatedly scroll up and down on the page the script will continue so long as i continue scrolling this issue has already been reported here but lacked details so i figured i d open a new issue i m not really sure what to make of all this or even where i should post this issue so i m just starting here i ll be happy to file an issue elsewhere if someone can point me in the right direction steps to reproduce run the example script below go to click on the react image gallery link wait a bit and you should not see the script doing anything rapidly scroll up and down and the script should continue execution stop scrolling and the script should pause edit you may not have to continuously scroll i was just able to get the script going again scrolling once in between action it seems that all it needs is the remote debugger to send it a command action not sure how can we reproduce the issue shell from selenium webdriver chrome options import options from selenium webdriver import desiredcapabilities from selenium webdriver common by import by from selenium import webdriver from time import sleep def start driver chrome options options chrome options add argument remote debugging port chrome options add argument no sandbox chrome options add argument disable dev shm usage chrome options add argument disable gpu chrome options add argument headless chrome options add argument disable translate chrome options add argument disable extensions chrome options add argument disable background networking chrome options add argument safebrowsing disable auto update chrome options add argument disable sync chrome options add argument metrics recording only chrome options add argument disable default apps chrome options add argument no first run chrome options add argument disable setuid sandbox chrome options add argument hide scrollbars chrome options add argument no zygote chrome options add argument autoplay policy no user gesture required chrome options add argument disable notifications chrome options add argument disable logging chrome options add argument disable permissions api chrome options add argument ignore certificate errors chrome options add argument window size chrome options add experimental option excludeswitches chrome options page load strategy eager capabilities desiredcapabilities chrome return webdriver chrome executable path some path to chrome options chrome options desired capabilities capabilities driver start driver for in range driver get sleep right nav driver find element by class name image gallery right nav for in range right nav click sleep relevant log output shell there is none as far as selenium is concerned everything is still operating nominally operating system windows selenium version python what are the browser s and version s where you see this issue chrome what are the browser driver s and version s where you see this issue chromedriver are you using selenium grid no
1
18,811
3,087,976,717
IssuesEvent
2015-08-25 14:35:33
dart-lang/sdk
https://api.github.com/repos/dart-lang/sdk
closed
pkg/compiler failing analysis on a test
Priority-High Type-Defect
The new version of dartdoc has a test that causes an analysis failure on 1.12-dev, https://uberchromegw.corp.google.com/i/client.dart/builders/analyzer_experimental-linux-release-dev/builds/97 This needs to be fixed, and the fix merged to 1.12-dev. This will be trickier because the error is not there on bleeding edge, so there may already be a fix somewhere on bleeding-edge (master), that just needs to be found and merged to dev.
1.0
pkg/compiler failing analysis on a test - The new version of dartdoc has a test that causes an analysis failure on 1.12-dev, https://uberchromegw.corp.google.com/i/client.dart/builders/analyzer_experimental-linux-release-dev/builds/97 This needs to be fixed, and the fix merged to 1.12-dev. This will be trickier because the error is not there on bleeding edge, so there may already be a fix somewhere on bleeding-edge (master), that just needs to be found and merged to dev.
defect
pkg compiler failing analysis on a test the new version of dartdoc has a test that causes an analysis failure on dev this needs to be fixed and the fix merged to dev this will be trickier because the error is not there on bleeding edge so there may already be a fix somewhere on bleeding edge master that just needs to be found and merged to dev
1
9,434
2,615,149,917
IssuesEvent
2015-03-01 06:27:04
chrsmith/reaver-wps
https://api.github.com/repos/chrsmith/reaver-wps
opened
WPA PSK
auto-migrated Priority-Triage Type-Defect
``` All of the networks I have been testing reaver on, gives me the WPS PIN CODE but the WPA-PSK is never been decrypted: Example: [+] WPS PIN: '65915646' [+] WPA PSK: '49ed453a190259497ab2d16009e543ab6c7a0b3594c1b658799161f6fe3bf57a' I thought the idea of reaver was it gona get the decrypted password of the WPA-PSK aswell? ``` Original issue reported on code.google.com by `rohedl...@gmail.com` on 13 Jan 2012 at 9:19
1.0
WPA PSK - ``` All of the networks I have been testing reaver on, gives me the WPS PIN CODE but the WPA-PSK is never been decrypted: Example: [+] WPS PIN: '65915646' [+] WPA PSK: '49ed453a190259497ab2d16009e543ab6c7a0b3594c1b658799161f6fe3bf57a' I thought the idea of reaver was it gona get the decrypted password of the WPA-PSK aswell? ``` Original issue reported on code.google.com by `rohedl...@gmail.com` on 13 Jan 2012 at 9:19
defect
wpa psk all of the networks i have been testing reaver on gives me the wps pin code but the wpa psk is never been decrypted example wps pin wpa psk i thought the idea of reaver was it gona get the decrypted password of the wpa psk aswell original issue reported on code google com by rohedl gmail com on jan at
1
53,208
13,261,170,785
IssuesEvent
2020-08-20 19:24:45
icecube-trac/tix4
https://api.github.com/repos/icecube-trac/tix4
closed
frame_object_diff - bitset seriaziation issue (Trac #957)
Migrated from Trac combo reconstruction defect
cweaver: Should t.count() be t.size()? http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/frame_object_diff/trunk/private/bitset.hpp#L104 Very likely. Generate a unit test that breaks because of this, then fix it. <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/957">https://code.icecube.wisc.edu/projects/icecube/ticket/957</a>, reported by david.schultzand owned by cweaver</em></summary> <p> ```json { "status": "closed", "changetime": "2015-07-07T22:42:37", "_ts": "1436308957786183", "description": "cweaver: Should t.count() be t.size()? http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/frame_object_diff/trunk/private/bitset.hpp#L104 \n\nVery likely. Generate a unit test that breaks because of this, then fix it.", "reporter": "david.schultz", "cc": "david.schultz", "resolution": "fixed", "time": "2015-05-01T03:37:45", "component": "combo reconstruction", "summary": "frame_object_diff - bitset seriaziation issue", "priority": "major", "keywords": "bitset", "milestone": "", "owner": "cweaver", "type": "defect" } ``` </p> </details>
1.0
frame_object_diff - bitset seriaziation issue (Trac #957) - cweaver: Should t.count() be t.size()? http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/frame_object_diff/trunk/private/bitset.hpp#L104 Very likely. Generate a unit test that breaks because of this, then fix it. <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/957">https://code.icecube.wisc.edu/projects/icecube/ticket/957</a>, reported by david.schultzand owned by cweaver</em></summary> <p> ```json { "status": "closed", "changetime": "2015-07-07T22:42:37", "_ts": "1436308957786183", "description": "cweaver: Should t.count() be t.size()? http://code.icecube.wisc.edu/projects/icecube/browser/IceCube/projects/frame_object_diff/trunk/private/bitset.hpp#L104 \n\nVery likely. Generate a unit test that breaks because of this, then fix it.", "reporter": "david.schultz", "cc": "david.schultz", "resolution": "fixed", "time": "2015-05-01T03:37:45", "component": "combo reconstruction", "summary": "frame_object_diff - bitset seriaziation issue", "priority": "major", "keywords": "bitset", "milestone": "", "owner": "cweaver", "type": "defect" } ``` </p> </details>
defect
frame object diff bitset seriaziation issue trac cweaver should t count be t size very likely generate a unit test that breaks because of this then fix it migrated from json status closed changetime ts description cweaver should t count be t size n nvery likely generate a unit test that breaks because of this then fix it reporter david schultz cc david schultz resolution fixed time component combo reconstruction summary frame object diff bitset seriaziation issue priority major keywords bitset milestone owner cweaver type defect
1
52,185
13,211,403,819
IssuesEvent
2020-08-15 22:54:08
icecube-trac/tix4
https://api.github.com/repos/icecube-trac/tix4
opened
[ppc] clang 3.8 errors (Trac #1809)
Incomplete Migration Migrated from Trac combo simulation defect
<details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/1809">https://code.icecube.wisc.edu/projects/icecube/ticket/1809</a>, reported by david.schultzand owned by dima</em></summary> <p> ```json { "status": "closed", "changetime": "2019-02-13T14:12:38", "_ts": "1550067158057333", "description": "These errors were found compiling with clang 3.8:\n\n{{{\nIn file included from /scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/ppc.cxx:696:\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:22:7: error: no member named 'w' in 'cl_float4'\np.n.w=type>0?-int(type):-128;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:75:7: error: no member named 'w' in 'cl_float4'\np.n.w=0, p.f=0;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:171:7: error: no member named 'w' in 'cl_float4'\np.n.w=dr;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:343:7: error: no member named 'w' in 'cl_float4'\np.r.w=t; p.r.x=rx; p.r.y=ry; p.r.z=rz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:343:16: error: no member named 'x' in 'cl_float4'\np.r.w=t; p.r.x=rx; p.r.y=ry; p.r.z=rz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:343:26: error: no member named 'y' in 'cl_float4'\np.r.w=t; p.r.x=rx; p.r.y=ry; p.r.z=rz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:343:36: error: no member named 'z' in 'cl_float4'\np.r.w=t; p.r.x=rx; p.r.y=ry; p.r.z=rz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:379:17: error: no member named 'x' in 'cl_float4'\np.q=flne; p.n.x=nx; p.n.y=ny; p.n.z=nz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:379:27: error: no member named 'y' in 'cl_float4'\np.q=flne; p.n.x=nx; p.n.y=ny; p.n.z=nz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:379:37: error: no member named 'z' in 'cl_float4'\np.q=flne; p.n.x=nx; p.n.y=ny; p.n.z=nz;\n ~~~ ^\n10 errors generated.\n}}}\n\nThis post may be related:\nhttp://stackoverflow.com/questions/10979487/opencl-cl-datatypes-arithmetic\n\nNote that clang defaults to c++14, which probably disables the macro `__GNUC__`.", "reporter": "david.schultz", "cc": "olivas", "resolution": "fixed", "time": "2016-07-29T20:44:11", "component": "combo simulation", "summary": "[ppc] clang 3.8 errors", "priority": "major", "keywords": "", "milestone": "", "owner": "dima", "type": "defect" } ``` </p> </details>
1.0
[ppc] clang 3.8 errors (Trac #1809) - <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/1809">https://code.icecube.wisc.edu/projects/icecube/ticket/1809</a>, reported by david.schultzand owned by dima</em></summary> <p> ```json { "status": "closed", "changetime": "2019-02-13T14:12:38", "_ts": "1550067158057333", "description": "These errors were found compiling with clang 3.8:\n\n{{{\nIn file included from /scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/ppc.cxx:696:\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:22:7: error: no member named 'w' in 'cl_float4'\np.n.w=type>0?-int(type):-128;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:75:7: error: no member named 'w' in 'cl_float4'\np.n.w=0, p.f=0;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:171:7: error: no member named 'w' in 'cl_float4'\np.n.w=dr;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:343:7: error: no member named 'w' in 'cl_float4'\np.r.w=t; p.r.x=rx; p.r.y=ry; p.r.z=rz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:343:16: error: no member named 'x' in 'cl_float4'\np.r.w=t; p.r.x=rx; p.r.y=ry; p.r.z=rz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:343:26: error: no member named 'y' in 'cl_float4'\np.r.w=t; p.r.x=rx; p.r.y=ry; p.r.z=rz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:343:36: error: no member named 'z' in 'cl_float4'\np.r.w=t; p.r.x=rx; p.r.y=ry; p.r.z=rz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:379:17: error: no member named 'x' in 'cl_float4'\np.q=flne; p.n.x=nx; p.n.y=ny; p.n.z=nz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:379:27: error: no member named 'y' in 'cl_float4'\np.q=flne; p.n.x=nx; p.n.y=ny; p.n.z=nz;\n ~~~ ^\n/scratch/dschultz/icetray_profiling/tmptua13z/src/ppc/private/ppc/ocl/f2k.cxx:379:37: error: no member named 'z' in 'cl_float4'\np.q=flne; p.n.x=nx; p.n.y=ny; p.n.z=nz;\n ~~~ ^\n10 errors generated.\n}}}\n\nThis post may be related:\nhttp://stackoverflow.com/questions/10979487/opencl-cl-datatypes-arithmetic\n\nNote that clang defaults to c++14, which probably disables the macro `__GNUC__`.", "reporter": "david.schultz", "cc": "olivas", "resolution": "fixed", "time": "2016-07-29T20:44:11", "component": "combo simulation", "summary": "[ppc] clang 3.8 errors", "priority": "major", "keywords": "", "milestone": "", "owner": "dima", "type": "defect" } ``` </p> </details>
defect
clang errors trac migrated from json status closed changetime ts description these errors were found compiling with clang n n nin file included from scratch dschultz icetray profiling src ppc private ppc ocl ppc cxx n scratch dschultz icetray profiling src ppc private ppc ocl cxx error no member named w in cl np n w type int type n n scratch dschultz icetray profiling src ppc private ppc ocl cxx error no member named w in cl np n w p f n n scratch dschultz icetray profiling src ppc private ppc ocl cxx error no member named w in cl np n w dr n n scratch dschultz icetray profiling src ppc private ppc ocl cxx error no member named w in cl np r w t p r x rx p r y ry p r z rz n n scratch dschultz icetray profiling src ppc private ppc ocl cxx error no member named x in cl np r w t p r x rx p r y ry p r z rz n n scratch dschultz icetray profiling src ppc private ppc ocl cxx error no member named y in cl np r w t p r x rx p r y ry p r z rz n n scratch dschultz icetray profiling src ppc private ppc ocl cxx error no member named z in cl np r w t p r x rx p r y ry p r z rz n n scratch dschultz icetray profiling src ppc private ppc ocl cxx error no member named x in cl np q flne p n x nx p n y ny p n z nz n n scratch dschultz icetray profiling src ppc private ppc ocl cxx error no member named y in cl np q flne p n x nx p n y ny p n z nz n n scratch dschultz icetray profiling src ppc private ppc ocl cxx error no member named z in cl np q flne p n x nx p n y ny p n z nz n errors generated n n nthis post may be related n that clang defaults to c which probably disables the macro gnuc reporter david schultz cc olivas resolution fixed time component combo simulation summary clang errors priority major keywords milestone owner dima type defect
1
334,189
24,407,889,997
IssuesEvent
2022-10-05 09:37:00
dvstechlabs/Noteslify
https://api.github.com/repos/dvstechlabs/Noteslify
closed
Replace Landing Page Lorem Ipsum Content
documentation enhancement v2.0-roadmap hacktoberfest hacktoberfest-accepted hacktoberfest2022 handled-by-staff
Replacing of Lorem Ipsum text on Landing Page ( This issue has been assigned )
1.0
Replace Landing Page Lorem Ipsum Content - Replacing of Lorem Ipsum text on Landing Page ( This issue has been assigned )
non_defect
replace landing page lorem ipsum content replacing of lorem ipsum text on landing page this issue has been assigned
0
116,753
14,998,282,131
IssuesEvent
2021-01-29 18:10:43
vmware/clarity
https://api.github.com/repos/vmware/clarity
closed
Notifications/Activities Dropdown Panel Feature Request
Dev needs: ux input type: design type: new component
<!-- PLEASE FILL OUT THE FOLLOWING. WE MAY CLOSE INCOMPLETE ISSUES. --> **Select one ...** (check one with "x") ``` [ ] bug [x] feature request [ ] enhancement ``` ### Expected behavior This is usually used in headers where there's a notifications icon that when clicked, it shows some recent information collected by the web app. This is very useful in displaying recent notifications such as when a download is completed or when an activity arrives and needs an attention from the user. Also useful when you have an internal mailing system, a helpdesk, or a project tasks tracking system. Actual use case: I'm gonna use this for my payroll system where immediate superiors can quickly see recent filings of leaves, change shifts, etc. in the header of the web app without navigating to another page. [Samples](https://medium.com/ux-power-tools/design-an-adaptive-notification-dropdown-in-sketch-7cf406d70fe8): ![image](https://user-images.githubusercontent.com/1977391/41266563-0c36ae00-6e2a-11e8-8172-f99af234778a.png) <!-- Describe the expected behavior. --> ### Actual behavior I know that this will need a lot work and I'm not sure if you consider including this type of component in Clarity UI but if you can provide just a blank panel that behaves like a notification dropwdown and can be placed in the header, then that would be a great help for me. Thanks :) <!-- Describe the actual behavior and provide a minimal app that demonstrates the issue. Fork one of the Clarity Plunker Templates and recreate the issue. Then submit your link with the issue. --> ### Reproduction of behavior I created my own implementation of this component in StackBlitz, [https://clarity-light-theme-v11-brv6wm.stackblitz.io/](https://clarity-light-theme-v11-brv6wm.stackblitz.io/) but I'm neither a front-end developer nor a UX designer so it's not that good :) I have no idea how all the things work such as positioning of the pop up or when to trigger the popup, etc. It would be much appreciated if Clarity have this kind of component. ![image](https://user-images.githubusercontent.com/1977391/41299219-95f06328-6e95-11e8-9a0c-de9b8a7ed9e8.png) <!-- Include a working plunker link reproducing the behavior. --> <!-- Clarity Plunker Templates --> * Include a link to the reproduction scenario you created by forking one of the Clarity Plunker Templates: <!-- Clarity Version: [Light Theme v11](https://stackblitz.com/edit/clarity-light-theme-v11) --> <!-- Clarity Version: [Dark Theme v11](https://stackblitz.com/edit/clarity-dark-theme-v11) --> <!-- Clarity Version: [Light Theme v10](https://stackblitz.com/edit/clarity-light-theme-v10) --> <!-- Clarity Version: [Dark Theme v10](https://stackblitz.com/edit/clarity-dark-theme-v10) --> ### Environment details * **Angular version:** 4.x.x * **Clarity version:** * **OS and version:** * **Browser:** [all | Chrome XX | Firefox XX | IE XX | Safari XX | Mobile Chrome XX | Android X.X Web Browser | iOS XX Safari | iOS XX UIWebView | iOS XX WKWebView ]
1.0
Notifications/Activities Dropdown Panel Feature Request - <!-- PLEASE FILL OUT THE FOLLOWING. WE MAY CLOSE INCOMPLETE ISSUES. --> **Select one ...** (check one with "x") ``` [ ] bug [x] feature request [ ] enhancement ``` ### Expected behavior This is usually used in headers where there's a notifications icon that when clicked, it shows some recent information collected by the web app. This is very useful in displaying recent notifications such as when a download is completed or when an activity arrives and needs an attention from the user. Also useful when you have an internal mailing system, a helpdesk, or a project tasks tracking system. Actual use case: I'm gonna use this for my payroll system where immediate superiors can quickly see recent filings of leaves, change shifts, etc. in the header of the web app without navigating to another page. [Samples](https://medium.com/ux-power-tools/design-an-adaptive-notification-dropdown-in-sketch-7cf406d70fe8): ![image](https://user-images.githubusercontent.com/1977391/41266563-0c36ae00-6e2a-11e8-8172-f99af234778a.png) <!-- Describe the expected behavior. --> ### Actual behavior I know that this will need a lot work and I'm not sure if you consider including this type of component in Clarity UI but if you can provide just a blank panel that behaves like a notification dropwdown and can be placed in the header, then that would be a great help for me. Thanks :) <!-- Describe the actual behavior and provide a minimal app that demonstrates the issue. Fork one of the Clarity Plunker Templates and recreate the issue. Then submit your link with the issue. --> ### Reproduction of behavior I created my own implementation of this component in StackBlitz, [https://clarity-light-theme-v11-brv6wm.stackblitz.io/](https://clarity-light-theme-v11-brv6wm.stackblitz.io/) but I'm neither a front-end developer nor a UX designer so it's not that good :) I have no idea how all the things work such as positioning of the pop up or when to trigger the popup, etc. It would be much appreciated if Clarity have this kind of component. ![image](https://user-images.githubusercontent.com/1977391/41299219-95f06328-6e95-11e8-9a0c-de9b8a7ed9e8.png) <!-- Include a working plunker link reproducing the behavior. --> <!-- Clarity Plunker Templates --> * Include a link to the reproduction scenario you created by forking one of the Clarity Plunker Templates: <!-- Clarity Version: [Light Theme v11](https://stackblitz.com/edit/clarity-light-theme-v11) --> <!-- Clarity Version: [Dark Theme v11](https://stackblitz.com/edit/clarity-dark-theme-v11) --> <!-- Clarity Version: [Light Theme v10](https://stackblitz.com/edit/clarity-light-theme-v10) --> <!-- Clarity Version: [Dark Theme v10](https://stackblitz.com/edit/clarity-dark-theme-v10) --> ### Environment details * **Angular version:** 4.x.x * **Clarity version:** * **OS and version:** * **Browser:** [all | Chrome XX | Firefox XX | IE XX | Safari XX | Mobile Chrome XX | Android X.X Web Browser | iOS XX Safari | iOS XX UIWebView | iOS XX WKWebView ]
non_defect
notifications activities dropdown panel feature request please fill out the following we may close incomplete issues select one check one with x bug feature request enhancement expected behavior this is usually used in headers where there s a notifications icon that when clicked it shows some recent information collected by the web app this is very useful in displaying recent notifications such as when a download is completed or when an activity arrives and needs an attention from the user also useful when you have an internal mailing system a helpdesk or a project tasks tracking system actual use case i m gonna use this for my payroll system where immediate superiors can quickly see recent filings of leaves change shifts etc in the header of the web app without navigating to another page actual behavior i know that this will need a lot work and i m not sure if you consider including this type of component in clarity ui but if you can provide just a blank panel that behaves like a notification dropwdown and can be placed in the header then that would be a great help for me thanks reproduction of behavior i created my own implementation of this component in stackblitz but i m neither a front end developer nor a ux designer so it s not that good i have no idea how all the things work such as positioning of the pop up or when to trigger the popup etc it would be much appreciated if clarity have this kind of component include a link to the reproduction scenario you created by forking one of the clarity plunker templates environment details angular version x x clarity version os and version browser
0
73,916
19,900,572,928
IssuesEvent
2022-01-25 07:20:49
tsunamayo/Starship-EVO
https://api.github.com/repos/tsunamayo/Starship-EVO
opened
[New build - DEFAULT] 22w04a: Hotfixes, Multiplayer fixes
Build Release Note
Hotfixes build. Multiplayer connection and ship movement was fixed, please report any issue may find! Community Suggestion: #4499 Window tile tetra hull equivalent #4502 Codex Entity Save Locally button renamed to Save Blueprint #4503 Tile allow pipe clipping. Hotfixes: #4362 #4376 #3591 #3484 Multiplayer connections issues. #3677 #3661 Ship movement are not synced in multiplayer. #4499 Window tile tetra incorrect overlap check. #4490 Event gate does not trigger message while activated from a seat. #4493 Symmetry plane incorrect placement on large Children Entity. #4081 Scaling issues on wedge. #4501 Gizmo arrow are not showing on some systems. #4498 NPCs wont engage non-piloted entity even when they fire. #4478 #3739 #3624 Entity can be launched after exiting Photo Mode.
1.0
[New build - DEFAULT] 22w04a: Hotfixes, Multiplayer fixes - Hotfixes build. Multiplayer connection and ship movement was fixed, please report any issue may find! Community Suggestion: #4499 Window tile tetra hull equivalent #4502 Codex Entity Save Locally button renamed to Save Blueprint #4503 Tile allow pipe clipping. Hotfixes: #4362 #4376 #3591 #3484 Multiplayer connections issues. #3677 #3661 Ship movement are not synced in multiplayer. #4499 Window tile tetra incorrect overlap check. #4490 Event gate does not trigger message while activated from a seat. #4493 Symmetry plane incorrect placement on large Children Entity. #4081 Scaling issues on wedge. #4501 Gizmo arrow are not showing on some systems. #4498 NPCs wont engage non-piloted entity even when they fire. #4478 #3739 #3624 Entity can be launched after exiting Photo Mode.
non_defect
hotfixes multiplayer fixes hotfixes build multiplayer connection and ship movement was fixed please report any issue may find community suggestion window tile tetra hull equivalent codex entity save locally button renamed to save blueprint tile allow pipe clipping hotfixes multiplayer connections issues ship movement are not synced in multiplayer window tile tetra incorrect overlap check event gate does not trigger message while activated from a seat symmetry plane incorrect placement on large children entity scaling issues on wedge gizmo arrow are not showing on some systems npcs wont engage non piloted entity even when they fire entity can be launched after exiting photo mode
0
31,912
6,661,512,427
IssuesEvent
2017-10-02 08:57:09
primefaces/primeng
https://api.github.com/repos/primefaces/primeng
closed
Empty footer in dialog that has a table with footer
defect
Hi, I'm submitting a: ``` [ X ] bug report [ ] feature request [ ] support request ``` **Current behavior** An empty footer is generated for a dialog that contains a table that has a footer facet. **Expected behavior** If dialog does not have own footer facet, it should not show an empty footer when contains tables or other components does has a footer facet. **Minimal reproduction of the problem with instructions** I created a plunker where the issue is reproduced: https://plnkr.co/edit/sx4P5X?p=preview ![bug](https://user-images.githubusercontent.com/15801673/28831756-24d2d042-76a0-11e7-928f-8eebd2c5d3ed.PNG) * **Angular version:** 4.1.0 * **PrimeNG version:** 4.1.0-rc.2 thanks and sorry for my english.
1.0
Empty footer in dialog that has a table with footer - Hi, I'm submitting a: ``` [ X ] bug report [ ] feature request [ ] support request ``` **Current behavior** An empty footer is generated for a dialog that contains a table that has a footer facet. **Expected behavior** If dialog does not have own footer facet, it should not show an empty footer when contains tables or other components does has a footer facet. **Minimal reproduction of the problem with instructions** I created a plunker where the issue is reproduced: https://plnkr.co/edit/sx4P5X?p=preview ![bug](https://user-images.githubusercontent.com/15801673/28831756-24d2d042-76a0-11e7-928f-8eebd2c5d3ed.PNG) * **Angular version:** 4.1.0 * **PrimeNG version:** 4.1.0-rc.2 thanks and sorry for my english.
defect
empty footer in dialog that has a table with footer hi i m submitting a bug report feature request support request current behavior an empty footer is generated for a dialog that contains a table that has a footer facet expected behavior if dialog does not have own footer facet it should not show an empty footer when contains tables or other components does has a footer facet minimal reproduction of the problem with instructions i created a plunker where the issue is reproduced angular version primeng version rc thanks and sorry for my english
1
144,872
22,580,979,298
IssuesEvent
2022-06-28 11:37:00
postmanlabs/postman-app-support
https://api.github.com/repos/postmanlabs/postman-app-support
closed
API Builder automatic validation not working
product/api-design
<!-- Please read through the [guidelines](https://github.com/postmanlabs/postman-app-support#guidelines-for-reporting-issues) before creating a new issue. --> **Describe the bug** Validation gives the issue of - Unable to validate when creating a new version of the API and copying the mock server and the documentation from the previous version **To Reproduce** Steps to reproduce the behavior: 1. Create a new API using API builder 2. Generate a Mock server and Documentation for that API 3. Generate a new version of the api (1.1) 4. Go to the Develop tab in API builder , this contains the previous mock server and documentation but on clicking validate it gives the error - Unable to Validate **Expected behavior** 1. Expect to validate as per the new API version **Screenshots** ![Screenshot 2020-11-04 at 5 39 31 PM](https://user-images.githubusercontent.com/9958874/98118486-b724d600-1ec4-11eb-8f58-0da20c266dab.png) **App information (please complete the following information):** - Native app - MacOS - Big Sur (Version 11.0) **Additional context** Add any other context about the problem here.
1.0
API Builder automatic validation not working - <!-- Please read through the [guidelines](https://github.com/postmanlabs/postman-app-support#guidelines-for-reporting-issues) before creating a new issue. --> **Describe the bug** Validation gives the issue of - Unable to validate when creating a new version of the API and copying the mock server and the documentation from the previous version **To Reproduce** Steps to reproduce the behavior: 1. Create a new API using API builder 2. Generate a Mock server and Documentation for that API 3. Generate a new version of the api (1.1) 4. Go to the Develop tab in API builder , this contains the previous mock server and documentation but on clicking validate it gives the error - Unable to Validate **Expected behavior** 1. Expect to validate as per the new API version **Screenshots** ![Screenshot 2020-11-04 at 5 39 31 PM](https://user-images.githubusercontent.com/9958874/98118486-b724d600-1ec4-11eb-8f58-0da20c266dab.png) **App information (please complete the following information):** - Native app - MacOS - Big Sur (Version 11.0) **Additional context** Add any other context about the problem here.
non_defect
api builder automatic validation not working please read through the before creating a new issue describe the bug validation gives the issue of unable to validate when creating a new version of the api and copying the mock server and the documentation from the previous version to reproduce steps to reproduce the behavior create a new api using api builder generate a mock server and documentation for that api generate a new version of the api go to the develop tab in api builder this contains the previous mock server and documentation but on clicking validate it gives the error unable to validate expected behavior expect to validate as per the new api version screenshots app information please complete the following information native app macos big sur version additional context add any other context about the problem here
0
202,724
7,051,580,571
IssuesEvent
2018-01-03 12:28:34
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
closed
[transaction] Transaction Propagation
Priority: Low Source: Internal Team: Core Type: Enhancement
Support for transaction propagation level like: requires, requires new, etc etc. Currently there is no support for transaction propagation which makes nesting of transactions problematic.
1.0
[transaction] Transaction Propagation - Support for transaction propagation level like: requires, requires new, etc etc. Currently there is no support for transaction propagation which makes nesting of transactions problematic.
non_defect
transaction propagation support for transaction propagation level like requires requires new etc etc currently there is no support for transaction propagation which makes nesting of transactions problematic
0
371,495
25,954,141,826
IssuesEvent
2022-12-18 01:20:28
smclaughlan/GWJ52
https://api.github.com/repos/smclaughlan/GWJ52
closed
FEATURE: Make creeps explode when tower is placed on top of them
documentation enhancement question wontfix Can we close?
I think creeps might be blocking placement of towers (not 100% sure on this). If that's the case, it won't feel good for the player to keep hearing NO, you can't build there. So creeps should not block tower placement. Make them instagib or knock back if player puts a tower on top of them.
1.0
FEATURE: Make creeps explode when tower is placed on top of them - I think creeps might be blocking placement of towers (not 100% sure on this). If that's the case, it won't feel good for the player to keep hearing NO, you can't build there. So creeps should not block tower placement. Make them instagib or knock back if player puts a tower on top of them.
non_defect
feature make creeps explode when tower is placed on top of them i think creeps might be blocking placement of towers not sure on this if that s the case it won t feel good for the player to keep hearing no you can t build there so creeps should not block tower placement make them instagib or knock back if player puts a tower on top of them
0
30,951
6,370,617,771
IssuesEvent
2017-08-01 14:31:47
BALL-Project/ball
https://api.github.com/repos/BALL-Project/ball
closed
Errors in MMFF94 implementation
C: BALL Core P: major T: defect
**Reported by dstoeckel on 13 Oct 39102033 07:06 UTC** The MMFF94 testsuite does not pass without error. There are various failures for StretchBend, OutOfPlane and Nonbonded ES. This behaviour is already present for Version 1.2.
1.0
Errors in MMFF94 implementation - **Reported by dstoeckel on 13 Oct 39102033 07:06 UTC** The MMFF94 testsuite does not pass without error. There are various failures for StretchBend, OutOfPlane and Nonbonded ES. This behaviour is already present for Version 1.2.
defect
errors in implementation reported by dstoeckel on oct utc the testsuite does not pass without error there are various failures for stretchbend outofplane and nonbonded es this behaviour is already present for version
1
59,050
17,015,256,393
IssuesEvent
2021-07-02 11:03:53
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
opened
Wiki pages which redirect should be ignored by taginfo
Component: taginfo Priority: minor Type: defect
**[Submitted to the original trac issue database at 10.00am, Thursday, 25th November 2010]** If you look at a page like this: http://taginfo.openstreetmap.de/keys/highway#wiki then you will see some apparent duplications (pt-br and sq for example) because there are pages in the wiki with different capitalisation that redirect. I think the redirect pages should be ignored - you can recognise them from the content which is just "#REDIRECT [[page]]".
1.0
Wiki pages which redirect should be ignored by taginfo - **[Submitted to the original trac issue database at 10.00am, Thursday, 25th November 2010]** If you look at a page like this: http://taginfo.openstreetmap.de/keys/highway#wiki then you will see some apparent duplications (pt-br and sq for example) because there are pages in the wiki with different capitalisation that redirect. I think the redirect pages should be ignored - you can recognise them from the content which is just "#REDIRECT [[page]]".
defect
wiki pages which redirect should be ignored by taginfo if you look at a page like this then you will see some apparent duplications pt br and sq for example because there are pages in the wiki with different capitalisation that redirect i think the redirect pages should be ignored you can recognise them from the content which is just redirect
1
66,614
20,377,462,626
IssuesEvent
2022-02-21 17:03:02
combatopera/aridity
https://api.github.com/repos/combatopera/aridity
opened
self-resolving function args should be passed in as unresolved wrapper
defect
so that functions don't work by accident
1.0
self-resolving function args should be passed in as unresolved wrapper - so that functions don't work by accident
defect
self resolving function args should be passed in as unresolved wrapper so that functions don t work by accident
1
25,258
4,263,732,550
IssuesEvent
2016-07-12 02:24:06
cakephp/cakephp
https://api.github.com/repos/cakephp/cakephp
closed
TreeBehavior allows nodes to be their own parent
behaviors Defect ORM
This is a (multiple allowed): * [x] bug * [ ] enhancement * [ ] feature-discussion (RFC) * CakePHP Version: 3.2.11 * Platform and Target: PHP 7.0.6 ### What you did Step 1. Created a simple entity Step 2. Updated the entity (changed the parent_id to itself) ### Expected Behavior Thrown exception - Cannot set a node's parent as itself ### Actual Behavior No exception gets thrown. The node's parent_id just changes to itself. My guess is that the problem is located in the code provided below. ```php // TreeBehavior.php line 106 if ($isNew && $parent) { // Why we are comparing the entity PK with the parent_id if the entity is new? // New entity doesn't have a PK, therefore, // maybe we should add an additional expression for existing entities? if ($entity->get($primaryKey[0]) == $parent) { throw new RuntimeException("Cannot set a node's parent as itself"); } ```
1.0
TreeBehavior allows nodes to be their own parent - This is a (multiple allowed): * [x] bug * [ ] enhancement * [ ] feature-discussion (RFC) * CakePHP Version: 3.2.11 * Platform and Target: PHP 7.0.6 ### What you did Step 1. Created a simple entity Step 2. Updated the entity (changed the parent_id to itself) ### Expected Behavior Thrown exception - Cannot set a node's parent as itself ### Actual Behavior No exception gets thrown. The node's parent_id just changes to itself. My guess is that the problem is located in the code provided below. ```php // TreeBehavior.php line 106 if ($isNew && $parent) { // Why we are comparing the entity PK with the parent_id if the entity is new? // New entity doesn't have a PK, therefore, // maybe we should add an additional expression for existing entities? if ($entity->get($primaryKey[0]) == $parent) { throw new RuntimeException("Cannot set a node's parent as itself"); } ```
defect
treebehavior allows nodes to be their own parent this is a multiple allowed bug enhancement feature discussion rfc cakephp version platform and target php what you did step created a simple entity step updated the entity changed the parent id to itself expected behavior thrown exception cannot set a node s parent as itself actual behavior no exception gets thrown the node s parent id just changes to itself my guess is that the problem is located in the code provided below php treebehavior php line if isnew parent why we are comparing the entity pk with the parent id if the entity is new new entity doesn t have a pk therefore maybe we should add an additional expression for existing entities if entity get primarykey parent throw new runtimeexception cannot set a node s parent as itself
1
76,253
26,333,135,146
IssuesEvent
2023-01-10 12:24:27
scipy/scipy
https://api.github.com/repos/scipy/scipy
closed
One bug, one mistake and one refactorization proposal for the Secant method implemented in scipy.optimize.zeros.py
defect scipy.optimize
<!-- Thank you for taking the time to file a bug report. Please fill in the fields below, deleting the sections that don't apply to your issue. You can view the final output by clicking the preview button above. Note: This is a comment, and won't appear in the output. --> My issue is about the implementation of the Secant method in scipy.optimize.zeros.py (within the newton() function). I am new to GitHub and versioning/pull requests etcetera, so please accept my apologies if I bring this in the wrong way. I am in the process of writing a tutorial on using several scipy submodules (for a course I teach on Scientific Programming) and noticed that `scipy.optimize.root_scalar()` produced different results than the Secant method that I had implemented myself to illustrate the steps. Even worse: `.root_scalar()` reported that the method converged even for the example in which it clearly diverges to -infinity. Hence I took a look at the source code (downloaded from https://github.com/scipy/scipy/blob/master/scipy/optimize/zeros.py on Tuesday, July 27, 2021). 1. I found the bug erroneously setting `sol.flag` to `'converged'`: this seems to be a basic typo/copy-past error: `_ECONVERGED` should be replaced by `_ECONVERR` on line 344. 2. I also saw that the code includes some tests on `abs(q0)` versus `abs(q1)`. On lines 346-349, these tests seem to be completely redundant as the formulas used in either case are completely equivalent and should yield the same results (up to truncation errors). 3. On lines 330-331 (which are the cause of the difference between my results and those from `.root_scalar()`), I do see what the programmer was trying to do, but he/she seems to have made a mistake: I'm pretty sure the condition should be `if abs(q1) > abs(q0):` instead of `if abs(q1) < abs(q0):` to make `(p1,q1)` be the "better" (in the sense that `q1` is closer to zero) pair of the two initial guesses. However, if this correction/reordering would really be appropriate (*which I don't think it necessarily is in general; In fact, I can come up with a scenario in which it would be worse*), it would make more sense to implement that correction within the iteration loop (choosing the one(s) from `q0`, `q1` and possibly the newest `f(p)` that are closest to zero). I may be wrong, but I guess that's what the programmer had in mind with lines 346-349, but as I wrote above, those lines seem senseless anyway (*unless it is really just about truncation errors; I'm not really an expert on that, but as far as I can tell, the extra test is not worth it*). #### Reproducing code example: <!-- If you place your code between the triple backticks below, it will be rendered as a code block. --> A minimal example illustrating the most fundamental bug is the following: ``` def lhs(x): return x * np.exp(-x*x) - 0.07 optim.root_scalar(lhs, method='secant', x0 = -0.15, x1 = 1.0 ) ``` #### Error message: <!-- If any, paste the *full* error message inside a code block as above (starting from line Traceback) --> Actually, the issue is not so much that I get an error message, but rather that I don't. For the initial conditions as specified, the Secant method is supposed to diverge to -infinity. Indeed, the `sol.root` that is reported at `-288782083.8727057` is in line with this divergence. However, `sol.flag` is erroneously set to `'converged'` and `sol.converged` to `True`. ``` C:\ProgramData\Anaconda3\lib\site-packages\scipy\optimize\zeros.py:343: RuntimeWarning: Tolerance of -577564088.0186934 reached. warnings.warn(msg, RuntimeWarning) Out[33]: converged: True flag: 'converged' function_calls: 10 iterations: 9 root: -288782083.8727057 ``` #### Scipy/Numpy/Python version information: <!-- You can simply run the following and paste the result in a code block ``` import sys, scipy, numpy; print(scipy.__version__, numpy.__version__, sys.version_info) ``` --> ``` 1.4.1 1.18.1 sys.version_info(major=3, minor=7, micro=6, releaselevel='final', serial=0) ``` #### Proposed solution: My proposal is: 1. correct the bug on line 344, replacing `_ECONVERGED` by `_ECONVERR` 2. remove all tests relating to `abs(q0)` versus `abs(q1)` as they just take up time and don't necessarily improve performance, replacing the formula for the next iterate by one that applies in either case. I have already made these changes and include the relevant section below, so someone could copy-paste it right into the source code, replacing lines 317-356 (*I could also provide a ZIP-file with the code already inserted into zeros.py, and some of my tests, if that would be more convenient*): ``` # Secant method # validate input argument x1 if x1 is not None: if x1 == x0: raise ValueError("x1 and x0 must be different") p1 = x1 else: # or use default shift eps = 1e-4 p1 = x0 * (1 + eps) p1 += (eps if p1 >= 0 else -eps) # evaluate function values q0,q1 at p0,p1 q0 = func(p0, *args) funcalls += 1 q1 = func(p1, *args) funcalls += 1 for itr in range(maxiter): if q1 == q0: # Exceptional case: failure to converge due to equal func vals # (also catches divergence to infinity or NaN) if p1 != p0: msg = "Tolerance of %s reached." % (p1 - p0) if disp: msg += ( " Failed to converge after %d iterations, value is %s." % (itr + 1, p1)) raise RuntimeError(msg) warnings.warn(msg, RuntimeWarning) p = (p1 + p0) / 2.0 return _results_select( full_output, (p, funcalls, itr + 1, _ECONVERR)) else: # Normal case: next iteration step p = p1 + q1 * (p1 - p0) / (q0 - q1) # converged to solution within tolerance: if np.isclose(p, p1, rtol=rtol, atol=tol): return _results_select( full_output, (p, funcalls, itr + 1, _ECONVERGED)) # prepare for next iteration step, renaming new iterates as current p0, q0 = p1, q1 p1 = p q1 = func(p1, *args) funcalls += 1 ``` P.S. Thinking about it further: I can imagine one reason why the "redundant" check in lines 346-349 might be on purpose after all: because of the effect of truncation errors when dividing by the small number `q0 - q1` (I am a mathematician, not a computer scientist, so truncation errors are not really my field of expertise). However, with the (few) tests) that I did, I did not see any significant differences as a result of changing this line. In the `_array_newton()` function `p = p1 + q1 * (p1 - p0) / (q0 - q1)` is used as well. In any case, the first point, replacing `_ECONVERGED` by `_ECONVERR` on line 344, still stands. And the reordering of the initial guesses on line 330-331, doesn't necessarily improve things in general at all, by one iteration only at best, so that had better be left to the caller of the method anyway, IMHO.
1.0
One bug, one mistake and one refactorization proposal for the Secant method implemented in scipy.optimize.zeros.py - <!-- Thank you for taking the time to file a bug report. Please fill in the fields below, deleting the sections that don't apply to your issue. You can view the final output by clicking the preview button above. Note: This is a comment, and won't appear in the output. --> My issue is about the implementation of the Secant method in scipy.optimize.zeros.py (within the newton() function). I am new to GitHub and versioning/pull requests etcetera, so please accept my apologies if I bring this in the wrong way. I am in the process of writing a tutorial on using several scipy submodules (for a course I teach on Scientific Programming) and noticed that `scipy.optimize.root_scalar()` produced different results than the Secant method that I had implemented myself to illustrate the steps. Even worse: `.root_scalar()` reported that the method converged even for the example in which it clearly diverges to -infinity. Hence I took a look at the source code (downloaded from https://github.com/scipy/scipy/blob/master/scipy/optimize/zeros.py on Tuesday, July 27, 2021). 1. I found the bug erroneously setting `sol.flag` to `'converged'`: this seems to be a basic typo/copy-past error: `_ECONVERGED` should be replaced by `_ECONVERR` on line 344. 2. I also saw that the code includes some tests on `abs(q0)` versus `abs(q1)`. On lines 346-349, these tests seem to be completely redundant as the formulas used in either case are completely equivalent and should yield the same results (up to truncation errors). 3. On lines 330-331 (which are the cause of the difference between my results and those from `.root_scalar()`), I do see what the programmer was trying to do, but he/she seems to have made a mistake: I'm pretty sure the condition should be `if abs(q1) > abs(q0):` instead of `if abs(q1) < abs(q0):` to make `(p1,q1)` be the "better" (in the sense that `q1` is closer to zero) pair of the two initial guesses. However, if this correction/reordering would really be appropriate (*which I don't think it necessarily is in general; In fact, I can come up with a scenario in which it would be worse*), it would make more sense to implement that correction within the iteration loop (choosing the one(s) from `q0`, `q1` and possibly the newest `f(p)` that are closest to zero). I may be wrong, but I guess that's what the programmer had in mind with lines 346-349, but as I wrote above, those lines seem senseless anyway (*unless it is really just about truncation errors; I'm not really an expert on that, but as far as I can tell, the extra test is not worth it*). #### Reproducing code example: <!-- If you place your code between the triple backticks below, it will be rendered as a code block. --> A minimal example illustrating the most fundamental bug is the following: ``` def lhs(x): return x * np.exp(-x*x) - 0.07 optim.root_scalar(lhs, method='secant', x0 = -0.15, x1 = 1.0 ) ``` #### Error message: <!-- If any, paste the *full* error message inside a code block as above (starting from line Traceback) --> Actually, the issue is not so much that I get an error message, but rather that I don't. For the initial conditions as specified, the Secant method is supposed to diverge to -infinity. Indeed, the `sol.root` that is reported at `-288782083.8727057` is in line with this divergence. However, `sol.flag` is erroneously set to `'converged'` and `sol.converged` to `True`. ``` C:\ProgramData\Anaconda3\lib\site-packages\scipy\optimize\zeros.py:343: RuntimeWarning: Tolerance of -577564088.0186934 reached. warnings.warn(msg, RuntimeWarning) Out[33]: converged: True flag: 'converged' function_calls: 10 iterations: 9 root: -288782083.8727057 ``` #### Scipy/Numpy/Python version information: <!-- You can simply run the following and paste the result in a code block ``` import sys, scipy, numpy; print(scipy.__version__, numpy.__version__, sys.version_info) ``` --> ``` 1.4.1 1.18.1 sys.version_info(major=3, minor=7, micro=6, releaselevel='final', serial=0) ``` #### Proposed solution: My proposal is: 1. correct the bug on line 344, replacing `_ECONVERGED` by `_ECONVERR` 2. remove all tests relating to `abs(q0)` versus `abs(q1)` as they just take up time and don't necessarily improve performance, replacing the formula for the next iterate by one that applies in either case. I have already made these changes and include the relevant section below, so someone could copy-paste it right into the source code, replacing lines 317-356 (*I could also provide a ZIP-file with the code already inserted into zeros.py, and some of my tests, if that would be more convenient*): ``` # Secant method # validate input argument x1 if x1 is not None: if x1 == x0: raise ValueError("x1 and x0 must be different") p1 = x1 else: # or use default shift eps = 1e-4 p1 = x0 * (1 + eps) p1 += (eps if p1 >= 0 else -eps) # evaluate function values q0,q1 at p0,p1 q0 = func(p0, *args) funcalls += 1 q1 = func(p1, *args) funcalls += 1 for itr in range(maxiter): if q1 == q0: # Exceptional case: failure to converge due to equal func vals # (also catches divergence to infinity or NaN) if p1 != p0: msg = "Tolerance of %s reached." % (p1 - p0) if disp: msg += ( " Failed to converge after %d iterations, value is %s." % (itr + 1, p1)) raise RuntimeError(msg) warnings.warn(msg, RuntimeWarning) p = (p1 + p0) / 2.0 return _results_select( full_output, (p, funcalls, itr + 1, _ECONVERR)) else: # Normal case: next iteration step p = p1 + q1 * (p1 - p0) / (q0 - q1) # converged to solution within tolerance: if np.isclose(p, p1, rtol=rtol, atol=tol): return _results_select( full_output, (p, funcalls, itr + 1, _ECONVERGED)) # prepare for next iteration step, renaming new iterates as current p0, q0 = p1, q1 p1 = p q1 = func(p1, *args) funcalls += 1 ``` P.S. Thinking about it further: I can imagine one reason why the "redundant" check in lines 346-349 might be on purpose after all: because of the effect of truncation errors when dividing by the small number `q0 - q1` (I am a mathematician, not a computer scientist, so truncation errors are not really my field of expertise). However, with the (few) tests) that I did, I did not see any significant differences as a result of changing this line. In the `_array_newton()` function `p = p1 + q1 * (p1 - p0) / (q0 - q1)` is used as well. In any case, the first point, replacing `_ECONVERGED` by `_ECONVERR` on line 344, still stands. And the reordering of the initial guesses on line 330-331, doesn't necessarily improve things in general at all, by one iteration only at best, so that had better be left to the caller of the method anyway, IMHO.
defect
one bug one mistake and one refactorization proposal for the secant method implemented in scipy optimize zeros py thank you for taking the time to file a bug report please fill in the fields below deleting the sections that don t apply to your issue you can view the final output by clicking the preview button above note this is a comment and won t appear in the output my issue is about the implementation of the secant method in scipy optimize zeros py within the newton function i am new to github and versioning pull requests etcetera so please accept my apologies if i bring this in the wrong way i am in the process of writing a tutorial on using several scipy submodules for a course i teach on scientific programming and noticed that scipy optimize root scalar produced different results than the secant method that i had implemented myself to illustrate the steps even worse root scalar reported that the method converged even for the example in which it clearly diverges to infinity hence i took a look at the source code downloaded from on tuesday july i found the bug erroneously setting sol flag to converged this seems to be a basic typo copy past error econverged should be replaced by econverr on line i also saw that the code includes some tests on abs versus abs on lines these tests seem to be completely redundant as the formulas used in either case are completely equivalent and should yield the same results up to truncation errors on lines which are the cause of the difference between my results and those from root scalar i do see what the programmer was trying to do but he she seems to have made a mistake i m pretty sure the condition should be if abs abs instead of if abs abs to make be the better in the sense that is closer to zero pair of the two initial guesses however if this correction reordering would really be appropriate which i don t think it necessarily is in general in fact i can come up with a scenario in which it would be worse it would make more sense to implement that correction within the iteration loop choosing the one s from and possibly the newest f p that are closest to zero i may be wrong but i guess that s what the programmer had in mind with lines but as i wrote above those lines seem senseless anyway unless it is really just about truncation errors i m not really an expert on that but as far as i can tell the extra test is not worth it reproducing code example if you place your code between the triple backticks below it will be rendered as a code block a minimal example illustrating the most fundamental bug is the following def lhs x return x np exp x x optim root scalar lhs method secant error message if any paste the full error message inside a code block as above starting from line traceback actually the issue is not so much that i get an error message but rather that i don t for the initial conditions as specified the secant method is supposed to diverge to infinity indeed the sol root that is reported at is in line with this divergence however sol flag is erroneously set to converged and sol converged to true c programdata lib site packages scipy optimize zeros py runtimewarning tolerance of reached warnings warn msg runtimewarning out converged true flag converged function calls iterations root scipy numpy python version information you can simply run the following and paste the result in a code block import sys scipy numpy print scipy version numpy version sys version info sys version info major minor micro releaselevel final serial proposed solution my proposal is correct the bug on line replacing econverged by econverr remove all tests relating to abs versus abs as they just take up time and don t necessarily improve performance replacing the formula for the next iterate by one that applies in either case i have already made these changes and include the relevant section below so someone could copy paste it right into the source code replacing lines i could also provide a zip file with the code already inserted into zeros py and some of my tests if that would be more convenient secant method validate input argument if is not none if raise valueerror and must be different else or use default shift eps eps eps if else eps evaluate function values at func args funcalls func args funcalls for itr in range maxiter if exceptional case failure to converge due to equal func vals also catches divergence to infinity or nan if msg tolerance of s reached if disp msg failed to converge after d iterations value is s itr raise runtimeerror msg warnings warn msg runtimewarning p return results select full output p funcalls itr econverr else normal case next iteration step p converged to solution within tolerance if np isclose p rtol rtol atol tol return results select full output p funcalls itr econverged prepare for next iteration step renaming new iterates as current p func args funcalls p s thinking about it further i can imagine one reason why the redundant check in lines might be on purpose after all because of the effect of truncation errors when dividing by the small number i am a mathematician not a computer scientist so truncation errors are not really my field of expertise however with the few tests that i did i did not see any significant differences as a result of changing this line in the array newton function p is used as well in any case the first point replacing econverged by econverr on line still stands and the reordering of the initial guesses on line doesn t necessarily improve things in general at all by one iteration only at best so that had better be left to the caller of the method anyway imho
1
146,774
23,119,832,936
IssuesEvent
2022-07-27 20:13:27
phetsims/geometric-optics
https://api.github.com/repos/phetsims/geometric-optics
closed
Add sims to phet-io-api-stable?
design:phet-io
While reading about `phetioDesigned` for https://github.com/phetsims/phet-io/issues/1862, I noticed this comment in PhetioObject.ts: > // (b) the simulation is listed in perennial/data/phet-io-api-stable Should geometric-optics and geometric-optics-basics be added to perennial/alias/phet-io-api-stable? Or does that happen _after_ publication, as suggested in https://github.com/phetsims/phet-io/blob/master/doc/phet-io-instrumentation-technical-guide.md#publication-process?
1.0
Add sims to phet-io-api-stable? - While reading about `phetioDesigned` for https://github.com/phetsims/phet-io/issues/1862, I noticed this comment in PhetioObject.ts: > // (b) the simulation is listed in perennial/data/phet-io-api-stable Should geometric-optics and geometric-optics-basics be added to perennial/alias/phet-io-api-stable? Or does that happen _after_ publication, as suggested in https://github.com/phetsims/phet-io/blob/master/doc/phet-io-instrumentation-technical-guide.md#publication-process?
non_defect
add sims to phet io api stable while reading about phetiodesigned for i noticed this comment in phetioobject ts b the simulation is listed in perennial data phet io api stable should geometric optics and geometric optics basics be added to perennial alias phet io api stable or does that happen after publication as suggested in
0
40,710
16,532,127,454
IssuesEvent
2021-05-27 07:32:34
microsoft/nni
https://api.github.com/repos/microsoft/nni
closed
Add output of subprocess in trial
Training Service nnidev
The output of subprocess is not found, neither in trial log, nor in trial stderr. To reproduce, in mnist-tfv2 example, change mnist.py into: ```python import nni import subprocess subprocess.run(['uname', '-r'], check=True) subprocess.run(['cat', 'config.yml'], check=True) ``` There is no output at all.
1.0
Add output of subprocess in trial - The output of subprocess is not found, neither in trial log, nor in trial stderr. To reproduce, in mnist-tfv2 example, change mnist.py into: ```python import nni import subprocess subprocess.run(['uname', '-r'], check=True) subprocess.run(['cat', 'config.yml'], check=True) ``` There is no output at all.
non_defect
add output of subprocess in trial the output of subprocess is not found neither in trial log nor in trial stderr to reproduce in mnist example change mnist py into python import nni import subprocess subprocess run check true subprocess run check true there is no output at all
0
55,121
14,228,921,303
IssuesEvent
2020-11-18 05:03:13
googlefonts/noto-fonts
https://api.github.com/repos/googlefonts/noto-fonts
closed
Noto Sans Ethiopic: wrong marker added for U+1310
Android Priority-Critical Script-Ethiopic Type-Defect wrong glyph(s)
In Noto Sans Ethiopic, the glyph of `U+1310` has an additional wrong marker on top. It is misleading/annoying to native users and needs to be removed, the rest of the glyphs are great. ![gue-issue](https://cloud.githubusercontent.com/assets/4906991/25966586/6a227fcc-36c6-11e7-8779-356678f2e5d5.png)
1.0
Noto Sans Ethiopic: wrong marker added for U+1310 - In Noto Sans Ethiopic, the glyph of `U+1310` has an additional wrong marker on top. It is misleading/annoying to native users and needs to be removed, the rest of the glyphs are great. ![gue-issue](https://cloud.githubusercontent.com/assets/4906991/25966586/6a227fcc-36c6-11e7-8779-356678f2e5d5.png)
defect
noto sans ethiopic wrong marker added for u in noto sans ethiopic the glyph of u has an additional wrong marker on top it is misleading annoying to native users and needs to be removed the rest of the glyphs are great
1
60,734
17,023,505,990
IssuesEvent
2021-07-03 02:22:31
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Search returns subset of matches
Component: nominatim Priority: minor Resolution: worksforme Type: defect
**[Submitted to the original trac issue database at 10.00am, Thursday, 12th November 2009]** Search for "East Harvard Avenue, Denver" and you will get these results: http://nominatim.openstreetmap.org/details.php?place_id=21514973 http://nominatim.openstreetmap.org/details.php?place_id=21514966 but you won't get these two: http://nominatim.openstreetmap.org/details.php?place_id=21502981 http://nominatim.openstreetmap.org/details.php?place_id=21514979 if you move your viewport around so that those objects are inside in then you will get them, though if you zoom out enough that all four are in view you go back to just getting the first two again.
1.0
Search returns subset of matches - **[Submitted to the original trac issue database at 10.00am, Thursday, 12th November 2009]** Search for "East Harvard Avenue, Denver" and you will get these results: http://nominatim.openstreetmap.org/details.php?place_id=21514973 http://nominatim.openstreetmap.org/details.php?place_id=21514966 but you won't get these two: http://nominatim.openstreetmap.org/details.php?place_id=21502981 http://nominatim.openstreetmap.org/details.php?place_id=21514979 if you move your viewport around so that those objects are inside in then you will get them, though if you zoom out enough that all four are in view you go back to just getting the first two again.
defect
search returns subset of matches search for east harvard avenue denver and you will get these results but you won t get these two if you move your viewport around so that those objects are inside in then you will get them though if you zoom out enough that all four are in view you go back to just getting the first two again
1
1,758
4,462,182,630
IssuesEvent
2016-08-24 09:00:04
opentrials/opentrials
https://api.github.com/repos/opentrials/opentrials
reopened
Improved deduplication system
3. In Development Processors
# Description Based on current experience of data deduplication I could suggest some implementation improvements and strategies to use. I'll write it as tasks for the reading convenience but it's of course for a discussion (cc @vitorbaptista @pwalsh @benmeg). Ideas highlights: - use only identifiers for automatic matching - improve querying duplicates implementation (facts system) - use curators for matching records based on pre-processed similarity # Tasks - [ ] instead of `trials.facts` use `records.identifiers` (or indexable analogue) to search for the same trial records. Current implementation based on "stateful" `trials.facts` field should be replaced because of maintainability problems (e.g. after hra removing facts should be cleaned from hra strings etc). - [ ] create processor and database table for calculation trials similarity. We could start with scientific titles match then follow with probabilistic and machine learning methods. As output table like `trial_id_1, trials_id_2, method, similarity, is_marked_as_matching, updated_by_user_id` (not real naming just to show the idea). Could be split for 2 tables etc. - [ ] create processor for reading similarity table to dynamically merge/unmerge records based on user marked matches - [ ] create some redirects table because trial pages could be merged at any time (saving history of dedup process is a thing to think about) --- - [ ] move UI tasks to different issue after discussion - [ ] create UI for similarity table - as similar records on trial page with ability to mark it as duplicate - [ ] create UI for similarity table - as a list of similar record pairs ordered by similarity to match by users/curators. So some hired curators or enthusiasts could highly effective processing this list from top to bottom.
1.0
Improved deduplication system - # Description Based on current experience of data deduplication I could suggest some implementation improvements and strategies to use. I'll write it as tasks for the reading convenience but it's of course for a discussion (cc @vitorbaptista @pwalsh @benmeg). Ideas highlights: - use only identifiers for automatic matching - improve querying duplicates implementation (facts system) - use curators for matching records based on pre-processed similarity # Tasks - [ ] instead of `trials.facts` use `records.identifiers` (or indexable analogue) to search for the same trial records. Current implementation based on "stateful" `trials.facts` field should be replaced because of maintainability problems (e.g. after hra removing facts should be cleaned from hra strings etc). - [ ] create processor and database table for calculation trials similarity. We could start with scientific titles match then follow with probabilistic and machine learning methods. As output table like `trial_id_1, trials_id_2, method, similarity, is_marked_as_matching, updated_by_user_id` (not real naming just to show the idea). Could be split for 2 tables etc. - [ ] create processor for reading similarity table to dynamically merge/unmerge records based on user marked matches - [ ] create some redirects table because trial pages could be merged at any time (saving history of dedup process is a thing to think about) --- - [ ] move UI tasks to different issue after discussion - [ ] create UI for similarity table - as similar records on trial page with ability to mark it as duplicate - [ ] create UI for similarity table - as a list of similar record pairs ordered by similarity to match by users/curators. So some hired curators or enthusiasts could highly effective processing this list from top to bottom.
non_defect
improved deduplication system description based on current experience of data deduplication i could suggest some implementation improvements and strategies to use i ll write it as tasks for the reading convenience but it s of course for a discussion cc vitorbaptista pwalsh benmeg ideas highlights use only identifiers for automatic matching improve querying duplicates implementation facts system use curators for matching records based on pre processed similarity tasks instead of trials facts use records identifiers or indexable analogue to search for the same trial records current implementation based on stateful trials facts field should be replaced because of maintainability problems e g after hra removing facts should be cleaned from hra strings etc create processor and database table for calculation trials similarity we could start with scientific titles match then follow with probabilistic and machine learning methods as output table like trial id trials id method similarity is marked as matching updated by user id not real naming just to show the idea could be split for tables etc create processor for reading similarity table to dynamically merge unmerge records based on user marked matches create some redirects table because trial pages could be merged at any time saving history of dedup process is a thing to think about move ui tasks to different issue after discussion create ui for similarity table as similar records on trial page with ability to mark it as duplicate create ui for similarity table as a list of similar record pairs ordered by similarity to match by users curators so some hired curators or enthusiasts could highly effective processing this list from top to bottom
0
56,883
15,421,901,621
IssuesEvent
2021-03-05 13:42:31
jOOQ/jOOQ
https://api.github.com/repos/jOOQ/jOOQ
closed
Add internal Cascade enum type
C: Functionality E: All Editions P: Medium R: Fixed T: Defect
Internally, it would be much better if we had an ```java enum Cascade { CASCADE, RESTRICT } ``` rather than the three-valued `java.lang.Boolean` type to represent the DDL flag.
1.0
Add internal Cascade enum type - Internally, it would be much better if we had an ```java enum Cascade { CASCADE, RESTRICT } ``` rather than the three-valued `java.lang.Boolean` type to represent the DDL flag.
defect
add internal cascade enum type internally it would be much better if we had an java enum cascade cascade restrict rather than the three valued java lang boolean type to represent the ddl flag
1
70,767
23,312,353,458
IssuesEvent
2022-08-08 09:23:47
vector-im/element-call
https://api.github.com/repos/vector-im/element-call
closed
Video preview on lobby view has mirrored UI elements on Firefox
T-Defect S-Minor O-Occasional Z-Platform-Specific
**Describe the bug** The video preview in the lobby view has the 'watch in pip' hover mirrored in firefox (the main view is fine). **Screenshots** <img width="1392" alt="Screenshot 2022-06-10 at 13 34 44" src="https://user-images.githubusercontent.com/986903/173090056-c0bc8f44-cbf9-41d8-a199-d886e88f50af.png">
1.0
Video preview on lobby view has mirrored UI elements on Firefox - **Describe the bug** The video preview in the lobby view has the 'watch in pip' hover mirrored in firefox (the main view is fine). **Screenshots** <img width="1392" alt="Screenshot 2022-06-10 at 13 34 44" src="https://user-images.githubusercontent.com/986903/173090056-c0bc8f44-cbf9-41d8-a199-d886e88f50af.png">
defect
video preview on lobby view has mirrored ui elements on firefox describe the bug the video preview in the lobby view has the watch in pip hover mirrored in firefox the main view is fine screenshots img width alt screenshot at src
1
87,267
10,542,310,409
IssuesEvent
2019-10-02 12:55:46
PowerShell/xWebAdministration
https://api.github.com/repos/PowerShell/xWebAdministration
closed
xIisHandler: Missing descriptions on properties in the schema.mof
documentation good first issue hacktoberfest in progress
Missing descriptions for each property in MSFT_xIisHandler.schema.mof. The descriptions should align with the README.md.
1.0
xIisHandler: Missing descriptions on properties in the schema.mof - Missing descriptions for each property in MSFT_xIisHandler.schema.mof. The descriptions should align with the README.md.
non_defect
xiishandler missing descriptions on properties in the schema mof missing descriptions for each property in msft xiishandler schema mof the descriptions should align with the readme md
0
339,965
24,632,685,753
IssuesEvent
2022-10-17 04:32:17
japancartographersassociation/www_develop
https://api.github.com/repos/japancartographersassociation/www_develop
closed
英語サイト翻訳作業
documentation 翻訳 原稿作成 古橋タスク
英語版サイト作業原稿 --- # 日本地図学会の主な活動 ## 出版 ① 機関誌「地図」:季刊(年4回) 論文・ニュース・関連学会等の情報等を掲載。これまでに古地図、地図教育、GIS等の特集号を刊行。 ② 機関誌「地図」添付地図 市販されていないすぐれた地図等を毎号添付し、本文中にその解説を掲載。 ③ 刊行物:随時 現在、井上ひさしの文学と地図、地形表現が生み出す地図の可能性、大東京鳥瞰写真地図、『地図と文明』、地図学用語辞典[増補改訂版]、日本主要地図集成、伊能中圖、等を刊行。 ## 研究会等の開催 ① 定期大会:年1回 研究発表・シンポジュウムのほか、地図・図書・機器等を展示。また、地図関連施設の見学、現地視察。 ② 地方大会:年1回  毎年場所を変えて行われる地図展等に合わせて開催。また関連学協会と共催。 ③ 例会(研究発表):年3~4回 ④ 専門部会:随時 専門部会のテーマに興味があれば、会員はだれでも部会活動に参加することができる。 ## マップセンター 地図約1,200点を所蔵するほか、内外の地図・関係図書類を収集して会員の利用に供しています。 また、定期大会の地図・図書展示の際に「地図展優秀地図選定」を実施しています。 ## 他学・協会との交流 国際的には、わが国を代表する地図学研究団体として、国際地図学協会(ICA)と連絡を密にし、国内では日本学術会議のICA(国際地図学協会)小委員会の母体となっています。また、他学会等と共同で研究会等を随時開催しています。 <加盟学術団体> 日本地球惑星科学連合 地理学連携機構 防災学術連携体
1.0
英語サイト翻訳作業 - 英語版サイト作業原稿 --- # 日本地図学会の主な活動 ## 出版 ① 機関誌「地図」:季刊(年4回) 論文・ニュース・関連学会等の情報等を掲載。これまでに古地図、地図教育、GIS等の特集号を刊行。 ② 機関誌「地図」添付地図 市販されていないすぐれた地図等を毎号添付し、本文中にその解説を掲載。 ③ 刊行物:随時 現在、井上ひさしの文学と地図、地形表現が生み出す地図の可能性、大東京鳥瞰写真地図、『地図と文明』、地図学用語辞典[増補改訂版]、日本主要地図集成、伊能中圖、等を刊行。 ## 研究会等の開催 ① 定期大会:年1回 研究発表・シンポジュウムのほか、地図・図書・機器等を展示。また、地図関連施設の見学、現地視察。 ② 地方大会:年1回  毎年場所を変えて行われる地図展等に合わせて開催。また関連学協会と共催。 ③ 例会(研究発表):年3~4回 ④ 専門部会:随時 専門部会のテーマに興味があれば、会員はだれでも部会活動に参加することができる。 ## マップセンター 地図約1,200点を所蔵するほか、内外の地図・関係図書類を収集して会員の利用に供しています。 また、定期大会の地図・図書展示の際に「地図展優秀地図選定」を実施しています。 ## 他学・協会との交流 国際的には、わが国を代表する地図学研究団体として、国際地図学協会(ICA)と連絡を密にし、国内では日本学術会議のICA(国際地図学協会)小委員会の母体となっています。また、他学会等と共同で研究会等を随時開催しています。 <加盟学術団体> 日本地球惑星科学連合 地理学連携機構 防災学術連携体
non_defect
英語サイト翻訳作業 英語版サイト作業原稿 日本地図学会の主な活動 出版 ① 機関誌「地図」:季刊( ) 論文・ニュース・関連学会等の情報等を掲載。これまでに古地図、地図教育、gis等の特集号を刊行。 ② 機関誌「地図」添付地図 市販されていないすぐれた地図等を毎号添付し、本文中にその解説を掲載。 ③ 刊行物:随時 現在、井上ひさしの文学と地図、地形表現が生み出す地図の可能性、大東京鳥瞰写真地図、『地図と文明』、地図学用語辞典[増補改訂版]、日本主要地図集成、伊能中圖、等を刊行。 研究会等の開催 ① 定期大会: 研究発表・シンポジュウムのほか、地図・図書・機器等を展示。また、地図関連施設の見学、現地視察。 ② 地方大会:  毎年場所を変えて行われる地図展等に合わせて開催。また関連学協会と共催。 ③ 例会(研究発表): ~ ④ 専門部会:随時 専門部会のテーマに興味があれば、会員はだれでも部会活動に参加することができる。 マップセンター 、内外の地図・関係図書類を収集して会員の利用に供しています。 また、定期大会の地図・図書展示の際に「地図展優秀地図選定」を実施しています。 他学・協会との交流 国際的には、わが国を代表する地図学研究団体として、国際地図学協会(ica)と連絡を密にし、国内では日本学術会議のica(国際地図学協会)小委員会の母体となっています。また、他学会等と共同で研究会等を随時開催しています。 <加盟学術団体> 日本地球惑星科学連合 地理学連携機構 防災学術連携体
0
33,079
7,022,735,542
IssuesEvent
2017-12-22 12:05:20
ShaikASK/Testing
https://api.github.com/repos/ShaikASK/Testing
closed
Manage Users::Intro pages: 'No Results Found' Message is missing upon searching an invalid data
Defect P3
Steps To Replicate : 1. Launch the url : http://192.168.1.198:9999/#/ 2. Login with Admin credentials 3. Navigate to 'Settings' Menu 4. Select "Intro Page" 5. Goto search box and enter some invalid text >> click on search icon 6. Since it is an invalid data no results will be displayed [Expected] Experienced Behavior : Observed that a blank page is displayed upon entering an invalid data is entered into search field and clicked on search icon Expected Behavior : Ensure that when there is not relavent data mataching with the search criteria then the application should prompt the user with "No Such Results found" or 'No Results Found' Message Note: This should be applicable where ever we have search field implemented
1.0
Manage Users::Intro pages: 'No Results Found' Message is missing upon searching an invalid data - Steps To Replicate : 1. Launch the url : http://192.168.1.198:9999/#/ 2. Login with Admin credentials 3. Navigate to 'Settings' Menu 4. Select "Intro Page" 5. Goto search box and enter some invalid text >> click on search icon 6. Since it is an invalid data no results will be displayed [Expected] Experienced Behavior : Observed that a blank page is displayed upon entering an invalid data is entered into search field and clicked on search icon Expected Behavior : Ensure that when there is not relavent data mataching with the search criteria then the application should prompt the user with "No Such Results found" or 'No Results Found' Message Note: This should be applicable where ever we have search field implemented
defect
manage users intro pages no results found message is missing upon searching an invalid data steps to replicate launch the url login with admin credentials navigate to settings menu select intro page goto search box and enter some invalid text click on search icon since it is an invalid data no results will be displayed experienced behavior observed that a blank page is displayed upon entering an invalid data is entered into search field and clicked on search icon expected behavior ensure that when there is not relavent data mataching with the search criteria then the application should prompt the user with no such results found or no results found message note this should be applicable where ever we have search field implemented
1
52,522
13,224,798,777
IssuesEvent
2020-08-17 19:52:18
icecube-trac/tix4
https://api.github.com/repos/icecube-trac/tix4
opened
[dataclasses] fix unix time in I3Time (Trac #2376)
Incomplete Migration Migrated from Trac combo core defect
<details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/2376">https://code.icecube.wisc.edu/projects/icecube/ticket/2376</a>, reported by kjmeagherand owned by kjmeagher</em></summary> <p> ```json { "status": "closed", "changetime": "2020-06-24T12:31:42", "_ts": "1593001902142004", "description": "unix time is calculated wrong because of leap seconds \n\n\n{{{\nfrom icecube.dataclasses import I3Time\nt = I3Time(56109)\ngood_time = t.unix_time\nt.set_unix_time(t.unix_time, 0)\nassert good_time == t.unix_time\n}}}\n", "reporter": "kjmeagher", "cc": "", "resolution": "fixed", "time": "2019-11-20T15:16:33", "component": "combo core", "summary": "[dataclasses] fix unix time in I3Time", "priority": "normal", "keywords": "", "milestone": "Autumnal Equinox 2020", "owner": "kjmeagher", "type": "defect" } ``` </p> </details>
1.0
[dataclasses] fix unix time in I3Time (Trac #2376) - <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/2376">https://code.icecube.wisc.edu/projects/icecube/ticket/2376</a>, reported by kjmeagherand owned by kjmeagher</em></summary> <p> ```json { "status": "closed", "changetime": "2020-06-24T12:31:42", "_ts": "1593001902142004", "description": "unix time is calculated wrong because of leap seconds \n\n\n{{{\nfrom icecube.dataclasses import I3Time\nt = I3Time(56109)\ngood_time = t.unix_time\nt.set_unix_time(t.unix_time, 0)\nassert good_time == t.unix_time\n}}}\n", "reporter": "kjmeagher", "cc": "", "resolution": "fixed", "time": "2019-11-20T15:16:33", "component": "combo core", "summary": "[dataclasses] fix unix time in I3Time", "priority": "normal", "keywords": "", "milestone": "Autumnal Equinox 2020", "owner": "kjmeagher", "type": "defect" } ``` </p> </details>
defect
fix unix time in trac migrated from json status closed changetime ts description unix time is calculated wrong because of leap seconds n n n nfrom icecube dataclasses import nt ngood time t unix time nt set unix time t unix time nassert good time t unix time n n reporter kjmeagher cc resolution fixed time component combo core summary fix unix time in priority normal keywords milestone autumnal equinox owner kjmeagher type defect
1
253,681
19,161,358,898
IssuesEvent
2021-12-03 00:48:29
mapbox/tilesets-cli
https://api.github.com/repos/mapbox/tilesets-cli
closed
Unclear documented behaviour of `add-source`
documentation
It's not mentioned in the [`add-source` command](https://github.com/mapbox/tilesets-cli#add-source) that features are appended to a source if it currently exists. That if you want to replace what's there, you need to `delete-source` first.
1.0
Unclear documented behaviour of `add-source` - It's not mentioned in the [`add-source` command](https://github.com/mapbox/tilesets-cli#add-source) that features are appended to a source if it currently exists. That if you want to replace what's there, you need to `delete-source` first.
non_defect
unclear documented behaviour of add source it s not mentioned in the that features are appended to a source if it currently exists that if you want to replace what s there you need to delete source first
0
397,877
27,180,543,712
IssuesEvent
2023-02-18 15:19:39
Robot-Inventor/modern-context.js
https://api.github.com/repos/Robot-Inventor/modern-context.js
opened
doc: improve information about supported browsers
documentation
supported browsers: - Chrome on Windows - Firefox on Windows - Chrome on Android - Firefox on Windows NOT supported browsers: - Safari - Chrome on iOS
1.0
doc: improve information about supported browsers - supported browsers: - Chrome on Windows - Firefox on Windows - Chrome on Android - Firefox on Windows NOT supported browsers: - Safari - Chrome on iOS
non_defect
doc improve information about supported browsers supported browsers chrome on windows firefox on windows chrome on android firefox on windows not supported browsers safari chrome on ios
0
31,494
6,540,170,461
IssuesEvent
2017-09-01 14:28:28
kusanagi/katana-sdk-php7
https://api.github.com/repos/kusanagi/katana-sdk-php7
closed
Catch msgpack Packing Exceptions
1.2 defect:functionality status:confirmed status:resolved
When an object gets into the msgpack encoder library, it throws an exception that is currently unhandled, leading to a fatal error. ``` 2017-08-09T15:29:45.446Z [ERROR] [SDK] Callback error: Language error (shutdown) (1) Uncaught MessagePack\Exception\PackingFailedException: Unsupported type. in /vagrant/origami/middleware-collector/vendor/rybakit/msgpack/src/Packer.php:141 ``` Catch and handle the exception.
1.0
Catch msgpack Packing Exceptions - When an object gets into the msgpack encoder library, it throws an exception that is currently unhandled, leading to a fatal error. ``` 2017-08-09T15:29:45.446Z [ERROR] [SDK] Callback error: Language error (shutdown) (1) Uncaught MessagePack\Exception\PackingFailedException: Unsupported type. in /vagrant/origami/middleware-collector/vendor/rybakit/msgpack/src/Packer.php:141 ``` Catch and handle the exception.
defect
catch msgpack packing exceptions when an object gets into the msgpack encoder library it throws an exception that is currently unhandled leading to a fatal error callback error language error shutdown uncaught messagepack exception packingfailedexception unsupported type in vagrant origami middleware collector vendor rybakit msgpack src packer php catch and handle the exception
1
61,707
17,023,761,461
IssuesEvent
2021-07-03 03:42:27
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Answering to mails sent through messages.openstreetmap.org not correctly paresd when using MIME emails with multipart/alternative
Component: website Priority: major Resolution: fixed Type: defect
**[Submitted to the original trac issue database at 6.30pm, Thursday, 1st December 2011]** Answering a mail, that was sent through the OSM message system (e. g. <http://www.openstreetmap.org/message/new/Kurt%20Krampmeier>), causes unwanted results for the reader, when the reply is a multipart/alternative email. Creating multipart/alternative email is unfortunately the default setting in many popular mail clients and web mailers. In such cases, the whole mail body (both parts in their transfer encoding along with their headers and boundaries) is interpreted as the message text. So a simple answer like "Hello World!" might show up as "This is a multi-part message in MIME format. --------------050501020709070602040306 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 7bit Hello World! --------------050501020709070602040306 Content-Type: text/html; charset=UTF-8 Content-Transfer-Encoding: 7bit &lt;!DOCTYPE HTML PUBLIC &quot;-//W3C//DTD HTML 4.01 Transitional//EN&quot;&gt; &lt;html&gt; &lt;head&gt; &lt;meta content=&quot;text/html; charset=UTF-8&quot; http-equiv=&quot;Content-Type&quot;&gt; &lt;/head&gt; &lt;body bgcolor=&quot;#ffffff&quot; text=&quot;#000000&quot;&gt; Hello World! &lt;/body&gt; &lt;/html&gt; --------------050501020709070602040306--" in the receiver's mail. The display on the OSM website is also wrong in a similar way. The wrong use of HTML entities shown in this example is caused by another bug: http://trac.openstreetmap.org/ticket/4118
1.0
Answering to mails sent through messages.openstreetmap.org not correctly paresd when using MIME emails with multipart/alternative - **[Submitted to the original trac issue database at 6.30pm, Thursday, 1st December 2011]** Answering a mail, that was sent through the OSM message system (e. g. <http://www.openstreetmap.org/message/new/Kurt%20Krampmeier>), causes unwanted results for the reader, when the reply is a multipart/alternative email. Creating multipart/alternative email is unfortunately the default setting in many popular mail clients and web mailers. In such cases, the whole mail body (both parts in their transfer encoding along with their headers and boundaries) is interpreted as the message text. So a simple answer like "Hello World!" might show up as "This is a multi-part message in MIME format. --------------050501020709070602040306 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 7bit Hello World! --------------050501020709070602040306 Content-Type: text/html; charset=UTF-8 Content-Transfer-Encoding: 7bit &lt;!DOCTYPE HTML PUBLIC &quot;-//W3C//DTD HTML 4.01 Transitional//EN&quot;&gt; &lt;html&gt; &lt;head&gt; &lt;meta content=&quot;text/html; charset=UTF-8&quot; http-equiv=&quot;Content-Type&quot;&gt; &lt;/head&gt; &lt;body bgcolor=&quot;#ffffff&quot; text=&quot;#000000&quot;&gt; Hello World! &lt;/body&gt; &lt;/html&gt; --------------050501020709070602040306--" in the receiver's mail. The display on the OSM website is also wrong in a similar way. The wrong use of HTML entities shown in this example is caused by another bug: http://trac.openstreetmap.org/ticket/4118
defect
answering to mails sent through messages openstreetmap org not correctly paresd when using mime emails with multipart alternative answering a mail that was sent through the osm message system e g causes unwanted results for the reader when the reply is a multipart alternative email creating multipart alternative email is unfortunately the default setting in many popular mail clients and web mailers in such cases the whole mail body both parts in their transfer encoding along with their headers and boundaries is interpreted as the message text so a simple answer like hello world might show up as this is a multi part message in mime format content type text plain charset utf content transfer encoding hello world content type text html charset utf content transfer encoding lt doctype html public quot dtd html transitional en quot gt lt html gt lt head gt lt meta content quot text html charset utf quot http equiv quot content type quot gt lt head gt lt body bgcolor quot ffffff quot text quot quot gt hello world lt body gt lt html gt in the receiver s mail the display on the osm website is also wrong in a similar way the wrong use of html entities shown in this example is caused by another bug
1
55,397
14,438,335,282
IssuesEvent
2020-12-07 12:53:55
department-of-veterans-affairs/va.gov-cms
https://api.github.com/repos/department-of-veterans-affairs/va.gov-cms
closed
Facility health service contact info does not correctly render styling
Critical defect Defect Unplanned work
## What happened? Facility Health service contact information section does not correctly render styling in devshop and on staging - Styling for address block is incorrect - Hours appear in table form <details> <summary> Example from Pittsburgh devshop Primary care accordion</summary> ![image](https://user-images.githubusercontent.com/55411834/100918664-05ae9b80-3496-11eb-87e1-97bc23d4ee89.png) </details> ## Steps to Reproduce - URL: [Devshop](vamcupgrade.web.demo.ci.cms.va.gov/pittsburgh-health-care/locations/pittsburgh-va-medical-center-university-drive/) ## Desired behavior Environments reflect correct design spec ## ACs - [x] Function that cleans up html tags in tablefield has been made specific to tablefields with all filter formats. This has been resolved by https://github.com/department-of-veterans-affairs/va.gov-cms/pull/3617 which is now merged. - [ ] Any facility health service content and facility nodes has been updated with a script that is run after code deploy, to strip out any html that had been added - content types -> field to be processed to clean the data. These should be fixed at the revision level, not at the node level. So that all revisions are fixed. (see scripts/content/VACMS-2812-update-timezone-data-2020-11.php for the general approach). - health_care_local_facility -> field_facility_hours - health_care_local_health_service -> field_service_location -> service_location -> field_facility_service_hours - strings to remove ``` $strings_to_remove = [ '<p>', '</p>', 'p&amp;', '/p&amp;', '&amp;lt;', '&amp;gt;', '&amp;', 'amp;', 'gt;', 'lt;', ]; ``` - [ ] Times and days are all that remain after strings are removed.
2.0
Facility health service contact info does not correctly render styling - ## What happened? Facility Health service contact information section does not correctly render styling in devshop and on staging - Styling for address block is incorrect - Hours appear in table form <details> <summary> Example from Pittsburgh devshop Primary care accordion</summary> ![image](https://user-images.githubusercontent.com/55411834/100918664-05ae9b80-3496-11eb-87e1-97bc23d4ee89.png) </details> ## Steps to Reproduce - URL: [Devshop](vamcupgrade.web.demo.ci.cms.va.gov/pittsburgh-health-care/locations/pittsburgh-va-medical-center-university-drive/) ## Desired behavior Environments reflect correct design spec ## ACs - [x] Function that cleans up html tags in tablefield has been made specific to tablefields with all filter formats. This has been resolved by https://github.com/department-of-veterans-affairs/va.gov-cms/pull/3617 which is now merged. - [ ] Any facility health service content and facility nodes has been updated with a script that is run after code deploy, to strip out any html that had been added - content types -> field to be processed to clean the data. These should be fixed at the revision level, not at the node level. So that all revisions are fixed. (see scripts/content/VACMS-2812-update-timezone-data-2020-11.php for the general approach). - health_care_local_facility -> field_facility_hours - health_care_local_health_service -> field_service_location -> service_location -> field_facility_service_hours - strings to remove ``` $strings_to_remove = [ '<p>', '</p>', 'p&amp;', '/p&amp;', '&amp;lt;', '&amp;gt;', '&amp;', 'amp;', 'gt;', 'lt;', ]; ``` - [ ] Times and days are all that remain after strings are removed.
defect
facility health service contact info does not correctly render styling what happened facility health service contact information section does not correctly render styling in devshop and on staging styling for address block is incorrect hours appear in table form example from pittsburgh devshop primary care accordion steps to reproduce url vamcupgrade web demo ci cms va gov pittsburgh health care locations pittsburgh va medical center university drive desired behavior environments reflect correct design spec acs function that cleans up html tags in tablefield has been made specific to tablefields with all filter formats this has been resolved by which is now merged any facility health service content and facility nodes has been updated with a script that is run after code deploy to strip out any html that had been added content types field to be processed to clean the data these should be fixed at the revision level not at the node level so that all revisions are fixed see scripts content vacms update timezone data php for the general approach health care local facility field facility hours health care local health service field service location service location field facility service hours strings to remove strings to remove p amp p amp amp lt amp gt amp amp gt lt times and days are all that remain after strings are removed
1
625,068
19,717,867,609
IssuesEvent
2022-01-13 12:51:30
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.pixiv.net - see bug description
priority-important browser-fenix engine-gecko QA_triaged
<!-- @browser: Firefox Mobile 98.0 --> <!-- @ua_header: Mozilla/5.0 (Android 11; Mobile; rv:98.0) Gecko/98.0 Firefox/98.0 --> <!-- @reported_with: android-components-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/98144 --> <!-- @extra_labels: browser-fenix --> **URL**: https://www.pixiv.net/artworks/94588566#big_0 **Browser / Version**: Firefox Mobile 98.0 **Operating System**: Android 11 **Tested Another Browser**: Yes Other **Problem type**: Something else **Description**: https://www.pixiv.net/artworks/94588566#big_0 **Steps to Reproduce**: I can't download pixiv illustrations. <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2022/1/9d22530c-cee0-4841-821e-fdf5ce92d9f5.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20220111093827</li><li>channel: nightly</li><li>hasTouchScreen: true</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2022/1/8c7f78f4-df2d-4b7a-afff-d467928c3a7e) _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.pixiv.net - see bug description - <!-- @browser: Firefox Mobile 98.0 --> <!-- @ua_header: Mozilla/5.0 (Android 11; Mobile; rv:98.0) Gecko/98.0 Firefox/98.0 --> <!-- @reported_with: android-components-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/98144 --> <!-- @extra_labels: browser-fenix --> **URL**: https://www.pixiv.net/artworks/94588566#big_0 **Browser / Version**: Firefox Mobile 98.0 **Operating System**: Android 11 **Tested Another Browser**: Yes Other **Problem type**: Something else **Description**: https://www.pixiv.net/artworks/94588566#big_0 **Steps to Reproduce**: I can't download pixiv illustrations. <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2022/1/9d22530c-cee0-4841-821e-fdf5ce92d9f5.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20220111093827</li><li>channel: nightly</li><li>hasTouchScreen: true</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2022/1/8c7f78f4-df2d-4b7a-afff-d467928c3a7e) _From [webcompat.com](https://webcompat.com/) with ❤️_
non_defect
see bug description url browser version firefox mobile operating system android tested another browser yes other problem type something else description steps to reproduce i can t download pixiv illustrations view the screenshot img alt screenshot src browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel nightly hastouchscreen true mixed active content blocked false mixed passive content blocked false tracking content blocked false from with ❤️
0
288,144
24,882,783,287
IssuesEvent
2022-10-28 03:48:33
MPMG-DCC-UFMG/F01
https://api.github.com/repos/MPMG-DCC-UFMG/F01
closed
Teste de generalizacao para a tag Orçamento - Execução - São José da Varginha
generalization test development template - Memory (66) tag - Orçamento subtag - Execução
DoD: Realizar o teste de Generalização do validador da tag Orçamento - Execução para o Município de São José da Varginha.
1.0
Teste de generalizacao para a tag Orçamento - Execução - São José da Varginha - DoD: Realizar o teste de Generalização do validador da tag Orçamento - Execução para o Município de São José da Varginha.
non_defect
teste de generalizacao para a tag orçamento execução são josé da varginha dod realizar o teste de generalização do validador da tag orçamento execução para o município de são josé da varginha
0
78,036
27,285,298,999
IssuesEvent
2023-02-23 13:06:05
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
opened
Read messages reappear as "new" after restarting the app.
T-Defect
### Steps to reproduce I have no idea how to force it. It suddenly shows up sporadically on the desktop clients. It is using Arch Linux and the official package from there ### Outcome That read messages also keep the status. ### Operating system Arch Linux ### Application version Version von webgo: 1.11.23 Version von Olm: 3.2.12 ### How did you install the app? https://archlinux.org/packages/community/x86_64/element-desktop/ ### Homeserver Own Synapse on Debian 11, v1.77 ### Will you send logs? Yes
1.0
Read messages reappear as "new" after restarting the app. - ### Steps to reproduce I have no idea how to force it. It suddenly shows up sporadically on the desktop clients. It is using Arch Linux and the official package from there ### Outcome That read messages also keep the status. ### Operating system Arch Linux ### Application version Version von webgo: 1.11.23 Version von Olm: 3.2.12 ### How did you install the app? https://archlinux.org/packages/community/x86_64/element-desktop/ ### Homeserver Own Synapse on Debian 11, v1.77 ### Will you send logs? Yes
defect
read messages reappear as new after restarting the app steps to reproduce i have no idea how to force it it suddenly shows up sporadically on the desktop clients it is using arch linux and the official package from there outcome that read messages also keep the status operating system arch linux application version version von webgo version von olm how did you install the app homeserver own synapse on debian will you send logs yes
1
18,787
3,087,230,005
IssuesEvent
2015-08-25 10:18:46
rbei-etas/busmaster
https://api.github.com/repos/rbei-etas/busmaster
closed
No Choice possibility for Hardware in Japanese Version
1.3 patch (defect) 3.2 medium priority (EC2)
It's not possible to choice some Hardware Input:
1.0
No Choice possibility for Hardware in Japanese Version - It's not possible to choice some Hardware Input:
defect
no choice possibility for hardware in japanese version it s not possible to choice some hardware input
1
43,393
11,696,406,105
IssuesEvent
2020-03-06 09:43:34
Automattic/wp-calypso
https://api.github.com/repos/Automattic/wp-calypso
reopened
Layouts: Home Pages thumbnails have wrong aspect ratios
[Goal] Page Templates [Type] Defect
We can see that they're too short for the space given to display them. ![image](https://user-images.githubusercontent.com/545779/74183100-e2b2b280-4c09-11ea-933b-ae1fe076d6ca.png)
1.0
Layouts: Home Pages thumbnails have wrong aspect ratios - We can see that they're too short for the space given to display them. ![image](https://user-images.githubusercontent.com/545779/74183100-e2b2b280-4c09-11ea-933b-ae1fe076d6ca.png)
defect
layouts home pages thumbnails have wrong aspect ratios we can see that they re too short for the space given to display them
1
56,525
13,877,345,539
IssuesEvent
2020-10-17 03:32:24
rubyforgood/casa
https://api.github.com/repos/rubyforgood/casa
opened
Casa Admin view of Case Contacts needs redesign - shows all cases and case contacts
not-ready-to-build
**What type of user is this for? volunteer/supervisor/admin/all** casa admin **Description** Casa Admin view of Case Contacts needs redesign - shows all cases and case contacts This is too much and as soon as we have lots of data it will take way too long to load **Screenshots of current behavior, if any**
1.0
Casa Admin view of Case Contacts needs redesign - shows all cases and case contacts - **What type of user is this for? volunteer/supervisor/admin/all** casa admin **Description** Casa Admin view of Case Contacts needs redesign - shows all cases and case contacts This is too much and as soon as we have lots of data it will take way too long to load **Screenshots of current behavior, if any**
non_defect
casa admin view of case contacts needs redesign shows all cases and case contacts what type of user is this for volunteer supervisor admin all casa admin description casa admin view of case contacts needs redesign shows all cases and case contacts this is too much and as soon as we have lots of data it will take way too long to load screenshots of current behavior if any
0