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
38,028
8,637,696,837
IssuesEvent
2018-11-23 12:12:44
primefaces/primefaces
https://api.github.com/repos/primefaces/primefaces
closed
Confirm : wrong evaluation of disable attribute in datatable
6.2.12 defect
## 1) Environment - PrimeFaces version: 6.2.11 - Does it work on the newest released PrimeFaces version? Version? No - Does it work on the newest sources in GitHub? - - Application server + version: - - Affected browsers: - ## 2) Expected behavior Confirm dialog should show after clicking on the button only when "p:confirm disabled=" is false and should not appear for rows with "p:confirm disabled=" true ## 3) Actual behavior Confirm dialog appears for every row, that is under a row with "p:confirm disabled=" false .. ## 4) Steps to reproduce Sample test project https://github.com/ludekz/primefaces-test Click on a button in bottom two rows. Dialog appears, but should not. Confirm dialog correctly does not appear for first two rows, that are above the row, where confirm should appear. ## 5) Sample XHTML ```html <!DOCTYPE html> <html xmlns="http://www.w3.org/1999/xhtml" xmlns:ui="http://java.sun.com/jsf/facelets" xmlns:f="http://java.sun.com/jsf/core" xmlns:p="http://primefaces.org/ui" xmlns:h="http://java.sun.com/jsf/html"> <h:head> <title>PrimeFaces Test</title> </h:head> <h:body> <p:confirmDialog global="true" showEffect="fade" hideEffect="fade"> <p:commandButton value="Yes" type="button" styleClass="ui-confirmdialog-yes" icon="pi pi-check" /> <p:commandButton value="No" type="button" styleClass="ui-confirmdialog-no" icon="pi pi-times" /> </p:confirmDialog> <h1>#{testView.testString}</h1> <h:form> <p:messages id="messages" showDetail="true" closable="true"> <p:autoUpdate /> </p:messages> <p:panel header="Test panel" id="documentationPanel"> <p:dataTable id="tableOutgoing" var="row" value="#{testView.outgoingData}" rowIndexVar="idx" paginator="true" rows="5" rowsPerPageTemplate="5,10,20,50" emptyMessage="#{msg['tableEmpty']}" paginatorTemplate="{FirstPageLink} {PreviousPageLink} {PageLinks} {NextPageLink} {LastPageLink} {RowsPerPageDropdown}"> <p:column headerText="confirm required" filterable="false"> <h:outputText value="#{row.confirmRequired}" /> </p:column> <p:column headerText="actions" filterable="false"> <p:commandButton id="checkoutBtn" action="#{testView.checkAndPrepareCheckout()}" value="Do it!" styleClass="BB" icon="fa fa-reply" process="@this" update="@this tableOutgoing"> <f:setPropertyActionListener target="#{testView.selectedRow}" value="#{row}" /> <p:confirm disabled="#{!row.confirmRequired}" header="Warning" message="Confirm this" /> </p:commandButton> </p:column> </p:dataTable> </p:panel> </h:form> </h:body> </html> ``` ## 6) Sample bean ```java @ManagedBean(name = "testView") @ViewScoped public class TestView implements Serializable { private String testString; private List<Row> outgoingData = new ArrayList<>(); private Row selectedRow = null; @PostConstruct public void init() { testString = "Welcome to PrimeFaces!!!"; for (int i = 0; i < 6; i++) { outgoingData.add(new Row(false)); outgoingData.add(new Row(false)); outgoingData.add(new Row(true)); outgoingData.add(new Row(false)); } } public String getTestString() { return testString; } public void setTestString(String testString) { this.testString = testString; } public List<Row> getOutgoingData() { return outgoingData; } public void setOutgoingData(List<Row> outgoingData) { this.outgoingData = outgoingData; } public Row getSelectedRow() { return selectedRow; } public void setSelectedRow(Row selectedRow) { this.selectedRow = selectedRow; } public void checkAndPrepareCheckout() { FacesContext.getCurrentInstance().addMessage(null, new FacesMessage(FacesMessage.SEVERITY_INFO, "Info", "Selected has confirm required: " + selectedRow.isConfirmRequired())); } public static class Row implements Serializable { boolean confirmRequired; public Row(boolean confirmRequired) { super(); this.confirmRequired = confirmRequired; } public boolean isConfirmRequired() { return confirmRequired; } public void setConfirmRequired(boolean confirmRequired) { this.confirmRequired = confirmRequired; } } } ```
1.0
Confirm : wrong evaluation of disable attribute in datatable - ## 1) Environment - PrimeFaces version: 6.2.11 - Does it work on the newest released PrimeFaces version? Version? No - Does it work on the newest sources in GitHub? - - Application server + version: - - Affected browsers: - ## 2) Expected behavior Confirm dialog should show after clicking on the button only when "p:confirm disabled=" is false and should not appear for rows with "p:confirm disabled=" true ## 3) Actual behavior Confirm dialog appears for every row, that is under a row with "p:confirm disabled=" false .. ## 4) Steps to reproduce Sample test project https://github.com/ludekz/primefaces-test Click on a button in bottom two rows. Dialog appears, but should not. Confirm dialog correctly does not appear for first two rows, that are above the row, where confirm should appear. ## 5) Sample XHTML ```html <!DOCTYPE html> <html xmlns="http://www.w3.org/1999/xhtml" xmlns:ui="http://java.sun.com/jsf/facelets" xmlns:f="http://java.sun.com/jsf/core" xmlns:p="http://primefaces.org/ui" xmlns:h="http://java.sun.com/jsf/html"> <h:head> <title>PrimeFaces Test</title> </h:head> <h:body> <p:confirmDialog global="true" showEffect="fade" hideEffect="fade"> <p:commandButton value="Yes" type="button" styleClass="ui-confirmdialog-yes" icon="pi pi-check" /> <p:commandButton value="No" type="button" styleClass="ui-confirmdialog-no" icon="pi pi-times" /> </p:confirmDialog> <h1>#{testView.testString}</h1> <h:form> <p:messages id="messages" showDetail="true" closable="true"> <p:autoUpdate /> </p:messages> <p:panel header="Test panel" id="documentationPanel"> <p:dataTable id="tableOutgoing" var="row" value="#{testView.outgoingData}" rowIndexVar="idx" paginator="true" rows="5" rowsPerPageTemplate="5,10,20,50" emptyMessage="#{msg['tableEmpty']}" paginatorTemplate="{FirstPageLink} {PreviousPageLink} {PageLinks} {NextPageLink} {LastPageLink} {RowsPerPageDropdown}"> <p:column headerText="confirm required" filterable="false"> <h:outputText value="#{row.confirmRequired}" /> </p:column> <p:column headerText="actions" filterable="false"> <p:commandButton id="checkoutBtn" action="#{testView.checkAndPrepareCheckout()}" value="Do it!" styleClass="BB" icon="fa fa-reply" process="@this" update="@this tableOutgoing"> <f:setPropertyActionListener target="#{testView.selectedRow}" value="#{row}" /> <p:confirm disabled="#{!row.confirmRequired}" header="Warning" message="Confirm this" /> </p:commandButton> </p:column> </p:dataTable> </p:panel> </h:form> </h:body> </html> ``` ## 6) Sample bean ```java @ManagedBean(name = "testView") @ViewScoped public class TestView implements Serializable { private String testString; private List<Row> outgoingData = new ArrayList<>(); private Row selectedRow = null; @PostConstruct public void init() { testString = "Welcome to PrimeFaces!!!"; for (int i = 0; i < 6; i++) { outgoingData.add(new Row(false)); outgoingData.add(new Row(false)); outgoingData.add(new Row(true)); outgoingData.add(new Row(false)); } } public String getTestString() { return testString; } public void setTestString(String testString) { this.testString = testString; } public List<Row> getOutgoingData() { return outgoingData; } public void setOutgoingData(List<Row> outgoingData) { this.outgoingData = outgoingData; } public Row getSelectedRow() { return selectedRow; } public void setSelectedRow(Row selectedRow) { this.selectedRow = selectedRow; } public void checkAndPrepareCheckout() { FacesContext.getCurrentInstance().addMessage(null, new FacesMessage(FacesMessage.SEVERITY_INFO, "Info", "Selected has confirm required: " + selectedRow.isConfirmRequired())); } public static class Row implements Serializable { boolean confirmRequired; public Row(boolean confirmRequired) { super(); this.confirmRequired = confirmRequired; } public boolean isConfirmRequired() { return confirmRequired; } public void setConfirmRequired(boolean confirmRequired) { this.confirmRequired = confirmRequired; } } } ```
defect
confirm wrong evaluation of disable attribute in datatable environment primefaces version does it work on the newest released primefaces version version no does it work on the newest sources in github application server version affected browsers expected behavior confirm dialog should show after clicking on the button only when p confirm disabled is false and should not appear for rows with p confirm disabled true actual behavior confirm dialog appears for every row that is under a row with p confirm disabled false steps to reproduce sample test project click on a button in bottom two rows dialog appears but should not confirm dialog correctly does not appear for first two rows that are above the row where confirm should appear sample xhtml html html xmlns xmlns ui xmlns f xmlns p xmlns h primefaces test p commandbutton value yes type button styleclass ui confirmdialog yes icon pi pi check p commandbutton value no type button styleclass ui confirmdialog no icon pi pi times testview teststring p datatable id tableoutgoing var row value testview outgoingdata rowindexvar idx paginator true rows rowsperpagetemplate emptymessage msg paginatortemplate firstpagelink previouspagelink pagelinks nextpagelink lastpagelink rowsperpagedropdown p commandbutton id checkoutbtn action testview checkandpreparecheckout value do it styleclass bb icon fa fa reply process this update this tableoutgoing f setpropertyactionlistener target testview selectedrow value row p confirm disabled row confirmrequired header warning message confirm this sample bean java managedbean name testview viewscoped public class testview implements serializable private string teststring private list outgoingdata new arraylist private row selectedrow null postconstruct public void init teststring welcome to primefaces for int i i i outgoingdata add new row false outgoingdata add new row false outgoingdata add new row true outgoingdata add new row false public string getteststring return teststring public void setteststring string teststring this teststring teststring public list getoutgoingdata return outgoingdata public void setoutgoingdata list outgoingdata this outgoingdata outgoingdata public row getselectedrow return selectedrow public void setselectedrow row selectedrow this selectedrow selectedrow public void checkandpreparecheckout facescontext getcurrentinstance addmessage null new facesmessage facesmessage severity info info selected has confirm required selectedrow isconfirmrequired public static class row implements serializable boolean confirmrequired public row boolean confirmrequired super this confirmrequired confirmrequired public boolean isconfirmrequired return confirmrequired public void setconfirmrequired boolean confirmrequired this confirmrequired confirmrequired
1
528,915
15,376,995,727
IssuesEvent
2021-03-02 16:35:12
SiLeBAT/FSK-Lab
https://api.github.com/repos/SiLeBAT/FSK-Lab
closed
Metadata master table: Check entries in column "Data type"
FSK-Lab In Progress high priority
Carolina wrote: Check and change all entries in column "data type" to the new "accepted data types" from the controlled vocabularies (specifically "date").
1.0
Metadata master table: Check entries in column "Data type" - Carolina wrote: Check and change all entries in column "data type" to the new "accepted data types" from the controlled vocabularies (specifically "date").
non_defect
metadata master table check entries in column data type carolina wrote check and change all entries in column data type to the new accepted data types from the controlled vocabularies specifically date
0
91,638
8,310,417,264
IssuesEvent
2018-09-24 10:39:28
wazuh/wazuh
https://api.github.com/repos/wazuh/wazuh
opened
Test: Communication
testing
# Communication test | Version | Revision | Branch | | --- | --- | --- | | 3.7.0 | 3701 | 3.7 | ## Manager - agent - [ ] Connect an agent by UDP successfully and verify alerts and services work properly. (1) - [ ] Connect an agent by TCP successfully and verify alerts and services work properly. (1) - [ ] Connect an agent with a different port. (1) - [ ] Agent re-connects succesfully after a manager recovery. - [ ] Test both crypto methods available (AES and blowfish). - [ ] Configure several managers to an agent, check if it works. (1) - [ ] Test large messages (up to 64K). - [ ] Test large labels (up to 64K). - [ ] Connect to a manager by resolving its domain with DNS. (1) - [ ] Use legacy configuration (server-ip, server-hostname, protocol, port). - [ ] Check statistics files for analysisd, remoted and agentd. (1) https://documentation.wazuh.com/3.x/user-manual/reference/ossec-conf/client.html ## Syslog events Send syslog events from an agent to the manager (UDP/TCP). (2) Deny the IP of an agent and check that is not allowed to send events. (2) Specify a local_ip in the manager for receive syslog events. (2) (2) https://documentation.wazuh.com/3.x/user-manual/reference/ossec-conf/remote.html
1.0
Test: Communication - # Communication test | Version | Revision | Branch | | --- | --- | --- | | 3.7.0 | 3701 | 3.7 | ## Manager - agent - [ ] Connect an agent by UDP successfully and verify alerts and services work properly. (1) - [ ] Connect an agent by TCP successfully and verify alerts and services work properly. (1) - [ ] Connect an agent with a different port. (1) - [ ] Agent re-connects succesfully after a manager recovery. - [ ] Test both crypto methods available (AES and blowfish). - [ ] Configure several managers to an agent, check if it works. (1) - [ ] Test large messages (up to 64K). - [ ] Test large labels (up to 64K). - [ ] Connect to a manager by resolving its domain with DNS. (1) - [ ] Use legacy configuration (server-ip, server-hostname, protocol, port). - [ ] Check statistics files for analysisd, remoted and agentd. (1) https://documentation.wazuh.com/3.x/user-manual/reference/ossec-conf/client.html ## Syslog events Send syslog events from an agent to the manager (UDP/TCP). (2) Deny the IP of an agent and check that is not allowed to send events. (2) Specify a local_ip in the manager for receive syslog events. (2) (2) https://documentation.wazuh.com/3.x/user-manual/reference/ossec-conf/remote.html
non_defect
test communication communication test version revision branch manager agent connect an agent by udp successfully and verify alerts and services work properly connect an agent by tcp successfully and verify alerts and services work properly connect an agent with a different port agent re connects succesfully after a manager recovery test both crypto methods available aes and blowfish configure several managers to an agent check if it works test large messages up to test large labels up to connect to a manager by resolving its domain with dns use legacy configuration server ip server hostname protocol port check statistics files for analysisd remoted and agentd syslog events send syslog events from an agent to the manager udp tcp deny the ip of an agent and check that is not allowed to send events specify a local ip in the manager for receive syslog events
0
717,380
24,673,501,583
IssuesEvent
2022-10-18 15:16:12
googleapis/google-cloud-java
https://api.github.com/repos/googleapis/google-cloud-java
opened
URL in published Maven Central was wrong
type: bug priority: p2
<img width="803" alt="Screen Shot 2022-10-18 at 11 15 36 AM" src="https://user-images.githubusercontent.com/28604/196471693-e07b242c-a55e-415b-a350-1e1491a168de.png"> https://search.maven.org/artifact/com.google.cloud/google-cloud-websecurityscanner/2.4.0/jar
1.0
URL in published Maven Central was wrong - <img width="803" alt="Screen Shot 2022-10-18 at 11 15 36 AM" src="https://user-images.githubusercontent.com/28604/196471693-e07b242c-a55e-415b-a350-1e1491a168de.png"> https://search.maven.org/artifact/com.google.cloud/google-cloud-websecurityscanner/2.4.0/jar
non_defect
url in published maven central was wrong img width alt screen shot at am src
0
17,482
3,008,890,189
IssuesEvent
2015-07-28 00:11:19
belangeo/cecilia5
https://api.github.com/repos/belangeo/cecilia5
closed
crash dû aux sons trop longs?
auto-migrated Priority-Medium Type-Defect
``` Python(26500,0xa003f540) malloc: *** mmap(size=261316608) failed (error code=12) *** error: can't allocate region *** set a breakpoint in malloc_error_break to debug Bus error jean-piches-macbook-pro:cecilia5 jeanpiche$ Les chiffres ne s'affichent pas. Le crash survient avant... ``` Original issue reported on code.google.com by `eth...@gmail.com` on 29 Jul 2012 at 8:14
1.0
crash dû aux sons trop longs? - ``` Python(26500,0xa003f540) malloc: *** mmap(size=261316608) failed (error code=12) *** error: can't allocate region *** set a breakpoint in malloc_error_break to debug Bus error jean-piches-macbook-pro:cecilia5 jeanpiche$ Les chiffres ne s'affichent pas. Le crash survient avant... ``` Original issue reported on code.google.com by `eth...@gmail.com` on 29 Jul 2012 at 8:14
defect
crash dû aux sons trop longs python malloc mmap size failed error code error can t allocate region set a breakpoint in malloc error break to debug bus error jean piches macbook pro jeanpiche les chiffres ne s affichent pas le crash survient avant original issue reported on code google com by eth gmail com on jul at
1
51,536
13,207,510,398
IssuesEvent
2020-08-14 23:23:11
icecube-trac/tix4
https://api.github.com/repos/icecube-trac/tix4
opened
hippodraw should check for numpy dev (Trac #591)
Incomplete Migration Migrated from Trac defect tools/ports
<details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/591">https://code.icecube.wisc.edu/projects/icecube/ticket/591</a>, reported by blaufussand owned by nega</em></summary> <p> ```json { "status": "closed", "changetime": "2010-03-09T00:45:43", "_ts": "1268095543000000", "description": "Georges Kohnen wrote:\n\nHi, I'm attaching the complete output of $I3_PORTS/bin/port install -vd hippodraw +root below. I'm a little surprised by the statement \"Requested variant x86_64 is not provided by port hippodraw\"? Thanks! Georges\n\nLooking as usual at the first compliation error:\n\nerror: numpy/noprefix.h: No such file or directory\n\nDo you have a numpy dev package installed? On Ubuntu that's python-numpy-dev. I have the file:\n\n% ls -l /usr/include/python2.6/numpy/noprefix.h -rw-r--r-- 1 root root 6051 Mar 29 2009 /usr/include/python2.6/numpy/noprefix.h\n\n-t", "reporter": "blaufuss", "cc": "", "resolution": "fixed", "time": "2010-01-20T15:45:30", "component": "tools/ports", "summary": "hippodraw should check for numpy dev", "priority": "normal", "keywords": "", "milestone": "", "owner": "nega", "type": "defect" } ``` </p> </details>
1.0
hippodraw should check for numpy dev (Trac #591) - <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/591">https://code.icecube.wisc.edu/projects/icecube/ticket/591</a>, reported by blaufussand owned by nega</em></summary> <p> ```json { "status": "closed", "changetime": "2010-03-09T00:45:43", "_ts": "1268095543000000", "description": "Georges Kohnen wrote:\n\nHi, I'm attaching the complete output of $I3_PORTS/bin/port install -vd hippodraw +root below. I'm a little surprised by the statement \"Requested variant x86_64 is not provided by port hippodraw\"? Thanks! Georges\n\nLooking as usual at the first compliation error:\n\nerror: numpy/noprefix.h: No such file or directory\n\nDo you have a numpy dev package installed? On Ubuntu that's python-numpy-dev. I have the file:\n\n% ls -l /usr/include/python2.6/numpy/noprefix.h -rw-r--r-- 1 root root 6051 Mar 29 2009 /usr/include/python2.6/numpy/noprefix.h\n\n-t", "reporter": "blaufuss", "cc": "", "resolution": "fixed", "time": "2010-01-20T15:45:30", "component": "tools/ports", "summary": "hippodraw should check for numpy dev", "priority": "normal", "keywords": "", "milestone": "", "owner": "nega", "type": "defect" } ``` </p> </details>
defect
hippodraw should check for numpy dev trac migrated from json status closed changetime ts description georges kohnen wrote n nhi i m attaching the complete output of ports bin port install vd hippodraw root below i m a little surprised by the statement requested variant is not provided by port hippodraw thanks georges n nlooking as usual at the first compliation error n nerror numpy noprefix h no such file or directory n ndo you have a numpy dev package installed on ubuntu that s python numpy dev i have the file n n ls l usr include numpy noprefix h rw r r root root mar usr include numpy noprefix h n n t reporter blaufuss cc resolution fixed time component tools ports summary hippodraw should check for numpy dev priority normal keywords milestone owner nega type defect
1
105,743
23,105,327,959
IssuesEvent
2022-07-27 08:18:55
gdscashesi/ashesi-hackers-league
https://api.github.com/repos/gdscashesi/ashesi-hackers-league
closed
PageNotFound UI
code
There is a minimal design for this page on the Figma. The corresponding SVG image used is in **/media** But instead of importing the image and rendering it using **src={ }**, wrap the SVG content in a react component of its own and import it just like you would any other component. create this component in the **errors/page_not_found** ````js // component function PageNotFoundSvg(){ return <svg>...svg content goes here </svg> } // usage import PageNotFoundSvg from .... <PageNotFoundSvg/> ```
1.0
PageNotFound UI - There is a minimal design for this page on the Figma. The corresponding SVG image used is in **/media** But instead of importing the image and rendering it using **src={ }**, wrap the SVG content in a react component of its own and import it just like you would any other component. create this component in the **errors/page_not_found** ````js // component function PageNotFoundSvg(){ return <svg>...svg content goes here </svg> } // usage import PageNotFoundSvg from .... <PageNotFoundSvg/> ```
non_defect
pagenotfound ui there is a minimal design for this page on the figma the corresponding svg image used is in media but instead of importing the image and rendering it using src wrap the svg content in a react component of its own and import it just like you would any other component create this component in the errors page not found js component function pagenotfoundsvg return svg content goes here usage import pagenotfoundsvg from
0
611,390
18,953,903,514
IssuesEvent
2021-11-18 17:53:35
wazuh/wazuh-documentation
https://api.github.com/repos/wazuh/wazuh-documentation
opened
Screenshot for: Detecting malware - PoC
priority: low type: refactor
Hi Team, Expanding PoC Documentation at Query the alerts section by adding a screenshot in order to illustrate the readers. Kind regards,
1.0
Screenshot for: Detecting malware - PoC - Hi Team, Expanding PoC Documentation at Query the alerts section by adding a screenshot in order to illustrate the readers. Kind regards,
non_defect
screenshot for detecting malware poc hi team expanding poc documentation at query the alerts section by adding a screenshot in order to illustrate the readers kind regards
0
51,305
10,616,223,320
IssuesEvent
2019-10-12 10:05:33
rust-lang/rust
https://api.github.com/repos/rust-lang/rust
closed
ICE when combining wrong syntax with Unicode string literal
A-resolve A-unicode C-bug E-needs-bisection E-needstest I-ICE P-medium T-compiler
In syntactically erroneous inputs, non-ASCII string literals can cause a compiler panic. Being a dilettante with fingers used to C++, I tried to initialize a struct without calling its `new` method, and it so happened that I was passing it a non-ASCII string. This gave me a compiler panic. Here's a small example: struct X {} fn f() { let x = X("ö"); } ## Meta I am using the Manjaro (Arch Linux) `rust`package, version `1:1.37.0-2`. `rustc --version --verbose`: rustc 1.37.0 binary: rustc commit-hash: unknown commit-date: unknown host: x86_64-unknown-linux-gnu release: 1.37.0 LLVM version: 8.0 Backtrace: thread 'rustc' panicked at 'byte index 38 is not a char boundary; it is inside 'ö' (bytes 37..39) of `struct X {} fn f() { let x = X("ö"); } `', src/libcore/str/mod.rs:2034:5 stack backtrace: 0: 0x7f028b22db8b - <unknown> 1: 0x7f028b22d867 - <unknown> 2: 0x7f028a3914f1 - <unknown> 3: 0x7f028b22e3e9 - std::panicking::rust_panic_with_hook::h4e663330759b90e1 4: 0x7f028b22de82 - <unknown> 5: 0x7f028b22dd66 - rust_begin_unwind 6: 0x7f028b25812d - core::panicking::panic_fmt::ha8e419005b06d9fa 7: 0x7f028b25a7a0 - core::str::slice_error_fail::h4de83ee694f497ba 8: 0x7f0289a31332 - rust_metadata_syntax_1baa2f1ef67248f5354eb1ad9534ec0 9: 0x7f0289a69c6a - syntax::source_map::SourceMap::span_to_snippet::h194946e102592953 10: 0x7f028955c867 - <unknown> 11: 0x7f028955a4fd - <unknown> 12: 0x7f02895a9a1f - <unknown> 13: 0x7f02895a96d2 - <unknown> 14: 0x7f02895a87a5 - <unknown> 15: 0x7f02895adc33 - <unknown> 16: 0x7f02895adc48 - <unknown> 17: 0x7f02895a3db2 - <unknown> 18: 0x7f02895a78ba - <unknown> 19: 0x7f02895898e4 - <rustc_resolve::Resolver as syntax::visit::Visitor>::visit_fn::h423a6899b245d8eb 20: 0x7f028953f32c - rust_metadata_rustc_resolve_5579cc0878d821c85113ee4c903d2100 21: 0x7f0289597a0c - <unknown> 22: 0x7f028958f9cc - rustc_resolve::Resolver::resolve_crate::h7850549a32dca50e 23: 0x7f028af65cc4 - <unknown> 24: 0x7f028af73dcc - rustc_interface::queries::<impl rustc_interface::interface::Compiler>::expansion::hc3bebb558c007928 25: 0x7f028af74bb4 - rustc_interface::queries::<impl rustc_interface::interface::Compiler>::lower_to_hir::h4f94678c772d58ae 26: 0x7f028af751d2 - rustc_interface::queries::<impl rustc_interface::interface::Compiler>::prepare_outputs::h3c5b38fbb69a9154 27: 0x7f028b2d8f39 - <unknown> 28: 0x7f028b23f31a - __rust_maybe_catch_panic 29: 0x7f028b2df729 - <unknown> 30: 0x7f028b210d6f - rust_metadata_std_d72cd6cf31ff9bd7b7e3914e0cf9c8c9 31: 0x7f028b23def0 - <unknown> 32: 0x7f02897e257f - start_thread 33: 0x7f028b0fd0e3 - __clone 34: 0x0 - <unknown> query stack during panic: end of query stack
1.0
ICE when combining wrong syntax with Unicode string literal - In syntactically erroneous inputs, non-ASCII string literals can cause a compiler panic. Being a dilettante with fingers used to C++, I tried to initialize a struct without calling its `new` method, and it so happened that I was passing it a non-ASCII string. This gave me a compiler panic. Here's a small example: struct X {} fn f() { let x = X("ö"); } ## Meta I am using the Manjaro (Arch Linux) `rust`package, version `1:1.37.0-2`. `rustc --version --verbose`: rustc 1.37.0 binary: rustc commit-hash: unknown commit-date: unknown host: x86_64-unknown-linux-gnu release: 1.37.0 LLVM version: 8.0 Backtrace: thread 'rustc' panicked at 'byte index 38 is not a char boundary; it is inside 'ö' (bytes 37..39) of `struct X {} fn f() { let x = X("ö"); } `', src/libcore/str/mod.rs:2034:5 stack backtrace: 0: 0x7f028b22db8b - <unknown> 1: 0x7f028b22d867 - <unknown> 2: 0x7f028a3914f1 - <unknown> 3: 0x7f028b22e3e9 - std::panicking::rust_panic_with_hook::h4e663330759b90e1 4: 0x7f028b22de82 - <unknown> 5: 0x7f028b22dd66 - rust_begin_unwind 6: 0x7f028b25812d - core::panicking::panic_fmt::ha8e419005b06d9fa 7: 0x7f028b25a7a0 - core::str::slice_error_fail::h4de83ee694f497ba 8: 0x7f0289a31332 - rust_metadata_syntax_1baa2f1ef67248f5354eb1ad9534ec0 9: 0x7f0289a69c6a - syntax::source_map::SourceMap::span_to_snippet::h194946e102592953 10: 0x7f028955c867 - <unknown> 11: 0x7f028955a4fd - <unknown> 12: 0x7f02895a9a1f - <unknown> 13: 0x7f02895a96d2 - <unknown> 14: 0x7f02895a87a5 - <unknown> 15: 0x7f02895adc33 - <unknown> 16: 0x7f02895adc48 - <unknown> 17: 0x7f02895a3db2 - <unknown> 18: 0x7f02895a78ba - <unknown> 19: 0x7f02895898e4 - <rustc_resolve::Resolver as syntax::visit::Visitor>::visit_fn::h423a6899b245d8eb 20: 0x7f028953f32c - rust_metadata_rustc_resolve_5579cc0878d821c85113ee4c903d2100 21: 0x7f0289597a0c - <unknown> 22: 0x7f028958f9cc - rustc_resolve::Resolver::resolve_crate::h7850549a32dca50e 23: 0x7f028af65cc4 - <unknown> 24: 0x7f028af73dcc - rustc_interface::queries::<impl rustc_interface::interface::Compiler>::expansion::hc3bebb558c007928 25: 0x7f028af74bb4 - rustc_interface::queries::<impl rustc_interface::interface::Compiler>::lower_to_hir::h4f94678c772d58ae 26: 0x7f028af751d2 - rustc_interface::queries::<impl rustc_interface::interface::Compiler>::prepare_outputs::h3c5b38fbb69a9154 27: 0x7f028b2d8f39 - <unknown> 28: 0x7f028b23f31a - __rust_maybe_catch_panic 29: 0x7f028b2df729 - <unknown> 30: 0x7f028b210d6f - rust_metadata_std_d72cd6cf31ff9bd7b7e3914e0cf9c8c9 31: 0x7f028b23def0 - <unknown> 32: 0x7f02897e257f - start_thread 33: 0x7f028b0fd0e3 - __clone 34: 0x0 - <unknown> query stack during panic: end of query stack
non_defect
ice when combining wrong syntax with unicode string literal in syntactically erroneous inputs non ascii string literals can cause a compiler panic being a dilettante with fingers used to c i tried to initialize a struct without calling its new method and it so happened that i was passing it a non ascii string this gave me a compiler panic here s a small example struct x fn f let x x ö meta i am using the manjaro arch linux rust package version rustc version verbose rustc binary rustc commit hash unknown commit date unknown host unknown linux gnu release llvm version backtrace thread rustc panicked at byte index is not a char boundary it is inside ö bytes of struct x fn f let x x ö src libcore str mod rs stack backtrace std panicking rust panic with hook rust begin unwind core panicking panic fmt core str slice error fail rust metadata syntax syntax source map sourcemap span to snippet visit fn rust metadata rustc resolve rustc resolve resolver resolve crate rustc interface queries expansion rustc interface queries lower to hir rustc interface queries prepare outputs rust maybe catch panic rust metadata std start thread clone query stack during panic end of query stack
0
610,312
18,903,843,109
IssuesEvent
2021-11-16 06:22:09
GoogleCloudPlatform/nodejs-docs-samples
https://api.github.com/repos/GoogleCloudPlatform/nodejs-docs-samples
closed
functions/imagemagick: blurOffensiveImages successfully blurs offensive images failed
type: bug priority: p1 api: cloudfunctions samples flakybot: issue
Note: #2353 was also for this test, but it was closed more than 10 days ago. So, I didn't mark it flaky. ---- commit: 34b2252e538c69e9dc2633b9096b379370c578ac buildURL: [Build Status](https://source.cloud.google.com/results/invocations/a0735477-fed5-4f37-914b-cf544842ac31), [Sponge](http://sponge2/a0735477-fed5-4f37-914b-cf544842ac31) status: failed <details><summary>Test output</summary><br><pre>Timeout of 20000ms exceeded. For async tests and hooks, ensure "done()" is called; if returning a Promise, ensure it resolves. (/tmpfs/src/github/nodejs-docs-samples/functions/imagemagick/test/index.test.js) Error: Timeout of 20000ms exceeded. For async tests and hooks, ensure "done()" is called; if returning a Promise, ensure it resolves. (/tmpfs/src/github/nodejs-docs-samples/functions/imagemagick/test/index.test.js) at listOnTimeout (internal/timers.js:557:17) at processTimers (internal/timers.js:500:7)</pre></details>
1.0
functions/imagemagick: blurOffensiveImages successfully blurs offensive images failed - Note: #2353 was also for this test, but it was closed more than 10 days ago. So, I didn't mark it flaky. ---- commit: 34b2252e538c69e9dc2633b9096b379370c578ac buildURL: [Build Status](https://source.cloud.google.com/results/invocations/a0735477-fed5-4f37-914b-cf544842ac31), [Sponge](http://sponge2/a0735477-fed5-4f37-914b-cf544842ac31) status: failed <details><summary>Test output</summary><br><pre>Timeout of 20000ms exceeded. For async tests and hooks, ensure "done()" is called; if returning a Promise, ensure it resolves. (/tmpfs/src/github/nodejs-docs-samples/functions/imagemagick/test/index.test.js) Error: Timeout of 20000ms exceeded. For async tests and hooks, ensure "done()" is called; if returning a Promise, ensure it resolves. (/tmpfs/src/github/nodejs-docs-samples/functions/imagemagick/test/index.test.js) at listOnTimeout (internal/timers.js:557:17) at processTimers (internal/timers.js:500:7)</pre></details>
non_defect
functions imagemagick bluroffensiveimages successfully blurs offensive images failed note was also for this test but it was closed more than days ago so i didn t mark it flaky commit buildurl status failed test output timeout of exceeded for async tests and hooks ensure done is called if returning a promise ensure it resolves tmpfs src github nodejs docs samples functions imagemagick test index test js error timeout of exceeded for async tests and hooks ensure done is called if returning a promise ensure it resolves tmpfs src github nodejs docs samples functions imagemagick test index test js at listontimeout internal timers js at processtimers internal timers js
0
71,880
23,839,509,456
IssuesEvent
2022-09-06 09:05:19
vector-im/element-ios
https://api.github.com/repos/vector-im/element-ios
closed
On iOS 16, big gaps appear between displayed messages in a room
T-Defect A-Timeline S-Major O-Uncommon os:iOS16
### Steps to reproduce Use the current IOS Element app on any iOS 16 beta or dev preview. It seems to happen more when Message bubbles are turned off. Scroll through any room and you'll find some. They seem random, but it seems to affect perhaps 1 out of 8 messages. ### Outcome I don't expect gaps like this: ![IMG_3B4A95658409-1](https://user-images.githubusercontent.com/88039935/179388168-c3dae458-15cc-4666-8b45-60f65eabd820.jpeg) ### Your phone model iPhone 13 Pro Max ### Operating system version iOS 16 ### Application version 1.8.20 ### Homeserver Synapse matrix.moodle.com ### Will you send logs? No
1.0
On iOS 16, big gaps appear between displayed messages in a room - ### Steps to reproduce Use the current IOS Element app on any iOS 16 beta or dev preview. It seems to happen more when Message bubbles are turned off. Scroll through any room and you'll find some. They seem random, but it seems to affect perhaps 1 out of 8 messages. ### Outcome I don't expect gaps like this: ![IMG_3B4A95658409-1](https://user-images.githubusercontent.com/88039935/179388168-c3dae458-15cc-4666-8b45-60f65eabd820.jpeg) ### Your phone model iPhone 13 Pro Max ### Operating system version iOS 16 ### Application version 1.8.20 ### Homeserver Synapse matrix.moodle.com ### Will you send logs? No
defect
on ios big gaps appear between displayed messages in a room steps to reproduce use the current ios element app on any ios beta or dev preview it seems to happen more when message bubbles are turned off scroll through any room and you ll find some they seem random but it seems to affect perhaps out of messages outcome i don t expect gaps like this your phone model iphone pro max operating system version ios application version homeserver synapse matrix moodle com will you send logs no
1
632,108
20,172,608,986
IssuesEvent
2022-02-10 11:48:22
TencentBlueKing/bk-iam-saas
https://api.github.com/repos/TencentBlueKing/bk-iam-saas
opened
[Auth] 支持APIGateway微网关使用子身份调用BKAuth接口
Type: Enhancement Priority: High Size: S
1. 支持动态Scope(初期可以针对bk_apigateway特殊处理) 2. 支持不同Scope的AccessToken数量限制 3. 对于client_credentials类型的access_token,可在创建时自定义过期时间 4. verify_access_token接口,需要支持access_token的身份认证和鉴权
1.0
[Auth] 支持APIGateway微网关使用子身份调用BKAuth接口 - 1. 支持动态Scope(初期可以针对bk_apigateway特殊处理) 2. 支持不同Scope的AccessToken数量限制 3. 对于client_credentials类型的access_token,可在创建时自定义过期时间 4. verify_access_token接口,需要支持access_token的身份认证和鉴权
non_defect
支持apigateway微网关使用子身份调用bkauth接口 支持动态scope(初期可以针对bk apigateway特殊处理) 支持不同scope的accesstoken数量限制 对于client credentials类型的access token,可在创建时自定义过期时间 verify access token接口,需要支持access token的身份认证和鉴权
0
8,887
2,612,924,764
IssuesEvent
2015-02-27 17:32:38
chrsmith/windows-package-manager
https://api.github.com/repos/chrsmith/windows-package-manager
closed
Can't uninstall uTorrent
auto-migrated Milestone-End_Of_Month Type-Defect
``` What steps will reproduce the problem? 1.Install 2.Uninstall 3. What is the expected output? What do you see instead? What version of the product are you using? On what operating system? Npackd 1.17.9 - software package manager for Windows (R) http://code.google.com/p/windows-package-manager Please provide any additional information below. Uninstalling µTorrent 3.3 Process C:\Windows\system32\cmd.exe exited with the code 2 C:\npackd-local\µTorrent>"C:\Users\cmt4434\AppData\Roaming\uTorrent\uTorrent.ex e" /UNINSTALL /S The system cannot find the path specified. C:\npackd-local\µTorrent>verify VERIFY is off. C:\npackd-local\µTorrent>rd /s /q "C:\Users\cmt4434\AppData\Roaming\uTorrent" The system cannot find the file specified. ``` Original issue reported on code.google.com by `cmtopi...@gmail.com` on 7 Aug 2013 at 2:19
1.0
Can't uninstall uTorrent - ``` What steps will reproduce the problem? 1.Install 2.Uninstall 3. What is the expected output? What do you see instead? What version of the product are you using? On what operating system? Npackd 1.17.9 - software package manager for Windows (R) http://code.google.com/p/windows-package-manager Please provide any additional information below. Uninstalling µTorrent 3.3 Process C:\Windows\system32\cmd.exe exited with the code 2 C:\npackd-local\µTorrent>"C:\Users\cmt4434\AppData\Roaming\uTorrent\uTorrent.ex e" /UNINSTALL /S The system cannot find the path specified. C:\npackd-local\µTorrent>verify VERIFY is off. C:\npackd-local\µTorrent>rd /s /q "C:\Users\cmt4434\AppData\Roaming\uTorrent" The system cannot find the file specified. ``` Original issue reported on code.google.com by `cmtopi...@gmail.com` on 7 Aug 2013 at 2:19
defect
can t uninstall utorrent what steps will reproduce the problem install uninstall what is the expected output what do you see instead what version of the product are you using on what operating system npackd software package manager for windows r please provide any additional information below uninstalling µtorrent process c windows cmd exe exited with the code c npackd local µtorrent c users appdata roaming utorrent utorrent ex e uninstall s the system cannot find the path specified c npackd local µtorrent verify verify is off c npackd local µtorrent rd s q c users appdata roaming utorrent the system cannot find the file specified original issue reported on code google com by cmtopi gmail com on aug at
1
7,701
3,594,867,831
IssuesEvent
2016-02-02 02:04:59
dotnet/coreclr
https://api.github.com/repos/dotnet/coreclr
opened
Update BenchI and BenchF benchmarks to validate results
CodeGen performance
These benchmarks (tests/src/JIT/performance/codequality) don't all consistently check for correctness of results. They've been useful in the past without it but would be a nice additional validation measure to do this.
1.0
Update BenchI and BenchF benchmarks to validate results - These benchmarks (tests/src/JIT/performance/codequality) don't all consistently check for correctness of results. They've been useful in the past without it but would be a nice additional validation measure to do this.
non_defect
update benchi and benchf benchmarks to validate results these benchmarks tests src jit performance codequality don t all consistently check for correctness of results they ve been useful in the past without it but would be a nice additional validation measure to do this
0
6,543
5,513,261,893
IssuesEvent
2017-03-17 11:59:20
mirumee/saleor
https://api.github.com/repos/mirumee/saleor
closed
Inline SVG graphics instead of pulling them from static files
frontend in progress performance storefront
We should do this both for performance reasons and for the ease of styling them with CSS (for example `fill: currentColor`). This involves changes to both HTML and React code.
True
Inline SVG graphics instead of pulling them from static files - We should do this both for performance reasons and for the ease of styling them with CSS (for example `fill: currentColor`). This involves changes to both HTML and React code.
non_defect
inline svg graphics instead of pulling them from static files we should do this both for performance reasons and for the ease of styling them with css for example fill currentcolor this involves changes to both html and react code
0
44,507
12,217,578,697
IssuesEvent
2020-05-01 17:30:01
department-of-veterans-affairs/va.gov-team
https://api.github.com/repos/department-of-veterans-affairs/va.gov-team
closed
[MARKUP]: GIBCT - Revisit the provider detail pages to refactor, remove extra ARIA attributes
508-defect-3 508-issue-semantic-markup 508/Accessibility bah-comparisontool bah-sprint-46
**Feedback framework** - **⚠️ Should** if the feedback is best practice ## Description <!-- This is a detailed description of the issue. It should include a restatement of the title, and provide more background information. --> The provider detail view no longer throws an axe error because the team has refactored the unordered list of accordions. While discussing the issue with the development team, we discovered a need for `aria-labels` on each `<li>` to prevent unexpected screen reader behavior. This should be revisited soon, and all extra ARIA markup removed from the page. Specifically look at at `aria-live`, `aria-label` attributes, as they're not needed with the current implementation. ## Related Issues * https://github.com/department-of-veterans-affairs/va.gov-team/issues/7727 ## Point of Contact <!-- If this issue is being opened by a VFS team member, please add a point of contact. Usually this is the same person who enters the issue ticket. --> **VFS Point of Contact:** _Trevor_ ## Acceptance Criteria <!-- As a keyboard user, I want to open the Level of Coverage widget by pressing Spacebar or pressing Enter. These keypress actions should not interfere with the mouse click event also opening the widget. --> - [ ] Screen readers do not announce live region changes. Accordions should be able to be opened and closed, with screen readers announcing the button is "expanded" or "collapsed", but not start reading the elements inside them. - [ ] No axe violations appear - [ ] Semantic HTML validates a checker like the W3C HTML5 validator ## Environment * https://staging.va.gov/gi-bill-comparison-tool/profile/14900416 is a good example page, but any provider detail view will work ## WCAG or Vendor Guidance (optional) * [Info and Relationships: Understanding SC 1.3.1](https://www.w3.org/TR/UNDERSTANDING-WCAG20/content-structure-separation-programmatic.html)
1.0
[MARKUP]: GIBCT - Revisit the provider detail pages to refactor, remove extra ARIA attributes - **Feedback framework** - **⚠️ Should** if the feedback is best practice ## Description <!-- This is a detailed description of the issue. It should include a restatement of the title, and provide more background information. --> The provider detail view no longer throws an axe error because the team has refactored the unordered list of accordions. While discussing the issue with the development team, we discovered a need for `aria-labels` on each `<li>` to prevent unexpected screen reader behavior. This should be revisited soon, and all extra ARIA markup removed from the page. Specifically look at at `aria-live`, `aria-label` attributes, as they're not needed with the current implementation. ## Related Issues * https://github.com/department-of-veterans-affairs/va.gov-team/issues/7727 ## Point of Contact <!-- If this issue is being opened by a VFS team member, please add a point of contact. Usually this is the same person who enters the issue ticket. --> **VFS Point of Contact:** _Trevor_ ## Acceptance Criteria <!-- As a keyboard user, I want to open the Level of Coverage widget by pressing Spacebar or pressing Enter. These keypress actions should not interfere with the mouse click event also opening the widget. --> - [ ] Screen readers do not announce live region changes. Accordions should be able to be opened and closed, with screen readers announcing the button is "expanded" or "collapsed", but not start reading the elements inside them. - [ ] No axe violations appear - [ ] Semantic HTML validates a checker like the W3C HTML5 validator ## Environment * https://staging.va.gov/gi-bill-comparison-tool/profile/14900416 is a good example page, but any provider detail view will work ## WCAG or Vendor Guidance (optional) * [Info and Relationships: Understanding SC 1.3.1](https://www.w3.org/TR/UNDERSTANDING-WCAG20/content-structure-separation-programmatic.html)
defect
gibct revisit the provider detail pages to refactor remove extra aria attributes feedback framework ⚠️ should if the feedback is best practice description the provider detail view no longer throws an axe error because the team has refactored the unordered list of accordions while discussing the issue with the development team we discovered a need for aria labels on each to prevent unexpected screen reader behavior this should be revisited soon and all extra aria markup removed from the page specifically look at at aria live aria label attributes as they re not needed with the current implementation related issues point of contact if this issue is being opened by a vfs team member please add a point of contact usually this is the same person who enters the issue ticket vfs point of contact trevor acceptance criteria screen readers do not announce live region changes accordions should be able to be opened and closed with screen readers announcing the button is expanded or collapsed but not start reading the elements inside them no axe violations appear semantic html validates a checker like the validator environment is a good example page but any provider detail view will work wcag or vendor guidance optional
1
3,981
2,610,085,214
IssuesEvent
2015-02-26 18:25:56
chrsmith/dsdsdaadf
https://api.github.com/repos/chrsmith/dsdsdaadf
opened
深圳长暗疮去哪里看
auto-migrated Priority-Medium Type-Defect
``` 深圳长暗疮去哪里看【深圳韩方科颜全国热线400-869-1818,24小 时QQ4008691818】深圳韩方科颜专业祛痘连锁机构,机构以韩国�� �方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品,韩� ��科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反弹” 健康祛痘技术并结合先进“先进豪华彩光”仪,开创国内专�� �治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸上的� ��痘。 ``` ----- Original issue reported on code.google.com by `szft...@163.com` on 14 May 2014 at 7:03
1.0
深圳长暗疮去哪里看 - ``` 深圳长暗疮去哪里看【深圳韩方科颜全国热线400-869-1818,24小 时QQ4008691818】深圳韩方科颜专业祛痘连锁机构,机构以韩国�� �方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品,韩� ��科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反弹” 健康祛痘技术并结合先进“先进豪华彩光”仪,开创国内专�� �治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸上的� ��痘。 ``` ----- Original issue reported on code.google.com by `szft...@163.com` on 14 May 2014 at 7:03
defect
深圳长暗疮去哪里看 深圳长暗疮去哪里看【 , 】深圳韩方科颜专业祛痘连锁机构,机构以韩国�� �方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品,韩� ��科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反弹” 健康祛痘技术并结合先进“先进豪华彩光”仪,开创国内专�� �治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸上的� ��痘。 original issue reported on code google com by szft com on may at
1
72,860
24,336,151,039
IssuesEvent
2022-10-01 04:56:40
primefaces/primefaces
https://api.github.com/repos/primefaces/primefaces
opened
Treetable: clearFilters() API make table frozon
:lady_beetle: defect :bangbang: needs-triage
### Describe the bug After I use the clearFilters(), the table is frozen. Although the value is change on the Java side, the tree table does not show any changes. ### Reproducer 1. Go to left corner to choose a tree root and load the tree root (default is root1) as you like 2. Click on "clear filters" button (no matter is anything in the filter side) 3. Go back to left corner to select other tree root to load 4. See the **table would not change**. But in the debugger, the **value has changed to selected tree node** 5. No errors on console [primefaces-test-master.zip](https://github.com/primefaces/primefaces/files/9689575/primefaces-test-master.zip) ### Expected behavior The expected result is: After click the "clear filter" button, when user change the root and load it, the table should be changed correspondingly. ### PrimeFaces edition Community ### PrimeFaces version 11.0.0 ### Theme _No response_ ### JSF implementation All ### JSF version 2.2 ### Java version 1.8 ### Browser(s) _No response_
1.0
Treetable: clearFilters() API make table frozon - ### Describe the bug After I use the clearFilters(), the table is frozen. Although the value is change on the Java side, the tree table does not show any changes. ### Reproducer 1. Go to left corner to choose a tree root and load the tree root (default is root1) as you like 2. Click on "clear filters" button (no matter is anything in the filter side) 3. Go back to left corner to select other tree root to load 4. See the **table would not change**. But in the debugger, the **value has changed to selected tree node** 5. No errors on console [primefaces-test-master.zip](https://github.com/primefaces/primefaces/files/9689575/primefaces-test-master.zip) ### Expected behavior The expected result is: After click the "clear filter" button, when user change the root and load it, the table should be changed correspondingly. ### PrimeFaces edition Community ### PrimeFaces version 11.0.0 ### Theme _No response_ ### JSF implementation All ### JSF version 2.2 ### Java version 1.8 ### Browser(s) _No response_
defect
treetable clearfilters api make table frozon describe the bug after i use the clearfilters the table is frozen although the value is change on the java side the tree table does not show any changes reproducer go to left corner to choose a tree root and load the tree root default is as you like click on clear filters button no matter is anything in the filter side go back to left corner to select other tree root to load see the table would not change but in the debugger the value has changed to selected tree node no errors on console expected behavior the expected result is after click the clear filter button when user change the root and load it the table should be changed correspondingly primefaces edition community primefaces version theme no response jsf implementation all jsf version java version browser s no response
1
11,522
2,656,879,648
IssuesEvent
2015-03-18 02:02:48
cakephp/docs
https://api.github.com/repos/cakephp/docs
closed
Full text search on book.cakephp.org not working when referrer request header isn't sent by the browser (because of missing Access-Control-Allow-Origin header)
defect
hope that this is the correct place for the following issue: when using full text search on book.cakephp.org in Firefox browser, everything works as expected: ![image](https://cloud.githubusercontent.com/assets/5585744/6651316/8b4703be-ca3d-11e4-9799-19bdc90a3487.png) but when doing the very same search in Chrome, no search results are shown: ![image](https://cloud.githubusercontent.com/assets/5585744/6651320/b296d8f4-ca3d-11e4-873a-31aeb464f77f.png) Seems there is a problem with a missing Access-Control-Allow-Origin header that prevents cross-site ajax requests from book.cakephp.org to search.cakephp.org?
1.0
Full text search on book.cakephp.org not working when referrer request header isn't sent by the browser (because of missing Access-Control-Allow-Origin header) - hope that this is the correct place for the following issue: when using full text search on book.cakephp.org in Firefox browser, everything works as expected: ![image](https://cloud.githubusercontent.com/assets/5585744/6651316/8b4703be-ca3d-11e4-9799-19bdc90a3487.png) but when doing the very same search in Chrome, no search results are shown: ![image](https://cloud.githubusercontent.com/assets/5585744/6651320/b296d8f4-ca3d-11e4-873a-31aeb464f77f.png) Seems there is a problem with a missing Access-Control-Allow-Origin header that prevents cross-site ajax requests from book.cakephp.org to search.cakephp.org?
defect
full text search on book cakephp org not working when referrer request header isn t sent by the browser because of missing access control allow origin header hope that this is the correct place for the following issue when using full text search on book cakephp org in firefox browser everything works as expected but when doing the very same search in chrome no search results are shown seems there is a problem with a missing access control allow origin header that prevents cross site ajax requests from book cakephp org to search cakephp org
1
820,118
30,760,259,423
IssuesEvent
2023-07-29 15:54:32
jahirfiquitiva/Frames
https://api.github.com/repos/jahirfiquitiva/Frames
closed
Wallpapers load in debug, but not in release
Type: Bug Status: Help Wanted Status: Accepted Priority: Critical polar
### Requirements - [X] I have verified there are no duplicate active or recent bugs, questions, or requests ### Frames Version 3.5.6 ### Android Version 13 ### Device Manufacturer Nothing ### Device Name A063 ### What happened? My `json_url` is https://madridista.gavn.in. When I run it in debug mode, the wallpapers load and so do the collections. However, after publishing my app to the Play Store, the wallpapers do not load. | In debug | In release | |------------------------------------------------------------------------------------------------------------------------------|------------------------------------------------------------------------------------------------------------------------------| | ![Screenshot_20230723-192632](https://github.com/jahirfiquitiva/Frames/assets/68476117/7fd1ea90-93c6-4e55-9ab7-51d4e4492a9e) | ![Screenshot_20230729-091121](https://github.com/jahirfiquitiva/Frames/assets/68476117/b6f5d045-6d0c-4af6-a826-d1e8b6981bf7) | ### Reproduction Steps Setting `json_url` to https://madridista.gavn.in ### Expected behavior Wallpapers needed to load ### Code and/or Logs https://github.com/pexeixv/madridista ----- <!-- POLAR PLEDGE BADGE START --> ## Funding * You can sponsor this specific effort via a [Polar.sh](https://polar.sh) pledge below * We receive the pledge once the issue is completed & verified <a href="https://polar.sh/jahirfiquitiva/Frames/issues/262"> <picture> <source media="(prefers-color-scheme: dark)" srcset="https://polar.sh/api/github/jahirfiquitiva/Frames/issues/262/pledge.svg?darkmode=1"> <img alt="Fund with Polar" src="https://polar.sh/api/github/jahirfiquitiva/Frames/issues/262/pledge.svg"> </picture> </a> <!-- POLAR PLEDGE BADGE END -->
1.0
Wallpapers load in debug, but not in release - ### Requirements - [X] I have verified there are no duplicate active or recent bugs, questions, or requests ### Frames Version 3.5.6 ### Android Version 13 ### Device Manufacturer Nothing ### Device Name A063 ### What happened? My `json_url` is https://madridista.gavn.in. When I run it in debug mode, the wallpapers load and so do the collections. However, after publishing my app to the Play Store, the wallpapers do not load. | In debug | In release | |------------------------------------------------------------------------------------------------------------------------------|------------------------------------------------------------------------------------------------------------------------------| | ![Screenshot_20230723-192632](https://github.com/jahirfiquitiva/Frames/assets/68476117/7fd1ea90-93c6-4e55-9ab7-51d4e4492a9e) | ![Screenshot_20230729-091121](https://github.com/jahirfiquitiva/Frames/assets/68476117/b6f5d045-6d0c-4af6-a826-d1e8b6981bf7) | ### Reproduction Steps Setting `json_url` to https://madridista.gavn.in ### Expected behavior Wallpapers needed to load ### Code and/or Logs https://github.com/pexeixv/madridista ----- <!-- POLAR PLEDGE BADGE START --> ## Funding * You can sponsor this specific effort via a [Polar.sh](https://polar.sh) pledge below * We receive the pledge once the issue is completed & verified <a href="https://polar.sh/jahirfiquitiva/Frames/issues/262"> <picture> <source media="(prefers-color-scheme: dark)" srcset="https://polar.sh/api/github/jahirfiquitiva/Frames/issues/262/pledge.svg?darkmode=1"> <img alt="Fund with Polar" src="https://polar.sh/api/github/jahirfiquitiva/Frames/issues/262/pledge.svg"> </picture> </a> <!-- POLAR PLEDGE BADGE END -->
non_defect
wallpapers load in debug but not in release requirements i have verified there are no duplicate active or recent bugs questions or requests frames version android version device manufacturer nothing device name what happened my json url is when i run it in debug mode the wallpapers load and so do the collections however after publishing my app to the play store the wallpapers do not load in debug in release reproduction steps setting json url to expected behavior wallpapers needed to load code and or logs funding you can sponsor this specific effort via a pledge below we receive the pledge once the issue is completed verified a href source media prefers color scheme dark srcset img alt fund with polar src
0
32,879
6,955,148,907
IssuesEvent
2017-12-07 06:02:11
catmaid/CATMAID
https://api.github.com/repos/catmaid/CATMAID
closed
Can no longer change confidence of connector edges
priority: important type: defect
alt + (a number) doesn't change the confidence of conector edges since the last update. Also, (as a minor point) shift+z will no longer place connectors.
1.0
Can no longer change confidence of connector edges - alt + (a number) doesn't change the confidence of conector edges since the last update. Also, (as a minor point) shift+z will no longer place connectors.
defect
can no longer change confidence of connector edges alt a number doesn t change the confidence of conector edges since the last update also as a minor point shift z will no longer place connectors
1
70,488
23,194,164,414
IssuesEvent
2022-08-01 14:58:23
jOOQ/jOOQ
https://api.github.com/repos/jOOQ/jOOQ
opened
Exception in jooq code gen maven plugin when using a procedure for a trigger
T: Defect
### Expected behavior jooq code gen maven plugin should generate the classes for the db schema containing a trigger ### Actual behavior jooq code gen maven plugin throws an exception ### Steps to reproduce the problem - Create a liquibase changeset with a trigger procedure call ` <?xml version="1.0" encoding="UTF-8"?> <databaseChangeLog xmlns="http://www.liquibase.org/xml/ns/dbchangelog" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://www.liquibase.org/xml/ns/dbchangelog http://www.liquibase.org/xml/ns/dbchangelog/dbchangelog-4.4.xsd"> <changeSet author="gokul" id="2" runOnChange="true"> <!-- [jooq ignore start] --> <createProcedure procedureName="fn_trig_eid"> CREATE OR REPLACE FUNCTION fn_trig_eid() RETURNS TRIGGER AS $PROC$ BEGIN RETURN NEW; END $PROC$ LANGUAGE plpgsql VOLATILE; </createProcedure> <!-- [jooq ignore stop] --> <rollback> DROP FUNCTION fn_trig_eid(); </rollback> </changeSet> </databaseChangeLog> ` - Running the codegen throws the exception ` [ERROR] Failed to execute goal org.jooq:jooq-codegen-maven:3.16.8:generate (jooq-generate) on project pi: Error running jOOQ code generation tool: Error while exporting schema: liquibase.exception.MigrationFailedException: Migration failed for change set changelog-2.proc.xml::2::gokul: [ERROR] Reason: liquibase.exception.DatabaseException: Syntax error in SQL statement "CREATE OR REPLACE [*]FUNCTION fn_trig_eid() RETURNS TRIGGER AS $PROC$\000a BEGIN\000a RETURN NEW;\000a END\000a $PROC$ LANGUAGE plpgsql VOLATILE"; expected "FORCE, VIEW, ALIAS, SEQUENCE, USER, TRIGGER, ROLE, SCHEMA, CONSTANT, DOMAIN, TYPE, DATATYPE, AGGREGATE, LINKED, MEMORY, CACHED, LOCAL, GLOBAL, TEMP, TEMPORARY, TABLE, SYNONYM, UNIQUE, HASH, SPATIAL, INDEX"; SQL statement: [ERROR] CREATE OR REPLACE FUNCTION fn_trig_eid() RETURNS TRIGGER AS $PROC$ [ERROR] BEGIN [ERROR] RETURN NEW; [ERROR] END [ERROR] $PROC$ LANGUAGE plpgsql VOLATILE [42001-210] [Failed SQL: (42001) CREATE OR REPLACE FUNCTION fn_trig_eid() RETURNS TRIGGER AS $PROC$ [ERROR] BEGIN [ERROR] RETURN NEW; [ERROR] END [ERROR] $PROC$ LANGUAGE plpgsql VOLATILE] [ERROR] -> [Help 1] ` - When running the liquibase tool, there are no exceptions and the procedure is created witthout any errors ` Aug 01, 2022 8:26:17 PM liquibase.changelog INFO: Stored procedure created Aug 01, 2022 8:26:17 PM liquibase.changelog INFO: ChangeSet schemas/sql/changelog-2.proc.xml::2::gokul ran successfully in 12ms ` ### Versions - jOOQ: 3.16.8 - Java: openjdk version "11.0.16" - Database (include vendor): postgres - OS: macOS Monterey 12.4 - JDBC Driver (include name if unofficial driver):
1.0
Exception in jooq code gen maven plugin when using a procedure for a trigger - ### Expected behavior jooq code gen maven plugin should generate the classes for the db schema containing a trigger ### Actual behavior jooq code gen maven plugin throws an exception ### Steps to reproduce the problem - Create a liquibase changeset with a trigger procedure call ` <?xml version="1.0" encoding="UTF-8"?> <databaseChangeLog xmlns="http://www.liquibase.org/xml/ns/dbchangelog" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://www.liquibase.org/xml/ns/dbchangelog http://www.liquibase.org/xml/ns/dbchangelog/dbchangelog-4.4.xsd"> <changeSet author="gokul" id="2" runOnChange="true"> <!-- [jooq ignore start] --> <createProcedure procedureName="fn_trig_eid"> CREATE OR REPLACE FUNCTION fn_trig_eid() RETURNS TRIGGER AS $PROC$ BEGIN RETURN NEW; END $PROC$ LANGUAGE plpgsql VOLATILE; </createProcedure> <!-- [jooq ignore stop] --> <rollback> DROP FUNCTION fn_trig_eid(); </rollback> </changeSet> </databaseChangeLog> ` - Running the codegen throws the exception ` [ERROR] Failed to execute goal org.jooq:jooq-codegen-maven:3.16.8:generate (jooq-generate) on project pi: Error running jOOQ code generation tool: Error while exporting schema: liquibase.exception.MigrationFailedException: Migration failed for change set changelog-2.proc.xml::2::gokul: [ERROR] Reason: liquibase.exception.DatabaseException: Syntax error in SQL statement "CREATE OR REPLACE [*]FUNCTION fn_trig_eid() RETURNS TRIGGER AS $PROC$\000a BEGIN\000a RETURN NEW;\000a END\000a $PROC$ LANGUAGE plpgsql VOLATILE"; expected "FORCE, VIEW, ALIAS, SEQUENCE, USER, TRIGGER, ROLE, SCHEMA, CONSTANT, DOMAIN, TYPE, DATATYPE, AGGREGATE, LINKED, MEMORY, CACHED, LOCAL, GLOBAL, TEMP, TEMPORARY, TABLE, SYNONYM, UNIQUE, HASH, SPATIAL, INDEX"; SQL statement: [ERROR] CREATE OR REPLACE FUNCTION fn_trig_eid() RETURNS TRIGGER AS $PROC$ [ERROR] BEGIN [ERROR] RETURN NEW; [ERROR] END [ERROR] $PROC$ LANGUAGE plpgsql VOLATILE [42001-210] [Failed SQL: (42001) CREATE OR REPLACE FUNCTION fn_trig_eid() RETURNS TRIGGER AS $PROC$ [ERROR] BEGIN [ERROR] RETURN NEW; [ERROR] END [ERROR] $PROC$ LANGUAGE plpgsql VOLATILE] [ERROR] -> [Help 1] ` - When running the liquibase tool, there are no exceptions and the procedure is created witthout any errors ` Aug 01, 2022 8:26:17 PM liquibase.changelog INFO: Stored procedure created Aug 01, 2022 8:26:17 PM liquibase.changelog INFO: ChangeSet schemas/sql/changelog-2.proc.xml::2::gokul ran successfully in 12ms ` ### Versions - jOOQ: 3.16.8 - Java: openjdk version "11.0.16" - Database (include vendor): postgres - OS: macOS Monterey 12.4 - JDBC Driver (include name if unofficial driver):
defect
exception in jooq code gen maven plugin when using a procedure for a trigger expected behavior jooq code gen maven plugin should generate the classes for the db schema containing a trigger actual behavior jooq code gen maven plugin throws an exception steps to reproduce the problem create a liquibase changeset with a trigger procedure call databasechangelog xmlns xmlns xsi xsi schemalocation create or replace function fn trig eid returns trigger as proc begin return new end proc language plpgsql volatile drop function fn trig eid running the codegen throws the exception failed to execute goal org jooq jooq codegen maven generate jooq generate on project pi error running jooq code generation tool error while exporting schema liquibase exception migrationfailedexception migration failed for change set changelog proc xml gokul reason liquibase exception databaseexception syntax error in sql statement create or replace function fn trig eid returns trigger as proc begin return new end proc language plpgsql volatile expected force view alias sequence user trigger role schema constant domain type datatype aggregate linked memory cached local global temp temporary table synonym unique hash spatial index sql statement create or replace function fn trig eid returns trigger as proc begin return new end proc language plpgsql volatile failed sql create or replace function fn trig eid returns trigger as proc begin return new end proc language plpgsql volatile when running the liquibase tool there are no exceptions and the procedure is created witthout any errors aug pm liquibase changelog info stored procedure created aug pm liquibase changelog info changeset schemas sql changelog proc xml gokul ran successfully in versions jooq java openjdk version database include vendor postgres os macos monterey jdbc driver include name if unofficial driver
1
60,213
17,023,370,952
IssuesEvent
2021-07-03 01:40:30
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Mapnik rendering problem k=wood v=mixed
Component: mapnik Priority: major Resolution: worksforme Type: defect
**[Submitted to the original trac issue database at 10.57am, Thursday, 26th February 2009]** The mapfeatures page on OSM wiki gives additional key/value sets for landuse forest, e.g. wood=mixed etc. It appears that when additional values are added to landuse forest, the green area fails to render on the Mapnik stylesheet. I noticed something similar to happen on landuse=residential. When the additional value name=Waldgirmes (to name the residential area) is set, the grey residential area fails to render. After removing the additional values (wood, name) the areas render fine. Thank you for looking into it. Longbow4u
1.0
Mapnik rendering problem k=wood v=mixed - **[Submitted to the original trac issue database at 10.57am, Thursday, 26th February 2009]** The mapfeatures page on OSM wiki gives additional key/value sets for landuse forest, e.g. wood=mixed etc. It appears that when additional values are added to landuse forest, the green area fails to render on the Mapnik stylesheet. I noticed something similar to happen on landuse=residential. When the additional value name=Waldgirmes (to name the residential area) is set, the grey residential area fails to render. After removing the additional values (wood, name) the areas render fine. Thank you for looking into it. Longbow4u
defect
mapnik rendering problem k wood v mixed the mapfeatures page on osm wiki gives additional key value sets for landuse forest e g wood mixed etc it appears that when additional values are added to landuse forest the green area fails to render on the mapnik stylesheet i noticed something similar to happen on landuse residential when the additional value name waldgirmes to name the residential area is set the grey residential area fails to render after removing the additional values wood name the areas render fine thank you for looking into it
1
71,138
23,466,063,440
IssuesEvent
2022-08-16 16:52:58
department-of-veterans-affairs/va.gov-cms
https://api.github.com/repos/department-of-veterans-affairs/va.gov-cms
opened
508-defect-1: Missing lang attribute for in-page (non-global) Spanish content
Defect Resources and support 508/Accessibility 508-defect-1
## Describe the defect On the PACT act page, when the user changes the page to the Spanish translation version there is no land attribute adding indicating that the language has changed to es (Spanish) . When the lang attribute is not set correctly, screen reader user's hear the content pronounced incorrectly (with an English accent) ## To Reproduce Steps to reproduce the behavior: 1. Go to The Spanish translation [PACT act page](https://www.va.gov/resources/the-pact-act-and-your-va-benefits-esp/) 2. Inspect the page and note that there is no lang attribute wrapping the main body content to denote the change in language 3. If available, turn on your screen reader and listen to the page being read and note that it is with an English accent ## AC / Expected behavior - [ ] `lang=es` attribute has been added to indicate which section of the page content is in Spanish ## Screenshots ![image](https://user-images.githubusercontent.com/106678594/184934003-e60bc41a-c24d-42f5-8cb3-6f6774ec8bc9.png) ## Additional context This issue is also occurring on the [COVID Vaccine page](https://www.va.gov/health-care/covid-19-vaccine-esp/) I was speaking with Josh Kim and was told this was worked on and completed on that particular page a while ago, I believe this is [the issue](https://github.com/department-of-veterans-affairs/va.gov-team/issues/22313) that relates to that work. The issue is completed but the update is not longer on the production site, I confirmed with Josh he doesn't see it either. ## WCAG Guidance [WCAG 2.0 A: Success Criterion 3.1.1: Language of Page](https://www.w3.org/WAI/WCAG21/Understanding/language-of-page.html)
2.0
508-defect-1: Missing lang attribute for in-page (non-global) Spanish content - ## Describe the defect On the PACT act page, when the user changes the page to the Spanish translation version there is no land attribute adding indicating that the language has changed to es (Spanish) . When the lang attribute is not set correctly, screen reader user's hear the content pronounced incorrectly (with an English accent) ## To Reproduce Steps to reproduce the behavior: 1. Go to The Spanish translation [PACT act page](https://www.va.gov/resources/the-pact-act-and-your-va-benefits-esp/) 2. Inspect the page and note that there is no lang attribute wrapping the main body content to denote the change in language 3. If available, turn on your screen reader and listen to the page being read and note that it is with an English accent ## AC / Expected behavior - [ ] `lang=es` attribute has been added to indicate which section of the page content is in Spanish ## Screenshots ![image](https://user-images.githubusercontent.com/106678594/184934003-e60bc41a-c24d-42f5-8cb3-6f6774ec8bc9.png) ## Additional context This issue is also occurring on the [COVID Vaccine page](https://www.va.gov/health-care/covid-19-vaccine-esp/) I was speaking with Josh Kim and was told this was worked on and completed on that particular page a while ago, I believe this is [the issue](https://github.com/department-of-veterans-affairs/va.gov-team/issues/22313) that relates to that work. The issue is completed but the update is not longer on the production site, I confirmed with Josh he doesn't see it either. ## WCAG Guidance [WCAG 2.0 A: Success Criterion 3.1.1: Language of Page](https://www.w3.org/WAI/WCAG21/Understanding/language-of-page.html)
defect
defect missing lang attribute for in page non global spanish content describe the defect on the pact act page when the user changes the page to the spanish translation version there is no land attribute adding indicating that the language has changed to es spanish when the lang attribute is not set correctly screen reader user s hear the content pronounced incorrectly with an english accent to reproduce steps to reproduce the behavior go to the spanish translation inspect the page and note that there is no lang attribute wrapping the main body content to denote the change in language if available turn on your screen reader and listen to the page being read and note that it is with an english accent ac expected behavior lang es attribute has been added to indicate which section of the page content is in spanish screenshots additional context this issue is also occurring on the i was speaking with josh kim and was told this was worked on and completed on that particular page a while ago i believe this is that relates to that work the issue is completed but the update is not longer on the production site i confirmed with josh he doesn t see it either wcag guidance
1
465,975
13,395,637,268
IssuesEvent
2020-09-03 08:44:04
gigili/gft-api
https://api.github.com/repos/gigili/gft-api
closed
Create a middleware for protected routes
priority: high
Create a middleware for protected routes that need to verify JWT before any action is taken so we can prevent any unauthorized access and malicious attempts
1.0
Create a middleware for protected routes - Create a middleware for protected routes that need to verify JWT before any action is taken so we can prevent any unauthorized access and malicious attempts
non_defect
create a middleware for protected routes create a middleware for protected routes that need to verify jwt before any action is taken so we can prevent any unauthorized access and malicious attempts
0
16,324
10,779,227,111
IssuesEvent
2019-11-04 10:07:51
gardener/dashboard
https://api.github.com/repos/gardener/dashboard
closed
Enable Terminals for Users (without Operator Privileges)
area/operations area/usability component/dashboard exp/expert kind/discussion kind/enhancement size/l
The goal is to offer terminals for regular users of the dashboard (not only operators). For security reasons, we need to run those terminal pods inside the user's cluster (run in the shoot - not in the seed). Therefore, we need some kind of terminal bootstrapping for the shoot clusters. Moreover, it would be great if we could also offer a terminal pod with access to the shoot namespace in the Garden cluster. This pod needs to run inside the shoot cluster, too.
True
Enable Terminals for Users (without Operator Privileges) - The goal is to offer terminals for regular users of the dashboard (not only operators). For security reasons, we need to run those terminal pods inside the user's cluster (run in the shoot - not in the seed). Therefore, we need some kind of terminal bootstrapping for the shoot clusters. Moreover, it would be great if we could also offer a terminal pod with access to the shoot namespace in the Garden cluster. This pod needs to run inside the shoot cluster, too.
non_defect
enable terminals for users without operator privileges the goal is to offer terminals for regular users of the dashboard not only operators for security reasons we need to run those terminal pods inside the user s cluster run in the shoot not in the seed therefore we need some kind of terminal bootstrapping for the shoot clusters moreover it would be great if we could also offer a terminal pod with access to the shoot namespace in the garden cluster this pod needs to run inside the shoot cluster too
0
207,265
16,074,647,087
IssuesEvent
2021-04-25 05:26:24
pl3xgaming/PurpurDocs
https://api.github.com/repos/pl3xgaming/PurpurDocs
opened
Document the available arguments in each format option
documentation enhancement
in Java there is a String formatter which allows variables (like `%s`) to be used as placeholders. `s` being the placeholder for String. since it does not contain a specific number, it will use them in order from first to last. ```java String.format("Hello %s! %s name is %s!", "world", "My", "Billy"); // Outputs: "Hello world! My name is Billy!" ``` You can specify the argument numbers like so: ```java String.format("Hello %3s! %1s name is %2s!", "world", "My", "Billy"); // Outputs: "Hello Billy! world name is My!" ``` There are other argument types than String, but that's all we use in Purpur's config. To know what arguments are available, you can check out the source code to document them. using `ping-command-output` as an example it could be formatted something like this: > ### ping-command-output > * **default:** §a%s's ping is %sms > * **description:** Output when /ping <user> is run. > `%s` - uses the values below in order from first to last > `%1` - player's name > `%2` - player's ping in ms
1.0
Document the available arguments in each format option - in Java there is a String formatter which allows variables (like `%s`) to be used as placeholders. `s` being the placeholder for String. since it does not contain a specific number, it will use them in order from first to last. ```java String.format("Hello %s! %s name is %s!", "world", "My", "Billy"); // Outputs: "Hello world! My name is Billy!" ``` You can specify the argument numbers like so: ```java String.format("Hello %3s! %1s name is %2s!", "world", "My", "Billy"); // Outputs: "Hello Billy! world name is My!" ``` There are other argument types than String, but that's all we use in Purpur's config. To know what arguments are available, you can check out the source code to document them. using `ping-command-output` as an example it could be formatted something like this: > ### ping-command-output > * **default:** §a%s's ping is %sms > * **description:** Output when /ping <user> is run. > `%s` - uses the values below in order from first to last > `%1` - player's name > `%2` - player's ping in ms
non_defect
document the available arguments in each format option in java there is a string formatter which allows variables like s to be used as placeholders s being the placeholder for string since it does not contain a specific number it will use them in order from first to last java string format hello s s name is s world my billy outputs hello world my name is billy you can specify the argument numbers like so java string format hello name is world my billy outputs hello billy world name is my there are other argument types than string but that s all we use in purpur s config to know what arguments are available you can check out the source code to document them using ping command output as an example it could be formatted something like this ping command output default §a s s ping is sms description output when ping is run s uses the values below in order from first to last player s name player s ping in ms
0
69,379
22,332,940,287
IssuesEvent
2022-06-14 15:53:34
SAP/fundamental-ngx
https://api.github.com/repos/SAP/fundamental-ngx
closed
Platform Date Picker
bug platform Defect Hunting ariba High
#### Is this a bug, enhancement, or feature request? bug #### Briefly describe your proposal. Internationalization of Date Picker - the validation is not working properly. Change the language to German, remove the last digit for the year, the field becomes red (invalid). Add the digit again. The field remains invalid. <img width="898" alt="Screen Shot 2022-01-24 at 2 13 52 PM" src="https://user-images.githubusercontent.com/39598672/150849135-bcea3202-c612-40b2-b181-7971f04bea95.png"> #### Which versions of Angular and Fundamental Library for Angular are affected? (If this is a feature request, use current version.) latest
1.0
Platform Date Picker - #### Is this a bug, enhancement, or feature request? bug #### Briefly describe your proposal. Internationalization of Date Picker - the validation is not working properly. Change the language to German, remove the last digit for the year, the field becomes red (invalid). Add the digit again. The field remains invalid. <img width="898" alt="Screen Shot 2022-01-24 at 2 13 52 PM" src="https://user-images.githubusercontent.com/39598672/150849135-bcea3202-c612-40b2-b181-7971f04bea95.png"> #### Which versions of Angular and Fundamental Library for Angular are affected? (If this is a feature request, use current version.) latest
defect
platform date picker is this a bug enhancement or feature request bug briefly describe your proposal internationalization of date picker the validation is not working properly change the language to german remove the last digit for the year the field becomes red invalid add the digit again the field remains invalid img width alt screen shot at pm src which versions of angular and fundamental library for angular are affected if this is a feature request use current version latest
1
70,471
7,189,200,760
IssuesEvent
2018-02-02 13:10:55
geosolutions-it/MapStore2
https://api.github.com/repos/geosolutions-it/MapStore2
closed
Show the metadata (MD) of a layer
In Test
### Description Layers in the TOC will be able to have link to a CSW GetRecord service, that can be used to fetch metadata on request from GeoNetwork (or another CSW service). We will add in MapStore2 the following new features: Storage of the service url / type in the layer configuration when importing it Tool to show the stored metadata using a JSX template ### Depends On (optional) - https://github.com/geosolutions-it/austrocontrol-C125/issues/2 ### Please indicate if this issue is related to a bug or a new feature request - [X] New Feature *Acceptance Criteria - AC* - Layers in the TOC will be able to have link to a CSW GetRecord service, that can be used to fetch metadata on request from GeoNetwork (or another CSW service).
1.0
Show the metadata (MD) of a layer - ### Description Layers in the TOC will be able to have link to a CSW GetRecord service, that can be used to fetch metadata on request from GeoNetwork (or another CSW service). We will add in MapStore2 the following new features: Storage of the service url / type in the layer configuration when importing it Tool to show the stored metadata using a JSX template ### Depends On (optional) - https://github.com/geosolutions-it/austrocontrol-C125/issues/2 ### Please indicate if this issue is related to a bug or a new feature request - [X] New Feature *Acceptance Criteria - AC* - Layers in the TOC will be able to have link to a CSW GetRecord service, that can be used to fetch metadata on request from GeoNetwork (or another CSW service).
non_defect
show the metadata md of a layer description layers in the toc will be able to have link to a csw getrecord service that can be used to fetch metadata on request from geonetwork or another csw service we will add in the following new features storage of the service url type in the layer configuration when importing it tool to show the stored metadata using a jsx template depends on optional please indicate if this issue is related to a bug or a new feature request new feature acceptance criteria ac layers in the toc will be able to have link to a csw getrecord service that can be used to fetch metadata on request from geonetwork or another csw service
0
2,836
2,607,962,056
IssuesEvent
2015-02-26 00:40:40
chrsmithdemos/leveldb
https://api.github.com/repos/chrsmithdemos/leveldb
closed
iOS build fails with XCode 4
auto-migrated OpSys-OSX Priority-Medium Type-Defect
``` "make PLATFORM=IOS" fails with XCode 4 installed: g++-4.2: error trying to exec '/usr/bin/arm-apple-darwin10-g++-4.2.1': execvp: No such file or directory This patch updates the Makefile to use the compilers provided by the installed iOS SDK. ``` ----- Original issue reported on code.google.com by `ashoema...@gmail.com` on 6 Jun 2011 at 8:44 Attachments: * [leveldb_ios.patch](https://storage.googleapis.com/google-code-attachments/leveldb/issue-7/comment-0/leveldb_ios.patch)
1.0
iOS build fails with XCode 4 - ``` "make PLATFORM=IOS" fails with XCode 4 installed: g++-4.2: error trying to exec '/usr/bin/arm-apple-darwin10-g++-4.2.1': execvp: No such file or directory This patch updates the Makefile to use the compilers provided by the installed iOS SDK. ``` ----- Original issue reported on code.google.com by `ashoema...@gmail.com` on 6 Jun 2011 at 8:44 Attachments: * [leveldb_ios.patch](https://storage.googleapis.com/google-code-attachments/leveldb/issue-7/comment-0/leveldb_ios.patch)
defect
ios build fails with xcode make platform ios fails with xcode installed g error trying to exec usr bin arm apple g execvp no such file or directory this patch updates the makefile to use the compilers provided by the installed ios sdk original issue reported on code google com by ashoema gmail com on jun at attachments
1
4,997
3,488,842,137
IssuesEvent
2016-01-03 10:31:35
magarena/magarena
https://api.github.com/repos/magarena/magarena
opened
Potential Frame Condensing
cardBuilder enhancement
Possible elimination of separate frame images: - [ ] Nyx frames - use overlay containing Nyx star blend (source?) - Also enables Land Creature Enchantment + Token Creature Enchantment combinations. - [ ] Leveller frames - use Text-box patten replacement for text panel - [ ] Separate 'Land' frames - use Text-box color replacement for text panel. - [ ] Miracle frames - Use overlay containing 'burst' (source?) - [ ] Use Devoid overlay atop existing colorless frames.
1.0
Potential Frame Condensing - Possible elimination of separate frame images: - [ ] Nyx frames - use overlay containing Nyx star blend (source?) - Also enables Land Creature Enchantment + Token Creature Enchantment combinations. - [ ] Leveller frames - use Text-box patten replacement for text panel - [ ] Separate 'Land' frames - use Text-box color replacement for text panel. - [ ] Miracle frames - Use overlay containing 'burst' (source?) - [ ] Use Devoid overlay atop existing colorless frames.
non_defect
potential frame condensing possible elimination of separate frame images nyx frames use overlay containing nyx star blend source also enables land creature enchantment token creature enchantment combinations leveller frames use text box patten replacement for text panel separate land frames use text box color replacement for text panel miracle frames use overlay containing burst source use devoid overlay atop existing colorless frames
0
48,020
13,300,720,119
IssuesEvent
2020-08-25 11:50:33
rammatzkvosky/biojava
https://api.github.com/repos/rammatzkvosky/biojava
opened
CVE-2017-7525 (High) detected in jackson-databind-2.8.8.jar
security vulnerability
## CVE-2017-7525 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.8.8.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: /tmp/ws-scm/biojava/biojava-integrationtest/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.8/jackson-databind-2.8.8.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.8/jackson-databind-2.8.8.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.8/jackson-databind-2.8.8.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.8/jackson-databind-2.8.8.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.8/jackson-databind-2.8.8.jar</p> <p> Dependency Hierarchy: - mmtf-serialization-1.0.9.jar (Root Library) - jackson-dataformat-msgpack-0.8.18.jar - :x: **jackson-databind-2.8.8.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/rammatzkvosky/biojava/commit/219ff609f1ce3a735e43ead59ac5f9247b1a4ce6">219ff609f1ce3a735e43ead59ac5f9247b1a4ce6</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> A deserialization flaw was discovered in the jackson-databind, versions before 2.6.7.1, 2.7.9.1 and 2.8.9, which could allow an unauthenticated user to perform code execution by sending the maliciously crafted input to the readValue method of the ObjectMapper. <p>Publish Date: 2018-02-06 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2017-7525>CVE-2017-7525</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>9.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-7525">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-7525</a></p> <p>Release Date: 2018-02-06</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.6.7.1,2.7.9.1,2.8.9</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.8.8","isTransitiveDependency":true,"dependencyTree":"org.rcsb:mmtf-serialization:1.0.9;org.msgpack:jackson-dataformat-msgpack:0.8.18;com.fasterxml.jackson.core:jackson-databind:2.8.8","isMinimumFixVersionAvailable":true,"minimumFixVersion":"com.fasterxml.jackson.core:jackson-databind:2.6.7.1,2.7.9.1,2.8.9"}],"vulnerabilityIdentifier":"CVE-2017-7525","vulnerabilityDetails":"A deserialization flaw was discovered in the jackson-databind, versions before 2.6.7.1, 2.7.9.1 and 2.8.9, which could allow an unauthenticated user to perform code execution by sending the maliciously crafted input to the readValue method of the ObjectMapper.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2017-7525","cvss3Severity":"high","cvss3Score":"9.8","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> -->
True
CVE-2017-7525 (High) detected in jackson-databind-2.8.8.jar - ## CVE-2017-7525 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.8.8.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: /tmp/ws-scm/biojava/biojava-integrationtest/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.8/jackson-databind-2.8.8.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.8/jackson-databind-2.8.8.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.8/jackson-databind-2.8.8.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.8/jackson-databind-2.8.8.jar,/home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.8/jackson-databind-2.8.8.jar</p> <p> Dependency Hierarchy: - mmtf-serialization-1.0.9.jar (Root Library) - jackson-dataformat-msgpack-0.8.18.jar - :x: **jackson-databind-2.8.8.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/rammatzkvosky/biojava/commit/219ff609f1ce3a735e43ead59ac5f9247b1a4ce6">219ff609f1ce3a735e43ead59ac5f9247b1a4ce6</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> A deserialization flaw was discovered in the jackson-databind, versions before 2.6.7.1, 2.7.9.1 and 2.8.9, which could allow an unauthenticated user to perform code execution by sending the maliciously crafted input to the readValue method of the ObjectMapper. <p>Publish Date: 2018-02-06 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2017-7525>CVE-2017-7525</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>9.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-7525">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-7525</a></p> <p>Release Date: 2018-02-06</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.6.7.1,2.7.9.1,2.8.9</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"com.fasterxml.jackson.core","packageName":"jackson-databind","packageVersion":"2.8.8","isTransitiveDependency":true,"dependencyTree":"org.rcsb:mmtf-serialization:1.0.9;org.msgpack:jackson-dataformat-msgpack:0.8.18;com.fasterxml.jackson.core:jackson-databind:2.8.8","isMinimumFixVersionAvailable":true,"minimumFixVersion":"com.fasterxml.jackson.core:jackson-databind:2.6.7.1,2.7.9.1,2.8.9"}],"vulnerabilityIdentifier":"CVE-2017-7525","vulnerabilityDetails":"A deserialization flaw was discovered in the jackson-databind, versions before 2.6.7.1, 2.7.9.1 and 2.8.9, which could allow an unauthenticated user to perform code execution by sending the maliciously crafted input to the readValue method of the ObjectMapper.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2017-7525","cvss3Severity":"high","cvss3Score":"9.8","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"High","UI":"None","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> -->
non_defect
cve high detected in jackson databind jar cve high severity vulnerability vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to dependency file tmp ws scm biojava biojava integrationtest pom xml path to vulnerable library home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy mmtf serialization jar root library jackson dataformat msgpack jar x jackson databind jar vulnerable library found in head commit a href vulnerability details a deserialization flaw was discovered in the jackson databind versions before and which could allow an unauthenticated user to perform code execution by sending the maliciously crafted input to the readvalue method of the objectmapper publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution com fasterxml jackson core jackson databind isopenpronvulnerability true ispackagebased true isdefaultbranch true packages vulnerabilityidentifier cve vulnerabilitydetails a deserialization flaw was discovered in the jackson databind versions before and which could allow an unauthenticated user to perform code execution by sending the maliciously crafted input to the readvalue method of the objectmapper vulnerabilityurl
0
591,729
17,859,718,854
IssuesEvent
2021-09-05 18:35:52
kristinbranson/APT
https://api.github.com/repos/kristinbranson/APT
closed
"Clear" labels button does not update the labeledposMarked field
lowpriority
If you label a frame, accept the labels, and later clear them using "Clear" button, then the labeledposMarked field has value "1". Although, labeledpos has "Nan"s when you clear the labels. Still, I think the labeledposMarked should have values "0" when user hits clear.
1.0
"Clear" labels button does not update the labeledposMarked field - If you label a frame, accept the labels, and later clear them using "Clear" button, then the labeledposMarked field has value "1". Although, labeledpos has "Nan"s when you clear the labels. Still, I think the labeledposMarked should have values "0" when user hits clear.
non_defect
clear labels button does not update the labeledposmarked field if you label a frame accept the labels and later clear them using clear button then the labeledposmarked field has value although labeledpos has nan s when you clear the labels still i think the labeledposmarked should have values when user hits clear
0
217,699
24,348,937,207
IssuesEvent
2022-10-02 17:49:09
venkateshreddypala/AngOCR
https://api.github.com/repos/venkateshreddypala/AngOCR
closed
CVE-2021-35065 (High) detected in glob-parent-3.1.0.tgz, glob-parent-2.0.0.tgz - autoclosed
security vulnerability
## CVE-2021-35065 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>glob-parent-3.1.0.tgz</b>, <b>glob-parent-2.0.0.tgz</b></p></summary> <p> <details><summary><b>glob-parent-3.1.0.tgz</b></p></summary> <p>Strips glob magic from a string to provide the parent directory path</p> <p>Library home page: <a href="https://registry.npmjs.org/glob-parent/-/glob-parent-3.1.0.tgz">https://registry.npmjs.org/glob-parent/-/glob-parent-3.1.0.tgz</a></p> <p>Path to dependency file: /AngOCR/ui/package.json</p> <p>Path to vulnerable library: /ui/node_modules/@angular-devkit/core/node_modules/glob-parent/package.json</p> <p> Dependency Hierarchy: - karma-3.1.1.tgz (Root Library) - chokidar-2.0.4.tgz - :x: **glob-parent-3.1.0.tgz** (Vulnerable Library) </details> <details><summary><b>glob-parent-2.0.0.tgz</b></p></summary> <p>Strips glob magic from a string to provide the parent path</p> <p>Library home page: <a href="https://registry.npmjs.org/glob-parent/-/glob-parent-2.0.0.tgz">https://registry.npmjs.org/glob-parent/-/glob-parent-2.0.0.tgz</a></p> <p>Path to dependency file: /AngOCR/ui/package.json</p> <p>Path to vulnerable library: /ui/node_modules/glob-parent/package.json</p> <p> Dependency Hierarchy: - compiler-cli-5.2.11.tgz (Root Library) - chokidar-1.7.0.tgz - :x: **glob-parent-2.0.0.tgz** (Vulnerable Library) </details> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> The package glob-parent before 6.0.1 are vulnerable to Regular Expression Denial of Service (ReDoS) <p>Publish Date: 2021-06-22 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-35065>CVE-2021-35065</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/advisories/GHSA-cj88-88mr-972w">https://github.com/advisories/GHSA-cj88-88mr-972w</a></p> <p>Release Date: 2021-06-22</p> <p>Fix Resolution: glob-parent - 6.0.1</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2021-35065 (High) detected in glob-parent-3.1.0.tgz, glob-parent-2.0.0.tgz - autoclosed - ## CVE-2021-35065 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>glob-parent-3.1.0.tgz</b>, <b>glob-parent-2.0.0.tgz</b></p></summary> <p> <details><summary><b>glob-parent-3.1.0.tgz</b></p></summary> <p>Strips glob magic from a string to provide the parent directory path</p> <p>Library home page: <a href="https://registry.npmjs.org/glob-parent/-/glob-parent-3.1.0.tgz">https://registry.npmjs.org/glob-parent/-/glob-parent-3.1.0.tgz</a></p> <p>Path to dependency file: /AngOCR/ui/package.json</p> <p>Path to vulnerable library: /ui/node_modules/@angular-devkit/core/node_modules/glob-parent/package.json</p> <p> Dependency Hierarchy: - karma-3.1.1.tgz (Root Library) - chokidar-2.0.4.tgz - :x: **glob-parent-3.1.0.tgz** (Vulnerable Library) </details> <details><summary><b>glob-parent-2.0.0.tgz</b></p></summary> <p>Strips glob magic from a string to provide the parent path</p> <p>Library home page: <a href="https://registry.npmjs.org/glob-parent/-/glob-parent-2.0.0.tgz">https://registry.npmjs.org/glob-parent/-/glob-parent-2.0.0.tgz</a></p> <p>Path to dependency file: /AngOCR/ui/package.json</p> <p>Path to vulnerable library: /ui/node_modules/glob-parent/package.json</p> <p> Dependency Hierarchy: - compiler-cli-5.2.11.tgz (Root Library) - chokidar-1.7.0.tgz - :x: **glob-parent-2.0.0.tgz** (Vulnerable Library) </details> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> The package glob-parent before 6.0.1 are vulnerable to Regular Expression Denial of Service (ReDoS) <p>Publish Date: 2021-06-22 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-35065>CVE-2021-35065</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/advisories/GHSA-cj88-88mr-972w">https://github.com/advisories/GHSA-cj88-88mr-972w</a></p> <p>Release Date: 2021-06-22</p> <p>Fix Resolution: glob-parent - 6.0.1</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve high detected in glob parent tgz glob parent tgz autoclosed cve high severity vulnerability vulnerable libraries glob parent tgz glob parent tgz glob parent tgz strips glob magic from a string to provide the parent directory path library home page a href path to dependency file angocr ui package json path to vulnerable library ui node modules angular devkit core node modules glob parent package json dependency hierarchy karma tgz root library chokidar tgz x glob parent tgz vulnerable library glob parent tgz strips glob magic from a string to provide the parent path library home page a href path to dependency file angocr ui package json path to vulnerable library ui node modules glob parent package json dependency hierarchy compiler cli tgz root library chokidar tgz x glob parent tgz vulnerable library vulnerability details the package glob parent before are vulnerable to regular expression denial of service redos publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution glob parent step up your open source security game with mend
0
87,535
8,098,872,635
IssuesEvent
2018-08-11 00:18:06
Mojo1917/LocBase
https://api.github.com/repos/Mojo1917/LocBase
closed
Impressum leicht anpassen
Optimierung zum Test für Matthias
1. Locbase unter das Logo schreiben 2. Impressum dann nicht mehr wiederholen, sondern hier "Kontakt" schreiben 3. Datenschutz/Coockies etc. > denkst Du, hier passt alles? ![img_9874](https://user-images.githubusercontent.com/493612/43009784-e6dd7408-8c3e-11e8-8734-40e3e9d7f698.PNG)
1.0
Impressum leicht anpassen - 1. Locbase unter das Logo schreiben 2. Impressum dann nicht mehr wiederholen, sondern hier "Kontakt" schreiben 3. Datenschutz/Coockies etc. > denkst Du, hier passt alles? ![img_9874](https://user-images.githubusercontent.com/493612/43009784-e6dd7408-8c3e-11e8-8734-40e3e9d7f698.PNG)
non_defect
impressum leicht anpassen locbase unter das logo schreiben impressum dann nicht mehr wiederholen sondern hier kontakt schreiben datenschutz coockies etc denkst du hier passt alles
0
99,484
4,055,697,467
IssuesEvent
2016-05-24 16:13:10
kubernetes/kubernetes
https://api.github.com/repos/kubernetes/kubernetes
closed
Pod stuck on pending status due to hung docker daemon
area/reliability priority/P2 team/node
Kubernetes should detect that case when a node has a hung docker daemon and scheduler is infinitely waiting for pod to be launched. It would be good to terminate the execution after some period of time and log an event/message. It would be better if it attempted to launch the pod on a different healthy node. I hit this issue recently with an instance that had been running for about a month. Things were working fine for a couple weeks. /version reveals: "gitVersion": "v0.17.1-804-g496be63", "gitCommit": "496be63", Original down stream issue in https://github.com/openshift/origin/issues/4398
1.0
Pod stuck on pending status due to hung docker daemon - Kubernetes should detect that case when a node has a hung docker daemon and scheduler is infinitely waiting for pod to be launched. It would be good to terminate the execution after some period of time and log an event/message. It would be better if it attempted to launch the pod on a different healthy node. I hit this issue recently with an instance that had been running for about a month. Things were working fine for a couple weeks. /version reveals: "gitVersion": "v0.17.1-804-g496be63", "gitCommit": "496be63", Original down stream issue in https://github.com/openshift/origin/issues/4398
non_defect
pod stuck on pending status due to hung docker daemon kubernetes should detect that case when a node has a hung docker daemon and scheduler is infinitely waiting for pod to be launched it would be good to terminate the execution after some period of time and log an event message it would be better if it attempted to launch the pod on a different healthy node i hit this issue recently with an instance that had been running for about a month things were working fine for a couple weeks version reveals gitversion gitcommit original down stream issue in
0
173,309
21,155,265,278
IssuesEvent
2022-04-07 02:02:50
kstring/traefik
https://api.github.com/repos/kstring/traefik
reopened
CVE-2021-3803 (High) detected in nth-check-1.0.2.tgz
security vulnerability
## CVE-2021-3803 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>nth-check-1.0.2.tgz</b></p></summary> <p>performant nth-check parser & compiler</p> <p>Library home page: <a href="https://registry.npmjs.org/nth-check/-/nth-check-1.0.2.tgz">https://registry.npmjs.org/nth-check/-/nth-check-1.0.2.tgz</a></p> <p>Path to dependency file: /webui/package.json</p> <p>Path to vulnerable library: /webui/node_modules/nth-check/package.json</p> <p> Dependency Hierarchy: - app-1.2.4.tgz (Root Library) - html-webpack-plugin-3.2.0.tgz - pretty-error-2.1.1.tgz - renderkid-2.0.3.tgz - css-select-1.2.0.tgz - :x: **nth-check-1.0.2.tgz** (Vulnerable Library) <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> nth-check is vulnerable to Inefficient Regular Expression Complexity <p>Publish Date: 2021-09-17 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3803>CVE-2021-3803</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/fb55/nth-check/compare/v2.0.0...v2.0.1">https://github.com/fb55/nth-check/compare/v2.0.0...v2.0.1</a></p> <p>Release Date: 2021-09-17</p> <p>Fix Resolution (nth-check): 2.0.1</p> <p>Direct dependency fix Resolution (@quasar/app): 3.0.0-beta.16</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2021-3803 (High) detected in nth-check-1.0.2.tgz - ## CVE-2021-3803 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>nth-check-1.0.2.tgz</b></p></summary> <p>performant nth-check parser & compiler</p> <p>Library home page: <a href="https://registry.npmjs.org/nth-check/-/nth-check-1.0.2.tgz">https://registry.npmjs.org/nth-check/-/nth-check-1.0.2.tgz</a></p> <p>Path to dependency file: /webui/package.json</p> <p>Path to vulnerable library: /webui/node_modules/nth-check/package.json</p> <p> Dependency Hierarchy: - app-1.2.4.tgz (Root Library) - html-webpack-plugin-3.2.0.tgz - pretty-error-2.1.1.tgz - renderkid-2.0.3.tgz - css-select-1.2.0.tgz - :x: **nth-check-1.0.2.tgz** (Vulnerable Library) <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> nth-check is vulnerable to Inefficient Regular Expression Complexity <p>Publish Date: 2021-09-17 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-3803>CVE-2021-3803</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/fb55/nth-check/compare/v2.0.0...v2.0.1">https://github.com/fb55/nth-check/compare/v2.0.0...v2.0.1</a></p> <p>Release Date: 2021-09-17</p> <p>Fix Resolution (nth-check): 2.0.1</p> <p>Direct dependency fix Resolution (@quasar/app): 3.0.0-beta.16</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve high detected in nth check tgz cve high severity vulnerability vulnerable library nth check tgz performant nth check parser compiler library home page a href path to dependency file webui package json path to vulnerable library webui node modules nth check package json dependency hierarchy app tgz root library html webpack plugin tgz pretty error tgz renderkid tgz css select tgz x nth check tgz vulnerable library found in base branch master vulnerability details nth check is vulnerable to inefficient regular expression complexity publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution nth check direct dependency fix resolution quasar app beta step up your open source security game with whitesource
0
5,402
2,610,186,992
IssuesEvent
2015-02-26 18:59:19
chrsmith/quchuseban
https://api.github.com/repos/chrsmith/quchuseban
opened
解密脸上有色斑怎么祛除
auto-migrated Priority-Medium Type-Defect
``` 《摘要》 愉快跟不愉快的回忆,比如一个硬币的两面,存在于我们的�� �一段情感里。就像那个著名的“蝴蝶效应”,如果你经常记� ��不愉快的人、不愉快的事,生活就跟着变得不愉快起来。相 反,有些女人却能在跟老公吵架的时候及其她求婚时的表情�� �他怀抱的温暖。这里的“吵”是一种乐观、积极的沟通方式� ��这样的女人即便是面临命运得不测风云,也不会唉声叹气, 而当它是动力。面带微笑、坦然自处,男人有乐观女人的相�� �,一生都将阳光灿烂。脸上有色斑怎么祛除, 《客户案例》   现在电视上有很多相亲节目,什么“我们约会吧”,“�� �诚勿扰”,“你是我的心上人”等等,从这些节目上就可以� ��到现在的剩男剩女有多少了,我就是个大龄剩女,还是个“ 斑女郎”。什么是“斑女郎”呢?这还得给大家说说:<br>   我在十几岁的时候就开始长斑了,也不知道是什么原因�� �要说我父母也没有斑,怎么到我这里就长了呢,我是怎么都� ��不明白,那时候年龄小,也不知道也用什么,我爸妈也觉得 长了几个小斑点也没什么大问题,可后来长大了,斑也越来�� �多了,就是因为这些斑,每次相亲都没有下文,年龄越来越� ��,父母也可是着急了,再这样下去我都是老姑娘了。<br>   后来朋友介绍我用「黛芙薇尔精华液」,当时也是觉得�� �马当活马医吧,都已经这样了,还有什么顾虑的,当时用了� ��个周期,斑就淡化很多,不仔细看根本就看不出来,其实这 里还有一个小曲折,当时我用第一个周期的时候感觉没什么�� �果,当时还觉得自己上当了呢,给他们客服打电话要求赔偿� ��当时那个客服很耐心的给我分析,我听了也有一些道理。没 想到用完第二个周期,效果会这么好。现在我再也不用担心�� �褐斑了,我再不是“斑女郎”了。 阅读了脸上有色斑怎么祛除,再看脸上容易长斑的原因: 《色斑形成原因》   内部因素   一、压力   当人受到压力时,就会分泌肾上腺素,为对付压力而做�� �备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏� ��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃 。   二、荷尔蒙分泌失调   避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞�� �分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在� ��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕 中因女性荷尔蒙雌激素的增加,从怀孕4—5个月开始会容易出 现斑,这时候出现的斑点在产后大部分会消失。可是,新陈�� �谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等� ��因,都会使斑加深。有时新长出的斑,产后也不会消失,所 以需要更加注意。   三、新陈代谢缓慢   肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑�� �因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态� ��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是 内分泌失调导致过敏体质而形成的。另外,身体状态不正常�� �时候,紫外线的照射也会加速斑的形成。   四、错误的使用化妆品   使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在�� �疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵� ��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的 问题。   外部因素   一、紫外线   照射紫外线的时候,人体为了保护皮肤,会在基底层产�� �很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更� ��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化, 还会引起黑斑、雀斑等色素沉着的皮肤疾患。   二、不良的清洁习惯   因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。�� �皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦� ��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的 问题。   三、遗传基因   父母中有长斑的,则本人长斑的概率就很高,这种情况�� �一定程度上就可判定是遗传基因的作用。所以家里特别是长� ��有长斑的人,要注意避免引发长斑的重要因素之一——紫外 线照射,这是预防斑必须注意的。 《有疑问帮你解决》   1,黛芙薇尔精华液真的有效果吗?真的可以把脸上的黄褐�� �去掉吗?   答:黛芙薇尔精华液DNA精华能够有效的修复周围难以触�� �的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必� ��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑 ,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时�� �,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的� ��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显 而易见。自产品上市以来,老顾客纷纷介绍新顾客,71%的新�� �客都是通过老顾客介绍而来,口碑由此而来!   2,服用黛芙薇尔美白,会伤身体吗?有副作用吗?   答:黛芙薇尔精华液应用了精纯复合配方和领先的分类�� �斑科技,并将“DNA美肤系统”疗法应用到了该产品中,能彻� ��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有 效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾�� �地的专家通力协作,超过10年的研究以全新的DNA肌肤修复技�� �,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽� ��迹,令每一位爱美的女性都能享受到科技创新所带来的自然 之美。 专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数�� �百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖!   3,去除黄褐斑之后,会反弹吗?   答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔�� �白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家� ��据斑的形成原因精心研制而成用事实说话,让消费者打分。 树立权威品牌!我们的很多新客户都是老客户介绍而来,请问� ��如果效果不好,会有客户转介绍吗?   4,你们的价格有点贵,能不能便宜一点?   答:如果您使用西药最少需要2000元,煎服的药最少需要3 000元,做手术最少是5000元,而这些毫无疑问,不会对彻底去� ��你的斑点有任何帮助!一分价钱,一份价值,我们现在做的�� �是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的� ��褐斑彻底去除,你还会觉得贵吗?你还会再去花那么多冤枉�� �,不但斑没去掉,还把自己的皮肤弄的越来越糟吗   5,我适合用黛芙薇尔精华液吗?   答:黛芙薇尔适用人群:   1、生理紊乱引起的黄褐斑人群   2、生育引起的妊娠斑人群   3、年纪增长引起的老年斑人群   4、化妆品色素沉积、辐射斑人群   5、长期日照引起的日晒斑人群   6、肌肤暗淡急需美白的人群 《祛斑小方法》 脸上有色斑怎么祛除,同时为您分享祛斑小方法 西瓜面膜 西瓜可去油脂,改善皮肤出油状况。 材料:吃剩的西瓜(几片)。 做法:把西瓜的果肉剔除,露出青色的果皮,敷在脸上5-10�� �钟再洗干净。 注意: 敷完脸后记得洗干净脸皮上西瓜留下的甜味,否则可能会吸�� �小蚂蚁来野餐。 ``` ----- Original issue reported on code.google.com by `additive...@gmail.com` on 1 Jul 2014 at 4:04
1.0
解密脸上有色斑怎么祛除 - ``` 《摘要》 愉快跟不愉快的回忆,比如一个硬币的两面,存在于我们的�� �一段情感里。就像那个著名的“蝴蝶效应”,如果你经常记� ��不愉快的人、不愉快的事,生活就跟着变得不愉快起来。相 反,有些女人却能在跟老公吵架的时候及其她求婚时的表情�� �他怀抱的温暖。这里的“吵”是一种乐观、积极的沟通方式� ��这样的女人即便是面临命运得不测风云,也不会唉声叹气, 而当它是动力。面带微笑、坦然自处,男人有乐观女人的相�� �,一生都将阳光灿烂。脸上有色斑怎么祛除, 《客户案例》   现在电视上有很多相亲节目,什么“我们约会吧”,“�� �诚勿扰”,“你是我的心上人”等等,从这些节目上就可以� ��到现在的剩男剩女有多少了,我就是个大龄剩女,还是个“ 斑女郎”。什么是“斑女郎”呢?这还得给大家说说:<br>   我在十几岁的时候就开始长斑了,也不知道是什么原因�� �要说我父母也没有斑,怎么到我这里就长了呢,我是怎么都� ��不明白,那时候年龄小,也不知道也用什么,我爸妈也觉得 长了几个小斑点也没什么大问题,可后来长大了,斑也越来�� �多了,就是因为这些斑,每次相亲都没有下文,年龄越来越� ��,父母也可是着急了,再这样下去我都是老姑娘了。<br>   后来朋友介绍我用「黛芙薇尔精华液」,当时也是觉得�� �马当活马医吧,都已经这样了,还有什么顾虑的,当时用了� ��个周期,斑就淡化很多,不仔细看根本就看不出来,其实这 里还有一个小曲折,当时我用第一个周期的时候感觉没什么�� �果,当时还觉得自己上当了呢,给他们客服打电话要求赔偿� ��当时那个客服很耐心的给我分析,我听了也有一些道理。没 想到用完第二个周期,效果会这么好。现在我再也不用担心�� �褐斑了,我再不是“斑女郎”了。 阅读了脸上有色斑怎么祛除,再看脸上容易长斑的原因: 《色斑形成原因》   内部因素   一、压力   当人受到压力时,就会分泌肾上腺素,为对付压力而做�� �备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏� ��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃 。   二、荷尔蒙分泌失调   避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞�� �分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在� ��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕 中因女性荷尔蒙雌激素的增加,从怀孕4—5个月开始会容易出 现斑,这时候出现的斑点在产后大部分会消失。可是,新陈�� �谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等� ��因,都会使斑加深。有时新长出的斑,产后也不会消失,所 以需要更加注意。   三、新陈代谢缓慢   肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑�� �因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态� ��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是 内分泌失调导致过敏体质而形成的。另外,身体状态不正常�� �时候,紫外线的照射也会加速斑的形成。   四、错误的使用化妆品   使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在�� �疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵� ��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的 问题。   外部因素   一、紫外线   照射紫外线的时候,人体为了保护皮肤,会在基底层产�� �很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更� ��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化, 还会引起黑斑、雀斑等色素沉着的皮肤疾患。   二、不良的清洁习惯   因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。�� �皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦� ��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的 问题。   三、遗传基因   父母中有长斑的,则本人长斑的概率就很高,这种情况�� �一定程度上就可判定是遗传基因的作用。所以家里特别是长� ��有长斑的人,要注意避免引发长斑的重要因素之一——紫外 线照射,这是预防斑必须注意的。 《有疑问帮你解决》   1,黛芙薇尔精华液真的有效果吗?真的可以把脸上的黄褐�� �去掉吗?   答:黛芙薇尔精华液DNA精华能够有效的修复周围难以触�� �的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必� ��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑 ,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时�� �,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的� ��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显 而易见。自产品上市以来,老顾客纷纷介绍新顾客,71%的新�� �客都是通过老顾客介绍而来,口碑由此而来!   2,服用黛芙薇尔美白,会伤身体吗?有副作用吗?   答:黛芙薇尔精华液应用了精纯复合配方和领先的分类�� �斑科技,并将“DNA美肤系统”疗法应用到了该产品中,能彻� ��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有 效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾�� �地的专家通力协作,超过10年的研究以全新的DNA肌肤修复技�� �,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽� ��迹,令每一位爱美的女性都能享受到科技创新所带来的自然 之美。 专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数�� �百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖!   3,去除黄褐斑之后,会反弹吗?   答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔�� �白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家� ��据斑的形成原因精心研制而成用事实说话,让消费者打分。 树立权威品牌!我们的很多新客户都是老客户介绍而来,请问� ��如果效果不好,会有客户转介绍吗?   4,你们的价格有点贵,能不能便宜一点?   答:如果您使用西药最少需要2000元,煎服的药最少需要3 000元,做手术最少是5000元,而这些毫无疑问,不会对彻底去� ��你的斑点有任何帮助!一分价钱,一份价值,我们现在做的�� �是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的� ��褐斑彻底去除,你还会觉得贵吗?你还会再去花那么多冤枉�� �,不但斑没去掉,还把自己的皮肤弄的越来越糟吗   5,我适合用黛芙薇尔精华液吗?   答:黛芙薇尔适用人群:   1、生理紊乱引起的黄褐斑人群   2、生育引起的妊娠斑人群   3、年纪增长引起的老年斑人群   4、化妆品色素沉积、辐射斑人群   5、长期日照引起的日晒斑人群   6、肌肤暗淡急需美白的人群 《祛斑小方法》 脸上有色斑怎么祛除,同时为您分享祛斑小方法 西瓜面膜 西瓜可去油脂,改善皮肤出油状况。 材料:吃剩的西瓜(几片)。 做法:把西瓜的果肉剔除,露出青色的果皮,敷在脸上5-10�� �钟再洗干净。 注意: 敷完脸后记得洗干净脸皮上西瓜留下的甜味,否则可能会吸�� �小蚂蚁来野餐。 ``` ----- Original issue reported on code.google.com by `additive...@gmail.com` on 1 Jul 2014 at 4:04
defect
解密脸上有色斑怎么祛除 《摘要》 愉快跟不愉快的回忆,比如一个硬币的两面,存在于我们的�� �一段情感里。就像那个著名的“蝴蝶效应”,如果你经常记� ��不愉快的人、不愉快的事,生活就跟着变得不愉快起来。相 反,有些女人却能在跟老公吵架的时候及其她求婚时的表情�� �他怀抱的温暖。这里的“吵”是一种乐观、积极的沟通方式� ��这样的女人即便是面临命运得不测风云,也不会唉声叹气, 而当它是动力。面带微笑、坦然自处,男人有乐观女人的相�� �,一生都将阳光灿烂。脸上有色斑怎么祛除, 《客户案例》   现在电视上有很多相亲节目,什么“我们约会吧”,“�� �诚勿扰”,“你是我的心上人”等等,从这些节目上就可以� ��到现在的剩男剩女有多少了,我就是个大龄剩女,还是个“ 斑女郎”。什么是“斑女郎”呢 这还得给大家说说:   我在十几岁的时候就开始长斑了,也不知道是什么原因�� �要说我父母也没有斑,怎么到我这里就长了呢,我是怎么都� ��不明白,那时候年龄小,也不知道也用什么,我爸妈也觉得 长了几个小斑点也没什么大问题,可后来长大了,斑也越来�� �多了,就是因为这些斑,每次相亲都没有下文,年龄越来越� ��,父母也可是着急了,再这样下去我都是老姑娘了。   后来朋友介绍我用「黛芙薇尔精华液」,当时也是觉得�� �马当活马医吧,都已经这样了,还有什么顾虑的,当时用了� ��个周期,斑就淡化很多,不仔细看根本就看不出来,其实这 里还有一个小曲折,当时我用第一个周期的时候感觉没什么�� �果,当时还觉得自己上当了呢,给他们客服打电话要求赔偿� ��当时那个客服很耐心的给我分析,我听了也有一些道理。没 想到用完第二个周期,效果会这么好。现在我再也不用担心�� �褐斑了,我再不是“斑女郎”了。 阅读了脸上有色斑怎么祛除,再看脸上容易长斑的原因: 《色斑形成原因》   内部因素   一、压力   当人受到压力时,就会分泌肾上腺素,为对付压力而做�� �备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏� ��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃 。   二、荷尔蒙分泌失调   避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞�� �分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在� ��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕 中因女性荷尔蒙雌激素的增加, — 现斑,这时候出现的斑点在产后大部分会消失。可是,新陈�� �谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等� ��因,都会使斑加深。有时新长出的斑,产后也不会消失,所 以需要更加注意。   三、新陈代谢缓慢   肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑�� �因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态� ��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是 内分泌失调导致过敏体质而形成的。另外,身体状态不正常�� �时候,紫外线的照射也会加速斑的形成。   四、错误的使用化妆品   使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在�� �疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵� ��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的 问题。   外部因素   一、紫外线   照射紫外线的时候,人体为了保护皮肤,会在基底层产�� �很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更� ��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化, 还会引起黑斑、雀斑等色素沉着的皮肤疾患。   二、不良的清洁习惯   因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。�� �皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦� ��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的 问题。   三、遗传基因   父母中有长斑的,则本人长斑的概率就很高,这种情况�� �一定程度上就可判定是遗传基因的作用。所以家里特别是长� ��有长斑的人,要注意避免引发长斑的重要因素之一——紫外 线照射,这是预防斑必须注意的。 《有疑问帮你解决》    黛芙薇尔精华液真的有效果吗 真的可以把脸上的黄褐�� �去掉吗   答:黛芙薇尔精华液dna精华能够有效的修复周围难以触�� �的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必� ��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑 ,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时�� �,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的� ��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显 而易见。自产品上市以来,老顾客纷纷介绍新顾客, 的新�� �客都是通过老顾客介绍而来,口碑由此而来    ,服用黛芙薇尔美白,会伤身体吗 有副作用吗   答:黛芙薇尔精华液应用了精纯复合配方和领先的分类�� �斑科技,并将“dna美肤系统”疗法应用到了该产品中,能彻� ��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有 效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾�� �地的专家通力协作, �� �,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽� ��迹,令每一位爱美的女性都能享受到科技创新所带来的自然 之美。 专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数�� �百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖    ,去除黄褐斑之后,会反弹吗   答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔�� �白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家� ��据斑的形成原因精心研制而成用事实说话,让消费者打分。 树立权威品牌 我们的很多新客户都是老客户介绍而来,请问� ��如果效果不好,会有客户转介绍吗    ,你们的价格有点贵,能不能便宜一点   答: , , ,而这些毫无疑问,不会对彻底去� ��你的斑点有任何帮助 一分价钱,一份价值,我们现在做的�� �是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的� ��褐斑彻底去除,你还会觉得贵吗 你还会再去花那么多冤枉�� �,不但斑没去掉,还把自己的皮肤弄的越来越糟吗    ,我适合用黛芙薇尔精华液吗   答:黛芙薇尔适用人群:    、生理紊乱引起的黄褐斑人群    、生育引起的妊娠斑人群    、年纪增长引起的老年斑人群    、化妆品色素沉积、辐射斑人群    、长期日照引起的日晒斑人群    、肌肤暗淡急需美白的人群 《祛斑小方法》 脸上有色斑怎么祛除,同时为您分享祛斑小方法 西瓜面膜 西瓜可去油脂,改善皮肤出油状况。 材料:吃剩的西瓜(几片)。 做法:把西瓜的果肉剔除,露出青色的果皮, - �� �钟再洗干净。 注意: 敷完脸后记得洗干净脸皮上西瓜留下的甜味,否则可能会吸�� �小蚂蚁来野餐。 original issue reported on code google com by additive gmail com on jul at
1
68,552
21,707,203,483
IssuesEvent
2022-05-10 10:42:41
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
/Spoiler show the original text in windows notification
T-Defect
### Steps to reproduce One user use the /poiler code to send a message in a room An other user with notification activated shows a popup with the clear/original text ### Outcome #### What did you expect? Dont really know. At least a popup with no text or something like ***** #### What happened instead? The popup show the full text ### Operating system Windows 10 ### Application version Element 1.10.11 OLM 3.2.8 ### How did you install the app? don't remember, but downloaded on internet ### Homeserver don't know ### Will you send logs? No
1.0
/Spoiler show the original text in windows notification - ### Steps to reproduce One user use the /poiler code to send a message in a room An other user with notification activated shows a popup with the clear/original text ### Outcome #### What did you expect? Dont really know. At least a popup with no text or something like ***** #### What happened instead? The popup show the full text ### Operating system Windows 10 ### Application version Element 1.10.11 OLM 3.2.8 ### How did you install the app? don't remember, but downloaded on internet ### Homeserver don't know ### Will you send logs? No
defect
spoiler show the original text in windows notification steps to reproduce one user use the poiler code to send a message in a room an other user with notification activated shows a popup with the clear original text outcome what did you expect dont really know at least a popup with no text or something like what happened instead the popup show the full text operating system windows application version element olm how did you install the app don t remember but downloaded on internet homeserver don t know will you send logs no
1
63,157
17,397,958,077
IssuesEvent
2021-08-02 15:35:20
department-of-veterans-affairs/va.gov-cms
https://api.github.com/repos/department-of-veterans-affairs/va.gov-cms
closed
CMS Builds Broken (Connectivity issues downloading REMI RPMs)
Core Application Team Critical defect Defect DevOps Unplanned work
**Describe the defect** Currently, the repository where the RPM packages are pulled from is having connectivity issues on the primary URL. Related slack conversations: https://dsva.slack.com/archives/CT4GZBM8F/p1627507154130000 Related twitter conversations: * https://twitter.com/RemiRepository/status/1420625963419947009 Fiber cut to datacenter. * https://twitter.com/ElijahLynn/status/1420507614715125763 Failing jenkins job [internal] http://jenkins.vfs.va.gov/job/builds/job/cms/1696/console ``` 09:09:45 TASK [build/roles/cms/galaxy/geerlingguy.repo-remi : Install remi repo.] ******* 09:09:45 Thursday 29 July 2021 13:09:44 +0000 (0:00:08.936) 0:02:03.272 ********* 09:10:00 fatal: [ec2-160-1-35-221.us-gov-west-1.compute.amazonaws.com]: FAILED! => changed=false 09:10:00 msg: Failure downloading https://rpms.remirepo.net/enterprise/remi-release-6.rpm, ('The read operation timed out',) ``` According to Remi, we shouldn't be using the primary URL `https://rpms.remirepo.net/` . With this in mind, this [PR ](https://github.com/department-of-veterans-affairs/devops/pull/9672) could be a quick fix, then we can do a follow-up issue to not use the primary URL. The `geerlingguy.remi` ansible role has a variable to allow for different URLs. The `geerlingguy.php` role uses the `remi` role to add the respoistoires to the OS. It doesn't appear there is a way to pass a `remi` URl to the `geerlingguy.php` role which could be used by the `remi` role. I logged https://github.com/geerlingguy/ansible-role-php/issues/337 ### CMS Team Please leave only the team that will do this work selected. If you're not sure, it's fine to leave both selected. - [x] `Core Application Team` - [ ] `Product Support Team`
2.0
CMS Builds Broken (Connectivity issues downloading REMI RPMs) - **Describe the defect** Currently, the repository where the RPM packages are pulled from is having connectivity issues on the primary URL. Related slack conversations: https://dsva.slack.com/archives/CT4GZBM8F/p1627507154130000 Related twitter conversations: * https://twitter.com/RemiRepository/status/1420625963419947009 Fiber cut to datacenter. * https://twitter.com/ElijahLynn/status/1420507614715125763 Failing jenkins job [internal] http://jenkins.vfs.va.gov/job/builds/job/cms/1696/console ``` 09:09:45 TASK [build/roles/cms/galaxy/geerlingguy.repo-remi : Install remi repo.] ******* 09:09:45 Thursday 29 July 2021 13:09:44 +0000 (0:00:08.936) 0:02:03.272 ********* 09:10:00 fatal: [ec2-160-1-35-221.us-gov-west-1.compute.amazonaws.com]: FAILED! => changed=false 09:10:00 msg: Failure downloading https://rpms.remirepo.net/enterprise/remi-release-6.rpm, ('The read operation timed out',) ``` According to Remi, we shouldn't be using the primary URL `https://rpms.remirepo.net/` . With this in mind, this [PR ](https://github.com/department-of-veterans-affairs/devops/pull/9672) could be a quick fix, then we can do a follow-up issue to not use the primary URL. The `geerlingguy.remi` ansible role has a variable to allow for different URLs. The `geerlingguy.php` role uses the `remi` role to add the respoistoires to the OS. It doesn't appear there is a way to pass a `remi` URl to the `geerlingguy.php` role which could be used by the `remi` role. I logged https://github.com/geerlingguy/ansible-role-php/issues/337 ### CMS Team Please leave only the team that will do this work selected. If you're not sure, it's fine to leave both selected. - [x] `Core Application Team` - [ ] `Product Support Team`
defect
cms builds broken connectivity issues downloading remi rpms describe the defect currently the repository where the rpm packages are pulled from is having connectivity issues on the primary url related slack conversations related twitter conversations fiber cut to datacenter failing jenkins job task thursday july fatal failed changed false msg failure downloading the read operation timed out according to remi we shouldn t be using the primary url with this in mind this could be a quick fix then we can do a follow up issue to not use the primary url the geerlingguy remi ansible role has a variable to allow for different urls the geerlingguy php role uses the remi role to add the respoistoires to the os it doesn t appear there is a way to pass a remi url to the geerlingguy php role which could be used by the remi role i logged cms team please leave only the team that will do this work selected if you re not sure it s fine to leave both selected core application team product support team
1
820
2,594,131,258
IssuesEvent
2015-02-20 00:01:51
BALL-Project/ball
https://api.github.com/repos/BALL-Project/ball
closed
SegmentationFault in BALLView when parsing SMILES
C: VIEW P: major R: fixed T: defect
**Reported by dstoeckel on 8 Mar 38777206 09:20 UTC** Just open the "Build from SMILES" dialog in BALLView, enter morphine and start a Pubchem query. Alternatively enter the SMILE for morphine directly and hit "Generate" In both cases BALLView crashes with a segmentation fault.
1.0
SegmentationFault in BALLView when parsing SMILES - **Reported by dstoeckel on 8 Mar 38777206 09:20 UTC** Just open the "Build from SMILES" dialog in BALLView, enter morphine and start a Pubchem query. Alternatively enter the SMILE for morphine directly and hit "Generate" In both cases BALLView crashes with a segmentation fault.
defect
segmentationfault in ballview when parsing smiles reported by dstoeckel on mar utc just open the build from smiles dialog in ballview enter morphine and start a pubchem query alternatively enter the smile for morphine directly and hit generate in both cases ballview crashes with a segmentation fault
1
68,444
21,664,559,307
IssuesEvent
2022-05-07 01:46:00
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
Impossible to backfill over federation on joining a room on a new server
T-Defect P1 S-Major A-Timeline A-Federation
Repro steps (I hope): * A room exists like #seaglass:matrix.org * A user joins it from a virginal HS (e.g. `@neil:sandbox.modular.im`) * They do not yet backpaginate any history for that room over federation for whatever reason * Another user joins the room from the same HS (e.g. `@matthew:sandbox.modular.im`) * The /sync as the new user joins it does not include a backwards pagination token at all (we think, assuming this is not a js-sdk bug). * Therefore the new user can never paginate backwards in the room to pull in old history.
1.0
Impossible to backfill over federation on joining a room on a new server - Repro steps (I hope): * A room exists like #seaglass:matrix.org * A user joins it from a virginal HS (e.g. `@neil:sandbox.modular.im`) * They do not yet backpaginate any history for that room over federation for whatever reason * Another user joins the room from the same HS (e.g. `@matthew:sandbox.modular.im`) * The /sync as the new user joins it does not include a backwards pagination token at all (we think, assuming this is not a js-sdk bug). * Therefore the new user can never paginate backwards in the room to pull in old history.
defect
impossible to backfill over federation on joining a room on a new server repro steps i hope a room exists like seaglass matrix org a user joins it from a virginal hs e g neil sandbox modular im they do not yet backpaginate any history for that room over federation for whatever reason another user joins the room from the same hs e g matthew sandbox modular im the sync as the new user joins it does not include a backwards pagination token at all we think assuming this is not a js sdk bug therefore the new user can never paginate backwards in the room to pull in old history
1
70,914
23,368,143,372
IssuesEvent
2022-08-10 17:11:07
vector-im/element-ios
https://api.github.com/repos/vector-im/element-ios
closed
The app will sometimes crash when changes Spaces or exploring rooms in a Space.
T-Defect crash A-Spaces S-Major O-Occasional
### Steps to reproduce 1. Open the side bar 2. Tap the `…` button next to a Space. 3. Tap the Explore rooms option. ### Outcome #### What did you expect? To be able to explore the rooms in the Space. #### What happened instead? For some Spaces, the app crashes as follows: > MatrixSDK/MXSpaceService.swift:379: Fatal error: Unexpectedly found nil while implicitly unwrapping an Optional value It seems that some of the state events are missing the `roomId` property causing the crash [here](https://github.com/matrix-org/matrix-ios-sdk/blob/c7c8f2181175b00713f6c29d4d2965a9cc8bd5b5/MatrixSDK/Space/MXSpaceService.swift#L379). ### Your phone model iPhone 12 & Simulator ### Operating system version iOS 15.6 ### Application version 1.8.25 ### Homeserver _No response_ ### Will you send logs? No
1.0
The app will sometimes crash when changes Spaces or exploring rooms in a Space. - ### Steps to reproduce 1. Open the side bar 2. Tap the `…` button next to a Space. 3. Tap the Explore rooms option. ### Outcome #### What did you expect? To be able to explore the rooms in the Space. #### What happened instead? For some Spaces, the app crashes as follows: > MatrixSDK/MXSpaceService.swift:379: Fatal error: Unexpectedly found nil while implicitly unwrapping an Optional value It seems that some of the state events are missing the `roomId` property causing the crash [here](https://github.com/matrix-org/matrix-ios-sdk/blob/c7c8f2181175b00713f6c29d4d2965a9cc8bd5b5/MatrixSDK/Space/MXSpaceService.swift#L379). ### Your phone model iPhone 12 & Simulator ### Operating system version iOS 15.6 ### Application version 1.8.25 ### Homeserver _No response_ ### Will you send logs? No
defect
the app will sometimes crash when changes spaces or exploring rooms in a space steps to reproduce open the side bar tap the … button next to a space tap the explore rooms option outcome what did you expect to be able to explore the rooms in the space what happened instead for some spaces the app crashes as follows matrixsdk mxspaceservice swift fatal error unexpectedly found nil while implicitly unwrapping an optional value it seems that some of the state events are missing the roomid property causing the crash your phone model iphone simulator operating system version ios application version homeserver no response will you send logs no
1
43,964
11,885,506,208
IssuesEvent
2020-03-27 19:45:38
extnet/Ext.NET
https://api.github.com/repos/extnet/Ext.NET
opened
absent: ext-button's AutoLoadingState property
7.x asp-net-core defect
The `ext-button` component's `AutoLoadingState` boolean property is missing. It is defined in Ext.NET 5.1.0's `Ext.Net.ButtonBase` class. [objectdotnet/ext7-sandbox:buttons/basic/loadingstate/index.cshtml#L20](https://github.com/objectdotnet/ext7-sandbox/blob/04b9618e95e849678bde58b469bc4466aa450fbf/ExtNetCore7-20200325/Pages/examples/buttons/basic/loadingstate/index.cshtml#L20) ```xml <ext-button Text="Click Me" AutoLoadingState="true" OnDirectClick="Button1_Click" /> ``` **Expected client-side output:** ```js Ext.create("Ext.button.Button", { id: "ctl02", renderTo: "App.ctl02_Container", text: "Click Me", loadingState: true, directEvents: { click: { fn: function(item, e) { Ext.net.directRequest({ control: this }); } } } }); ``` **Actual client-side output:** ```js Ext.create("Ext.button.Button", { id: "ctl01", renderTo: "App.ctl01_Container", text: "Click Me" }); ``` Further notes: - the missing OnDirectClick could be handled in #1698 for its similarity.
1.0
absent: ext-button's AutoLoadingState property - The `ext-button` component's `AutoLoadingState` boolean property is missing. It is defined in Ext.NET 5.1.0's `Ext.Net.ButtonBase` class. [objectdotnet/ext7-sandbox:buttons/basic/loadingstate/index.cshtml#L20](https://github.com/objectdotnet/ext7-sandbox/blob/04b9618e95e849678bde58b469bc4466aa450fbf/ExtNetCore7-20200325/Pages/examples/buttons/basic/loadingstate/index.cshtml#L20) ```xml <ext-button Text="Click Me" AutoLoadingState="true" OnDirectClick="Button1_Click" /> ``` **Expected client-side output:** ```js Ext.create("Ext.button.Button", { id: "ctl02", renderTo: "App.ctl02_Container", text: "Click Me", loadingState: true, directEvents: { click: { fn: function(item, e) { Ext.net.directRequest({ control: this }); } } } }); ``` **Actual client-side output:** ```js Ext.create("Ext.button.Button", { id: "ctl01", renderTo: "App.ctl01_Container", text: "Click Me" }); ``` Further notes: - the missing OnDirectClick could be handled in #1698 for its similarity.
defect
absent ext button s autoloadingstate property the ext button component s autoloadingstate boolean property is missing it is defined in ext net s ext net buttonbase class xml ext button text click me autoloadingstate true ondirectclick click expected client side output js ext create ext button button id renderto app container text click me loadingstate true directevents click fn function item e ext net directrequest control this actual client side output js ext create ext button button id renderto app container text click me further notes the missing ondirectclick could be handled in for its similarity
1
16,321
2,889,333,387
IssuesEvent
2015-06-13 09:55:10
kuribot/boilerpipe
https://api.github.com/repos/kuribot/boilerpipe
closed
Incorrect characters in Extractor output
auto-migrated Priority-Medium Type-Defect
``` I have a one-liner trying to extract a hungarian site with special charaters like "ő" "ű". Command line query is this: # java de/l3s/boilerpipe/demo/ExtractMe http://sportgeza.hu/2012/london/cikkek/nem_schmitt_pal_hagyta_jova_a_rossz_himnu szt And here's my code: # cat de/l3s/boilerpipe/demo/ExtractMe.java package de.l3s.boilerpipe.demo; import java.net.URL; import de.l3s.boilerpipe.extractors.ArticleExtractor; public class ExtractMe { public static void main(final String[] args) throws Exception { final URL url = new URL(args[0]); System.out.println(ArticleExtractor.INSTANCE.getText(url)); } } *(partial) Extracted content: ... megfelel? himnuszt játszák a magyar gy?ztesek tiszteletére, akikb?l remélik, hogy minél több lesz... In the extracted text "?"-s should be "ő" characters, but in the end of the extraction, all I get is 3F in hexa, which is the question mark. I'm under #uname FreeBSD pdfgen 8.1-RELEASE FreeBSD 8.1-RELEASE #0: Mon Jul 19 02:36:49 UTC 2010 root@mason.cse.buffalo.edu:/usr/obj/usr/src/sys/GENERIC amd64 # java -version java version "1.6.0_07" Diablo Java(TM) SE Runtime Environment (build 1.6.0_07-b02) Diablo Java HotSpot(TM) 64-Bit Server VM (build 10.0-b23, mixed mode) Been working on a solution for days, but I can't seem to find a reason why it wouldn't work :/ BTW, curl outputs characters beautifully when called on an UTF-8 terminal, but boilerpipe fails to display even those special characters, which were good at first. I'd appreciate any help/ideas, best M ``` Original issue reported on code.google.com by `mihaly.k...@gmail.com` on 31 Jul 2012 at 3:38
1.0
Incorrect characters in Extractor output - ``` I have a one-liner trying to extract a hungarian site with special charaters like "ő" "ű". Command line query is this: # java de/l3s/boilerpipe/demo/ExtractMe http://sportgeza.hu/2012/london/cikkek/nem_schmitt_pal_hagyta_jova_a_rossz_himnu szt And here's my code: # cat de/l3s/boilerpipe/demo/ExtractMe.java package de.l3s.boilerpipe.demo; import java.net.URL; import de.l3s.boilerpipe.extractors.ArticleExtractor; public class ExtractMe { public static void main(final String[] args) throws Exception { final URL url = new URL(args[0]); System.out.println(ArticleExtractor.INSTANCE.getText(url)); } } *(partial) Extracted content: ... megfelel? himnuszt játszák a magyar gy?ztesek tiszteletére, akikb?l remélik, hogy minél több lesz... In the extracted text "?"-s should be "ő" characters, but in the end of the extraction, all I get is 3F in hexa, which is the question mark. I'm under #uname FreeBSD pdfgen 8.1-RELEASE FreeBSD 8.1-RELEASE #0: Mon Jul 19 02:36:49 UTC 2010 root@mason.cse.buffalo.edu:/usr/obj/usr/src/sys/GENERIC amd64 # java -version java version "1.6.0_07" Diablo Java(TM) SE Runtime Environment (build 1.6.0_07-b02) Diablo Java HotSpot(TM) 64-Bit Server VM (build 10.0-b23, mixed mode) Been working on a solution for days, but I can't seem to find a reason why it wouldn't work :/ BTW, curl outputs characters beautifully when called on an UTF-8 terminal, but boilerpipe fails to display even those special characters, which were good at first. I'd appreciate any help/ideas, best M ``` Original issue reported on code.google.com by `mihaly.k...@gmail.com` on 31 Jul 2012 at 3:38
defect
incorrect characters in extractor output i have a one liner trying to extract a hungarian site with special charaters like ő ű command line query is this java de boilerpipe demo extractme szt and here s my code cat de boilerpipe demo extractme java package de boilerpipe demo import java net url import de boilerpipe extractors articleextractor public class extractme public static void main final string args throws exception final url url new url args system out println articleextractor instance gettext url partial extracted content megfelel himnuszt játszák a magyar gy ztesek tiszteletére akikb l remélik hogy minél több lesz in the extracted text s should be ő characters but in the end of the extraction all i get is in hexa which is the question mark i m under uname freebsd pdfgen release freebsd release mon jul utc root mason cse buffalo edu usr obj usr src sys generic java version java version diablo java tm se runtime environment build diablo java hotspot tm bit server vm build mixed mode been working on a solution for days but i can t seem to find a reason why it wouldn t work btw curl outputs characters beautifully when called on an utf terminal but boilerpipe fails to display even those special characters which were good at first i d appreciate any help ideas best m original issue reported on code google com by mihaly k gmail com on jul at
1
8,489
6,553,414,911
IssuesEvent
2017-09-05 22:30:12
HearthSim/Hearthstone-Deck-Tracker
https://api.github.com/repos/HearthSim/Hearthstone-Deck-Tracker
closed
Memory leak
bug performance
Hello! So my problem is when I'm playing with Hearthstone and using HDT after some game HDT starting use a lot of memory in my case I have 4GB and HDT use all of free memory left. ![hdtmemoryerror](https://cloud.githubusercontent.com/assets/19782599/15830925/2314bfc0-2c1b-11e6-97e1-354b5dfbecc0.jpg) I attached the picture I hope you can help me understand what is the problem.
True
Memory leak - Hello! So my problem is when I'm playing with Hearthstone and using HDT after some game HDT starting use a lot of memory in my case I have 4GB and HDT use all of free memory left. ![hdtmemoryerror](https://cloud.githubusercontent.com/assets/19782599/15830925/2314bfc0-2c1b-11e6-97e1-354b5dfbecc0.jpg) I attached the picture I hope you can help me understand what is the problem.
non_defect
memory leak hello so my problem is when i m playing with hearthstone and using hdt after some game hdt starting use a lot of memory in my case i have and hdt use all of free memory left i attached the picture i hope you can help me understand what is the problem
0
51,982
6,205,927,881
IssuesEvent
2017-07-06 17:14:48
hacklabr/mapasculturais
https://api.github.com/repos/hacklabr/mapasculturais
closed
Tabela exportada de eventos deveria ter os dados do ONDE: bairro, cidade, e respectivos dos shapefiles
secao:AGENDA-SINGLE status:test-ready tipo:AJUSTE
ao exportar uma tabela de eventos é importante ter além do ONDE (link do perfil de espaço) dados sobre bairro, e referentes aos shapes: isso facilita na pesquisa e análise da tabelal exportada.
1.0
Tabela exportada de eventos deveria ter os dados do ONDE: bairro, cidade, e respectivos dos shapefiles - ao exportar uma tabela de eventos é importante ter além do ONDE (link do perfil de espaço) dados sobre bairro, e referentes aos shapes: isso facilita na pesquisa e análise da tabelal exportada.
non_defect
tabela exportada de eventos deveria ter os dados do onde bairro cidade e respectivos dos shapefiles ao exportar uma tabela de eventos é importante ter além do onde link do perfil de espaço dados sobre bairro e referentes aos shapes isso facilita na pesquisa e análise da tabelal exportada
0
109,714
9,411,676,933
IssuesEvent
2019-04-10 00:31:07
filecoin-project/go-filecoin
https://api.github.com/repos/filecoin-project/go-filecoin
opened
Resolve long low-CPU delays during tests
A-tests C-dev-productivity
### Description When running tests, I observe periods of intense CPU work and periods where my CPU is near idle (maybe 1 core working). This suggests that the total duration required to run tests is longer than necessary, not constrained by resources. My guess is that there are some lengthy tests that are not but should be marked as parallel. ### Acceptance criteria - Tests consume all resources available on a typical developer machine in the name of finishing as quickly as possible. ### Risks + pitfalls If the tests to be parallelised are very memory intensive they may put more pressure on CI builds, see #2516. ### Where to begin Evaluate which test functions are not marked parallel.
1.0
Resolve long low-CPU delays during tests - ### Description When running tests, I observe periods of intense CPU work and periods where my CPU is near idle (maybe 1 core working). This suggests that the total duration required to run tests is longer than necessary, not constrained by resources. My guess is that there are some lengthy tests that are not but should be marked as parallel. ### Acceptance criteria - Tests consume all resources available on a typical developer machine in the name of finishing as quickly as possible. ### Risks + pitfalls If the tests to be parallelised are very memory intensive they may put more pressure on CI builds, see #2516. ### Where to begin Evaluate which test functions are not marked parallel.
non_defect
resolve long low cpu delays during tests description when running tests i observe periods of intense cpu work and periods where my cpu is near idle maybe core working this suggests that the total duration required to run tests is longer than necessary not constrained by resources my guess is that there are some lengthy tests that are not but should be marked as parallel acceptance criteria tests consume all resources available on a typical developer machine in the name of finishing as quickly as possible risks pitfalls if the tests to be parallelised are very memory intensive they may put more pressure on ci builds see where to begin evaluate which test functions are not marked parallel
0
22,786
3,970,953,519
IssuesEvent
2016-05-04 09:42:02
szeestraten/kidsakoder-minecraft
https://api.github.com/repos/szeestraten/kidsakoder-minecraft
closed
World is not removed from world list (if loaded) when a meeting is deleted
bug front end testme
This creates a loophole that easily allows for #197
1.0
World is not removed from world list (if loaded) when a meeting is deleted - This creates a loophole that easily allows for #197
non_defect
world is not removed from world list if loaded when a meeting is deleted this creates a loophole that easily allows for
0
58,084
16,342,418,640
IssuesEvent
2021-05-13 00:15:35
darshan-hpc/darshan
https://api.github.com/repos/darshan-hpc/darshan
closed
no error on obsolete use of --with-zlib-for-mpi argument
defect other
In GitLab by @shanedsnyder on Sep 24, 2015, 16:26 The current darshan-runtime configure script allows the caller to specify the zlib installation using the --with-zlib argument. Past versions of darshan required --with-zlib-for-mpi instead. If you accidentally paste an old configure command line from a previous release to use with darshan-runtime then it silently ignores the --with-zlib-for-mpi option. We should probably have configure stop with an error if someone tries to use the old argument name.
1.0
no error on obsolete use of --with-zlib-for-mpi argument - In GitLab by @shanedsnyder on Sep 24, 2015, 16:26 The current darshan-runtime configure script allows the caller to specify the zlib installation using the --with-zlib argument. Past versions of darshan required --with-zlib-for-mpi instead. If you accidentally paste an old configure command line from a previous release to use with darshan-runtime then it silently ignores the --with-zlib-for-mpi option. We should probably have configure stop with an error if someone tries to use the old argument name.
defect
no error on obsolete use of with zlib for mpi argument in gitlab by shanedsnyder on sep the current darshan runtime configure script allows the caller to specify the zlib installation using the with zlib argument past versions of darshan required with zlib for mpi instead if you accidentally paste an old configure command line from a previous release to use with darshan runtime then it silently ignores the with zlib for mpi option we should probably have configure stop with an error if someone tries to use the old argument name
1
22,869
11,798,791,301
IssuesEvent
2020-03-18 14:55:45
cityofaustin/atd-data-tech
https://api.github.com/repos/cityofaustin/atd-data-tech
closed
GISERT Schedule / Distribution List
Service: Geo Type: IT Support Workgroup: DTS
- The GISERT schedule had Robert Powell listed for a shift, he has long since retired. - Alan and I are new to GISERT, weren't on the distribution list.
1.0
GISERT Schedule / Distribution List - - The GISERT schedule had Robert Powell listed for a shift, he has long since retired. - Alan and I are new to GISERT, weren't on the distribution list.
non_defect
gisert schedule distribution list the gisert schedule had robert powell listed for a shift he has long since retired alan and i are new to gisert weren t on the distribution list
0
79,937
15,586,249,141
IssuesEvent
2021-03-18 01:30:43
jyothsna/votingapplication
https://api.github.com/repos/jyothsna/votingapplication
opened
CVE-2020-9547 (High) detected in jackson-databind-2.9.6.jar, jackson-databind-2.9.0.jar
security vulnerability
## CVE-2020-9547 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>jackson-databind-2.9.6.jar</b>, <b>jackson-databind-2.9.0.jar</b></p></summary> <p> <details><summary><b>jackson-databind-2.9.6.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: votingapplication/build.gradle</p> <p>Path to vulnerable library: /root/.gradle/caches/modules-2/files-2.1/com.fasterxml.jackson.core/jackson-databind/2.9.6/cfa4f316351a91bfd95cb0644c6a2c95f52db1fc/jackson-databind-2.9.6.jar,/root/.gradle/caches/modules-2/files-2.1/com.fasterxml.jackson.core/jackson-databind/2.9.6/cfa4f316351a91bfd95cb0644c6a2c95f52db1fc/jackson-databind-2.9.6.jar</p> <p> Dependency Hierarchy: - spring-boot-starter-web-2.0.3.RELEASE.jar (Root Library) - spring-boot-starter-json-2.0.3.RELEASE.jar - :x: **jackson-databind-2.9.6.jar** (Vulnerable Library) </details> <details><summary><b>jackson-databind-2.9.0.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: votingapplication/pom.xml</p> <p>Path to vulnerable library: epository/com/fasterxml/jackson/core/jackson-databind/2.9.0/jackson-databind-2.9.0.jar</p> <p> Dependency Hierarchy: - :x: **jackson-databind-2.9.0.jar** (Vulnerable Library) </details> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> FasterXML jackson-databind 2.x before 2.9.10.4 mishandles the interaction between serialization gadgets and typing, related to com.ibatis.sqlmap.engine.transaction.jta.JtaTransactionConfig (aka ibatis-sqlmap). <p>Publish Date: 2020-03-02 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-9547>CVE-2020-9547</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>9.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-9547">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-9547</a></p> <p>Release Date: 2020-03-02</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.10.3</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2020-9547 (High) detected in jackson-databind-2.9.6.jar, jackson-databind-2.9.0.jar - ## CVE-2020-9547 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>jackson-databind-2.9.6.jar</b>, <b>jackson-databind-2.9.0.jar</b></p></summary> <p> <details><summary><b>jackson-databind-2.9.6.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: votingapplication/build.gradle</p> <p>Path to vulnerable library: /root/.gradle/caches/modules-2/files-2.1/com.fasterxml.jackson.core/jackson-databind/2.9.6/cfa4f316351a91bfd95cb0644c6a2c95f52db1fc/jackson-databind-2.9.6.jar,/root/.gradle/caches/modules-2/files-2.1/com.fasterxml.jackson.core/jackson-databind/2.9.6/cfa4f316351a91bfd95cb0644c6a2c95f52db1fc/jackson-databind-2.9.6.jar</p> <p> Dependency Hierarchy: - spring-boot-starter-web-2.0.3.RELEASE.jar (Root Library) - spring-boot-starter-json-2.0.3.RELEASE.jar - :x: **jackson-databind-2.9.6.jar** (Vulnerable Library) </details> <details><summary><b>jackson-databind-2.9.0.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: votingapplication/pom.xml</p> <p>Path to vulnerable library: epository/com/fasterxml/jackson/core/jackson-databind/2.9.0/jackson-databind-2.9.0.jar</p> <p> Dependency Hierarchy: - :x: **jackson-databind-2.9.0.jar** (Vulnerable Library) </details> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> FasterXML jackson-databind 2.x before 2.9.10.4 mishandles the interaction between serialization gadgets and typing, related to com.ibatis.sqlmap.engine.transaction.jta.JtaTransactionConfig (aka ibatis-sqlmap). <p>Publish Date: 2020-03-02 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-9547>CVE-2020-9547</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>9.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-9547">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-9547</a></p> <p>Release Date: 2020-03-02</p> <p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.10.3</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve high detected in jackson databind jar jackson databind jar cve high severity vulnerability vulnerable libraries jackson databind jar jackson databind jar jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to dependency file votingapplication build gradle path to vulnerable library root gradle caches modules files com fasterxml jackson core jackson databind jackson databind jar root gradle caches modules files com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy spring boot starter web release jar root library spring boot starter json release jar x jackson databind jar vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to dependency file votingapplication pom xml path to vulnerable library epository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy x jackson databind jar vulnerable library vulnerability details fasterxml jackson databind x before mishandles the interaction between serialization gadgets and typing related to com ibatis sqlmap engine transaction jta jtatransactionconfig aka ibatis sqlmap publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution com fasterxml jackson core jackson databind step up your open source security game with whitesource
0
186,646
21,953,851,823
IssuesEvent
2022-05-24 10:14:57
TIBCOSoftware/js-visualize
https://api.github.com/repos/TIBCOSoftware/js-visualize
closed
WS-2016-0090 (Medium) detected in jquery-2.1.0.js, jquery-2.1.4.min.js - autoclosed
security vulnerability
## WS-2016-0090 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>jquery-2.1.0.js</b>, <b>jquery-2.1.4.min.js</b></p></summary> <p> <details><summary><b>jquery-2.1.0.js</b></p></summary> <p>JavaScript library for DOM operations</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.0/jquery.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.0/jquery.js</a></p> <p>Path to dependency file: /js-visualize/report-hyperlink/report-link/demo.html</p> <p>Path to vulnerable library: /js-visualize/report-hyperlink/report-link/demo.html</p> <p> Dependency Hierarchy: - :x: **jquery-2.1.0.js** (Vulnerable Library) </details> <details><summary><b>jquery-2.1.4.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/2.1.4/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.4/jquery.min.js</a></p> <p>Path to dependency file: /js-visualize/report-input/drop-down/demo.html</p> <p>Path to vulnerable library: /js-visualize/report-input/drop-down/demo.html</p> <p> Dependency Hierarchy: - :x: **jquery-2.1.4.min.js** (Vulnerable Library) </details> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> JQuery, before 2.2.0, is vulnerable to Cross-site Scripting (XSS) attacks via text/javascript response with arbitrary code execution. <p>Publish Date: 2016-11-27 <p>URL: <a href=https://github.com/jquery/jquery/commit/b078a62013782c7424a4a61a240c23c4c0b42614>WS-2016-0090</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>4.3</b>)</summary> <p> Base Score Metrics not available</p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/jquery/jquery/commit/b078a62013782c7424a4a61a240c23c4c0b42614">https://github.com/jquery/jquery/commit/b078a62013782c7424a4a61a240c23c4c0b42614</a></p> <p>Release Date: 2019-04-08</p> <p>Fix Resolution: 2.2.0</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"2.1.0","isTransitiveDependency":false,"dependencyTree":"jquery:2.1.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"2.2.0"},{"packageType":"JavaScript","packageName":"jquery","packageVersion":"2.1.4","isTransitiveDependency":false,"dependencyTree":"jquery:2.1.4","isMinimumFixVersionAvailable":true,"minimumFixVersion":"2.2.0"}],"vulnerabilityIdentifier":"WS-2016-0090","vulnerabilityDetails":"JQuery, before 2.2.0, is vulnerable to Cross-site Scripting (XSS) attacks via text/javascript response with arbitrary code execution.","vulnerabilityUrl":"https://github.com/jquery/jquery/commit/b078a62013782c7424a4a61a240c23c4c0b42614","cvss2Severity":"medium","cvss2Score":"4.3","extraData":{}}</REMEDIATE> -->
True
WS-2016-0090 (Medium) detected in jquery-2.1.0.js, jquery-2.1.4.min.js - autoclosed - ## WS-2016-0090 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>jquery-2.1.0.js</b>, <b>jquery-2.1.4.min.js</b></p></summary> <p> <details><summary><b>jquery-2.1.0.js</b></p></summary> <p>JavaScript library for DOM operations</p> <p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.0/jquery.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.0/jquery.js</a></p> <p>Path to dependency file: /js-visualize/report-hyperlink/report-link/demo.html</p> <p>Path to vulnerable library: /js-visualize/report-hyperlink/report-link/demo.html</p> <p> Dependency Hierarchy: - :x: **jquery-2.1.0.js** (Vulnerable Library) </details> <details><summary><b>jquery-2.1.4.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/2.1.4/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/2.1.4/jquery.min.js</a></p> <p>Path to dependency file: /js-visualize/report-input/drop-down/demo.html</p> <p>Path to vulnerable library: /js-visualize/report-input/drop-down/demo.html</p> <p> Dependency Hierarchy: - :x: **jquery-2.1.4.min.js** (Vulnerable Library) </details> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> JQuery, before 2.2.0, is vulnerable to Cross-site Scripting (XSS) attacks via text/javascript response with arbitrary code execution. <p>Publish Date: 2016-11-27 <p>URL: <a href=https://github.com/jquery/jquery/commit/b078a62013782c7424a4a61a240c23c4c0b42614>WS-2016-0090</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>4.3</b>)</summary> <p> Base Score Metrics not available</p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/jquery/jquery/commit/b078a62013782c7424a4a61a240c23c4c0b42614">https://github.com/jquery/jquery/commit/b078a62013782c7424a4a61a240c23c4c0b42614</a></p> <p>Release Date: 2019-04-08</p> <p>Fix Resolution: 2.2.0</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"JavaScript","packageName":"jquery","packageVersion":"2.1.0","isTransitiveDependency":false,"dependencyTree":"jquery:2.1.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"2.2.0"},{"packageType":"JavaScript","packageName":"jquery","packageVersion":"2.1.4","isTransitiveDependency":false,"dependencyTree":"jquery:2.1.4","isMinimumFixVersionAvailable":true,"minimumFixVersion":"2.2.0"}],"vulnerabilityIdentifier":"WS-2016-0090","vulnerabilityDetails":"JQuery, before 2.2.0, is vulnerable to Cross-site Scripting (XSS) attacks via text/javascript response with arbitrary code execution.","vulnerabilityUrl":"https://github.com/jquery/jquery/commit/b078a62013782c7424a4a61a240c23c4c0b42614","cvss2Severity":"medium","cvss2Score":"4.3","extraData":{}}</REMEDIATE> -->
non_defect
ws medium detected in jquery js jquery min js autoclosed ws medium severity vulnerability vulnerable libraries jquery js jquery min js jquery js javascript library for dom operations library home page a href path to dependency file js visualize report hyperlink report link demo html path to vulnerable library js visualize report hyperlink report link demo html dependency hierarchy x jquery js vulnerable library jquery min js javascript library for dom operations library home page a href path to dependency file js visualize report input drop down demo html path to vulnerable library js visualize report input drop down demo html dependency hierarchy x jquery min js vulnerable library vulnerability details jquery before is vulnerable to cross site scripting xss attacks via text javascript response with arbitrary code execution publish date url a href cvss score details base score metrics not available suggested fix type upgrade version origin a href release date fix resolution isopenpronvulnerability false ispackagebased true isdefaultbranch true packages vulnerabilityidentifier ws vulnerabilitydetails jquery before is vulnerable to cross site scripting xss attacks via text javascript response with arbitrary code execution vulnerabilityurl
0
104,699
8,998,139,978
IssuesEvent
2019-02-02 18:58:57
rancher/rancher
https://api.github.com/repos/rancher/rancher
closed
Global DNS - Sometimes Node Ip addresses of the cluster where multiclusterapps exists takes a very long time (~15 minutes) to get programmed into globalDns.
kind/bug-qa release/alpha2 status/resolved status/to-test team/ca version/2.0
HA Set up with following clusters: Cluster1 - 1 node (all roles) Cluster2 - 1 node (all roles) Steps to reproduce the problem: Create Multicluster App - mcapp1 for cluster1/p1 and cluster2/p2 with Global DNS enabled Ingress for fqdn - "test1.test.com" Create globalDnsProvider with root domain - "test.com" with provider set to "Route53" Create a globalDns entry with fqdn - "test1.test.com" pointing to Multicluster App - mcapp1. Ingress that gets created for the fqdn in cattle-global-data namespace has node ips from cluster1 only. Expected Behavior: Ingress that gets created for the fqdn in cattle-global-data namespace should have node ips from cluster1 and cluster2. This would result in both ips being programmed for the fqdn entry in Route53.
1.0
Global DNS - Sometimes Node Ip addresses of the cluster where multiclusterapps exists takes a very long time (~15 minutes) to get programmed into globalDns. - HA Set up with following clusters: Cluster1 - 1 node (all roles) Cluster2 - 1 node (all roles) Steps to reproduce the problem: Create Multicluster App - mcapp1 for cluster1/p1 and cluster2/p2 with Global DNS enabled Ingress for fqdn - "test1.test.com" Create globalDnsProvider with root domain - "test.com" with provider set to "Route53" Create a globalDns entry with fqdn - "test1.test.com" pointing to Multicluster App - mcapp1. Ingress that gets created for the fqdn in cattle-global-data namespace has node ips from cluster1 only. Expected Behavior: Ingress that gets created for the fqdn in cattle-global-data namespace should have node ips from cluster1 and cluster2. This would result in both ips being programmed for the fqdn entry in Route53.
non_defect
global dns sometimes node ip addresses of the cluster where multiclusterapps exists takes a very long time minutes to get programmed into globaldns ha set up with following clusters node all roles node all roles steps to reproduce the problem create multicluster app for and with global dns enabled ingress for fqdn test com create globaldnsprovider with root domain test com with provider set to create a globaldns entry with fqdn test com pointing to multicluster app ingress that gets created for the fqdn in cattle global data namespace has node ips from only expected behavior ingress that gets created for the fqdn in cattle global data namespace should have node ips from and this would result in both ips being programmed for the fqdn entry in
0
634,850
20,374,259,388
IssuesEvent
2022-02-21 14:12:12
teamforus/general
https://api.github.com/repos/teamforus/general
closed
CR: Redirect provider if he logs into webshop to provider dashboard of that implementation
Priority: Could have Scope: Small Todo: Move to Productboard
Learn more about change requests here: https://bit.ly/39CWeEE ### Requested by: - ### Change description Userflow proposal: - Provider presses login on webshop - Scans QR-code with Me-app or logs in with mail - System indicates that user has organization/products or is part of an provider organization - Show a popup modal which tells user "Do you want to open your dashboard?" -> YES -> Redirect to dashboard
1.0
CR: Redirect provider if he logs into webshop to provider dashboard of that implementation - Learn more about change requests here: https://bit.ly/39CWeEE ### Requested by: - ### Change description Userflow proposal: - Provider presses login on webshop - Scans QR-code with Me-app or logs in with mail - System indicates that user has organization/products or is part of an provider organization - Show a popup modal which tells user "Do you want to open your dashboard?" -> YES -> Redirect to dashboard
non_defect
cr redirect provider if he logs into webshop to provider dashboard of that implementation learn more about change requests here requested by change description userflow proposal provider presses login on webshop scans qr code with me app or logs in with mail system indicates that user has organization products or is part of an provider organization show a popup modal which tells user do you want to open your dashboard yes redirect to dashboard
0
226,077
17,947,736,398
IssuesEvent
2021-09-12 05:37:23
zhuqiandai/blog
https://api.github.com/repos/zhuqiandai/blog
opened
Jest 基础 - Manual Mock 和 异步测试
jest unit test
在 [Jest 基础 - jest.mock() 和 jest.spyOn()](https://github.com/zhuqiandai/blog/issues/6) 中的 mock function 都是写在测试用例当中自动 mock ## Manual Mock 把 mock function 放在 **\_\_mocks\_\_** 文件夹中,在 测试用例 中 使用 jest.mock('/moduleName'),来使 jest 访问 **\_\_mocks\_\_** 来替代真实的模块 > 手动模拟可以多个测试文件使用 - \_\_test\_\_ - Bird.spec.ts ```js import { bridFly } from "../Bird"; jest.mock("../Bird"); describe("bird module", () => { test("小鸟可以飞 1000 m", () => { expect(bridFly()).toBe(1000); }); }); ``` - Bird - \_\_mocks\_\_ - index.ts ```js export const bridFly = () => { return 1000; }; ``` - index.ts ```js export const bridFly = () => { return 20; }; ``` ## 异步测试 - 逻辑代码 ```js import axios from "axios"; export const fetchTodoOne = async () => { return (await axios.get("https://jsonplaceholder.typicode.com/todos/1")) .data; }; ``` - 测试代码 ```js import { fetchTodoOne } from "../Todo"; describe("todo", () => { test("使用 async await ", async () => { expect(await fetchTodoOne()).toEqual({ userId: 1, id: 1, title: "delectus aut autem", completed: false, }); }); // 正常应该 使用 mock axios,来模拟调用,只需要测试 传参正常 即可 test("使用 promise", () => { expect.assertions(1); return expect(fetchTodoOne()).resolves.toEqual({ userId: 1, id: 1, title: "delectus aut autem", completed: false, }); }); }); ```
1.0
Jest 基础 - Manual Mock 和 异步测试 - 在 [Jest 基础 - jest.mock() 和 jest.spyOn()](https://github.com/zhuqiandai/blog/issues/6) 中的 mock function 都是写在测试用例当中自动 mock ## Manual Mock 把 mock function 放在 **\_\_mocks\_\_** 文件夹中,在 测试用例 中 使用 jest.mock('/moduleName'),来使 jest 访问 **\_\_mocks\_\_** 来替代真实的模块 > 手动模拟可以多个测试文件使用 - \_\_test\_\_ - Bird.spec.ts ```js import { bridFly } from "../Bird"; jest.mock("../Bird"); describe("bird module", () => { test("小鸟可以飞 1000 m", () => { expect(bridFly()).toBe(1000); }); }); ``` - Bird - \_\_mocks\_\_ - index.ts ```js export const bridFly = () => { return 1000; }; ``` - index.ts ```js export const bridFly = () => { return 20; }; ``` ## 异步测试 - 逻辑代码 ```js import axios from "axios"; export const fetchTodoOne = async () => { return (await axios.get("https://jsonplaceholder.typicode.com/todos/1")) .data; }; ``` - 测试代码 ```js import { fetchTodoOne } from "../Todo"; describe("todo", () => { test("使用 async await ", async () => { expect(await fetchTodoOne()).toEqual({ userId: 1, id: 1, title: "delectus aut autem", completed: false, }); }); // 正常应该 使用 mock axios,来模拟调用,只需要测试 传参正常 即可 test("使用 promise", () => { expect.assertions(1); return expect(fetchTodoOne()).resolves.toEqual({ userId: 1, id: 1, title: "delectus aut autem", completed: false, }); }); }); ```
non_defect
jest 基础 manual mock 和 异步测试 在 中的 mock function 都是写在测试用例当中自动 mock manual mock 把 mock function 放在 mocks 文件夹中,在 测试用例 中 使用 jest mock modulename ,来使 jest 访问 mocks 来替代真实的模块 手动模拟可以多个测试文件使用 test bird spec ts js import bridfly from bird jest mock bird describe bird module test 小鸟可以飞 m expect bridfly tobe bird mocks index ts js export const bridfly return index ts js export const bridfly return 异步测试 逻辑代码 js import axios from axios export const fetchtodoone async return await axios get data 测试代码 js import fetchtodoone from todo describe todo test 使用 async await async expect await fetchtodoone toequal userid id title delectus aut autem completed false 正常应该 使用 mock axios,来模拟调用,只需要测试 传参正常 即可 test 使用 promise expect assertions return expect fetchtodoone resolves toequal userid id title delectus aut autem completed false
0