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 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
88,934 | 11,173,297,967 | IssuesEvent | 2019-12-29 13:17:39 | sergiotaborda/lense-lang | https://api.github.com/repos/sergiotaborda/lense-lang | closed | Evaluate correct type for Maybe<T> | language design under investigation | For now Maybe<T> allows for any T. This means we can right Maybe <Maybe<T> >
This should not be allowed in declarations and should not appear on generics capture sites as the compiler will not allow T to be of the same type
One option is to make Maybe only accept T of a new less abstract type than Any , say AnyObject and have (pseudo notation)
AnyObject extends Any
Maybe<T extends AnyObject> extends Any
So that Maybe cannot be of type Any
| 1.0 | Evaluate correct type for Maybe<T> - For now Maybe<T> allows for any T. This means we can right Maybe <Maybe<T> >
This should not be allowed in declarations and should not appear on generics capture sites as the compiler will not allow T to be of the same type
One option is to make Maybe only accept T of a new less abstract type than Any , say AnyObject and have (pseudo notation)
AnyObject extends Any
Maybe<T extends AnyObject> extends Any
So that Maybe cannot be of type Any
| non_defect | evaluate correct type for maybe for now maybe allows for any t this means we can right maybe this should not be allowed in declarations and should not appear on generics capture sites as the compiler will not allow t to be of the same type one option is to make maybe only accept t of a new less abstract type than any say anyobject and have pseudo notation anyobject extends any maybe extends any so that maybe cannot be of type any | 0 |
63,397 | 17,620,311,124 | IssuesEvent | 2021-08-18 14:36:32 | jOOQ/jOOQ | https://api.github.com/repos/jOOQ/jOOQ | closed | Empty select() should not project asterisk if unknown table is used with leftSemiJoin() or leftAntiJoin() | T: Defect C: Functionality P: Medium R: Fixed E: All Editions | ### Expected behavior
When using a `leftSemiJoin` with an *unknown* table (and I guess - but did not verify - when using anti-joins as well) jOOQ throws away the column information that is used to map the result set into records. This leads to an ambiguous/invalid mapping since `into` falls back to trying to maching column and field names.
This is to be expected to happen for all join types that change the projection, since there is no way for jOOQ to know the columns. But semi- and anti-joins do not change the projection, therefore I believe this to be a bug.
```
YRecord wrong = ctx
.select()
.from(X)
.join(Y)
.on(Y.ID.eq(X.ID))
.leftSemiJoin(DSL.table(DSL.name("OTHER")))
.on(DSL.field(DSL.name("OTHER", "ID"), Long.class).eq(Y.VALUE))
.fetchOne()
.into(Y);
```
In this case the `.into(Y)` uses columns from `X` if they have the same name as columns in `Y`. (See MCVE)
```
YRecord right = ctx
.select()
.from(X)
.join(Y)
.on(Y.ID.eq(X.ID))
.where(DSL.exists(DSL.select(DSL.one()).from(DSL.table(DSL.name("OTHER"))).where(DSL.field(DSL.name("OTHER", "ID"), Long.class).eq(Y.VALUE))))
.fetchOne()
.into(Y);
```
This query works, because jOOQ keeps the information about which column is which.
### Steps to reproduce the problem
You can find an MCVE here: https://github.com/kaini/jOOQ-mcve-1
### Versions
- jOOQ: 3.15.1 Enterprise
- Java: 16
- Database (include vendor): Oracle 19c (also observed with DB2 LUW 11.5)
- OS: Linux
- JDBC Driver (include name if inofficial driver): `com.oracle.database.jdbc:ojdbc11:21.1.0.0` (also observed with `com.ibm.db2:jcc:11.5.5.0`)
| 1.0 | Empty select() should not project asterisk if unknown table is used with leftSemiJoin() or leftAntiJoin() - ### Expected behavior
When using a `leftSemiJoin` with an *unknown* table (and I guess - but did not verify - when using anti-joins as well) jOOQ throws away the column information that is used to map the result set into records. This leads to an ambiguous/invalid mapping since `into` falls back to trying to maching column and field names.
This is to be expected to happen for all join types that change the projection, since there is no way for jOOQ to know the columns. But semi- and anti-joins do not change the projection, therefore I believe this to be a bug.
```
YRecord wrong = ctx
.select()
.from(X)
.join(Y)
.on(Y.ID.eq(X.ID))
.leftSemiJoin(DSL.table(DSL.name("OTHER")))
.on(DSL.field(DSL.name("OTHER", "ID"), Long.class).eq(Y.VALUE))
.fetchOne()
.into(Y);
```
In this case the `.into(Y)` uses columns from `X` if they have the same name as columns in `Y`. (See MCVE)
```
YRecord right = ctx
.select()
.from(X)
.join(Y)
.on(Y.ID.eq(X.ID))
.where(DSL.exists(DSL.select(DSL.one()).from(DSL.table(DSL.name("OTHER"))).where(DSL.field(DSL.name("OTHER", "ID"), Long.class).eq(Y.VALUE))))
.fetchOne()
.into(Y);
```
This query works, because jOOQ keeps the information about which column is which.
### Steps to reproduce the problem
You can find an MCVE here: https://github.com/kaini/jOOQ-mcve-1
### Versions
- jOOQ: 3.15.1 Enterprise
- Java: 16
- Database (include vendor): Oracle 19c (also observed with DB2 LUW 11.5)
- OS: Linux
- JDBC Driver (include name if inofficial driver): `com.oracle.database.jdbc:ojdbc11:21.1.0.0` (also observed with `com.ibm.db2:jcc:11.5.5.0`)
| defect | empty select should not project asterisk if unknown table is used with leftsemijoin or leftantijoin expected behavior when using a leftsemijoin with an unknown table and i guess but did not verify when using anti joins as well jooq throws away the column information that is used to map the result set into records this leads to an ambiguous invalid mapping since into falls back to trying to maching column and field names this is to be expected to happen for all join types that change the projection since there is no way for jooq to know the columns but semi and anti joins do not change the projection therefore i believe this to be a bug yrecord wrong ctx select from x join y on y id eq x id leftsemijoin dsl table dsl name other on dsl field dsl name other id long class eq y value fetchone into y in this case the into y uses columns from x if they have the same name as columns in y see mcve yrecord right ctx select from x join y on y id eq x id where dsl exists dsl select dsl one from dsl table dsl name other where dsl field dsl name other id long class eq y value fetchone into y this query works because jooq keeps the information about which column is which steps to reproduce the problem you can find an mcve here versions jooq enterprise java database include vendor oracle also observed with luw os linux jdbc driver include name if inofficial driver com oracle database jdbc also observed with com ibm jcc | 1 |
197,783 | 14,942,854,032 | IssuesEvent | 2021-01-25 21:58:46 | medic/cht-core | https://api.github.com/repos/medic/cht-core | closed | Add readme.md in demo-forms dir: how to load forms into CHT | Testing Type: Technical issue | **Describe the issue**
There's a whole collection of forms that QA et al. uses to test the product in [`demo-forms`](https://github.com/medic/cht-core/tree/master/demo-forms). It'd be good to document how these work - mainly how to load them up into an existing CHT instance both via `medic-conf` as well as via the admin web GUI.
**Describe the improvement you'd like**
Add a `readme.md` to [`demo-forms`](https://github.com/medic/cht-core/tree/master/demo-forms)
**Describe alternatives you've considered**
Bother my co-workers, read the [docs.](docs.communityhealthtoolkit.org/)
| 1.0 | Add readme.md in demo-forms dir: how to load forms into CHT - **Describe the issue**
There's a whole collection of forms that QA et al. uses to test the product in [`demo-forms`](https://github.com/medic/cht-core/tree/master/demo-forms). It'd be good to document how these work - mainly how to load them up into an existing CHT instance both via `medic-conf` as well as via the admin web GUI.
**Describe the improvement you'd like**
Add a `readme.md` to [`demo-forms`](https://github.com/medic/cht-core/tree/master/demo-forms)
**Describe alternatives you've considered**
Bother my co-workers, read the [docs.](docs.communityhealthtoolkit.org/)
| non_defect | add readme md in demo forms dir how to load forms into cht describe the issue there s a whole collection of forms that qa et al uses to test the product in it d be good to document how these work mainly how to load them up into an existing cht instance both via medic conf as well as via the admin web gui describe the improvement you d like add a readme md to describe alternatives you ve considered bother my co workers read the docs communityhealthtoolkit org | 0 |
7,085 | 2,597,144,230 | IssuesEvent | 2015-02-21 03:55:03 | CSSE1001/MyPyTutor | https://api.github.com/repos/CSSE1001/MyPyTutor | closed | Refactor sync code | enhancement priority: low | The sync code has got too complex.
It'll be pretty easy to extract `_synchronise`, along with the other private methods, from `TutorialApp` and into `online/sync.py`.
See further #72 | 1.0 | Refactor sync code - The sync code has got too complex.
It'll be pretty easy to extract `_synchronise`, along with the other private methods, from `TutorialApp` and into `online/sync.py`.
See further #72 | non_defect | refactor sync code the sync code has got too complex it ll be pretty easy to extract synchronise along with the other private methods from tutorialapp and into online sync py see further | 0 |
1,374 | 2,603,842,379 | IssuesEvent | 2015-02-24 18:14:59 | chrsmith/nishazi6 | https://api.github.com/repos/chrsmith/nishazi6 | opened | 沈阳人乳头瘤病毒怎么治 | auto-migrated Priority-Medium Type-Defect | ```
沈阳人乳头瘤病毒怎么治〓沈陽軍區政治部醫院性病〓TEL:02
4-31023308〓成立于1946年,68年專注于性傳播疾病的研究和治療�
��位于沈陽市沈河區二緯路32號。是一所與新中國同建立共輝�
��的歷史悠久、設備精良、技術權威、專家云集,是預防、保
健、醫療、科研康復為一體的綜合性醫院。是國家首批公立��
�等部隊醫院、全國首批醫療規范定點單位,是第四軍醫大學�
��東南大學等知名高等院校的教學醫院。曾被中國人民解放軍
空軍后勤部衛生部評為衛生工作先進單位,先后兩次榮立集��
�二等功。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 7:27 | 1.0 | 沈阳人乳头瘤病毒怎么治 - ```
沈阳人乳头瘤病毒怎么治〓沈陽軍區政治部醫院性病〓TEL:02
4-31023308〓成立于1946年,68年專注于性傳播疾病的研究和治療�
��位于沈陽市沈河區二緯路32號。是一所與新中國同建立共輝�
��的歷史悠久、設備精良、技術權威、專家云集,是預防、保
健、醫療、科研康復為一體的綜合性醫院。是國家首批公立��
�等部隊醫院、全國首批醫療規范定點單位,是第四軍醫大學�
��東南大學等知名高等院校的教學醫院。曾被中國人民解放軍
空軍后勤部衛生部評為衛生工作先進單位,先后兩次榮立集��
�二等功。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 7:27 | defect | 沈阳人乳头瘤病毒怎么治 沈阳人乳头瘤病毒怎么治〓沈陽軍區政治部醫院性病〓tel: 〓 , � �� 。是一所與新中國同建立共輝� ��的歷史悠久、設備精良、技術權威、專家云集,是預防、保 健、醫療、科研康復為一體的綜合性醫院。是國家首批公立�� �等部隊醫院、全國首批醫療規范定點單位,是第四軍醫大學� ��東南大學等知名高等院校的教學醫院。曾被中國人民解放軍 空軍后勤部衛生部評為衛生工作先進單位,先后兩次榮立集�� �二等功。 original issue reported on code google com by gmail com on jun at | 1 |
51,379 | 13,207,459,091 | IssuesEvent | 2020-08-14 23:10:59 | icecube-trac/tix4 | https://api.github.com/repos/icecube-trac/tix4 | opened | FilterMask IcePick should be a PacketModule (Trac #309) | Incomplete Migration Migrated from Trac combo core defect | <details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/309">https://code.icecube.wisc.edu/projects/icecube/ticket/309</a>, reported by tfeuselsand owned by blaufuss</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2015-07-07T22:32:33",
"_ts": "1436308353324715",
"description": "Hi,\n\nThe IcePickModule<FilterMaskFilter> now only seems to work on P frames, so it discards P frames when a filterMask has not been found. However, the desired behaviour when a certain filter for some DAQ event has not been found is that the whole bunch of Q + its P frames should be discarded (if Discard=True) instead.\n\nMaybe this could be replaced by a simple pythonmodule (which I'm using now) instead.\n\nTom F.",
"reporter": "tfeusels",
"cc": "",
"resolution": "fixed",
"time": "2011-09-20T06:54:48",
"component": "combo core",
"summary": "FilterMask IcePick should be a PacketModule",
"priority": "normal",
"keywords": "",
"milestone": "",
"owner": "blaufuss",
"type": "defect"
}
```
</p>
</details>
| 1.0 | FilterMask IcePick should be a PacketModule (Trac #309) - <details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/309">https://code.icecube.wisc.edu/projects/icecube/ticket/309</a>, reported by tfeuselsand owned by blaufuss</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2015-07-07T22:32:33",
"_ts": "1436308353324715",
"description": "Hi,\n\nThe IcePickModule<FilterMaskFilter> now only seems to work on P frames, so it discards P frames when a filterMask has not been found. However, the desired behaviour when a certain filter for some DAQ event has not been found is that the whole bunch of Q + its P frames should be discarded (if Discard=True) instead.\n\nMaybe this could be replaced by a simple pythonmodule (which I'm using now) instead.\n\nTom F.",
"reporter": "tfeusels",
"cc": "",
"resolution": "fixed",
"time": "2011-09-20T06:54:48",
"component": "combo core",
"summary": "FilterMask IcePick should be a PacketModule",
"priority": "normal",
"keywords": "",
"milestone": "",
"owner": "blaufuss",
"type": "defect"
}
```
</p>
</details>
| defect | filtermask icepick should be a packetmodule trac migrated from json status closed changetime ts description hi n nthe icepickmodule now only seems to work on p frames so it discards p frames when a filtermask has not been found however the desired behaviour when a certain filter for some daq event has not been found is that the whole bunch of q its p frames should be discarded if discard true instead n nmaybe this could be replaced by a simple pythonmodule which i m using now instead n ntom f reporter tfeusels cc resolution fixed time component combo core summary filtermask icepick should be a packetmodule priority normal keywords milestone owner blaufuss type defect | 1 |
380,296 | 26,412,580,097 | IssuesEvent | 2023-01-13 13:29:53 | AI4VBH/AIDE | https://api.github.com/repos/AI4VBH/AIDE | closed | Changes to Aide-clinician documentation and question for Lu | documentation | **Aide-clinician**
- [ ] @JoeBatt1989 Make sure table of contents formatting across sections is consistent - before make table of contents here Haleema to check with Lu (see below)
- [x] @heyhaleema is currently blocker - check with Lu about how table of contents translates /would be used in Jupyter books | 1.0 | Changes to Aide-clinician documentation and question for Lu - **Aide-clinician**
- [ ] @JoeBatt1989 Make sure table of contents formatting across sections is consistent - before make table of contents here Haleema to check with Lu (see below)
- [x] @heyhaleema is currently blocker - check with Lu about how table of contents translates /would be used in Jupyter books | non_defect | changes to aide clinician documentation and question for lu aide clinician make sure table of contents formatting across sections is consistent before make table of contents here haleema to check with lu see below heyhaleema is currently blocker check with lu about how table of contents translates would be used in jupyter books | 0 |
301,823 | 22,776,768,265 | IssuesEvent | 2022-07-08 15:09:26 | predis/predis | https://api.github.com/repos/predis/predis | closed | ClientInterface::get() is supposed to return string but actually can return \Predis\Response\Status | documentation | **Describe the bug**
The ClientInterface::get() has documented `string` as return type, but on some situations (detected in production) it may return `\Predis\Response\Status`.
**To Reproduce**
Steps to reproduce the behavior: unknown
**Expected behavior**
Either only string is returned or the current state is properly documented.
**Versions (please complete the following information):**
- Predis: 1.1.9
- PHP 7.4
- Redis Server 6.2.6
- OS Docker redis:latest
**Additional context**
Libraries such as contributte/redis depends on the string type and handle it in such way that `Status` object create an `TypeError` ([issue](https://github.com/contributte/redis/issues/34) reported, but fix here is probably also needed).
| 1.0 | ClientInterface::get() is supposed to return string but actually can return \Predis\Response\Status - **Describe the bug**
The ClientInterface::get() has documented `string` as return type, but on some situations (detected in production) it may return `\Predis\Response\Status`.
**To Reproduce**
Steps to reproduce the behavior: unknown
**Expected behavior**
Either only string is returned or the current state is properly documented.
**Versions (please complete the following information):**
- Predis: 1.1.9
- PHP 7.4
- Redis Server 6.2.6
- OS Docker redis:latest
**Additional context**
Libraries such as contributte/redis depends on the string type and handle it in such way that `Status` object create an `TypeError` ([issue](https://github.com/contributte/redis/issues/34) reported, but fix here is probably also needed).
| non_defect | clientinterface get is supposed to return string but actually can return predis response status describe the bug the clientinterface get has documented string as return type but on some situations detected in production it may return predis response status to reproduce steps to reproduce the behavior unknown expected behavior either only string is returned or the current state is properly documented versions please complete the following information predis php redis server os docker redis latest additional context libraries such as contributte redis depends on the string type and handle it in such way that status object create an typeerror reported but fix here is probably also needed | 0 |
20,550 | 3,604,691,448 | IssuesEvent | 2016-02-03 23:59:54 | flutter/flutter | https://api.github.com/repos/flutter/flutter | closed | Modal bottom sheet appears then disappears immediately | affects: framework affects: material design customer: gallery ⚠ bug | In the gallery app, choose "Application" and then "Modal Bottom Sheet". Then, tap the "Show the modal bottom sheet" button.
Expected: bottom sheet appears and stays visible for some period of time.
Actual: bottom sheet appears and then instantly disappears (but the screen stays dimmed out). | 1.0 | Modal bottom sheet appears then disappears immediately - In the gallery app, choose "Application" and then "Modal Bottom Sheet". Then, tap the "Show the modal bottom sheet" button.
Expected: bottom sheet appears and stays visible for some period of time.
Actual: bottom sheet appears and then instantly disappears (but the screen stays dimmed out). | non_defect | modal bottom sheet appears then disappears immediately in the gallery app choose application and then modal bottom sheet then tap the show the modal bottom sheet button expected bottom sheet appears and stays visible for some period of time actual bottom sheet appears and then instantly disappears but the screen stays dimmed out | 0 |
339,106 | 24,610,716,138 | IssuesEvent | 2022-10-14 21:05:47 | mvsjunior/sticknote-api | https://api.github.com/repos/mvsjunior/sticknote-api | closed | Cadastrar uma nova nota | documentation | Cadastrar uma nova nota através de uma requisição HTTP
- O usuário fará uma requisição POST para uma rota
- O usuário recebe a reposta da requisição enviada
- Em caso de falha:
- O usuário é informado que ocorreu uma falha
- O usuário é direcionado para uma ação
- Em caso de sucesso:
- O usuário recebe a lista de notas
**DoD**
- [x] Rota "/note/create" apta a receber requisições POST com o conteúdo da nota a ser salva
- [x] Em caso de falha, o usuário é notificado que ocorreu um erro e uma chamada para ação (caso necessário)
- [x] Em caso de sucesso, o usuário é informado que a nota foi salva com sucesso
- [x] Criação de testes para validar a consistência da funcionalidade. | 1.0 | Cadastrar uma nova nota - Cadastrar uma nova nota através de uma requisição HTTP
- O usuário fará uma requisição POST para uma rota
- O usuário recebe a reposta da requisição enviada
- Em caso de falha:
- O usuário é informado que ocorreu uma falha
- O usuário é direcionado para uma ação
- Em caso de sucesso:
- O usuário recebe a lista de notas
**DoD**
- [x] Rota "/note/create" apta a receber requisições POST com o conteúdo da nota a ser salva
- [x] Em caso de falha, o usuário é notificado que ocorreu um erro e uma chamada para ação (caso necessário)
- [x] Em caso de sucesso, o usuário é informado que a nota foi salva com sucesso
- [x] Criação de testes para validar a consistência da funcionalidade. | non_defect | cadastrar uma nova nota cadastrar uma nova nota através de uma requisição http o usuário fará uma requisição post para uma rota o usuário recebe a reposta da requisição enviada em caso de falha o usuário é informado que ocorreu uma falha o usuário é direcionado para uma ação em caso de sucesso o usuário recebe a lista de notas dod rota note create apta a receber requisições post com o conteúdo da nota a ser salva em caso de falha o usuário é notificado que ocorreu um erro e uma chamada para ação caso necessário em caso de sucesso o usuário é informado que a nota foi salva com sucesso criação de testes para validar a consistência da funcionalidade | 0 |
525,886 | 15,267,957,782 | IssuesEvent | 2021-02-22 10:45:16 | pombase/canto | https://api.github.com/repos/pombase/canto | closed | Migrate disease annotation extensions to disease annotation type | PHI-Canto low priority | (Requested by @CuzickA)
Since we added the new disease annotation type, we don't need the old 'disease caused' annotation extension anymore. Unfortunately, there are still about 90 extensions already applied to existing curation sessions, and manually removing them and recreating them as disease annotations is going to be a lot of work.
@kimrutherford Is it possible to create a script that will automatically create disease annotations based on the annotation extensions? I think the process would be as follows:
1. Query the session databases for all metagenotype annotations with the **causes_disease** extension.
2. Record the following information:
- the ID of the metagenotype linked to the annotation;
- the term ID for the causes_disease extension (a PHIDO term);
- the term ID for the infects_tissue extension, if present (a BTO term).
3. We may also need an extra check to make sure that the pathogen gene and the host gene are wild-type, or that the host has no genes; @CuzickA can probably advise on the exact rules here.
4. Once all the necessary information is collected, use it to create a disease annotation on the previous metagenotype, with the annotation term being the PHIDO term, and add the infects_tissue extension to the annotation with the BTO term.
5. Finally, delete the old instance of the causes_disease extension.
Does that sound feasible? If the above is too difficult or too risky (in terms of database inconsistency), then maybe just removing the extensions and keeping a log of the metagenotypes they were applied to will be enough (probably plus the annotation extensions for the metagenotype so we can track tissue types, and so on). | 1.0 | Migrate disease annotation extensions to disease annotation type - (Requested by @CuzickA)
Since we added the new disease annotation type, we don't need the old 'disease caused' annotation extension anymore. Unfortunately, there are still about 90 extensions already applied to existing curation sessions, and manually removing them and recreating them as disease annotations is going to be a lot of work.
@kimrutherford Is it possible to create a script that will automatically create disease annotations based on the annotation extensions? I think the process would be as follows:
1. Query the session databases for all metagenotype annotations with the **causes_disease** extension.
2. Record the following information:
- the ID of the metagenotype linked to the annotation;
- the term ID for the causes_disease extension (a PHIDO term);
- the term ID for the infects_tissue extension, if present (a BTO term).
3. We may also need an extra check to make sure that the pathogen gene and the host gene are wild-type, or that the host has no genes; @CuzickA can probably advise on the exact rules here.
4. Once all the necessary information is collected, use it to create a disease annotation on the previous metagenotype, with the annotation term being the PHIDO term, and add the infects_tissue extension to the annotation with the BTO term.
5. Finally, delete the old instance of the causes_disease extension.
Does that sound feasible? If the above is too difficult or too risky (in terms of database inconsistency), then maybe just removing the extensions and keeping a log of the metagenotypes they were applied to will be enough (probably plus the annotation extensions for the metagenotype so we can track tissue types, and so on). | non_defect | migrate disease annotation extensions to disease annotation type requested by cuzicka since we added the new disease annotation type we don t need the old disease caused annotation extension anymore unfortunately there are still about extensions already applied to existing curation sessions and manually removing them and recreating them as disease annotations is going to be a lot of work kimrutherford is it possible to create a script that will automatically create disease annotations based on the annotation extensions i think the process would be as follows query the session databases for all metagenotype annotations with the causes disease extension record the following information the id of the metagenotype linked to the annotation the term id for the causes disease extension a phido term the term id for the infects tissue extension if present a bto term we may also need an extra check to make sure that the pathogen gene and the host gene are wild type or that the host has no genes cuzicka can probably advise on the exact rules here once all the necessary information is collected use it to create a disease annotation on the previous metagenotype with the annotation term being the phido term and add the infects tissue extension to the annotation with the bto term finally delete the old instance of the causes disease extension does that sound feasible if the above is too difficult or too risky in terms of database inconsistency then maybe just removing the extensions and keeping a log of the metagenotypes they were applied to will be enough probably plus the annotation extensions for the metagenotype so we can track tissue types and so on | 0 |
74,908 | 25,402,948,678 | IssuesEvent | 2022-11-22 13:27:10 | vector-im/element-ios | https://api.github.com/repos/vector-im/element-ios | closed | Labs: Rich text-editor does not insert punctuation on double-space | T-Defect S-Tolerable O-Frequent Z-Labs A-Rich-Text-Editor | ### Steps to reproduce
1. Install TestFlight-version of Elekent
2. Enable rich text-editor in labs
3. Start writing messages.
4. Tap space twice in order to insert punctuation.
### Outcome
#### What did you expect?
Double spaced (“ “) to be replaced by punctuation plus space (“. “). This is how text fields on iOS usually behave.
#### What happened instead?
Just double space and no punctuation.
### Your phone model
iPhone 12
### Operating system version
iOS 16.1 PB5
### Application version
1.9.9
### Homeserver
Synapse
### Will you send logs?
No | 1.0 | Labs: Rich text-editor does not insert punctuation on double-space - ### Steps to reproduce
1. Install TestFlight-version of Elekent
2. Enable rich text-editor in labs
3. Start writing messages.
4. Tap space twice in order to insert punctuation.
### Outcome
#### What did you expect?
Double spaced (“ “) to be replaced by punctuation plus space (“. “). This is how text fields on iOS usually behave.
#### What happened instead?
Just double space and no punctuation.
### Your phone model
iPhone 12
### Operating system version
iOS 16.1 PB5
### Application version
1.9.9
### Homeserver
Synapse
### Will you send logs?
No | defect | labs rich text editor does not insert punctuation on double space steps to reproduce install testflight version of elekent enable rich text editor in labs start writing messages tap space twice in order to insert punctuation outcome what did you expect double spaced “ “ to be replaced by punctuation plus space “ “ this is how text fields on ios usually behave what happened instead just double space and no punctuation your phone model iphone operating system version ios application version homeserver synapse will you send logs no | 1 |
324,439 | 9,903,925,311 | IssuesEvent | 2019-06-27 08:00:57 | mlr-org/mlr3pipelines | https://api.github.com/repos/mlr-org/mlr3pipelines | opened | Graph Visualization | Priority: Low | Wanted to open this issue in order to collect possible libraries for
visualizing the resulting graphs.
### visNetwork:
[GitHub](https://github.com/datastorm-open/visNetwork)
[Vignette](https://cran.r-project.org/web/packages/visNetwork/vignettes/Introduction-to-visNetwork.html)
### DiagrammeR
(Website)[https://rich-iannone.github.io/DiagrammeR/] | 1.0 | Graph Visualization - Wanted to open this issue in order to collect possible libraries for
visualizing the resulting graphs.
### visNetwork:
[GitHub](https://github.com/datastorm-open/visNetwork)
[Vignette](https://cran.r-project.org/web/packages/visNetwork/vignettes/Introduction-to-visNetwork.html)
### DiagrammeR
(Website)[https://rich-iannone.github.io/DiagrammeR/] | non_defect | graph visualization wanted to open this issue in order to collect possible libraries for visualizing the resulting graphs visnetwork diagrammer website | 0 |
17,539 | 3,012,746,955 | IssuesEvent | 2015-07-29 02:09:08 | yawlfoundation/yawl | https://api.github.com/repos/yawlfoundation/yawl | closed | [CLOSED] Editor hangs | auto-migrated Category-Editor Priority-Critical Type-Defect | <a href="https://github.com/GoogleCodeExporter"><img src="https://avatars.githubusercontent.com/u/9614759?v=3" align="left" width="96" height="96" hspace="10"></img></a> **Issue by [GoogleCodeExporter](https://github.com/GoogleCodeExporter)**
_Monday Jul 27, 2015 at 03:21 GMT_
_Originally opened as https://github.com/adamsmj/yawl/issues/80_
----
```
This one maybe hard to reproduce, but playing with new21.ywl (as used in
issue 78) and trying something with the filter the editor hangs when I am
trying to save the file.
```
Original issue reported on code.google.com by `arthurte...@gmail.com` on 8 Aug 2008 at 1:30
| 1.0 | [CLOSED] Editor hangs - <a href="https://github.com/GoogleCodeExporter"><img src="https://avatars.githubusercontent.com/u/9614759?v=3" align="left" width="96" height="96" hspace="10"></img></a> **Issue by [GoogleCodeExporter](https://github.com/GoogleCodeExporter)**
_Monday Jul 27, 2015 at 03:21 GMT_
_Originally opened as https://github.com/adamsmj/yawl/issues/80_
----
```
This one maybe hard to reproduce, but playing with new21.ywl (as used in
issue 78) and trying something with the filter the editor hangs when I am
trying to save the file.
```
Original issue reported on code.google.com by `arthurte...@gmail.com` on 8 Aug 2008 at 1:30
| defect | editor hangs issue by monday jul at gmt originally opened as this one maybe hard to reproduce but playing with ywl as used in issue and trying something with the filter the editor hangs when i am trying to save the file original issue reported on code google com by arthurte gmail com on aug at | 1 |
3,112 | 3,077,837,625 | IssuesEvent | 2015-08-21 05:02:40 | unt-libraries/coda | https://api.github.com/repos/unt-libraries/coda | opened | Project Bootstrapping | build enhancement priority medium project/configuration | Add a way to bootstrap the development environment for the project. Currently, we need to
1. Warm up the db container
2. Build the coda container
3. Create a test `secrets.json` file
4. Sync/migrate the db
before development can begin. It would be nice to have a single command/script to do this for us. | 1.0 | Project Bootstrapping - Add a way to bootstrap the development environment for the project. Currently, we need to
1. Warm up the db container
2. Build the coda container
3. Create a test `secrets.json` file
4. Sync/migrate the db
before development can begin. It would be nice to have a single command/script to do this for us. | non_defect | project bootstrapping add a way to bootstrap the development environment for the project currently we need to warm up the db container build the coda container create a test secrets json file sync migrate the db before development can begin it would be nice to have a single command script to do this for us | 0 |
114,854 | 4,647,318,395 | IssuesEvent | 2016-10-01 12:19:31 | kubernetes/kubernetes | https://api.github.com/repos/kubernetes/kubernetes | closed | Abstract the exclusion mechanism out of LeaderElector implementation | area/HA kind/cleanup priority/P3 team/control-plane | Right now, LeaderElection uses operations over an annotation on Endpoints object as an exclusion mechanism. There is an EndpointsMeta field in the LeaderElectorConfig. This detail should be abstracted away from the libraries public API, and the code should be factored in a way to allow for that implementation to change.
cc @timothysc | 1.0 | Abstract the exclusion mechanism out of LeaderElector implementation - Right now, LeaderElection uses operations over an annotation on Endpoints object as an exclusion mechanism. There is an EndpointsMeta field in the LeaderElectorConfig. This detail should be abstracted away from the libraries public API, and the code should be factored in a way to allow for that implementation to change.
cc @timothysc | non_defect | abstract the exclusion mechanism out of leaderelector implementation right now leaderelection uses operations over an annotation on endpoints object as an exclusion mechanism there is an endpointsmeta field in the leaderelectorconfig this detail should be abstracted away from the libraries public api and the code should be factored in a way to allow for that implementation to change cc timothysc | 0 |
18,590 | 3,073,979,298 | IssuesEvent | 2015-08-20 02:27:19 | eczarny/spectacle | https://api.github.com/repos/eczarny/spectacle | closed | The same shortcut is permitted for different actions (with default configuration) | defect ★★ | I can define for an action the same keyboard shortcut than an existing one.
For example, i can change the shortcut for the action "left half" with the same shortcut than "Next display"
| 1.0 | The same shortcut is permitted for different actions (with default configuration) - I can define for an action the same keyboard shortcut than an existing one.
For example, i can change the shortcut for the action "left half" with the same shortcut than "Next display"
| defect | the same shortcut is permitted for different actions with default configuration i can define for an action the same keyboard shortcut than an existing one for example i can change the shortcut for the action left half with the same shortcut than next display | 1 |
17,079 | 12,219,047,218 | IssuesEvent | 2020-05-01 20:44:50 | flutter/website | https://api.github.com/repos/flutter/website | closed | 'Pass arguments to a named route' page issue | e1-hours infrastructure p1-high | Page URL: https://flutter.dev/docs/cookbook/navigation/navigate-with-arguments.html
Page source: https://github.com/flutter/website/tree/master/src/docs/cookbook/navigation/navigate-with-arguments.md
Description of issue:
An example not working

| 1.0 | 'Pass arguments to a named route' page issue - Page URL: https://flutter.dev/docs/cookbook/navigation/navigate-with-arguments.html
Page source: https://github.com/flutter/website/tree/master/src/docs/cookbook/navigation/navigate-with-arguments.md
Description of issue:
An example not working

| non_defect | pass arguments to a named route page issue page url page source description of issue an example not working | 0 |
23,178 | 3,774,530,717 | IssuesEvent | 2016-03-17 09:41:40 | bridgedotnet/Bridge | https://api.github.com/repos/bridgedotnet/Bridge | closed | Bridge.Html5.Element properties ScrollLeft and ScrollTop are readonly | defect | Related forum thread:
http://forums.bridge.net/forum/bridge-net-pro/bugs/1851
### Expected
Should be able to set `.ScrollLeft` and `.ScrollTop`.
### Actual
Members are marked improperly with `readonly` modifier | 1.0 | Bridge.Html5.Element properties ScrollLeft and ScrollTop are readonly - Related forum thread:
http://forums.bridge.net/forum/bridge-net-pro/bugs/1851
### Expected
Should be able to set `.ScrollLeft` and `.ScrollTop`.
### Actual
Members are marked improperly with `readonly` modifier | defect | bridge element properties scrollleft and scrolltop are readonly related forum thread expected should be able to set scrollleft and scrolltop actual members are marked improperly with readonly modifier | 1 |
36,202 | 7,868,218,568 | IssuesEvent | 2018-06-23 18:40:58 | StrikeNP/trac_test | https://api.github.com/repos/StrikeNP/trac_test | closed | Make the "failure" test work (Trac #662) | Migrated from Trac clubb_src defect nieznan3@uwm.edu | **Introduction**
We have a case in CLUBB called the "failure" case. It's purpose in life is to feed in garbage values of initial conditions to CLUBB, causing CLUBB to fail. The goal is to test error checking in CLUBB.
Unfortunately, with the addition of floating point trapping to `gfortran`'s configuration file, the case "fails to fail". That is, a floating point exception is trapped before CLUBB gets a chance to do its own error checking, rendering the test practically useless.
I'm not sure what the best thing to do here is. Maybe at some point we should refactor the test to be more useful (https://github.com/larson-group/trac_test/issues/648) and run even in the presence of floating point trapping. For now, however, maybe we should just turn off floating point trapping for the failure test case.
**Technical spec**
We need to run a command similar to:
```text
sed 's/-ffpe-trap=invalid,zero//' -i $clubbSrc/compile/config/linux_x86_64_gfortran.bash
```
before the compilation of CLUBB for the failure (Bitten) test and only the failure test.
Jon, what would be the best way to do this?
Attachments:
[plot_explicit_ta_configs.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_explicit_ta_configs.maff)
[plot_new_pdf_config_1_plot_2.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_new_pdf_config_1_plot_2.maff)
[plot_combo_pdf_run_3.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_combo_pdf_run_3.maff)
[plot_input_fields_rtp3_thlp3_1.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_input_fields_rtp3_thlp3_1.maff)
[plot_new_pdf_20180522_test_1.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_new_pdf_20180522_test_1.maff)
[plot_attempts_8_10.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_attempts_8_10.maff)
[plot_attempt_8_only.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_attempt_8_only.maff)
[plot_beta_1p3.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_beta_1p3.maff)
[plot_beta_1p3_all.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_beta_1p3_all.maff)
Migrated from http://carson.math.uwm.edu/trac/clubb/ticket/662
```json
{
"status": "closed",
"changetime": "2014-01-31T20:07:52",
"description": "'''Introduction'''\n\nWe have a case in CLUBB called the \"failure\" case. It's purpose in life is to feed in garbage values of initial conditions to CLUBB, causing CLUBB to fail. The goal is to test error checking in CLUBB.\n\nUnfortunately, with the addition of floating point trapping to `gfortran`'s configuration file, the case \"fails to fail\". That is, a floating point exception is trapped before CLUBB gets a chance to do its own error checking, rendering the test practically useless.\n\nI'm not sure what the best thing to do here is. Maybe at some point we should refactor the test to be more useful (comment:5:ticket:648) and run even in the presence of floating point trapping. For now, however, maybe we should just turn off floating point trapping for the failure test case.\n\n'''Technical spec'''\n\nWe need to run a command similar to:\n\n{{{\nsed 's/-ffpe-trap=invalid,zero//' -i $clubbSrc/compile/config/linux_x86_64_gfortran.bash\n}}}\n\nbefore the compilation of CLUBB for the failure (Bitten) test and only the failure test.\n\nJon, what would be the best way to do this?",
"reporter": "raut@uwm.edu",
"cc": "vlarson@uwm.edu",
"resolution": "fixed",
"_ts": "1391198872400247",
"component": "clubb_src",
"summary": "Make the \"failure\" test work",
"priority": "critical",
"keywords": "Bitten",
"time": "2014-01-31T02:07:28",
"milestone": "Add new nightly tests, assertion checks, and unit tests",
"owner": "nieznan3@uwm.edu",
"type": "defect"
}
```
| 1.0 | Make the "failure" test work (Trac #662) - **Introduction**
We have a case in CLUBB called the "failure" case. It's purpose in life is to feed in garbage values of initial conditions to CLUBB, causing CLUBB to fail. The goal is to test error checking in CLUBB.
Unfortunately, with the addition of floating point trapping to `gfortran`'s configuration file, the case "fails to fail". That is, a floating point exception is trapped before CLUBB gets a chance to do its own error checking, rendering the test practically useless.
I'm not sure what the best thing to do here is. Maybe at some point we should refactor the test to be more useful (https://github.com/larson-group/trac_test/issues/648) and run even in the presence of floating point trapping. For now, however, maybe we should just turn off floating point trapping for the failure test case.
**Technical spec**
We need to run a command similar to:
```text
sed 's/-ffpe-trap=invalid,zero//' -i $clubbSrc/compile/config/linux_x86_64_gfortran.bash
```
before the compilation of CLUBB for the failure (Bitten) test and only the failure test.
Jon, what would be the best way to do this?
Attachments:
[plot_explicit_ta_configs.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_explicit_ta_configs.maff)
[plot_new_pdf_config_1_plot_2.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_new_pdf_config_1_plot_2.maff)
[plot_combo_pdf_run_3.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_combo_pdf_run_3.maff)
[plot_input_fields_rtp3_thlp3_1.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_input_fields_rtp3_thlp3_1.maff)
[plot_new_pdf_20180522_test_1.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_new_pdf_20180522_test_1.maff)
[plot_attempts_8_10.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_attempts_8_10.maff)
[plot_attempt_8_only.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_attempt_8_only.maff)
[plot_beta_1p3.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_beta_1p3.maff)
[plot_beta_1p3_all.maff](https://github.com/larson-group/trac_attachment_archive/blob/master/trac_test/822/plot_beta_1p3_all.maff)
Migrated from http://carson.math.uwm.edu/trac/clubb/ticket/662
```json
{
"status": "closed",
"changetime": "2014-01-31T20:07:52",
"description": "'''Introduction'''\n\nWe have a case in CLUBB called the \"failure\" case. It's purpose in life is to feed in garbage values of initial conditions to CLUBB, causing CLUBB to fail. The goal is to test error checking in CLUBB.\n\nUnfortunately, with the addition of floating point trapping to `gfortran`'s configuration file, the case \"fails to fail\". That is, a floating point exception is trapped before CLUBB gets a chance to do its own error checking, rendering the test practically useless.\n\nI'm not sure what the best thing to do here is. Maybe at some point we should refactor the test to be more useful (comment:5:ticket:648) and run even in the presence of floating point trapping. For now, however, maybe we should just turn off floating point trapping for the failure test case.\n\n'''Technical spec'''\n\nWe need to run a command similar to:\n\n{{{\nsed 's/-ffpe-trap=invalid,zero//' -i $clubbSrc/compile/config/linux_x86_64_gfortran.bash\n}}}\n\nbefore the compilation of CLUBB for the failure (Bitten) test and only the failure test.\n\nJon, what would be the best way to do this?",
"reporter": "raut@uwm.edu",
"cc": "vlarson@uwm.edu",
"resolution": "fixed",
"_ts": "1391198872400247",
"component": "clubb_src",
"summary": "Make the \"failure\" test work",
"priority": "critical",
"keywords": "Bitten",
"time": "2014-01-31T02:07:28",
"milestone": "Add new nightly tests, assertion checks, and unit tests",
"owner": "nieznan3@uwm.edu",
"type": "defect"
}
```
| defect | make the failure test work trac introduction we have a case in clubb called the failure case it s purpose in life is to feed in garbage values of initial conditions to clubb causing clubb to fail the goal is to test error checking in clubb unfortunately with the addition of floating point trapping to gfortran s configuration file the case fails to fail that is a floating point exception is trapped before clubb gets a chance to do its own error checking rendering the test practically useless i m not sure what the best thing to do here is maybe at some point we should refactor the test to be more useful and run even in the presence of floating point trapping for now however maybe we should just turn off floating point trapping for the failure test case technical spec we need to run a command similar to text sed s ffpe trap invalid zero i clubbsrc compile config linux gfortran bash before the compilation of clubb for the failure bitten test and only the failure test jon what would be the best way to do this attachments migrated from json status closed changetime description introduction n nwe have a case in clubb called the failure case it s purpose in life is to feed in garbage values of initial conditions to clubb causing clubb to fail the goal is to test error checking in clubb n nunfortunately with the addition of floating point trapping to gfortran s configuration file the case fails to fail that is a floating point exception is trapped before clubb gets a chance to do its own error checking rendering the test practically useless n ni m not sure what the best thing to do here is maybe at some point we should refactor the test to be more useful comment ticket and run even in the presence of floating point trapping for now however maybe we should just turn off floating point trapping for the failure test case n n technical spec n nwe need to run a command similar to n n nsed s ffpe trap invalid zero i clubbsrc compile config linux gfortran bash n n nbefore the compilation of clubb for the failure bitten test and only the failure test n njon what would be the best way to do this reporter raut uwm edu cc vlarson uwm edu resolution fixed ts component clubb src summary make the failure test work priority critical keywords bitten time milestone add new nightly tests assertion checks and unit tests owner uwm edu type defect | 1 |
41,760 | 10,594,119,107 | IssuesEvent | 2019-10-09 16:05:32 | avereon/xenon | https://api.github.com/repos/avereon/xenon | reopened | Cannot register mod icon due to IllegalAccessException | bug / error / defect | 2019-09-26 17:59:05.456 [E] c.a.x.IconLibrary.getIconRenderer: Unable to create icon: mouse-maze
java.lang.IllegalAccessException: class com.avereon.xenon.IconLibrary$IconConfig (in module com.avereon.xenon) cannot access class com.avereon.mouse.MouseMazeIcon (in module com.avereon.mouse) because module com.avereon.mouse does not export com.avereon.mouse to module com.avereon.xenon
at java.base/jdk.internal.reflect.Reflection.newIllegalAccessException(Reflection.java:376)
at java.base/java.lang.reflect.AccessibleObject.checkAccess(AccessibleObject.java:642)
at java.base/java.lang.reflect.Constructor.newInstanceWithCaller(Constructor.java:490)
at java.base/java.lang.reflect.Constructor.newInstance(Constructor.java:481)
at com.avereon.xenon/com.avereon.xenon.IconLibrary$IconConfig.newInstance(IconLibrary.java:118)
at com.avereon.xenon/com.avereon.xenon.IconLibrary.getIconRenderer(IconLibrary.java:77)
at com.avereon.xenon/com.avereon.xenon.IconLibrary.getIcon(IconLibrary.java:51)
at com.avereon.xenon/com.avereon.xenon.IconLibrary.getIcon(IconLibrary.java:43)
at com.avereon.xenon/com.avereon.xenon.IconLibrary.getIcon(IconLibrary.java:39)
at com.avereon.mouse/com.avereon.mouse.MouseMod.register(MouseMod.java:48)
at com.avereon.xenon/com.avereon.xenon.update.ProductManager.callModRegister(ProductManager.java:1057)
at java.base/java.util.concurrent.ConcurrentHashMap$ValuesView.forEach(ConcurrentHashMap.java:4772)
at com.avereon.xenon/com.avereon.xenon.update.ProductManager.start(ProductManager.java:897)
at com.avereon.xenon/com.avereon.xenon.Program.doStartTasks(Program.java:384)
| 1.0 | Cannot register mod icon due to IllegalAccessException - 2019-09-26 17:59:05.456 [E] c.a.x.IconLibrary.getIconRenderer: Unable to create icon: mouse-maze
java.lang.IllegalAccessException: class com.avereon.xenon.IconLibrary$IconConfig (in module com.avereon.xenon) cannot access class com.avereon.mouse.MouseMazeIcon (in module com.avereon.mouse) because module com.avereon.mouse does not export com.avereon.mouse to module com.avereon.xenon
at java.base/jdk.internal.reflect.Reflection.newIllegalAccessException(Reflection.java:376)
at java.base/java.lang.reflect.AccessibleObject.checkAccess(AccessibleObject.java:642)
at java.base/java.lang.reflect.Constructor.newInstanceWithCaller(Constructor.java:490)
at java.base/java.lang.reflect.Constructor.newInstance(Constructor.java:481)
at com.avereon.xenon/com.avereon.xenon.IconLibrary$IconConfig.newInstance(IconLibrary.java:118)
at com.avereon.xenon/com.avereon.xenon.IconLibrary.getIconRenderer(IconLibrary.java:77)
at com.avereon.xenon/com.avereon.xenon.IconLibrary.getIcon(IconLibrary.java:51)
at com.avereon.xenon/com.avereon.xenon.IconLibrary.getIcon(IconLibrary.java:43)
at com.avereon.xenon/com.avereon.xenon.IconLibrary.getIcon(IconLibrary.java:39)
at com.avereon.mouse/com.avereon.mouse.MouseMod.register(MouseMod.java:48)
at com.avereon.xenon/com.avereon.xenon.update.ProductManager.callModRegister(ProductManager.java:1057)
at java.base/java.util.concurrent.ConcurrentHashMap$ValuesView.forEach(ConcurrentHashMap.java:4772)
at com.avereon.xenon/com.avereon.xenon.update.ProductManager.start(ProductManager.java:897)
at com.avereon.xenon/com.avereon.xenon.Program.doStartTasks(Program.java:384)
| defect | cannot register mod icon due to illegalaccessexception c a x iconlibrary geticonrenderer unable to create icon mouse maze java lang illegalaccessexception class com avereon xenon iconlibrary iconconfig in module com avereon xenon cannot access class com avereon mouse mousemazeicon in module com avereon mouse because module com avereon mouse does not export com avereon mouse to module com avereon xenon at java base jdk internal reflect reflection newillegalaccessexception reflection java at java base java lang reflect accessibleobject checkaccess accessibleobject java at java base java lang reflect constructor newinstancewithcaller constructor java at java base java lang reflect constructor newinstance constructor java at com avereon xenon com avereon xenon iconlibrary iconconfig newinstance iconlibrary java at com avereon xenon com avereon xenon iconlibrary geticonrenderer iconlibrary java at com avereon xenon com avereon xenon iconlibrary geticon iconlibrary java at com avereon xenon com avereon xenon iconlibrary geticon iconlibrary java at com avereon xenon com avereon xenon iconlibrary geticon iconlibrary java at com avereon mouse com avereon mouse mousemod register mousemod java at com avereon xenon com avereon xenon update productmanager callmodregister productmanager java at java base java util concurrent concurrenthashmap valuesview foreach concurrenthashmap java at com avereon xenon com avereon xenon update productmanager start productmanager java at com avereon xenon com avereon xenon program dostarttasks program java | 1 |
441,686 | 12,729,327,154 | IssuesEvent | 2020-06-25 05:29:26 | celo-org/celo-monorepo | https://api.github.com/repos/celo-org/celo-monorepo | closed | User is not redirect back to "Connect Contacts" screen from "Verifying + <Phone number>" screen after tapping on < Arrow from Connect Contacts screen. | Priority: P2 applications bug ios qa wallet | **Frequency:** 100%
**Repro App version:** Celo Integration Wallet build v1.8.2 (39)
**Repro on device:** Iphone 11(13.3)
**Repro Steps:**
1) Launch the app
2) Navigate to Verify Phone number screen
3) Copy & paste the Three verification code.
4) Make sure once after Submitting the codes user navigates to Almost done and later to Connect Contacts screen
5) Tap on < arrow from Connect contact screen.
6) Observe user stuck on "Verifying + <Phone number>" screen
**Current Behavior:** User is not redirect back to "Connect Contacts" screen
**Expected Behavior:** User is should redirect back to "Connect Contacts" screen
**Investigation:** User cannot navigate from connect contacts page to connect contacts page by tapping < arrow
**Impact** User is blocked to navigate back to Connect Contacts screen
**Attachment:** [ IOS_VerificationFlowIssue.Mp4](https://drive.google.com/file/d/1eY70G82uOS7ZNvR1_tiwfY9w5EBSNnPj/view?usp=sharing) (Bug Observed at 06Sec)
| 1.0 | User is not redirect back to "Connect Contacts" screen from "Verifying + <Phone number>" screen after tapping on < Arrow from Connect Contacts screen. - **Frequency:** 100%
**Repro App version:** Celo Integration Wallet build v1.8.2 (39)
**Repro on device:** Iphone 11(13.3)
**Repro Steps:**
1) Launch the app
2) Navigate to Verify Phone number screen
3) Copy & paste the Three verification code.
4) Make sure once after Submitting the codes user navigates to Almost done and later to Connect Contacts screen
5) Tap on < arrow from Connect contact screen.
6) Observe user stuck on "Verifying + <Phone number>" screen
**Current Behavior:** User is not redirect back to "Connect Contacts" screen
**Expected Behavior:** User is should redirect back to "Connect Contacts" screen
**Investigation:** User cannot navigate from connect contacts page to connect contacts page by tapping < arrow
**Impact** User is blocked to navigate back to Connect Contacts screen
**Attachment:** [ IOS_VerificationFlowIssue.Mp4](https://drive.google.com/file/d/1eY70G82uOS7ZNvR1_tiwfY9w5EBSNnPj/view?usp=sharing) (Bug Observed at 06Sec)
| non_defect | user is not redirect back to connect contacts screen from verifying screen after tapping on arrow from connect contacts screen frequency repro app version celo integration wallet build repro on device iphone repro steps launch the app navigate to verify phone number screen copy paste the three verification code make sure once after submitting the codes user navigates to almost done and later to connect contacts screen tap on arrow from connect contact screen observe user stuck on verifying screen current behavior user is not redirect back to connect contacts screen expected behavior user is should redirect back to connect contacts screen investigation user cannot navigate from connect contacts page to connect contacts page by tapping arrow impact user is blocked to navigate back to connect contacts screen attachment bug observed at | 0 |
1,933 | 2,603,973,656 | IssuesEvent | 2015-02-24 19:00:55 | chrsmith/nishazi6 | https://api.github.com/repos/chrsmith/nishazi6 | opened | 沈阳菜花状肿物 | auto-migrated Priority-Medium Type-Defect | ```
沈阳菜花状肿物〓沈陽軍區政治部醫院性病〓TEL:024-31023308��
�成立于1946年,68年專注于性傳播疾病的研究和治療。位于沈�
��市沈河區二緯路32號。是一所與新中國同建立共輝煌的歷史�
��久、設備精良、技術權威、專家云集,是預防、保健、醫療
、科研康復為一體的綜合性醫院。是國家首批公立甲等部隊��
�院、全國首批醫療規范定點單位,是第四軍醫大學、東南大�
��等知名高等院校的教學醫院。曾被中國人民解放軍空軍后勤
部衛生部評為衛生工作先進單位,先后兩次榮立集體二等功��
�
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 8:07 | 1.0 | 沈阳菜花状肿物 - ```
沈阳菜花状肿物〓沈陽軍區政治部醫院性病〓TEL:024-31023308��
�成立于1946年,68年專注于性傳播疾病的研究和治療。位于沈�
��市沈河區二緯路32號。是一所與新中國同建立共輝煌的歷史�
��久、設備精良、技術權威、專家云集,是預防、保健、醫療
、科研康復為一體的綜合性醫院。是國家首批公立甲等部隊��
�院、全國首批醫療規范定點單位,是第四軍醫大學、東南大�
��等知名高等院校的教學醫院。曾被中國人民解放軍空軍后勤
部衛生部評為衛生工作先進單位,先后兩次榮立集體二等功��
�
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 8:07 | defect | 沈阳菜花状肿物 沈阳菜花状肿物〓沈陽軍區政治部醫院性病〓tel: �� � , 。位于沈� �� 。是一所與新中國同建立共輝煌的歷史� ��久、設備精良、技術權威、專家云集,是預防、保健、醫療 、科研康復為一體的綜合性醫院。是國家首批公立甲等部隊�� �院、全國首批醫療規范定點單位,是第四軍醫大學、東南大� ��等知名高等院校的教學醫院。曾被中國人民解放軍空軍后勤 部衛生部評為衛生工作先進單位,先后兩次榮立集體二等功�� � original issue reported on code google com by gmail com on jun at | 1 |
326,600 | 24,093,183,924 | IssuesEvent | 2022-09-19 16:20:43 | jfpoilpret/fast-arduino-lib | https://api.github.com/repos/jfpoilpret/fast-arduino-lib | closed | Improve API documentation by fixing doxygen warnings | documentation | With consecutive refactoring work, although an effort was made to udpate API documentation, we can see a lot of warnings during doxygen execution (`./make/build-docs`).
It would be nice to review all doxygen warnings and try to fix all of them so that FastArduino documentation becomes fully complete. | 1.0 | Improve API documentation by fixing doxygen warnings - With consecutive refactoring work, although an effort was made to udpate API documentation, we can see a lot of warnings during doxygen execution (`./make/build-docs`).
It would be nice to review all doxygen warnings and try to fix all of them so that FastArduino documentation becomes fully complete. | non_defect | improve api documentation by fixing doxygen warnings with consecutive refactoring work although an effort was made to udpate api documentation we can see a lot of warnings during doxygen execution make build docs it would be nice to review all doxygen warnings and try to fix all of them so that fastarduino documentation becomes fully complete | 0 |
187,939 | 14,434,782,250 | IssuesEvent | 2020-12-07 07:42:48 | kalexmills/github-vet-tests-dec2020 | https://api.github.com/repos/kalexmills/github-vet-tests-dec2020 | closed | numtide/nar-serve: go-nix/nar/reader_test.go; 7 LoC | fresh test tiny |
Found a possible issue in [numtide/nar-serve](https://www.github.com/numtide/nar-serve) at [go-nix/nar/reader_test.go](https://github.com/numtide/nar-serve/blob/0a2687e1d05e6e601e020fa33460e32cf275749b/go-nix/nar/reader_test.go#L198-L204)
Below is the message reported by the analyzer for this snippet of code. Beware that the analyzer only reports the first
issue it finds, so please do not limit your consideration to the contents of the below message.
> function call which takes a reference to expectH at line 203 may start a goroutine
[Click here to see the code in its original context.](https://github.com/numtide/nar-serve/blob/0a2687e1d05e6e601e020fa33460e32cf275749b/go-nix/nar/reader_test.go#L198-L204)
<details>
<summary>Click here to show the 7 line(s) of Go which triggered the analyzer.</summary>
```go
for i, expectH := range headers {
hdr, err := p.Next()
if !assert.NoError(t, err, i) {
return
}
assert.Equal(t, &expectH, hdr)
}
```
</details>
Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket:
See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information.
commit ID: 0a2687e1d05e6e601e020fa33460e32cf275749b
| 1.0 | numtide/nar-serve: go-nix/nar/reader_test.go; 7 LoC -
Found a possible issue in [numtide/nar-serve](https://www.github.com/numtide/nar-serve) at [go-nix/nar/reader_test.go](https://github.com/numtide/nar-serve/blob/0a2687e1d05e6e601e020fa33460e32cf275749b/go-nix/nar/reader_test.go#L198-L204)
Below is the message reported by the analyzer for this snippet of code. Beware that the analyzer only reports the first
issue it finds, so please do not limit your consideration to the contents of the below message.
> function call which takes a reference to expectH at line 203 may start a goroutine
[Click here to see the code in its original context.](https://github.com/numtide/nar-serve/blob/0a2687e1d05e6e601e020fa33460e32cf275749b/go-nix/nar/reader_test.go#L198-L204)
<details>
<summary>Click here to show the 7 line(s) of Go which triggered the analyzer.</summary>
```go
for i, expectH := range headers {
hdr, err := p.Next()
if !assert.NoError(t, err, i) {
return
}
assert.Equal(t, &expectH, hdr)
}
```
</details>
Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket:
See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information.
commit ID: 0a2687e1d05e6e601e020fa33460e32cf275749b
| non_defect | numtide nar serve go nix nar reader test go loc found a possible issue in at below is the message reported by the analyzer for this snippet of code beware that the analyzer only reports the first issue it finds so please do not limit your consideration to the contents of the below message function call which takes a reference to expecth at line may start a goroutine click here to show the line s of go which triggered the analyzer go for i expecth range headers hdr err p next if assert noerror t err i return assert equal t expecth hdr leave a reaction on this issue to contribute to the project by classifying this instance as a bug mitigated or desirable behavior rocket see the descriptions of the classifications for more information commit id | 0 |
380,850 | 11,271,138,936 | IssuesEvent | 2020-01-14 12:25:15 | GluuFederation/oxAuth | https://api.github.com/repos/GluuFederation/oxAuth | closed | Support Spontaneous Scopes for UMA 2 | enhancement high priority | ## Problem description
We got [support ticket](https://support.gluu.org/access-management/7344/fine-grained-api-protection-with-uma/#at50863) where customer wish to grant access to path based on user.
```
/user/1
...
/user/n
```
To support this use case for 1000 000 users we need to generate 1000 000 scopes (so user with scope `/user/1` will have access only to `/user/1` and will be rejected if will try to access `/user/2`).
The problem with this approach is that we have to create as much scopes as we have users (thus different paths).
## Idea how to solve it
We can solve it with #839. In this case we don’t need 1 000 000 scopes. We can enable Spontaneous scope for given client. In this case UMA engine on AS side should be smart enough to provide appropriate validation and scopes releasing for such scopes.
| 1.0 | Support Spontaneous Scopes for UMA 2 - ## Problem description
We got [support ticket](https://support.gluu.org/access-management/7344/fine-grained-api-protection-with-uma/#at50863) where customer wish to grant access to path based on user.
```
/user/1
...
/user/n
```
To support this use case for 1000 000 users we need to generate 1000 000 scopes (so user with scope `/user/1` will have access only to `/user/1` and will be rejected if will try to access `/user/2`).
The problem with this approach is that we have to create as much scopes as we have users (thus different paths).
## Idea how to solve it
We can solve it with #839. In this case we don’t need 1 000 000 scopes. We can enable Spontaneous scope for given client. In this case UMA engine on AS side should be smart enough to provide appropriate validation and scopes releasing for such scopes.
| non_defect | support spontaneous scopes for uma problem description we got where customer wish to grant access to path based on user user user n to support this use case for users we need to generate scopes so user with scope user will have access only to user and will be rejected if will try to access user the problem with this approach is that we have to create as much scopes as we have users thus different paths idea how to solve it we can solve it with in this case we don’t need scopes we can enable spontaneous scope for given client in this case uma engine on as side should be smart enough to provide appropriate validation and scopes releasing for such scopes | 0 |
41,411 | 10,442,696,932 | IssuesEvent | 2019-09-18 13:34:31 | primefaces/primefaces | https://api.github.com/repos/primefaces/primefaces | closed | DatePicker: Initial value doesn't render the rangeSeparator | defect | ## 1) Environment
- PrimeFaces version: 7.0.5
- Does it work on the newest released PrimeFaces version? 7.06, No
- Does it work on the newest sources in GitHub? No
- Application server + version: WildFly 16
- Affected browsers: All
## 2) Expected behavior
When setting the attached 'selection' within a bean on @PostConstruct then the component should also use the rangeSeparator.
## 3) Actual behavior
It now uses " - " as separator (probably caused by https://github.com/primefaces/primefaces/blob/7132ccfe36214a76a7ecd2fcebbcd82359ff48f8/src/main/java/org/primefaces/util/CalendarUtils.java#L205)
## 4) Steps to reproduce
See ##2, then just render the page
## 5) Sample XHTML
```<p:datePicker selectionMode="range" selection="#{bean.selectedDateRange}"/>```
## 6) Sample bean
```
@PostConstruct
public void init() {
selectedDateRange = Arrays.asList(new Date(), new Date());
} | 1.0 | DatePicker: Initial value doesn't render the rangeSeparator - ## 1) Environment
- PrimeFaces version: 7.0.5
- Does it work on the newest released PrimeFaces version? 7.06, No
- Does it work on the newest sources in GitHub? No
- Application server + version: WildFly 16
- Affected browsers: All
## 2) Expected behavior
When setting the attached 'selection' within a bean on @PostConstruct then the component should also use the rangeSeparator.
## 3) Actual behavior
It now uses " - " as separator (probably caused by https://github.com/primefaces/primefaces/blob/7132ccfe36214a76a7ecd2fcebbcd82359ff48f8/src/main/java/org/primefaces/util/CalendarUtils.java#L205)
## 4) Steps to reproduce
See ##2, then just render the page
## 5) Sample XHTML
```<p:datePicker selectionMode="range" selection="#{bean.selectedDateRange}"/>```
## 6) Sample bean
```
@PostConstruct
public void init() {
selectedDateRange = Arrays.asList(new Date(), new Date());
} | defect | datepicker initial value doesn t render the rangeseparator environment primefaces version does it work on the newest released primefaces version no does it work on the newest sources in github no application server version wildfly affected browsers all expected behavior when setting the attached selection within a bean on postconstruct then the component should also use the rangeseparator actual behavior it now uses as separator probably caused by steps to reproduce see then just render the page sample xhtml sample bean postconstruct public void init selecteddaterange arrays aslist new date new date | 1 |
19,386 | 26,904,520,279 | IssuesEvent | 2023-02-06 17:58:38 | openxla/stablehlo | https://api.github.com/repos/openxla/stablehlo | opened | Consider removing support for unregistered attributes | Compatibility | ### Request description
In the v0.9 release, which has 1mo forward/backward compatibility, unregistered attributes are allowed as long as their values use types / attributes that are representable in VHLO. Prior to offering v1.0 long-term compatibility guarantees in 2023, we should better understand the use cases for unregistered attributes and make a decision on whether they should be permitted or not. Ideally, the use cases for unregistered attributes should be natively supported in StableHLO. | True | Consider removing support for unregistered attributes - ### Request description
In the v0.9 release, which has 1mo forward/backward compatibility, unregistered attributes are allowed as long as their values use types / attributes that are representable in VHLO. Prior to offering v1.0 long-term compatibility guarantees in 2023, we should better understand the use cases for unregistered attributes and make a decision on whether they should be permitted or not. Ideally, the use cases for unregistered attributes should be natively supported in StableHLO. | non_defect | consider removing support for unregistered attributes request description in the release which has forward backward compatibility unregistered attributes are allowed as long as their values use types attributes that are representable in vhlo prior to offering long term compatibility guarantees in we should better understand the use cases for unregistered attributes and make a decision on whether they should be permitted or not ideally the use cases for unregistered attributes should be natively supported in stablehlo | 0 |
5,543 | 2,610,189,634 | IssuesEvent | 2015-02-26 19:00:03 | chrsmith/quchuseban | https://api.github.com/repos/chrsmith/quchuseban | opened | 解密色斑皮肤如何护理 | auto-migrated Priority-Medium Type-Defect | ```
《摘要》
劳累勿过度。人生无论做官做事都活得很累,都是劳其筋骨��
�透支身体的过程。要把握好生活和工作节奏,切勿过度劳神�
��身体。长年过度劳累,会身心疲惫,长期处于亚健康状态之
中,最后积劳成疾。缩短寿命,为此人要学会减压释放,善��
�放弃、舍得和停止。有时工作上会做减法,生命才能做加法�
��这是人生的辩证法。色斑皮肤如何护理,
《客户案例》
莫小姐 24岁<br>
长时间面对电脑的坏处我一直都知道,像眼睛疲劳、干��
�,身体处于亚健康之类的,工作一年来我基本上10个小时对��
�电脑,好在我什么不舒服的症状都没出现,正当我庆幸不已�
��同时,我发现我额头、鼻梁两边和上眼睑处长斑了,数量很
多,就像雨后春笋一样,一点一点在短时间内全部冒出来了��
�看着脸上那如同苍蝇屎大小的斑点,颜色为黄色,略比肤色�
��点,远看近看都明显。哪个女孩子不爱美?为此特别烦恼。<b
r>
在网上搜索祛斑产品时发现了「黛芙薇尔精华液」,了��
�了一番之后觉得还不错,而且网上论坛里面大家发帖子都说�
��黛芙薇尔精华液」好,没发现有说副作用的,然后我还上「
黛芙薇尔精华液」的网站很认真的看了一下产品说明,说明��
�字很专业详细,对治疗机理、产品优势描述得挺不错的,我�
��在网上订购了一个周期的。<br>
大概了十几天的样子,我鼻梁两边的斑块颜色就变淡了��
�面积也慢慢在缩小,本来粗糙、多油的皮肤状况也得到了改�
��。一个月过去以后,对着镜子看自己脸上的斑,鼻梁上的大
斑块已经缩小了一大半,颜色由以前的深褐色变成了浅褐色��
�额头和眼角处的斑也变淡变浅了。「黛芙薇尔精华液」祛斑�
��家在我订购产品的时候就说过,产品在祛斑的同时还能调经
,让经期变得正常,还能减轻痛经的痛苦。我使用第二个周��
�产品的时候,这方面的效果显示出来了,我以前痛经非常厉�
��,自从使用这个套装以来,不但月经量变得正常了,而且痛
经也没那么严重了,在祛斑的同时还能调经,「黛芙薇尔精��
�液」真的很不错。
很快我就使用完第二个周期的产品,鼻梁两边的斑基本上看��
�到了,颜色跟肤色很接近,不仔细看根本看不出来了,我可�
��不用粉底盖住那一块的斑。额头上的斑也在慢慢消退,特别
是眼睑处的斑,淡化的比较明显。我接着使用第三个周期的��
�品,这个周期见效很快,刚半个月多一点,眼睑处的斑就消�
��了,褐色的斑融进皮肤里面,一点都看不出来了,额头上的
也差不多没有了。使用完三个周期的「黛芙薇尔精华液」之��
�,我从斑女人变成了一个水嫩白净的女人,而且我的月经也�
��得很有规律,内分泌正常,心情也变得非常开朗,哪位想要
祛斑的朋友就学我的祛斑方法,相信通过使用「黛芙薇尔精��
�液」,大家都能祛斑成功。
阅读了色斑皮肤如何护理,再看脸上容易长斑的原因:
《色斑形成原因》
内部因素
一、压力
当人受到压力时,就会分泌肾上腺素,为对付压力而做��
�备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏�
��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃
。
二、荷尔蒙分泌失调
避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞��
�分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在�
��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕
中因女性荷尔蒙雌激素的增加,从怀孕4—5个月开始会容易出
现斑,这时候出现的斑点在产后大部分会消失。可是,新陈��
�谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等�
��因,都会使斑加深。有时新长出的斑,产后也不会消失,所
以需要更加注意。
三、新陈代谢缓慢
肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑��
�因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态�
��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是
内分泌失调导致过敏体质而形成的。另外,身体状态不正常��
�时候,紫外线的照射也会加速斑的形成。
四、错误的使用化妆品
使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在��
�疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵�
��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的
问题。
外部因素
一、紫外线
照射紫外线的时候,人体为了保护皮肤,会在基底层产��
�很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更�
��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化,
还会引起黑斑、雀斑等色素沉着的皮肤疾患。
二、不良的清洁习惯
因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。��
�皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦�
��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的
问题。
三、遗传基因
父母中有长斑的,则本人长斑的概率就很高,这种情况��
�一定程度上就可判定是遗传基因的作用。所以家里特别是长�
��有长斑的人,要注意避免引发长斑的重要因素之一——紫外
线照射,这是预防斑必须注意的。
《有疑问帮你解决》
1,黛芙薇尔精华液真的有效果吗?真的可以把脸上的黄褐��
�去掉吗?
答:黛芙薇尔精华液DNA精华能够有效的修复周围难以触��
�的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必�
��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑
,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时��
�,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的�
��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显
而易见。自产品上市以来,老顾客纷纷介绍新顾客,71%的新��
�客都是通过老顾客介绍而来,口碑由此而来!
2,服用黛芙薇尔美白,会伤身体吗?有副作用吗?
答:黛芙薇尔精华液应用了精纯复合配方和领先的分类��
�斑科技,并将“DNA美肤系统”疗法应用到了该产品中,能彻�
��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有
效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾��
�地的专家通力协作,超过10年的研究以全新的DNA肌肤修复技��
�,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽�
��迹,令每一位爱美的女性都能享受到科技创新所带来的自然
之美。
专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数��
�百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖!
3,去除黄褐斑之后,会反弹吗?
答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔��
�白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家�
��据斑的形成原因精心研制而成用事实说话,让消费者打分。
树立权威品牌!我们的很多新客户都是老客户介绍而来,请问�
��如果效果不好,会有客户转介绍吗?
4,你们的价格有点贵,能不能便宜一点?
答:如果您使用西药最少需要2000元,煎服的药最少需要3
000元,做手术最少是5000元,而这些毫无疑问,不会对彻底去�
��你的斑点有任何帮助!一分价钱,一份价值,我们现在做的��
�是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的�
��褐斑彻底去除,你还会觉得贵吗?你还会再去花那么多冤枉��
�,不但斑没去掉,还把自己的皮肤弄的越来越糟吗
5,我适合用黛芙薇尔精华液吗?
答:黛芙薇尔适用人群:
1、生理紊乱引起的黄褐斑人群
2、生育引起的妊娠斑人群
3、年纪增长引起的老年斑人群
4、化妆品色素沉积、辐射斑人群
5、长期日照引起的日晒斑人群
6、肌肤暗淡急需美白的人群
《祛斑小方法》
色斑皮肤如何护理,同时为您分享祛斑小方法
长期熬夜或者睡眠质量不好直接影响着肌肤的休眠
,而且影响肠胃消化功能。长期熬夜直接导致毒素堆积,长��
�积累毒素,肌肤就会容易生长斑点。最好的方法就是保证睡�
��时间和睡眠质量,最好能在10左右就开始入睡,睡前来一杯�
��奶能很好的帮助进入睡眠。
```
-----
Original issue reported on code.google.com by `additive...@gmail.com` on 1 Jul 2014 at 4:47 | 1.0 | 解密色斑皮肤如何护理 - ```
《摘要》
劳累勿过度。人生无论做官做事都活得很累,都是劳其筋骨��
�透支身体的过程。要把握好生活和工作节奏,切勿过度劳神�
��身体。长年过度劳累,会身心疲惫,长期处于亚健康状态之
中,最后积劳成疾。缩短寿命,为此人要学会减压释放,善��
�放弃、舍得和停止。有时工作上会做减法,生命才能做加法�
��这是人生的辩证法。色斑皮肤如何护理,
《客户案例》
莫小姐 24岁<br>
长时间面对电脑的坏处我一直都知道,像眼睛疲劳、干��
�,身体处于亚健康之类的,工作一年来我基本上10个小时对��
�电脑,好在我什么不舒服的症状都没出现,正当我庆幸不已�
��同时,我发现我额头、鼻梁两边和上眼睑处长斑了,数量很
多,就像雨后春笋一样,一点一点在短时间内全部冒出来了��
�看着脸上那如同苍蝇屎大小的斑点,颜色为黄色,略比肤色�
��点,远看近看都明显。哪个女孩子不爱美?为此特别烦恼。<b
r>
在网上搜索祛斑产品时发现了「黛芙薇尔精华液」,了��
�了一番之后觉得还不错,而且网上论坛里面大家发帖子都说�
��黛芙薇尔精华液」好,没发现有说副作用的,然后我还上「
黛芙薇尔精华液」的网站很认真的看了一下产品说明,说明��
�字很专业详细,对治疗机理、产品优势描述得挺不错的,我�
��在网上订购了一个周期的。<br>
大概了十几天的样子,我鼻梁两边的斑块颜色就变淡了��
�面积也慢慢在缩小,本来粗糙、多油的皮肤状况也得到了改�
��。一个月过去以后,对着镜子看自己脸上的斑,鼻梁上的大
斑块已经缩小了一大半,颜色由以前的深褐色变成了浅褐色��
�额头和眼角处的斑也变淡变浅了。「黛芙薇尔精华液」祛斑�
��家在我订购产品的时候就说过,产品在祛斑的同时还能调经
,让经期变得正常,还能减轻痛经的痛苦。我使用第二个周��
�产品的时候,这方面的效果显示出来了,我以前痛经非常厉�
��,自从使用这个套装以来,不但月经量变得正常了,而且痛
经也没那么严重了,在祛斑的同时还能调经,「黛芙薇尔精��
�液」真的很不错。
很快我就使用完第二个周期的产品,鼻梁两边的斑基本上看��
�到了,颜色跟肤色很接近,不仔细看根本看不出来了,我可�
��不用粉底盖住那一块的斑。额头上的斑也在慢慢消退,特别
是眼睑处的斑,淡化的比较明显。我接着使用第三个周期的��
�品,这个周期见效很快,刚半个月多一点,眼睑处的斑就消�
��了,褐色的斑融进皮肤里面,一点都看不出来了,额头上的
也差不多没有了。使用完三个周期的「黛芙薇尔精华液」之��
�,我从斑女人变成了一个水嫩白净的女人,而且我的月经也�
��得很有规律,内分泌正常,心情也变得非常开朗,哪位想要
祛斑的朋友就学我的祛斑方法,相信通过使用「黛芙薇尔精��
�液」,大家都能祛斑成功。
阅读了色斑皮肤如何护理,再看脸上容易长斑的原因:
《色斑形成原因》
内部因素
一、压力
当人受到压力时,就会分泌肾上腺素,为对付压力而做��
�备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏�
��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃
。
二、荷尔蒙分泌失调
避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞��
�分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在�
��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕
中因女性荷尔蒙雌激素的增加,从怀孕4—5个月开始会容易出
现斑,这时候出现的斑点在产后大部分会消失。可是,新陈��
�谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等�
��因,都会使斑加深。有时新长出的斑,产后也不会消失,所
以需要更加注意。
三、新陈代谢缓慢
肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑��
�因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态�
��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是
内分泌失调导致过敏体质而形成的。另外,身体状态不正常��
�时候,紫外线的照射也会加速斑的形成。
四、错误的使用化妆品
使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在��
�疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵�
��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的
问题。
外部因素
一、紫外线
照射紫外线的时候,人体为了保护皮肤,会在基底层产��
�很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更�
��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化,
还会引起黑斑、雀斑等色素沉着的皮肤疾患。
二、不良的清洁习惯
因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。��
�皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦�
��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的
问题。
三、遗传基因
父母中有长斑的,则本人长斑的概率就很高,这种情况��
�一定程度上就可判定是遗传基因的作用。所以家里特别是长�
��有长斑的人,要注意避免引发长斑的重要因素之一——紫外
线照射,这是预防斑必须注意的。
《有疑问帮你解决》
1,黛芙薇尔精华液真的有效果吗?真的可以把脸上的黄褐��
�去掉吗?
答:黛芙薇尔精华液DNA精华能够有效的修复周围难以触��
�的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必�
��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑
,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时��
�,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的�
��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显
而易见。自产品上市以来,老顾客纷纷介绍新顾客,71%的新��
�客都是通过老顾客介绍而来,口碑由此而来!
2,服用黛芙薇尔美白,会伤身体吗?有副作用吗?
答:黛芙薇尔精华液应用了精纯复合配方和领先的分类��
�斑科技,并将“DNA美肤系统”疗法应用到了该产品中,能彻�
��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有
效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾��
�地的专家通力协作,超过10年的研究以全新的DNA肌肤修复技��
�,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽�
��迹,令每一位爱美的女性都能享受到科技创新所带来的自然
之美。
专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数��
�百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖!
3,去除黄褐斑之后,会反弹吗?
答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔��
�白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家�
��据斑的形成原因精心研制而成用事实说话,让消费者打分。
树立权威品牌!我们的很多新客户都是老客户介绍而来,请问�
��如果效果不好,会有客户转介绍吗?
4,你们的价格有点贵,能不能便宜一点?
答:如果您使用西药最少需要2000元,煎服的药最少需要3
000元,做手术最少是5000元,而这些毫无疑问,不会对彻底去�
��你的斑点有任何帮助!一分价钱,一份价值,我们现在做的��
�是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的�
��褐斑彻底去除,你还会觉得贵吗?你还会再去花那么多冤枉��
�,不但斑没去掉,还把自己的皮肤弄的越来越糟吗
5,我适合用黛芙薇尔精华液吗?
答:黛芙薇尔适用人群:
1、生理紊乱引起的黄褐斑人群
2、生育引起的妊娠斑人群
3、年纪增长引起的老年斑人群
4、化妆品色素沉积、辐射斑人群
5、长期日照引起的日晒斑人群
6、肌肤暗淡急需美白的人群
《祛斑小方法》
色斑皮肤如何护理,同时为您分享祛斑小方法
长期熬夜或者睡眠质量不好直接影响着肌肤的休眠
,而且影响肠胃消化功能。长期熬夜直接导致毒素堆积,长��
�积累毒素,肌肤就会容易生长斑点。最好的方法就是保证睡�
��时间和睡眠质量,最好能在10左右就开始入睡,睡前来一杯�
��奶能很好的帮助进入睡眠。
```
-----
Original issue reported on code.google.com by `additive...@gmail.com` on 1 Jul 2014 at 4:47 | defect | 解密色斑皮肤如何护理 《摘要》 劳累勿过度。人生无论做官做事都活得很累,都是劳其筋骨�� �透支身体的过程。要把握好生活和工作节奏,切勿过度劳神� ��身体。长年过度劳累,会身心疲惫,长期处于亚健康状态之 中,最后积劳成疾。缩短寿命,为此人要学会减压释放,善�� �放弃、舍得和停止。有时工作上会做减法,生命才能做加法� ��这是人生的辩证法。色斑皮肤如何护理, 《客户案例》 莫小姐 长时间面对电脑的坏处我一直都知道,像眼睛疲劳、干�� �,身体处于亚健康之类的, �� �电脑,好在我什么不舒服的症状都没出现,正当我庆幸不已� ��同时,我发现我额头、鼻梁两边和上眼睑处长斑了,数量很 多,就像雨后春笋一样,一点一点在短时间内全部冒出来了�� �看着脸上那如同苍蝇屎大小的斑点,颜色为黄色,略比肤色� ��点,远看近看都明显。哪个女孩子不爱美 为此特别烦恼。 b r 在网上搜索祛斑产品时发现了「黛芙薇尔精华液」,了�� �了一番之后觉得还不错,而且网上论坛里面大家发帖子都说� ��黛芙薇尔精华液」好,没发现有说副作用的,然后我还上「 黛芙薇尔精华液」的网站很认真的看了一下产品说明,说明�� �字很专业详细,对治疗机理、产品优势描述得挺不错的,我� ��在网上订购了一个周期的。 大概了十几天的样子,我鼻梁两边的斑块颜色就变淡了�� �面积也慢慢在缩小,本来粗糙、多油的皮肤状况也得到了改� ��。一个月过去以后,对着镜子看自己脸上的斑,鼻梁上的大 斑块已经缩小了一大半,颜色由以前的深褐色变成了浅褐色�� �额头和眼角处的斑也变淡变浅了。「黛芙薇尔精华液」祛斑� ��家在我订购产品的时候就说过,产品在祛斑的同时还能调经 ,让经期变得正常,还能减轻痛经的痛苦。我使用第二个周�� �产品的时候,这方面的效果显示出来了,我以前痛经非常厉� ��,自从使用这个套装以来,不但月经量变得正常了,而且痛 经也没那么严重了,在祛斑的同时还能调经,「黛芙薇尔精�� �液」真的很不错。 很快我就使用完第二个周期的产品,鼻梁两边的斑基本上看�� �到了,颜色跟肤色很接近,不仔细看根本看不出来了,我可� ��不用粉底盖住那一块的斑。额头上的斑也在慢慢消退,特别 是眼睑处的斑,淡化的比较明显。我接着使用第三个周期的�� �品,这个周期见效很快,刚半个月多一点,眼睑处的斑就消� ��了,褐色的斑融进皮肤里面,一点都看不出来了,额头上的 也差不多没有了。使用完三个周期的「黛芙薇尔精华液」之�� �,我从斑女人变成了一个水嫩白净的女人,而且我的月经也� ��得很有规律,内分泌正常,心情也变得非常开朗,哪位想要 祛斑的朋友就学我的祛斑方法,相信通过使用「黛芙薇尔精�� �液」,大家都能祛斑成功。 阅读了色斑皮肤如何护理,再看脸上容易长斑的原因: 《色斑形成原因》 内部因素 一、压力 当人受到压力时,就会分泌肾上腺素,为对付压力而做�� �备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏� ��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃 。 二、荷尔蒙分泌失调 避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞�� �分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在� ��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕 中因女性荷尔蒙雌激素的增加, — 现斑,这时候出现的斑点在产后大部分会消失。可是,新陈�� �谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等� ��因,都会使斑加深。有时新长出的斑,产后也不会消失,所 以需要更加注意。 三、新陈代谢缓慢 肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑�� �因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态� ��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是 内分泌失调导致过敏体质而形成的。另外,身体状态不正常�� �时候,紫外线的照射也会加速斑的形成。 四、错误的使用化妆品 使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在�� �疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵� ��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的 问题。 外部因素 一、紫外线 照射紫外线的时候,人体为了保护皮肤,会在基底层产�� �很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更� ��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化, 还会引起黑斑、雀斑等色素沉着的皮肤疾患。 二、不良的清洁习惯 因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。�� �皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦� ��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的 问题。 三、遗传基因 父母中有长斑的,则本人长斑的概率就很高,这种情况�� �一定程度上就可判定是遗传基因的作用。所以家里特别是长� ��有长斑的人,要注意避免引发长斑的重要因素之一——紫外 线照射,这是预防斑必须注意的。 《有疑问帮你解决》 黛芙薇尔精华液真的有效果吗 真的可以把脸上的黄褐�� �去掉吗 答:黛芙薇尔精华液dna精华能够有效的修复周围难以触�� �的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必� ��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑 ,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时�� �,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的� ��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显 而易见。自产品上市以来,老顾客纷纷介绍新顾客, 的新�� �客都是通过老顾客介绍而来,口碑由此而来 ,服用黛芙薇尔美白,会伤身体吗 有副作用吗 答:黛芙薇尔精华液应用了精纯复合配方和领先的分类�� �斑科技,并将“dna美肤系统”疗法应用到了该产品中,能彻� ��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有 效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾�� �地的专家通力协作, �� �,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽� ��迹,令每一位爱美的女性都能享受到科技创新所带来的自然 之美。 专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数�� �百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖 ,去除黄褐斑之后,会反弹吗 答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔�� �白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家� ��据斑的形成原因精心研制而成用事实说话,让消费者打分。 树立权威品牌 我们的很多新客户都是老客户介绍而来,请问� ��如果效果不好,会有客户转介绍吗 ,你们的价格有点贵,能不能便宜一点 答: , , ,而这些毫无疑问,不会对彻底去� ��你的斑点有任何帮助 一分价钱,一份价值,我们现在做的�� �是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的� ��褐斑彻底去除,你还会觉得贵吗 你还会再去花那么多冤枉�� �,不但斑没去掉,还把自己的皮肤弄的越来越糟吗 ,我适合用黛芙薇尔精华液吗 答:黛芙薇尔适用人群: 、生理紊乱引起的黄褐斑人群 、生育引起的妊娠斑人群 、年纪增长引起的老年斑人群 、化妆品色素沉积、辐射斑人群 、长期日照引起的日晒斑人群 、肌肤暗淡急需美白的人群 《祛斑小方法》 色斑皮肤如何护理,同时为您分享祛斑小方法 长期熬夜或者睡眠质量不好直接影响着肌肤的休眠 ,而且影响肠胃消化功能。长期熬夜直接导致毒素堆积,长�� �积累毒素,肌肤就会容易生长斑点。最好的方法就是保证睡� ��时间和睡眠质量, ,睡前来一杯� ��奶能很好的帮助进入睡眠。 original issue reported on code google com by additive gmail com on jul at | 1 |
187,494 | 6,758,189,091 | IssuesEvent | 2017-10-24 13:29:48 | federicoB/django-annotator-store | https://api.github.com/repos/federicoB/django-annotator-store | opened | absolutize_url util is unnecessary | Priority: Medium Status: On Hold Type: Maintenance | absolutize_url() function in [utils.py](https://github.com/federicoB/django-annotator-store/blob/master/annotator_store/utils.py) is unnecessary because build_absolute_uri() in [django.http.request](https://github.com/django/django/blob/master/django/http/request.py) already handle that. | 1.0 | absolutize_url util is unnecessary - absolutize_url() function in [utils.py](https://github.com/federicoB/django-annotator-store/blob/master/annotator_store/utils.py) is unnecessary because build_absolute_uri() in [django.http.request](https://github.com/django/django/blob/master/django/http/request.py) already handle that. | non_defect | absolutize url util is unnecessary absolutize url function in is unnecessary because build absolute uri in already handle that | 0 |
44,349 | 12,103,246,365 | IssuesEvent | 2020-04-20 18:03:56 | cakephp/cakephp | https://api.github.com/repos/cakephp/cakephp | closed | [2.x] Problem with empty cookie "СAKEPHP" | defect pinned | This is a (multiple allowed):
* [x] bug
* [ ] enhancement
* [ ] feature-discussion (RFC)
* CakePHP Version: 2.9
* Platform and Target: WEB-SERVER
### What you did
I did`t but i have tired update code
### What happened
My problem with cakephp cookie on auth page. One domain creation cookie "CAKEPHP" but other domain not creation cookie "CAKEPHP" when we open page. May be problem with server or CakeSession.php or SecurityComponent?
### What you expected to happen
I expected creation cookie "CAKEPHP" when i open page
P.S. Remember, an issue is not the place to ask questions. You can use [Stack Overflow](https://stackoverflow.com/questions/tagged/cakephp)
for that or join the #cakephp channel on irc.freenode.net, where we will be more
than happy to help answer your questions.
Before you open an issue, please check if a similar issue already exists or has been closed before.
(I did not find. Found only this https://github.com/cakephp/cakephp/issues/6053 but it's not something we have the version above) | 1.0 | [2.x] Problem with empty cookie "СAKEPHP" - This is a (multiple allowed):
* [x] bug
* [ ] enhancement
* [ ] feature-discussion (RFC)
* CakePHP Version: 2.9
* Platform and Target: WEB-SERVER
### What you did
I did`t but i have tired update code
### What happened
My problem with cakephp cookie on auth page. One domain creation cookie "CAKEPHP" but other domain not creation cookie "CAKEPHP" when we open page. May be problem with server or CakeSession.php or SecurityComponent?
### What you expected to happen
I expected creation cookie "CAKEPHP" when i open page
P.S. Remember, an issue is not the place to ask questions. You can use [Stack Overflow](https://stackoverflow.com/questions/tagged/cakephp)
for that or join the #cakephp channel on irc.freenode.net, where we will be more
than happy to help answer your questions.
Before you open an issue, please check if a similar issue already exists or has been closed before.
(I did not find. Found only this https://github.com/cakephp/cakephp/issues/6053 but it's not something we have the version above) | defect | problem with empty cookie сakephp this is a multiple allowed bug enhancement feature discussion rfc cakephp version platform and target web server what you did i did t but i have tired update code what happened my problem with cakephp cookie on auth page one domain creation cookie cakephp but other domain not creation cookie cakephp when we open page may be problem with server or cakesession php or securitycomponent what you expected to happen i expected creation cookie cakephp when i open page p s remember an issue is not the place to ask questions you can use for that or join the cakephp channel on irc freenode net where we will be more than happy to help answer your questions before you open an issue please check if a similar issue already exists or has been closed before i did not find found only this but it s not something we have the version above | 1 |
100,347 | 21,299,617,786 | IssuesEvent | 2022-04-15 00:07:27 | microsoft/vscode-python | https://api.github.com/repos/microsoft/vscode-python | opened | Cleanup `PythonEnvKind` which is now exposed in the proposed API | needs PR code-health classify area-environments | https://github.com/microsoft/vscode-python/blob/f1d0509edfb27ab17febc3026a70f5880e204a29/src/client/pythonEnvironments/base/info/index.ts#L11-L29
- Remove unused types, for eg. `CondaBase`, `MacDefault` etc.
- Cleanup the string values, for eg. 'global-poetry' isn't correct as poetry envs can be local too. | 1.0 | Cleanup `PythonEnvKind` which is now exposed in the proposed API - https://github.com/microsoft/vscode-python/blob/f1d0509edfb27ab17febc3026a70f5880e204a29/src/client/pythonEnvironments/base/info/index.ts#L11-L29
- Remove unused types, for eg. `CondaBase`, `MacDefault` etc.
- Cleanup the string values, for eg. 'global-poetry' isn't correct as poetry envs can be local too. | non_defect | cleanup pythonenvkind which is now exposed in the proposed api remove unused types for eg condabase macdefault etc cleanup the string values for eg global poetry isn t correct as poetry envs can be local too | 0 |
267,222 | 23,287,160,821 | IssuesEvent | 2022-08-05 17:50:24 | nucleus-security/Test-repo | https://api.github.com/repos/nucleus-security/Test-repo | opened | Nucleus - [Critical] - Security Issue - CVE-2017-7957 | Test | Source: SONATYPE
Finding Description: XStream through 1.4.9, when a certain denyTypes workaround is not used, mishandles attempts to create an instance of the primitive type 'void' during unmarshalling, leading to a remote application crash, as demonstrated by an xstream.fromXML("<void/>") call.
Explanation: XStream is vulnerable to a Denial of Service (DoS). XStream does not properly handle the primitive type 'void' when deserializing XML. An attacker can send maliciously crafted XML containing instances of the primitive type 'void' to be parsed, which crash the application, causing a Denial of Service condition.
Proof of Concept:
<code> XStream xstream = new XStream(); xstream.fromXML("<void/>"); </code>
Reference: <a href="http://x-stream.github.io/CVE-2017-7957.html">http://x-stream.github.io/CVE-2017-7957.html</a>
Note: If you are seeing this as part of your Struts application, this issue has also been assigned as CVE-2017-9793, as per <a href="https://struts.apache.org/docs/s2-051.html">S2-051</a>.
Detection: The application is vulnerable by using this component without implementing the workaround mentioned in the Recommendation.
CVE Link: <a href="http://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-7957" target="_blank">http://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-7957</a>
Target(s): Asset name: sandbox-application Path:com.thoughtworks.xstream : xstream : 1.4.5
Asset name: webgoat Path:com.thoughtworks.xstream : xstream : 1.4.5
Solution: Update components to new version
References:
CVSS Base Score:5
CVSS Vector:CVSS:3.0/AV:N/AC:L/PR:N/UI:N/S:U/C:N/I:N/A:H
CVSS3 Base Score:7.5
CVSS3 Sonatype:7.5
Severity: Critical
Date Discovered: 2022-08-03 21:25:22
Nucleus Notification Rules Triggered: r2
Project Name: 4288-1
Please see Nucleus for more information on these vulnerabilities:https://192.168.56.101/nucleus/public/app/index.html#vuln/168000005/Q1ZFLTIwMTctNzk1Nw--/U09OQVRZUEU-/VnVsbg--/false/MTY4MDAwMDA1/c3VtbWFyeQ--/false | 1.0 | Nucleus - [Critical] - Security Issue - CVE-2017-7957 - Source: SONATYPE
Finding Description: XStream through 1.4.9, when a certain denyTypes workaround is not used, mishandles attempts to create an instance of the primitive type 'void' during unmarshalling, leading to a remote application crash, as demonstrated by an xstream.fromXML("<void/>") call.
Explanation: XStream is vulnerable to a Denial of Service (DoS). XStream does not properly handle the primitive type 'void' when deserializing XML. An attacker can send maliciously crafted XML containing instances of the primitive type 'void' to be parsed, which crash the application, causing a Denial of Service condition.
Proof of Concept:
<code> XStream xstream = new XStream(); xstream.fromXML("<void/>"); </code>
Reference: <a href="http://x-stream.github.io/CVE-2017-7957.html">http://x-stream.github.io/CVE-2017-7957.html</a>
Note: If you are seeing this as part of your Struts application, this issue has also been assigned as CVE-2017-9793, as per <a href="https://struts.apache.org/docs/s2-051.html">S2-051</a>.
Detection: The application is vulnerable by using this component without implementing the workaround mentioned in the Recommendation.
CVE Link: <a href="http://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-7957" target="_blank">http://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2017-7957</a>
Target(s): Asset name: sandbox-application Path:com.thoughtworks.xstream : xstream : 1.4.5
Asset name: webgoat Path:com.thoughtworks.xstream : xstream : 1.4.5
Solution: Update components to new version
References:
CVSS Base Score:5
CVSS Vector:CVSS:3.0/AV:N/AC:L/PR:N/UI:N/S:U/C:N/I:N/A:H
CVSS3 Base Score:7.5
CVSS3 Sonatype:7.5
Severity: Critical
Date Discovered: 2022-08-03 21:25:22
Nucleus Notification Rules Triggered: r2
Project Name: 4288-1
Please see Nucleus for more information on these vulnerabilities:https://192.168.56.101/nucleus/public/app/index.html#vuln/168000005/Q1ZFLTIwMTctNzk1Nw--/U09OQVRZUEU-/VnVsbg--/false/MTY4MDAwMDA1/c3VtbWFyeQ--/false | non_defect | nucleus security issue cve source sonatype finding description xstream through when a certain denytypes workaround is not used mishandles attempts to create an instance of the primitive type void during unmarshalling leading to a remote application crash as demonstrated by an xstream fromxml call explanation xstream is vulnerable to a denial of service dos xstream does not properly handle the primitive type void when deserializing xml an attacker can send maliciously crafted xml containing instances of the primitive type void to be parsed which crash the application causing a denial of service condition proof of concept xstream xstream new xstream xstream fromxml lt void gt reference a href note if you are seeing this as part of your struts application this issue has also been assigned as cve as per a href detection the application is vulnerable by using this component without implementing the workaround mentioned in the recommendation cve link target s asset name sandbox application path com thoughtworks xstream xstream asset name webgoat path com thoughtworks xstream xstream solution update components to new version references cvss base score cvss vector cvss av n ac l pr n ui n s u c n i n a h base score sonatype severity critical date discovered nucleus notification rules triggered project name please see nucleus for more information on these vulnerabilities | 0 |
7,516 | 2,610,403,680 | IssuesEvent | 2015-02-26 20:11:13 | chrsmith/republic-at-war | https://api.github.com/repos/chrsmith/republic-at-war | closed | Republic Update SFX event | auto-migrated Priority-Medium Type-Defect | ```
One of republic's skirmish updates has EHD (empire) sound, not RHD
```
-----
Original issue reported on code.google.com by `richarda...@gmail.com` on 22 Jun 2011 at 9:29 | 1.0 | Republic Update SFX event - ```
One of republic's skirmish updates has EHD (empire) sound, not RHD
```
-----
Original issue reported on code.google.com by `richarda...@gmail.com` on 22 Jun 2011 at 9:29 | defect | republic update sfx event one of republic s skirmish updates has ehd empire sound not rhd original issue reported on code google com by richarda gmail com on jun at | 1 |
150,047 | 23,592,025,757 | IssuesEvent | 2022-08-23 15:55:21 | aimhubio/aim | https://api.github.com/repos/aimhubio/aim | opened | Persist explorer state through url on Figures and Base Explorers | type / enhancement area / Web-UI phase / in-design | ## 🚀 Feature
Need to persist the explorer state on FiguresExplorer through URL and Local Storage
### Motivation
It's hard to create the same configuration every time after leaving the FiguresExplorer, and it would be great to send explorer configuration to someone via url.
It would be great to make this feature extendible for all explorers made by BaseExplorer.
### Pitch
Need to make every state chunk configurable in BaseExplorer (controls, groupings etc.) to add a flag which will indicate the persistent storage type we want to use for the state chunk, and dynamically adjust values from storage(url, etc.) in initialization phase, and update storage(url, etc.) while updating the state.
### Alternatives
### Additional context
There is similar functionality on all explorers. | 1.0 | Persist explorer state through url on Figures and Base Explorers - ## 🚀 Feature
Need to persist the explorer state on FiguresExplorer through URL and Local Storage
### Motivation
It's hard to create the same configuration every time after leaving the FiguresExplorer, and it would be great to send explorer configuration to someone via url.
It would be great to make this feature extendible for all explorers made by BaseExplorer.
### Pitch
Need to make every state chunk configurable in BaseExplorer (controls, groupings etc.) to add a flag which will indicate the persistent storage type we want to use for the state chunk, and dynamically adjust values from storage(url, etc.) in initialization phase, and update storage(url, etc.) while updating the state.
### Alternatives
### Additional context
There is similar functionality on all explorers. | non_defect | persist explorer state through url on figures and base explorers 🚀 feature need to persist the explorer state on figuresexplorer through url and local storage motivation it s hard to create the same configuration every time after leaving the figuresexplorer and it would be great to send explorer configuration to someone via url it would be great to make this feature extendible for all explorers made by baseexplorer pitch need to make every state chunk configurable in baseexplorer controls groupings etc to add a flag which will indicate the persistent storage type we want to use for the state chunk and dynamically adjust values from storage url etc in initialization phase and update storage url etc while updating the state alternatives additional context there is similar functionality on all explorers | 0 |
47,754 | 13,066,195,022 | IssuesEvent | 2020-07-30 21:11:17 | icecube-trac/tix2 | https://api.github.com/repos/icecube-trac/tix2 | closed | [payload-parsing] docs could use some work (Trac #1125) | Migrated from Trac combo core defect | the rst docs point to the doxygen docs, which point to [https://wiki.icecube.wisc.edu/index.php/Payload_Parsing the wiki]. Move the official docs to the actual project?
Migrated from https://code.icecube.wisc.edu/ticket/1125
```json
{
"status": "closed",
"changetime": "2016-03-18T21:13:59",
"description": "the rst docs point to the doxygen docs, which point to [https://wiki.icecube.wisc.edu/index.php/Payload_Parsing the wiki]. Move the official docs to the actual project?",
"reporter": "david.schultz",
"cc": "",
"resolution": "fixed",
"_ts": "1458335639558230",
"component": "combo core",
"summary": "[payload-parsing] docs could use some work",
"priority": "blocker",
"keywords": "",
"time": "2015-08-17T16:40:45",
"milestone": "",
"owner": "rmaunu",
"type": "defect"
}
```
| 1.0 | [payload-parsing] docs could use some work (Trac #1125) - the rst docs point to the doxygen docs, which point to [https://wiki.icecube.wisc.edu/index.php/Payload_Parsing the wiki]. Move the official docs to the actual project?
Migrated from https://code.icecube.wisc.edu/ticket/1125
```json
{
"status": "closed",
"changetime": "2016-03-18T21:13:59",
"description": "the rst docs point to the doxygen docs, which point to [https://wiki.icecube.wisc.edu/index.php/Payload_Parsing the wiki]. Move the official docs to the actual project?",
"reporter": "david.schultz",
"cc": "",
"resolution": "fixed",
"_ts": "1458335639558230",
"component": "combo core",
"summary": "[payload-parsing] docs could use some work",
"priority": "blocker",
"keywords": "",
"time": "2015-08-17T16:40:45",
"milestone": "",
"owner": "rmaunu",
"type": "defect"
}
```
| defect | docs could use some work trac the rst docs point to the doxygen docs which point to move the official docs to the actual project migrated from json status closed changetime description the rst docs point to the doxygen docs which point to move the official docs to the actual project reporter david schultz cc resolution fixed ts component combo core summary docs could use some work priority blocker keywords time milestone owner rmaunu type defect | 1 |
47,730 | 13,066,160,786 | IssuesEvent | 2020-07-30 21:07:00 | icecube-trac/tix2 | https://api.github.com/repos/icecube-trac/tix2 | closed | DOMLauncher - chokes icetray-inspect (Trac #1078) | Migrated from Trac combo simulation defect | Either `DOMLauncher (PMTResponseSimulator)`, `I3ConditionalModule` or `icetray-inspect` is broken.
Temporary fix in r135699/IceCube.
```text
[ 61%] Generating html from icetray-inspect of DOMLauncher
Traceback (most recent call last):
File "/build/buildslave/yaoguai/simulation_docs/build/bin/icetray-inspect", line 240, in <module>
if display_config(mod, 'Python I3Module', py_modules[mod]):
File "/build/buildslave/yaoguai/simulation_docs/build/bin/icetray-inspect", line 159, in display_config
config = i3inspect.get_configuration(mod)
File "/build/buildslave/yaoguai/simulation_docs/build/lib/icecube/icetray/i3inspect.py", line 138, in get_configuration
return module(I3Context()).configuration
Boost.Python.ArgumentError: Python argument types in
None.None(PMTResponseSimulator)
did not match C++ signature:
None(PythonModule<I3ConditionalModule> {lvalue})
make[3]: *** [DOMLauncher/CMakeFiles/DOMLauncher-DOMLauncher-inspect] Error 1
make[2]: *** [DOMLauncher/CMakeFiles/DOMLauncher-DOMLauncher-inspect.dir/all] Error 2
make[1]: *** [CMakeFiles/docs.dir/rule] Error 2
make: *** [docs] Error 2
```
Migrated from https://code.icecube.wisc.edu/ticket/1078
```json
{
"status": "closed",
"changetime": "2016-03-18T21:14:10",
"description": "Either `DOMLauncher (PMTResponseSimulator)`, `I3ConditionalModule` or `icetray-inspect` is broken.\n\nTemporary fix in r135699/IceCube.\n\n{{{\n[ 61%] Generating html from icetray-inspect of DOMLauncher\nTraceback (most recent call last):\n File \"/build/buildslave/yaoguai/simulation_docs/build/bin/icetray-inspect\", line 240, in <module>\n if display_config(mod, 'Python I3Module', py_modules[mod]):\n File \"/build/buildslave/yaoguai/simulation_docs/build/bin/icetray-inspect\", line 159, in display_config\n config = i3inspect.get_configuration(mod)\n File \"/build/buildslave/yaoguai/simulation_docs/build/lib/icecube/icetray/i3inspect.py\", line 138, in get_configuration\n return module(I3Context()).configuration\nBoost.Python.ArgumentError: Python argument types in\n None.None(PMTResponseSimulator)\ndid not match C++ signature:\n None(PythonModule<I3ConditionalModule> {lvalue})\nmake[3]: *** [DOMLauncher/CMakeFiles/DOMLauncher-DOMLauncher-inspect] Error 1\nmake[2]: *** [DOMLauncher/CMakeFiles/DOMLauncher-DOMLauncher-inspect.dir/all] Error 2\nmake[1]: *** [CMakeFiles/docs.dir/rule] Error 2\nmake: *** [docs] Error 2\n}}}",
"reporter": "nega",
"cc": "cweaver, jvansanten",
"resolution": "fixed",
"_ts": "1458335650323600",
"component": "combo simulation",
"summary": "DOMLauncher - chokes icetray-inspect",
"priority": "blocker",
"keywords": "DOMLauncher PMTResponceSimulator icetray-inspect documentation",
"time": "2015-07-30T04:35:21",
"milestone": "",
"owner": "sflis",
"type": "defect"
}
```
| 1.0 | DOMLauncher - chokes icetray-inspect (Trac #1078) - Either `DOMLauncher (PMTResponseSimulator)`, `I3ConditionalModule` or `icetray-inspect` is broken.
Temporary fix in r135699/IceCube.
```text
[ 61%] Generating html from icetray-inspect of DOMLauncher
Traceback (most recent call last):
File "/build/buildslave/yaoguai/simulation_docs/build/bin/icetray-inspect", line 240, in <module>
if display_config(mod, 'Python I3Module', py_modules[mod]):
File "/build/buildslave/yaoguai/simulation_docs/build/bin/icetray-inspect", line 159, in display_config
config = i3inspect.get_configuration(mod)
File "/build/buildslave/yaoguai/simulation_docs/build/lib/icecube/icetray/i3inspect.py", line 138, in get_configuration
return module(I3Context()).configuration
Boost.Python.ArgumentError: Python argument types in
None.None(PMTResponseSimulator)
did not match C++ signature:
None(PythonModule<I3ConditionalModule> {lvalue})
make[3]: *** [DOMLauncher/CMakeFiles/DOMLauncher-DOMLauncher-inspect] Error 1
make[2]: *** [DOMLauncher/CMakeFiles/DOMLauncher-DOMLauncher-inspect.dir/all] Error 2
make[1]: *** [CMakeFiles/docs.dir/rule] Error 2
make: *** [docs] Error 2
```
Migrated from https://code.icecube.wisc.edu/ticket/1078
```json
{
"status": "closed",
"changetime": "2016-03-18T21:14:10",
"description": "Either `DOMLauncher (PMTResponseSimulator)`, `I3ConditionalModule` or `icetray-inspect` is broken.\n\nTemporary fix in r135699/IceCube.\n\n{{{\n[ 61%] Generating html from icetray-inspect of DOMLauncher\nTraceback (most recent call last):\n File \"/build/buildslave/yaoguai/simulation_docs/build/bin/icetray-inspect\", line 240, in <module>\n if display_config(mod, 'Python I3Module', py_modules[mod]):\n File \"/build/buildslave/yaoguai/simulation_docs/build/bin/icetray-inspect\", line 159, in display_config\n config = i3inspect.get_configuration(mod)\n File \"/build/buildslave/yaoguai/simulation_docs/build/lib/icecube/icetray/i3inspect.py\", line 138, in get_configuration\n return module(I3Context()).configuration\nBoost.Python.ArgumentError: Python argument types in\n None.None(PMTResponseSimulator)\ndid not match C++ signature:\n None(PythonModule<I3ConditionalModule> {lvalue})\nmake[3]: *** [DOMLauncher/CMakeFiles/DOMLauncher-DOMLauncher-inspect] Error 1\nmake[2]: *** [DOMLauncher/CMakeFiles/DOMLauncher-DOMLauncher-inspect.dir/all] Error 2\nmake[1]: *** [CMakeFiles/docs.dir/rule] Error 2\nmake: *** [docs] Error 2\n}}}",
"reporter": "nega",
"cc": "cweaver, jvansanten",
"resolution": "fixed",
"_ts": "1458335650323600",
"component": "combo simulation",
"summary": "DOMLauncher - chokes icetray-inspect",
"priority": "blocker",
"keywords": "DOMLauncher PMTResponceSimulator icetray-inspect documentation",
"time": "2015-07-30T04:35:21",
"milestone": "",
"owner": "sflis",
"type": "defect"
}
```
| defect | domlauncher chokes icetray inspect trac either domlauncher pmtresponsesimulator or icetray inspect is broken temporary fix in icecube text generating html from icetray inspect of domlauncher traceback most recent call last file build buildslave yaoguai simulation docs build bin icetray inspect line in if display config mod python py modules file build buildslave yaoguai simulation docs build bin icetray inspect line in display config config get configuration mod file build buildslave yaoguai simulation docs build lib icecube icetray py line in get configuration return module configuration boost python argumenterror python argument types in none none pmtresponsesimulator did not match c signature none pythonmodule lvalue make error make error make error make error migrated from json status closed changetime description either domlauncher pmtresponsesimulator or icetray inspect is broken n ntemporary fix in icecube n n n generating html from icetray inspect of domlauncher ntraceback most recent call last n file build buildslave yaoguai simulation docs build bin icetray inspect line in n if display config mod python py modules n file build buildslave yaoguai simulation docs build bin icetray inspect line in display config n config get configuration mod n file build buildslave yaoguai simulation docs build lib icecube icetray py line in get configuration n return module configuration nboost python argumenterror python argument types in n none none pmtresponsesimulator ndid not match c signature n none pythonmodule lvalue nmake error nmake error nmake error nmake error n reporter nega cc cweaver jvansanten resolution fixed ts component combo simulation summary domlauncher chokes icetray inspect priority blocker keywords domlauncher pmtresponcesimulator icetray inspect documentation time milestone owner sflis type defect | 1 |
26,049 | 4,561,020,212 | IssuesEvent | 2016-09-14 10:06:25 | scipy/scipy | https://api.github.com/repos/scipy/scipy | closed | scipy.stats.ks_2samp returns different values on different computers | defect scipy.stats | The scipy versions are different and the gcc versions are different.
I have documented the version numbers for each below.
This code reproduces the problem:
`import numpy as np`
`from scipy.stats import ks_2samp`
`left= np.array([2, 2, 2, 2, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 5, 5, 5, 5, 5, 5, 5, 5, 5, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7])`
`right= np.array([2, 2, 2, 2, 3, 3, 3, 3, 3, 3, 3, 3, 4, 4, 4, 4, 5, 5, 5, 5, 5, 5, 5, 5, 6, 6, 6, 6, 7, 7, 7])`
`print(ks_2samp(left,right))`
On archlinux, I get
$ python testHist.py
Ks_2sampResult(statistic=0.29185867895545314, pvalue=0.022591776527939346)
$ python
Python 3.5.2 (default, Jun 28 2016, 08:46:01)
[GCC 6.1.1 20160602] on linux
Type "help", "copyright", "credits" or "license" for more information.
\>>> import scipy
\>>> scipy.\__version\__
'0.18.0'
On ubuntu I get
$ python3 testHist.py
Ks_2sampResult(statistic=0.17101894521249361, pvalue=0.42479995193922654)
$ python3
Python 3.5.2 (default, Jul 5 2016, 12:43:10)
[GCC 5.4.0 20160609] on linux
Type "help", "copyright", "credits" or "license" for more information.
\>>> import scipy
\>>> scipy.\__version\__
'0.17.0'
| 1.0 | scipy.stats.ks_2samp returns different values on different computers - The scipy versions are different and the gcc versions are different.
I have documented the version numbers for each below.
This code reproduces the problem:
`import numpy as np`
`from scipy.stats import ks_2samp`
`left= np.array([2, 2, 2, 2, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 5, 5, 5, 5, 5, 5, 5, 5, 5, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7])`
`right= np.array([2, 2, 2, 2, 3, 3, 3, 3, 3, 3, 3, 3, 4, 4, 4, 4, 5, 5, 5, 5, 5, 5, 5, 5, 6, 6, 6, 6, 7, 7, 7])`
`print(ks_2samp(left,right))`
On archlinux, I get
$ python testHist.py
Ks_2sampResult(statistic=0.29185867895545314, pvalue=0.022591776527939346)
$ python
Python 3.5.2 (default, Jun 28 2016, 08:46:01)
[GCC 6.1.1 20160602] on linux
Type "help", "copyright", "credits" or "license" for more information.
\>>> import scipy
\>>> scipy.\__version\__
'0.18.0'
On ubuntu I get
$ python3 testHist.py
Ks_2sampResult(statistic=0.17101894521249361, pvalue=0.42479995193922654)
$ python3
Python 3.5.2 (default, Jul 5 2016, 12:43:10)
[GCC 5.4.0 20160609] on linux
Type "help", "copyright", "credits" or "license" for more information.
\>>> import scipy
\>>> scipy.\__version\__
'0.17.0'
| defect | scipy stats ks returns different values on different computers the scipy versions are different and the gcc versions are different i have documented the version numbers for each below this code reproduces the problem import numpy as np from scipy stats import ks left np array right np array print ks left right on archlinux i get python testhist py ks statistic pvalue python python default jun on linux type help copyright credits or license for more information import scipy scipy version on ubuntu i get testhist py ks statistic pvalue python default jul on linux type help copyright credits or license for more information import scipy scipy version | 1 |
51,309 | 13,207,428,992 | IssuesEvent | 2020-08-14 23:04:06 | icecube-trac/tix4 | https://api.github.com/repos/icecube-trac/tix4 | opened | Good error when fpmaster disk full (Trac #188) | Incomplete Migration Migrated from Trac defect jeb + pnf | <details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/188">https://code.icecube.wisc.edu/projects/icecube/ticket/188</a>, reported by blaufussand owned by tschmidt</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2015-02-11T19:44:45",
"_ts": "1423683885522800",
"description": "error when jeb disk full. JEB disk filled and we didn't get a meaningful error. Need to make sure that the log contains something meaningful.\n",
"reporter": "blaufuss",
"cc": "",
"resolution": "worksforme",
"time": "2009-12-07T22:43:29",
"component": "jeb + pnf",
"summary": "Good error when fpmaster disk full",
"priority": "normal",
"keywords": "",
"milestone": "",
"owner": "tschmidt",
"type": "defect"
}
```
</p>
</details>
| 1.0 | Good error when fpmaster disk full (Trac #188) - <details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/188">https://code.icecube.wisc.edu/projects/icecube/ticket/188</a>, reported by blaufussand owned by tschmidt</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2015-02-11T19:44:45",
"_ts": "1423683885522800",
"description": "error when jeb disk full. JEB disk filled and we didn't get a meaningful error. Need to make sure that the log contains something meaningful.\n",
"reporter": "blaufuss",
"cc": "",
"resolution": "worksforme",
"time": "2009-12-07T22:43:29",
"component": "jeb + pnf",
"summary": "Good error when fpmaster disk full",
"priority": "normal",
"keywords": "",
"milestone": "",
"owner": "tschmidt",
"type": "defect"
}
```
</p>
</details>
| defect | good error when fpmaster disk full trac migrated from json status closed changetime ts description error when jeb disk full jeb disk filled and we didn t get a meaningful error need to make sure that the log contains something meaningful n reporter blaufuss cc resolution worksforme time component jeb pnf summary good error when fpmaster disk full priority normal keywords milestone owner tschmidt type defect | 1 |
537,657 | 15,732,673,183 | IssuesEvent | 2021-03-29 18:35:12 | openedx/build-test-release-wg | https://api.github.com/repos/openedx/build-test-release-wg | opened | Cherry-pick Upgrade py2neo in edx-platform | affects:koa priority:high type:bug | This issue currently breaks the installation of open edX.
https://github.com/edx/edx-platform/pull/27168
https://openedx.atlassian.net/browse/BOM-2466
Once merged into master, the fix needs to be backported to koa. | 1.0 | Cherry-pick Upgrade py2neo in edx-platform - This issue currently breaks the installation of open edX.
https://github.com/edx/edx-platform/pull/27168
https://openedx.atlassian.net/browse/BOM-2466
Once merged into master, the fix needs to be backported to koa. | non_defect | cherry pick upgrade in edx platform this issue currently breaks the installation of open edx once merged into master the fix needs to be backported to koa | 0 |
313,370 | 23,470,914,607 | IssuesEvent | 2022-08-16 21:44:50 | CSSG-Labs/PyNote | https://api.github.com/repos/CSSG-Labs/PyNote | opened | Document Code | documentation good first issue | We need someone to document the code. I would suggest using [this helpful guide](https://realpython.com/documenting-python-code/) to do so. Please add comments where necessary and docstrings for every class function. | 1.0 | Document Code - We need someone to document the code. I would suggest using [this helpful guide](https://realpython.com/documenting-python-code/) to do so. Please add comments where necessary and docstrings for every class function. | non_defect | document code we need someone to document the code i would suggest using to do so please add comments where necessary and docstrings for every class function | 0 |
3,640 | 2,610,066,194 | IssuesEvent | 2015-02-26 18:19:28 | chrsmith/jsjsj122 | https://api.github.com/repos/chrsmith/jsjsj122 | opened | 临海看前列腺炎哪家专业 | auto-migrated Priority-Medium Type-Defect | ```
临海看前列腺炎哪家专业【台州五洲生殖医院】24小时健康咨
询热线:0576-88066933-(扣扣800080609)-(微信号tzwzszyy)医院地址:台州
市椒江区枫南路229号(枫南大转盘旁)乘车线路:乘坐104、108�
��118、198及椒江一金清公交车直达枫南小区,乘坐107、105、109
、112、901、 902公交车到星星广场下车,步行即可到院。
诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,��
�精,无精。包皮包茎,精索静脉曲张,淋病等。
台州五洲生殖医院是台州最大的男科医院,权威专家在线免��
�咨询,拥有专业完善的男科检查治疗设备,严格按照国家标�
��收费。尖端医疗设备,与世界同步。权威专家,成就专业典
范。人性化服务,一切以患者为中心。
看男科就选台州五洲生殖医院,专业男科为男人。
```
-----
Original issue reported on code.google.com by `poweragr...@gmail.com` on 30 May 2014 at 8:30 | 1.0 | 临海看前列腺炎哪家专业 - ```
临海看前列腺炎哪家专业【台州五洲生殖医院】24小时健康咨
询热线:0576-88066933-(扣扣800080609)-(微信号tzwzszyy)医院地址:台州
市椒江区枫南路229号(枫南大转盘旁)乘车线路:乘坐104、108�
��118、198及椒江一金清公交车直达枫南小区,乘坐107、105、109
、112、901、 902公交车到星星广场下车,步行即可到院。
诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,��
�精,无精。包皮包茎,精索静脉曲张,淋病等。
台州五洲生殖医院是台州最大的男科医院,权威专家在线免��
�咨询,拥有专业完善的男科检查治疗设备,严格按照国家标�
��收费。尖端医疗设备,与世界同步。权威专家,成就专业典
范。人性化服务,一切以患者为中心。
看男科就选台州五洲生殖医院,专业男科为男人。
```
-----
Original issue reported on code.google.com by `poweragr...@gmail.com` on 30 May 2014 at 8:30 | defect | 临海看前列腺炎哪家专业 临海看前列腺炎哪家专业【台州五洲生殖医院】 询热线 微信号tzwzszyy 医院地址 台州 (枫南大转盘旁)乘车线路 、 � �� 、 , 、 、 、 、 、 ,步行即可到院。 诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,�� �精,无精。包皮包茎,精索静脉曲张,淋病等。 台州五洲生殖医院是台州最大的男科医院,权威专家在线免�� �咨询,拥有专业完善的男科检查治疗设备,严格按照国家标� ��收费。尖端医疗设备,与世界同步。权威专家,成就专业典 范。人性化服务,一切以患者为中心。 看男科就选台州五洲生殖医院,专业男科为男人。 original issue reported on code google com by poweragr gmail com on may at | 1 |
1,854 | 2,603,972,502 | IssuesEvent | 2015-02-24 19:00:37 | chrsmith/nishazi6 | https://api.github.com/repos/chrsmith/nishazi6 | opened | 沈阳病毒疣的传染途径 | auto-migrated Priority-Medium Type-Defect | ```
沈阳病毒疣的传染途径〓沈陽軍區政治部醫院性病〓TEL:024-3
1023308〓成立于1946年,68年專注于性傳播疾病的研究和治療。�
��于沈陽市沈河區二緯路32號。是一所與新中國同建立共輝煌�
��歷史悠久、設備精良、技術權威、專家云集,是預防、保健
、醫療、科研康復為一體的綜合性醫院。是國家首批公立甲��
�部隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、�
��南大學等知名高等院校的教學醫院。曾被中國人民解放軍空
軍后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體��
�等功。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 8:00 | 1.0 | 沈阳病毒疣的传染途径 - ```
沈阳病毒疣的传染途径〓沈陽軍區政治部醫院性病〓TEL:024-3
1023308〓成立于1946年,68年專注于性傳播疾病的研究和治療。�
��于沈陽市沈河區二緯路32號。是一所與新中國同建立共輝煌�
��歷史悠久、設備精良、技術權威、專家云集,是預防、保健
、醫療、科研康復為一體的綜合性醫院。是國家首批公立甲��
�部隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、�
��南大學等知名高等院校的教學醫院。曾被中國人民解放軍空
軍后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體��
�等功。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 8:00 | defect | 沈阳病毒疣的传染途径 沈阳病毒疣的传染途径〓沈陽軍區政治部醫院性病〓tel: 〓 , 。� �� 。是一所與新中國同建立共輝煌� ��歷史悠久、設備精良、技術權威、專家云集,是預防、保健 、醫療、科研康復為一體的綜合性醫院。是國家首批公立甲�� �部隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、� ��南大學等知名高等院校的教學醫院。曾被中國人民解放軍空 軍后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體�� �等功。 original issue reported on code google com by gmail com on jun at | 1 |
355,061 | 25,175,500,355 | IssuesEvent | 2022-11-11 08:53:27 | jetlfj/pe | https://api.github.com/repos/jetlfj/pe | opened | Unclear description of `sort` format | type.DocumentationBug severity.Low | 
From the provided description, `TYPE` must be "followed by" one of the options. The phrasing can make users misunderstand and use `sort TYPE NAME` which obviously does not work. Instead, it should be `TYPE` must be "be" one of the options.
<!--session: 1668154238987-3995d0f4-bbf2-4299-bfef-2c3b92b5a272-->
<!--Version: Web v3.4.4--> | 1.0 | Unclear description of `sort` format - 
From the provided description, `TYPE` must be "followed by" one of the options. The phrasing can make users misunderstand and use `sort TYPE NAME` which obviously does not work. Instead, it should be `TYPE` must be "be" one of the options.
<!--session: 1668154238987-3995d0f4-bbf2-4299-bfef-2c3b92b5a272-->
<!--Version: Web v3.4.4--> | non_defect | unclear description of sort format from the provided description type must be followed by one of the options the phrasing can make users misunderstand and use sort type name which obviously does not work instead it should be type must be be one of the options | 0 |
10,732 | 2,622,182,506 | IssuesEvent | 2015-03-04 00:19:26 | byzhang/leveldb | https://api.github.com/repos/byzhang/leveldb | closed | LevelDB | auto-migrated Priority-Medium Type-Defect | ```
What steps will reproduce the problem?
1.
2.
3.
What is the expected output? What do you see instead?
What version of the product are you using? On what operating system?
Please provide any additional information below.
```
Original issue reported on code.google.com by `wuzuy...@gmail.com` on 7 Nov 2013 at 11:20 | 1.0 | LevelDB - ```
What steps will reproduce the problem?
1.
2.
3.
What is the expected output? What do you see instead?
What version of the product are you using? On what operating system?
Please provide any additional information below.
```
Original issue reported on code.google.com by `wuzuy...@gmail.com` on 7 Nov 2013 at 11:20 | defect | leveldb what steps will reproduce the problem what is the expected output what do you see instead what version of the product are you using on what operating system please provide any additional information below original issue reported on code google com by wuzuy gmail com on nov at | 1 |
792,017 | 27,884,717,703 | IssuesEvent | 2023-03-21 22:36:19 | unstructuredstudio/zubhub | https://api.github.com/repos/unstructuredstudio/zubhub | closed | Login and Sign Up do not get scaled along with the entire page | ux high priority | ## The bug
If you scale the browser, all the components except the `Login` and `Sign Up` gets scaled along with the page.
If you zoom out up to 50%, the nav bar component ends at a space.
## To Reproduce
- Visit zubhub
- Zoom out from you page and then zoom in
## Expected behavior
Login and sign up button should scale along with the entire website
## Screenshots
On 100%

On 75%

On 50%

Nav bar ending

| 1.0 | Login and Sign Up do not get scaled along with the entire page - ## The bug
If you scale the browser, all the components except the `Login` and `Sign Up` gets scaled along with the page.
If you zoom out up to 50%, the nav bar component ends at a space.
## To Reproduce
- Visit zubhub
- Zoom out from you page and then zoom in
## Expected behavior
Login and sign up button should scale along with the entire website
## Screenshots
On 100%

On 75%

On 50%

Nav bar ending

| non_defect | login and sign up do not get scaled along with the entire page the bug if you scale the browser all the components except the login and sign up gets scaled along with the page if you zoom out up to the nav bar component ends at a space to reproduce visit zubhub zoom out from you page and then zoom in expected behavior login and sign up button should scale along with the entire website screenshots on on on nav bar ending | 0 |
45,395 | 12,759,874,646 | IssuesEvent | 2020-06-29 06:54:46 | hazelcast/hazelcast | https://api.github.com/repos/hazelcast/hazelcast | opened | Client should not retry on com.hazelcast.client.AuthenticationException | Type: Defect | As AuthenticationException is not an intermittent error, the client should not keep trying to connect if such an exception is encountered. | 1.0 | Client should not retry on com.hazelcast.client.AuthenticationException - As AuthenticationException is not an intermittent error, the client should not keep trying to connect if such an exception is encountered. | defect | client should not retry on com hazelcast client authenticationexception as authenticationexception is not an intermittent error the client should not keep trying to connect if such an exception is encountered | 1 |
10,291 | 12,289,025,473 | IssuesEvent | 2020-05-09 19:26:53 | ldtteam/minecolonies | https://api.github.com/repos/ldtteam/minecolonies | closed | Other Chests for Postbox and Stash | 1.14.4 1.15 Bug Compatibility: Forge Compatibility: Mod Good First Issue |
Im using: minecolonies 0.11.918.-Beta-universal
When I try to Craft Stash or a Postbox JEI say I Need a regular Vanilla Chest. I can´t use Chests from Quark.
Can you please add the Tag: Accepts any: forge:chest like the in the Warehous-Recipe, so we can use all types of chests and not only minecraft:chest.
LG Jonas | True | Other Chests for Postbox and Stash -
Im using: minecolonies 0.11.918.-Beta-universal
When I try to Craft Stash or a Postbox JEI say I Need a regular Vanilla Chest. I can´t use Chests from Quark.
Can you please add the Tag: Accepts any: forge:chest like the in the Warehous-Recipe, so we can use all types of chests and not only minecraft:chest.
LG Jonas | non_defect | other chests for postbox and stash im using minecolonies beta universal when i try to craft stash or a postbox jei say i need a regular vanilla chest i can´t use chests from quark can you please add the tag accepts any forge chest like the in the warehous recipe so we can use all types of chests and not only minecraft chest lg jonas | 0 |
55,360 | 14,402,807,728 | IssuesEvent | 2020-12-03 15:19:41 | primefaces/primefaces | https://api.github.com/repos/primefaces/primefaces | closed | DataTable: RowToggle collapse does not skip children | defect | **Describe the defect**
RowToggle ajax event with `skipChildren="true"` only skips children on expand, not collapse.
**Reproducer**
https://github.com/DaanVanYperen/primefaces-test-skipchildren-missing-from-rowToggle-collapse/
**Environment:**
- PF Version: _8.0.5_
- JSF + version: reproducer defaults.
**To Reproduce**
Steps to reproduce the behavior:
1. Expand datatable row.
2. Check posted form data, it contains `skipChildren`

3. Collapse datatable row.
4. Check posted form data, `skipChildren` is missing and children are processed.

**Expected behavior**
SkipChildren attribute on rowToggle ajax event also applies to collapse.
**Example XHTML**
```html
<h:form id="frmTest">
<p:dataTable value="#{testView.rows}" var="iRow" skipChildren="false">
<p:ajax event="rowToggle" skipChildren="true" listener="#{testView.onRowToggle}" />
<p:column>
<p:rowToggler />
</p:column>
<p:column>
#{iRow}
</p:column>
<p:column>
<h:inputText value="#{testView.input}" />
</p:column>
<p:rowExpansion>
Detail of #{iRow}
</p:rowExpansion>
</p:dataTable>
</h:form>
```
**Example Bean**
```java
@Named
@ViewScoped
public class TestView implements Serializable {
private List<String> rows;
@PostConstruct
public void init() {
rows = Arrays.asList("Apple");
}
public List<String> getRows() {
return rows;
}
public void onRowToggle(ToggleEvent event) {
System.out.println("Row toggled");
}
public String getInput() {
return "";
}
public void setInput(String value) {
System.out.println("skipChildren ignored!");
}
}
```
**Workaround**
This is the bandaid we applied that works for our usecase.
```java
PrimeFaces.widget.DataTable = PrimeFaces.widget.DataTable.extend(
{
fireRowCollapseEvent: function(row) {
var rowIndex = this.getRowMeta(row).index;
if(this.hasBehavior('rowToggle')) {
var ext = {
params: [
{
name: this.id + '_collapsedRowIndex',
value: rowIndex
},
// workaround start
{ name: this.id + '_skipChildren',
value: true
}
// workaround end
]
};
this.callBehavior('rowToggle', ext);
}
},
}
);
``` | 1.0 | DataTable: RowToggle collapse does not skip children - **Describe the defect**
RowToggle ajax event with `skipChildren="true"` only skips children on expand, not collapse.
**Reproducer**
https://github.com/DaanVanYperen/primefaces-test-skipchildren-missing-from-rowToggle-collapse/
**Environment:**
- PF Version: _8.0.5_
- JSF + version: reproducer defaults.
**To Reproduce**
Steps to reproduce the behavior:
1. Expand datatable row.
2. Check posted form data, it contains `skipChildren`

3. Collapse datatable row.
4. Check posted form data, `skipChildren` is missing and children are processed.

**Expected behavior**
SkipChildren attribute on rowToggle ajax event also applies to collapse.
**Example XHTML**
```html
<h:form id="frmTest">
<p:dataTable value="#{testView.rows}" var="iRow" skipChildren="false">
<p:ajax event="rowToggle" skipChildren="true" listener="#{testView.onRowToggle}" />
<p:column>
<p:rowToggler />
</p:column>
<p:column>
#{iRow}
</p:column>
<p:column>
<h:inputText value="#{testView.input}" />
</p:column>
<p:rowExpansion>
Detail of #{iRow}
</p:rowExpansion>
</p:dataTable>
</h:form>
```
**Example Bean**
```java
@Named
@ViewScoped
public class TestView implements Serializable {
private List<String> rows;
@PostConstruct
public void init() {
rows = Arrays.asList("Apple");
}
public List<String> getRows() {
return rows;
}
public void onRowToggle(ToggleEvent event) {
System.out.println("Row toggled");
}
public String getInput() {
return "";
}
public void setInput(String value) {
System.out.println("skipChildren ignored!");
}
}
```
**Workaround**
This is the bandaid we applied that works for our usecase.
```java
PrimeFaces.widget.DataTable = PrimeFaces.widget.DataTable.extend(
{
fireRowCollapseEvent: function(row) {
var rowIndex = this.getRowMeta(row).index;
if(this.hasBehavior('rowToggle')) {
var ext = {
params: [
{
name: this.id + '_collapsedRowIndex',
value: rowIndex
},
// workaround start
{ name: this.id + '_skipChildren',
value: true
}
// workaround end
]
};
this.callBehavior('rowToggle', ext);
}
},
}
);
``` | defect | datatable rowtoggle collapse does not skip children describe the defect rowtoggle ajax event with skipchildren true only skips children on expand not collapse reproducer environment pf version jsf version reproducer defaults to reproduce steps to reproduce the behavior expand datatable row check posted form data it contains skipchildren collapse datatable row check posted form data skipchildren is missing and children are processed expected behavior skipchildren attribute on rowtoggle ajax event also applies to collapse example xhtml html irow detail of irow example bean java named viewscoped public class testview implements serializable private list rows postconstruct public void init rows arrays aslist apple public list getrows return rows public void onrowtoggle toggleevent event system out println row toggled public string getinput return public void setinput string value system out println skipchildren ignored workaround this is the bandaid we applied that works for our usecase java primefaces widget datatable primefaces widget datatable extend firerowcollapseevent function row var rowindex this getrowmeta row index if this hasbehavior rowtoggle var ext params name this id collapsedrowindex value rowindex workaround start name this id skipchildren value true workaround end this callbehavior rowtoggle ext | 1 |
13,371 | 2,754,669,095 | IssuesEvent | 2015-04-25 22:08:10 | ariana-paris/support-tools | https://api.github.com/repos/ariana-paris/support-tools | closed | Wiki page failed to export to GitHub | auto-migrated Priority-Medium Type-Defect | ```
After exporting https://code.google.com/a/eclipselabs.org/p/elysium/ to GitHub,
https://github.com/thSoft/elysium/blob/wiki/Contributors.md is empty, although
its original counterpart contained useful information. Unfortunately, I can't
retrieve the old version since I already set the "moved" flag of the project. :(
```
Original issue reported on code.google.com by `harmathdenes` on 14 Apr 2015 at 8:11 | 1.0 | Wiki page failed to export to GitHub - ```
After exporting https://code.google.com/a/eclipselabs.org/p/elysium/ to GitHub,
https://github.com/thSoft/elysium/blob/wiki/Contributors.md is empty, although
its original counterpart contained useful information. Unfortunately, I can't
retrieve the old version since I already set the "moved" flag of the project. :(
```
Original issue reported on code.google.com by `harmathdenes` on 14 Apr 2015 at 8:11 | defect | wiki page failed to export to github after exporting to github is empty although its original counterpart contained useful information unfortunately i can t retrieve the old version since i already set the moved flag of the project original issue reported on code google com by harmathdenes on apr at | 1 |
79,860 | 29,485,926,887 | IssuesEvent | 2023-06-02 09:43:17 | hyperledger/iroha | https://api.github.com/repos/hyperledger/iroha | closed | [BUG] Fails to Deserialize Genesis Block with U32 metadata | Bug iroha2 Dev defect QA-confirmed | ### OS and Environment
MacOS, Docker Hub
### GIT commit hash
b1855454
### Minimum working example / Steps to reproduce
Replace the default registration instruction for Alice in the genesis block with a new one:
```json
{
"Register": {
"NewAccount": {
"id": "alice@wonderland",
"signatories": [
"ed01207233BFC89DCBD68C19FDE6CE6158225298EC1131B6A130D1AEB454C1AB5183C0"
],
"metadata": {
"key": {
"String": "value"
},
"u128Key": {
"U32": "4294967294"
}
}
}
}
},
```
2. `docker compose up`
### Actual result
```
2023-05-29 15:06:10 2023-05-29T11:06:10.381410Z WARN iroha: The configuration parameter `DISABLE_PANIC_TERMINAL_COLORS` is deprecated. Set `TERMINAL_COLORS=false` instead.
2023-05-29 15:06:10 2023-05-29T11:06:10.383227Z INFO iroha: Hyperledgerいろは2にようこそ!(translation) Welcome to Hyperledger Iroha 2.0.0-pre-rc.13! git_commit_sha="b7e80f04c210c52aeff261c1902c6888bea29b97"
2023-05-29 15:06:10 Error: Failed to deserialize raw genesis block from "/config/genesis.json"
2023-05-29 15:06:10
2023-05-29 15:06:10 Caused by:
2023-05-29 15:06:10 data did not match any variant of untagged enum DeserializeHelper at line 34 column 7
2023-05-29 15:06:10
2023-05-29 15:06:10 Location:
2023-05-29 15:06:10 /iroha/genesis/src/lib.rs:216:75
```
### Expected result
Iroha should launch without any issues, and the new registration instruction for Alice should be processed correctly.
### Who can help to reproduce?
@astrokov7 | 1.0 | [BUG] Fails to Deserialize Genesis Block with U32 metadata - ### OS and Environment
MacOS, Docker Hub
### GIT commit hash
b1855454
### Minimum working example / Steps to reproduce
Replace the default registration instruction for Alice in the genesis block with a new one:
```json
{
"Register": {
"NewAccount": {
"id": "alice@wonderland",
"signatories": [
"ed01207233BFC89DCBD68C19FDE6CE6158225298EC1131B6A130D1AEB454C1AB5183C0"
],
"metadata": {
"key": {
"String": "value"
},
"u128Key": {
"U32": "4294967294"
}
}
}
}
},
```
2. `docker compose up`
### Actual result
```
2023-05-29 15:06:10 2023-05-29T11:06:10.381410Z WARN iroha: The configuration parameter `DISABLE_PANIC_TERMINAL_COLORS` is deprecated. Set `TERMINAL_COLORS=false` instead.
2023-05-29 15:06:10 2023-05-29T11:06:10.383227Z INFO iroha: Hyperledgerいろは2にようこそ!(translation) Welcome to Hyperledger Iroha 2.0.0-pre-rc.13! git_commit_sha="b7e80f04c210c52aeff261c1902c6888bea29b97"
2023-05-29 15:06:10 Error: Failed to deserialize raw genesis block from "/config/genesis.json"
2023-05-29 15:06:10
2023-05-29 15:06:10 Caused by:
2023-05-29 15:06:10 data did not match any variant of untagged enum DeserializeHelper at line 34 column 7
2023-05-29 15:06:10
2023-05-29 15:06:10 Location:
2023-05-29 15:06:10 /iroha/genesis/src/lib.rs:216:75
```
### Expected result
Iroha should launch without any issues, and the new registration instruction for Alice should be processed correctly.
### Who can help to reproduce?
@astrokov7 | defect | fails to deserialize genesis block with metadata os and environment macos docker hub git commit hash minimum working example steps to reproduce replace the default registration instruction for alice in the genesis block with a new one json register newaccount id alice wonderland signatories metadata key string value docker compose up actual result warn iroha the configuration parameter disable panic terminal colors is deprecated set terminal colors false instead info iroha ! translation welcome to hyperledger iroha pre rc git commit sha error failed to deserialize raw genesis block from config genesis json caused by data did not match any variant of untagged enum deserializehelper at line column location iroha genesis src lib rs expected result iroha should launch without any issues and the new registration instruction for alice should be processed correctly who can help to reproduce | 1 |
9,756 | 2,615,167,291 | IssuesEvent | 2015-03-01 06:48:09 | chrsmith/reaver-wps | https://api.github.com/repos/chrsmith/reaver-wps | opened | Reaver as Root - Fedora 19 | auto-migrated Priority-Triage Type-Defect | ```
0. What version of Reaver are you using?
Reaver 1.4
1. What operating system are you using (Linux is the only supported OS)?
Fedora 19 (Kernel 3.11.8-200.fc19.x86_64)
2. Is your wireless card in monitor mode (yes/no)?
Question not relevant.
3. What is the signal strength of the Access Point you are trying to crack?
Question not relevant.
4. What is the manufacturer and model # of the device you are trying to
crack?
Question not relevant.
5. What is the entire command line string you are supplying to reaver?
Question not relevant.
6. Please describe what you think the issue is.
The issue is, when installing reaver as root, in fedora 19, the command is not
found. So I guess the install dir ist not set correct. As I am not very
advanced and experienced, I need to know how to properly set the right install
dir.
7. Paste the output from Reaver below.
Those are my steps:
su root
> logged in
cd ~/.local/
> switched dir...
wget http://reaver-wps.googlecode.com/files/reaver-1.4.tar.gz
> download complete
tar xvzf reaver-1.4.tar.gz
> extract ok
cd reaver-1.4/src
> change to src dir. ok.
./configure
> configure success (no errors)
make
> success
make install
> install ok
reaver
> command not found
WHAT? Why command not found. When switching to normal user, it's ok. But I need
to use it as root user.
```
Original issue reported on code.google.com by `ony...@gmail.com` on 20 Nov 2013 at 11:33 | 1.0 | Reaver as Root - Fedora 19 - ```
0. What version of Reaver are you using?
Reaver 1.4
1. What operating system are you using (Linux is the only supported OS)?
Fedora 19 (Kernel 3.11.8-200.fc19.x86_64)
2. Is your wireless card in monitor mode (yes/no)?
Question not relevant.
3. What is the signal strength of the Access Point you are trying to crack?
Question not relevant.
4. What is the manufacturer and model # of the device you are trying to
crack?
Question not relevant.
5. What is the entire command line string you are supplying to reaver?
Question not relevant.
6. Please describe what you think the issue is.
The issue is, when installing reaver as root, in fedora 19, the command is not
found. So I guess the install dir ist not set correct. As I am not very
advanced and experienced, I need to know how to properly set the right install
dir.
7. Paste the output from Reaver below.
Those are my steps:
su root
> logged in
cd ~/.local/
> switched dir...
wget http://reaver-wps.googlecode.com/files/reaver-1.4.tar.gz
> download complete
tar xvzf reaver-1.4.tar.gz
> extract ok
cd reaver-1.4/src
> change to src dir. ok.
./configure
> configure success (no errors)
make
> success
make install
> install ok
reaver
> command not found
WHAT? Why command not found. When switching to normal user, it's ok. But I need
to use it as root user.
```
Original issue reported on code.google.com by `ony...@gmail.com` on 20 Nov 2013 at 11:33 | defect | reaver as root fedora what version of reaver are you using reaver what operating system are you using linux is the only supported os fedora kernel is your wireless card in monitor mode yes no question not relevant what is the signal strength of the access point you are trying to crack question not relevant what is the manufacturer and model of the device you are trying to crack question not relevant what is the entire command line string you are supplying to reaver question not relevant please describe what you think the issue is the issue is when installing reaver as root in fedora the command is not found so i guess the install dir ist not set correct as i am not very advanced and experienced i need to know how to properly set the right install dir paste the output from reaver below those are my steps su root logged in cd local switched dir wget download complete tar xvzf reaver tar gz extract ok cd reaver src change to src dir ok configure configure success no errors make success make install install ok reaver command not found what why command not found when switching to normal user it s ok but i need to use it as root user original issue reported on code google com by ony gmail com on nov at | 1 |
56,950 | 15,527,623,959 | IssuesEvent | 2021-03-13 06:59:52 | openzfs/zfs | https://api.github.com/repos/openzfs/zfs | opened | L2ARC size shrinking over time | Status: Triage Needed Type: Defect | <!-- Please fill out the following template, which will help other contributors address your issue. -->
<!--
Thank you for reporting an issue.
*IMPORTANT* - Please check our issue tracker before opening a new issue.
Additional valuable information can be found in the OpenZFS documentation
and mailing list archives.
Please fill in as much of the template as possible.
-->
### System information
<!-- add version after "|" character -->
Type | Version/Name
--- | ---
Distribution Name | Debian
Distribution Version | 10
Linux Kernel | 4.19.171
Architecture | amd64
ZFS Version | 2.0.4
SPL Version | 2.0.2
Note: my OpenZFS is installed via compiling the upstream version following `Custom Packages` in OpenZFS Wiki. It is not the version packaged in Debian's repository.
<!--
Commands to find ZFS/SPL versions:
modinfo zfs | grep -iw version
modinfo spl | grep -iw version
-->
### Describe the problem you're observing
(It seems that a similar case exists on [FreeBSD bugtracker](https://bugs.freebsd.org/bugzilla/show_bug.cgi?id=250323), which could provide more information if my description is not enough)
My OpenZFS pool setup is a mirror vdev with 2x2 TB HDDs and two 100GB partitions on two SSDs as cache vdevs, resulting in a total L2ARC size of 200GB.
The issue is that I have noticed the L2ARC size shrinks over time, both in `l2_asize` in `/proc/spl/kstat/zfs/arcstats` and in the `ALLOC` column of the cache vdevs in the output of `zpool list -v`.
Shortly after boot, `arcstats` shows something like
```
l2_size 4 472453769216
l2_asize 4 213204880384
```
...which is the expected ~200GB.
But after around a week of uptime (could be more, I didn't keep a detailed record), the output becomes
```
l2_size 4 154500634112
l2_asize 4 70061155328
```
...which suggests that the size is now around 65GB.
After a few more days, it shrinks even more
```
l2_size 4 51231725056
l2_asize 4 23947132928
```
to around 22GB.
The `ALLOC` column of the output of `zpool list -v` agrees with the above.
I haven't used OpenZFS a lot in the past, and this installation was only done after the 2.0.0 update, so I am not sure if this is really a bug or expected behavior. My only previous experience with ZFS was on FreeBSD 12 with its non-OpenZFS implementation and such behavior did not happen on it (this is also apparent from the FreeBSD bug report mentioned earlier). If it is expected, it might help to document the behavior somewhere (as I couldn't find much about this in the documentation).
### Describe how to reproduce the problem
1. Create a pool similar to mine with L2ARC
2. Observe the L2ARC size shrinkage over time
| 1.0 | L2ARC size shrinking over time - <!-- Please fill out the following template, which will help other contributors address your issue. -->
<!--
Thank you for reporting an issue.
*IMPORTANT* - Please check our issue tracker before opening a new issue.
Additional valuable information can be found in the OpenZFS documentation
and mailing list archives.
Please fill in as much of the template as possible.
-->
### System information
<!-- add version after "|" character -->
Type | Version/Name
--- | ---
Distribution Name | Debian
Distribution Version | 10
Linux Kernel | 4.19.171
Architecture | amd64
ZFS Version | 2.0.4
SPL Version | 2.0.2
Note: my OpenZFS is installed via compiling the upstream version following `Custom Packages` in OpenZFS Wiki. It is not the version packaged in Debian's repository.
<!--
Commands to find ZFS/SPL versions:
modinfo zfs | grep -iw version
modinfo spl | grep -iw version
-->
### Describe the problem you're observing
(It seems that a similar case exists on [FreeBSD bugtracker](https://bugs.freebsd.org/bugzilla/show_bug.cgi?id=250323), which could provide more information if my description is not enough)
My OpenZFS pool setup is a mirror vdev with 2x2 TB HDDs and two 100GB partitions on two SSDs as cache vdevs, resulting in a total L2ARC size of 200GB.
The issue is that I have noticed the L2ARC size shrinks over time, both in `l2_asize` in `/proc/spl/kstat/zfs/arcstats` and in the `ALLOC` column of the cache vdevs in the output of `zpool list -v`.
Shortly after boot, `arcstats` shows something like
```
l2_size 4 472453769216
l2_asize 4 213204880384
```
...which is the expected ~200GB.
But after around a week of uptime (could be more, I didn't keep a detailed record), the output becomes
```
l2_size 4 154500634112
l2_asize 4 70061155328
```
...which suggests that the size is now around 65GB.
After a few more days, it shrinks even more
```
l2_size 4 51231725056
l2_asize 4 23947132928
```
to around 22GB.
The `ALLOC` column of the output of `zpool list -v` agrees with the above.
I haven't used OpenZFS a lot in the past, and this installation was only done after the 2.0.0 update, so I am not sure if this is really a bug or expected behavior. My only previous experience with ZFS was on FreeBSD 12 with its non-OpenZFS implementation and such behavior did not happen on it (this is also apparent from the FreeBSD bug report mentioned earlier). If it is expected, it might help to document the behavior somewhere (as I couldn't find much about this in the documentation).
### Describe how to reproduce the problem
1. Create a pool similar to mine with L2ARC
2. Observe the L2ARC size shrinkage over time
| defect | size shrinking over time thank you for reporting an issue important please check our issue tracker before opening a new issue additional valuable information can be found in the openzfs documentation and mailing list archives please fill in as much of the template as possible system information type version name distribution name debian distribution version linux kernel architecture zfs version spl version note my openzfs is installed via compiling the upstream version following custom packages in openzfs wiki it is not the version packaged in debian s repository commands to find zfs spl versions modinfo zfs grep iw version modinfo spl grep iw version describe the problem you re observing it seems that a similar case exists on which could provide more information if my description is not enough my openzfs pool setup is a mirror vdev with tb hdds and two partitions on two ssds as cache vdevs resulting in a total size of the issue is that i have noticed the size shrinks over time both in asize in proc spl kstat zfs arcstats and in the alloc column of the cache vdevs in the output of zpool list v shortly after boot arcstats shows something like size asize which is the expected but after around a week of uptime could be more i didn t keep a detailed record the output becomes size asize which suggests that the size is now around after a few more days it shrinks even more size asize to around the alloc column of the output of zpool list v agrees with the above i haven t used openzfs a lot in the past and this installation was only done after the update so i am not sure if this is really a bug or expected behavior my only previous experience with zfs was on freebsd with its non openzfs implementation and such behavior did not happen on it this is also apparent from the freebsd bug report mentioned earlier if it is expected it might help to document the behavior somewhere as i couldn t find much about this in the documentation describe how to reproduce the problem create a pool similar to mine with observe the size shrinkage over time | 1 |
265,606 | 23,183,024,800 | IssuesEvent | 2022-08-01 05:22:37 | nhn-on7/marketgg-shop | https://api.github.com/repos/nhn-on7/marketgg-shop | closed | 사진 후기 등록 및 테스트코드 작성 | Feat Test | ## Overview
1. 사진 후기 등록기능 구현
2. storage 서버에 사진 업로드 기능 구현
## To-do
- [x] validation
- [x] checkstyle
- [x] sonarlint 체크
- [x] convention
- [x] 자바독
---
- [x] 컨트롤러 테스트
- [x] 서비스 테스트 | 1.0 | 사진 후기 등록 및 테스트코드 작성 - ## Overview
1. 사진 후기 등록기능 구현
2. storage 서버에 사진 업로드 기능 구현
## To-do
- [x] validation
- [x] checkstyle
- [x] sonarlint 체크
- [x] convention
- [x] 자바독
---
- [x] 컨트롤러 테스트
- [x] 서비스 테스트 | non_defect | 사진 후기 등록 및 테스트코드 작성 overview 사진 후기 등록기능 구현 storage 서버에 사진 업로드 기능 구현 to do validation checkstyle sonarlint 체크 convention 자바독 컨트롤러 테스트 서비스 테스트 | 0 |
26,608 | 4,771,884,289 | IssuesEvent | 2016-10-26 19:15:25 | cakephp/cakephp | https://api.github.com/repos/cakephp/cakephp | closed | latitude/longitude validation disallows 0 | Defect On hold | This is a (multiple allowed):
* [x] bug
* [ ] enhancement
* [ ] feature-discussion (RFC)
* CakePHP Version: 3.3
* Platform and Target: not relevant.
### What you did
I found the equator is not allowed as latitude
### What happened
look here:
http://api.cakephp.org/3.3/source-class-Cake.Validation.Validation.html#48
https://regexper.com/#%5B-%2B%5D%3F(%5B1-8%5D%3F%5Cd(%5C.%5Cd%2B)%3F%7C90(%5C.0%2B)%3F)
### Expected Behavior
0 is the equator and should be allowed as a valid latitude.
Suggestion:
/^(\+|-)?(?:90(?:(?:\.0{1,10})?)|(?:[0-9]|[1-8][0-9])(?:(?:\.[0-9]{1,10})?))$/
https://regexper.com/#%2F%5E(%5C%2B%7C-)%3F(%3F%3A90(%3F%3A(%3F%3A%5C.0%7B1%2C10%7D)%3F)%7C(%3F%3A%5B0-9%5D%7C%5B1-8%5D%5B0-9%5D)(%3F%3A(%3F%3A%5C.%5B0-9%5D%7B1%2C10%7D)%3F))%24%2F
| 1.0 | latitude/longitude validation disallows 0 - This is a (multiple allowed):
* [x] bug
* [ ] enhancement
* [ ] feature-discussion (RFC)
* CakePHP Version: 3.3
* Platform and Target: not relevant.
### What you did
I found the equator is not allowed as latitude
### What happened
look here:
http://api.cakephp.org/3.3/source-class-Cake.Validation.Validation.html#48
https://regexper.com/#%5B-%2B%5D%3F(%5B1-8%5D%3F%5Cd(%5C.%5Cd%2B)%3F%7C90(%5C.0%2B)%3F)
### Expected Behavior
0 is the equator and should be allowed as a valid latitude.
Suggestion:
/^(\+|-)?(?:90(?:(?:\.0{1,10})?)|(?:[0-9]|[1-8][0-9])(?:(?:\.[0-9]{1,10})?))$/
https://regexper.com/#%2F%5E(%5C%2B%7C-)%3F(%3F%3A90(%3F%3A(%3F%3A%5C.0%7B1%2C10%7D)%3F)%7C(%3F%3A%5B0-9%5D%7C%5B1-8%5D%5B0-9%5D)(%3F%3A(%3F%3A%5C.%5B0-9%5D%7B1%2C10%7D)%3F))%24%2F
| defect | latitude longitude validation disallows this is a multiple allowed bug enhancement feature discussion rfc cakephp version platform and target not relevant what you did i found the equator is not allowed as latitude what happened look here expected behavior is the equator and should be allowed as a valid latitude suggestion | 1 |
88,284 | 15,800,759,535 | IssuesEvent | 2021-04-03 01:09:57 | SmartBear/ready-api-testserver-cli | https://api.github.com/repos/SmartBear/ready-api-testserver-cli | opened | CVE-2020-28500 (Medium) detected in lodash-4.17.20.tgz | security vulnerability | ## CVE-2020-28500 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>lodash-4.17.20.tgz</b></p></summary>
<p>Lodash modular utilities.</p>
<p>Library home page: <a href="https://registry.npmjs.org/lodash/-/lodash-4.17.20.tgz">https://registry.npmjs.org/lodash/-/lodash-4.17.20.tgz</a></p>
<p>Path to dependency file: ready-api-testserver-cli/package.json</p>
<p>Path to vulnerable library: ready-api-testserver-cli/node_modules/lodash/package.json</p>
<p>
Dependency Hierarchy:
- cucumber-0.9.5.tgz (Root Library)
- :x: **lodash-4.17.20.tgz** (Vulnerable Library)
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
Lodash versions prior to 4.17.21 are vulnerable to Regular Expression Denial of Service (ReDoS) via the toNumber, trim and trimEnd functions.
<p>Publish Date: 2021-02-15
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-28500>CVE-2020-28500</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.3</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: Low
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-28500">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-28500</a></p>
<p>Release Date: 2021-02-15</p>
<p>Fix Resolution: lodash - 4.17.21</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"lodash","packageVersion":"4.17.20","packageFilePaths":["/package.json"],"isTransitiveDependency":true,"dependencyTree":"cucumber:0.9.5;lodash:4.17.20","isMinimumFixVersionAvailable":true,"minimumFixVersion":"lodash - 4.17.21"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2020-28500","vulnerabilityDetails":"Lodash versions prior to 4.17.21 are vulnerable to Regular Expression Denial of Service (ReDoS) via the toNumber, trim and trimEnd functions.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-28500","cvss3Severity":"medium","cvss3Score":"5.3","cvss3Metrics":{"A":"Low","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> --> | True | CVE-2020-28500 (Medium) detected in lodash-4.17.20.tgz - ## CVE-2020-28500 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>lodash-4.17.20.tgz</b></p></summary>
<p>Lodash modular utilities.</p>
<p>Library home page: <a href="https://registry.npmjs.org/lodash/-/lodash-4.17.20.tgz">https://registry.npmjs.org/lodash/-/lodash-4.17.20.tgz</a></p>
<p>Path to dependency file: ready-api-testserver-cli/package.json</p>
<p>Path to vulnerable library: ready-api-testserver-cli/node_modules/lodash/package.json</p>
<p>
Dependency Hierarchy:
- cucumber-0.9.5.tgz (Root Library)
- :x: **lodash-4.17.20.tgz** (Vulnerable Library)
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
Lodash versions prior to 4.17.21 are vulnerable to Regular Expression Denial of Service (ReDoS) via the toNumber, trim and trimEnd functions.
<p>Publish Date: 2021-02-15
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-28500>CVE-2020-28500</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.3</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: Low
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-28500">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-28500</a></p>
<p>Release Date: 2021-02-15</p>
<p>Fix Resolution: lodash - 4.17.21</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"lodash","packageVersion":"4.17.20","packageFilePaths":["/package.json"],"isTransitiveDependency":true,"dependencyTree":"cucumber:0.9.5;lodash:4.17.20","isMinimumFixVersionAvailable":true,"minimumFixVersion":"lodash - 4.17.21"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2020-28500","vulnerabilityDetails":"Lodash versions prior to 4.17.21 are vulnerable to Regular Expression Denial of Service (ReDoS) via the toNumber, trim and trimEnd functions.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-28500","cvss3Severity":"medium","cvss3Score":"5.3","cvss3Metrics":{"A":"Low","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> --> | non_defect | cve medium detected in lodash tgz cve medium severity vulnerability vulnerable library lodash tgz lodash modular utilities library home page a href path to dependency file ready api testserver cli package json path to vulnerable library ready api testserver cli node modules lodash package json dependency hierarchy cucumber tgz root library x lodash tgz vulnerable library found in base branch master vulnerability details lodash versions prior to are vulnerable to regular expression denial of service redos via the tonumber trim and trimend functions 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 low for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution lodash isopenpronvulnerability false ispackagebased true isdefaultbranch true packages istransitivedependency true dependencytree cucumber lodash isminimumfixversionavailable true minimumfixversion lodash basebranches vulnerabilityidentifier cve vulnerabilitydetails lodash versions prior to are vulnerable to regular expression denial of service redos via the tonumber trim and trimend functions vulnerabilityurl | 0 |
31,716 | 6,599,709,581 | IssuesEvent | 2017-09-16 23:50:24 | luigirizzo/netmap | https://api.github.com/repos/luigirizzo/netmap | closed | Is it possible to add support for buffering netmap-libpcap | auto-migrated Priority-Medium Type-Defect | ```
What steps will reproduce the problem?
1.Currently, netmap-libpcap is not initializing the libpcap buffers using the
"-B" command if the interface its in netmap mode
2.The buffer itself it interface independent
3.Using buffering can greatly enhance performance when using tcpdump for
capturing and filtering packets
What is the expected output? What do you see instead?
"-B 2000000" should allocate up to 2GB of memory for PF_PACKET sockets
What version of the product are you using? On what operating system?
netmap - latest master branch (as of 10-27-2014)
netmap-libpcap latest master branch (as of 10-27-2014)
Please provide any additional information below.
I am not terribly familiar with the netmap-libpcap patch, but is it possible to
add in support for "-B" in netmap mode?
```
Original issue reported on code.google.com by `morph...@gmail.com` on 27 Oct 2014 at 10:22
| 1.0 | Is it possible to add support for buffering netmap-libpcap - ```
What steps will reproduce the problem?
1.Currently, netmap-libpcap is not initializing the libpcap buffers using the
"-B" command if the interface its in netmap mode
2.The buffer itself it interface independent
3.Using buffering can greatly enhance performance when using tcpdump for
capturing and filtering packets
What is the expected output? What do you see instead?
"-B 2000000" should allocate up to 2GB of memory for PF_PACKET sockets
What version of the product are you using? On what operating system?
netmap - latest master branch (as of 10-27-2014)
netmap-libpcap latest master branch (as of 10-27-2014)
Please provide any additional information below.
I am not terribly familiar with the netmap-libpcap patch, but is it possible to
add in support for "-B" in netmap mode?
```
Original issue reported on code.google.com by `morph...@gmail.com` on 27 Oct 2014 at 10:22
| defect | is it possible to add support for buffering netmap libpcap what steps will reproduce the problem currently netmap libpcap is not initializing the libpcap buffers using the b command if the interface its in netmap mode the buffer itself it interface independent using buffering can greatly enhance performance when using tcpdump for capturing and filtering packets what is the expected output what do you see instead b should allocate up to of memory for pf packet sockets what version of the product are you using on what operating system netmap latest master branch as of netmap libpcap latest master branch as of please provide any additional information below i am not terribly familiar with the netmap libpcap patch but is it possible to add in support for b in netmap mode original issue reported on code google com by morph gmail com on oct at | 1 |
649,009 | 21,215,633,273 | IssuesEvent | 2022-04-11 07:00:33 | ChaosInitiative/Chaos-Source | https://api.github.com/repos/ChaosInitiative/Chaos-Source | closed | Hammer keybind editor has no way to clear bindings | Type: Enhancement What: UI What: Hammer Priority 2: Medium Size 4: Small | ## Which component should be improved?
Hammer
## Describe your suggestion
The keybind editor currently has no way to clear bindings for an action. Pressing Escape simply binds that key to the action, and there's no sort of "clear key" button either.
## Expected result
Like in Source 2013 games, a Clear Key button should be added which clears bindings for the selected action.

| 1.0 | Hammer keybind editor has no way to clear bindings - ## Which component should be improved?
Hammer
## Describe your suggestion
The keybind editor currently has no way to clear bindings for an action. Pressing Escape simply binds that key to the action, and there's no sort of "clear key" button either.
## Expected result
Like in Source 2013 games, a Clear Key button should be added which clears bindings for the selected action.

| non_defect | hammer keybind editor has no way to clear bindings which component should be improved hammer describe your suggestion the keybind editor currently has no way to clear bindings for an action pressing escape simply binds that key to the action and there s no sort of clear key button either expected result like in source games a clear key button should be added which clears bindings for the selected action | 0 |
79,926 | 29,579,118,131 | IssuesEvent | 2023-06-07 03:14:13 | zed-industries/community | https://api.github.com/repos/zed-industries/community | closed | Elixir syntax highlighting not working properly for doc attributes (and more) | defect elixir language | ### Check for existing issues
- [X] Completed
### Describe the bug / provide steps to reproduce it
It appears as though things are mostly correct but the `@doc`, `@moduledoc`, and `@typedoc` are not being recognized as comments. They are being highlighted as normal module attributes and multiline strings, when really they should be comments.
### Environment
```
Zed 0.66.1 – /Applications/Zed.app
macOS 13.1
architecture x86_64
```
### If applicable, add mockups / screenshots to help explain present your vision of the feature
### Zed:
<img width="1030" alt="Screenshot 2022-12-30 at 2 24 52 PM" src="https://user-images.githubusercontent.com/2897340/210101628-32cf9833-94d2-411e-9f31-5217cc9285ef.png">
### VS Code:
<img width="1035" alt="Screenshot 2022-12-30 at 2 25 36 PM" src="https://user-images.githubusercontent.com/2897340/210101681-7d82ef99-fd81-43e2-8d7a-d8900afc4f54.png">
### GitHub:
<img width="791" alt="Screenshot 2023-02-18 at 12 04 06 PM" src="https://user-images.githubusercontent.com/2897340/219875906-9436d581-8718-46a9-ab61-636f39363be0.png">
link to same file as screenshots:
* https://github.com/mtrudel/bandit/blob/main/lib/bandit.ex
### If applicable, attach your `~/Library/Logs/Zed/Zed.log` file to this issue
_No response_ | 1.0 | Elixir syntax highlighting not working properly for doc attributes (and more) - ### Check for existing issues
- [X] Completed
### Describe the bug / provide steps to reproduce it
It appears as though things are mostly correct but the `@doc`, `@moduledoc`, and `@typedoc` are not being recognized as comments. They are being highlighted as normal module attributes and multiline strings, when really they should be comments.
### Environment
```
Zed 0.66.1 – /Applications/Zed.app
macOS 13.1
architecture x86_64
```
### If applicable, add mockups / screenshots to help explain present your vision of the feature
### Zed:
<img width="1030" alt="Screenshot 2022-12-30 at 2 24 52 PM" src="https://user-images.githubusercontent.com/2897340/210101628-32cf9833-94d2-411e-9f31-5217cc9285ef.png">
### VS Code:
<img width="1035" alt="Screenshot 2022-12-30 at 2 25 36 PM" src="https://user-images.githubusercontent.com/2897340/210101681-7d82ef99-fd81-43e2-8d7a-d8900afc4f54.png">
### GitHub:
<img width="791" alt="Screenshot 2023-02-18 at 12 04 06 PM" src="https://user-images.githubusercontent.com/2897340/219875906-9436d581-8718-46a9-ab61-636f39363be0.png">
link to same file as screenshots:
* https://github.com/mtrudel/bandit/blob/main/lib/bandit.ex
### If applicable, attach your `~/Library/Logs/Zed/Zed.log` file to this issue
_No response_ | defect | elixir syntax highlighting not working properly for doc attributes and more check for existing issues completed describe the bug provide steps to reproduce it it appears as though things are mostly correct but the doc moduledoc and typedoc are not being recognized as comments they are being highlighted as normal module attributes and multiline strings when really they should be comments environment zed – applications zed app macos architecture if applicable add mockups screenshots to help explain present your vision of the feature zed img width alt screenshot at pm src vs code img width alt screenshot at pm src github img width alt screenshot at pm src link to same file as screenshots if applicable attach your library logs zed zed log file to this issue no response | 1 |
55,566 | 14,546,573,438 | IssuesEvent | 2020-12-15 21:27:23 | department-of-veterans-affairs/va.gov-cms | https://api.github.com/repos/department-of-veterans-affairs/va.gov-cms | opened | Video CTA should be single value | Campaign landing page Defect | **Describe the defect**
A clear and concise description of what the bug is.
**To Reproduce**
Steps to reproduce the behavior:
1. Go to /node/add/campaign_landing_page
2. In the video panel, add a CTA
3. You'll see the ability to add more than one CTA
**Expected behavior**
A clear and concise description of what you expected to happen.
**Screenshots**

| 1.0 | Video CTA should be single value - **Describe the defect**
A clear and concise description of what the bug is.
**To Reproduce**
Steps to reproduce the behavior:
1. Go to /node/add/campaign_landing_page
2. In the video panel, add a CTA
3. You'll see the ability to add more than one CTA
**Expected behavior**
A clear and concise description of what you expected to happen.
**Screenshots**

| defect | video cta should be single value describe the defect a clear and concise description of what the bug is to reproduce steps to reproduce the behavior go to node add campaign landing page in the video panel add a cta you ll see the ability to add more than one cta expected behavior a clear and concise description of what you expected to happen screenshots | 1 |
184,586 | 14,289,501,631 | IssuesEvent | 2020-11-23 19:21:45 | github-vet/rangeclosure-findings | https://api.github.com/repos/github-vet/rangeclosure-findings | closed | nilsbu/lastfm: pkg/unpack/lastfm_test.go; 20 LoC | fresh small test |
Found a possible issue in [nilsbu/lastfm](https://www.github.com/nilsbu/lastfm) at [pkg/unpack/lastfm_test.go](https://github.com/nilsbu/lastfm/blob/4b2d2acbce6ce931ad3a10a7919fe8f897b0847f/pkg/unpack/lastfm_test.go#L417-L436)
The below snippet of Go code triggered static analysis which searches for goroutines and/or defer statements
which capture loop variables.
[Click here to see the code in its original context.](https://github.com/nilsbu/lastfm/blob/4b2d2acbce6ce931ad3a10a7919fe8f897b0847f/pkg/unpack/lastfm_test.go#L417-L436)
<details>
<summary>Click here to show the 20 line(s) of Go which triggered the analyzer.</summary>
```go
for _, names := range c.names {
for i := range names {
go func(i int) {
res, err := buf.LoadTagInfo(names[i])
tags[i+n] = res
feedback <- err
}(i)
}
for range names {
if err := <-feedback; err != nil {
errs = append(errs, err)
if c.ok {
t.Error("unexpected error:", err)
}
}
}
n += len(names)
}
```
</details>
Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket:
See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information.
commit ID: 4b2d2acbce6ce931ad3a10a7919fe8f897b0847f
| 1.0 | nilsbu/lastfm: pkg/unpack/lastfm_test.go; 20 LoC -
Found a possible issue in [nilsbu/lastfm](https://www.github.com/nilsbu/lastfm) at [pkg/unpack/lastfm_test.go](https://github.com/nilsbu/lastfm/blob/4b2d2acbce6ce931ad3a10a7919fe8f897b0847f/pkg/unpack/lastfm_test.go#L417-L436)
The below snippet of Go code triggered static analysis which searches for goroutines and/or defer statements
which capture loop variables.
[Click here to see the code in its original context.](https://github.com/nilsbu/lastfm/blob/4b2d2acbce6ce931ad3a10a7919fe8f897b0847f/pkg/unpack/lastfm_test.go#L417-L436)
<details>
<summary>Click here to show the 20 line(s) of Go which triggered the analyzer.</summary>
```go
for _, names := range c.names {
for i := range names {
go func(i int) {
res, err := buf.LoadTagInfo(names[i])
tags[i+n] = res
feedback <- err
}(i)
}
for range names {
if err := <-feedback; err != nil {
errs = append(errs, err)
if c.ok {
t.Error("unexpected error:", err)
}
}
}
n += len(names)
}
```
</details>
Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket:
See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information.
commit ID: 4b2d2acbce6ce931ad3a10a7919fe8f897b0847f
| non_defect | nilsbu lastfm pkg unpack lastfm test go loc found a possible issue in at the below snippet of go code triggered static analysis which searches for goroutines and or defer statements which capture loop variables click here to show the line s of go which triggered the analyzer go for names range c names for i range names go func i int res err buf loadtaginfo names tags res feedback err i for range names if err feedback err nil errs append errs err if c ok t error unexpected error err n len names leave a reaction on this issue to contribute to the project by classifying this instance as a bug mitigated or desirable behavior rocket see the descriptions of the classifications for more information commit id | 0 |
9,778 | 2,615,174,539 | IssuesEvent | 2015-03-01 06:57:34 | chrsmith/reaver-wps | https://api.github.com/repos/chrsmith/reaver-wps | opened | 90.90% 99985677 Pin Loop | auto-migrated Priority-Triage Type-Defect | ```
A few things to consider before submitting an issue:
0. We write documentation for a reason, if you have not read it and are
having problems with Reaver these pages are required reading before
submitting an issue:
http://code.google.com/p/reaver-wps/wiki/HintsAndTips
http://code.google.com/p/reaver-wps/wiki/README
http://code.google.com/p/reaver-wps/wiki/FAQ
http://code.google.com/p/reaver-wps/wiki/SupportedWirelessDrivers
1. Reaver will only work if your card is in monitor mode. If you do not
know what monitor mode is then you should learn more about 802.11 hacking
in linux before using Reaver.
2. Using Reaver against access points you do not own or have permission to
attack is illegal. If you cannot answer basic questions (i.e. model
number, distance away, etc) about the device you are attacking then do not
post your issue here. We will not help you break the law.
3. Please look through issues that have already been posted and make sure
your question has not already been asked here: http://code.google.com/p
/reaver-wps/issues/list
4. Often times we need packet captures of mon0 while Reaver is running to
troubleshoot the issue (tcpdump -i mon0 -s0 -w broken_reaver.pcap). Issue
reports with pcap files attached will receive more serious consideration.
Answer the following questions for every issue submitted:
0. What version of Reaver are you using? (Only defects against the latest
version will be considered.) v1.4
1. What operating system are you using (Linux is the only supported OS)?
BackTrack 5 R3
2. Is your wireless card in monitor mode (yes/no)?
Yes
3. What is the signal strength of the Access Point you are trying to crack?
-50
4. What is the manufacturer and model # of the device you are trying to
crack?
D-link
5. What is the entire command line string you are supplying to reaver?
reaver -i mon0 -b (BSSID) -vv
6. Please describe what you think the issue is.
Maybe a bug in reaver 1.4?
7. Paste the output from Reaver below.
root@bt:~# reaver -i mon0 -b xx:xx:xx:xx:xx:xx -v
Reaver v1.4 WiFi Protected Setup Attack Tool
Copyright (c) 2011, Tactical Network Solutions, Craig Heffner
<cheffner@tacnetsol.com>
[?] Restore previous session for xx:xx:xx:xx:xx:xx? [n/Y] y
[+] Restored previous session
[+] Waiting for beacon from xx:xx:xx:xx:xx:xx
[+] Associated with xx:xx:xx:xx:xx:xx (ESSID: xxxxxxx)
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] 90.90% complete @ 2012-09-02 03:52:25 (2 seconds/pin)
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] 90.90% complete @ 2012-09-02 03:52:42 (3 seconds/pin)
[+] Trying pin 99985677
[+] Trying pin 99985677
^C
[+] Session saved.
```
Original issue reported on code.google.com by `kyleay...@gmail.com` on 17 Jan 2014 at 12:51 | 1.0 | 90.90% 99985677 Pin Loop - ```
A few things to consider before submitting an issue:
0. We write documentation for a reason, if you have not read it and are
having problems with Reaver these pages are required reading before
submitting an issue:
http://code.google.com/p/reaver-wps/wiki/HintsAndTips
http://code.google.com/p/reaver-wps/wiki/README
http://code.google.com/p/reaver-wps/wiki/FAQ
http://code.google.com/p/reaver-wps/wiki/SupportedWirelessDrivers
1. Reaver will only work if your card is in monitor mode. If you do not
know what monitor mode is then you should learn more about 802.11 hacking
in linux before using Reaver.
2. Using Reaver against access points you do not own or have permission to
attack is illegal. If you cannot answer basic questions (i.e. model
number, distance away, etc) about the device you are attacking then do not
post your issue here. We will not help you break the law.
3. Please look through issues that have already been posted and make sure
your question has not already been asked here: http://code.google.com/p
/reaver-wps/issues/list
4. Often times we need packet captures of mon0 while Reaver is running to
troubleshoot the issue (tcpdump -i mon0 -s0 -w broken_reaver.pcap). Issue
reports with pcap files attached will receive more serious consideration.
Answer the following questions for every issue submitted:
0. What version of Reaver are you using? (Only defects against the latest
version will be considered.) v1.4
1. What operating system are you using (Linux is the only supported OS)?
BackTrack 5 R3
2. Is your wireless card in monitor mode (yes/no)?
Yes
3. What is the signal strength of the Access Point you are trying to crack?
-50
4. What is the manufacturer and model # of the device you are trying to
crack?
D-link
5. What is the entire command line string you are supplying to reaver?
reaver -i mon0 -b (BSSID) -vv
6. Please describe what you think the issue is.
Maybe a bug in reaver 1.4?
7. Paste the output from Reaver below.
root@bt:~# reaver -i mon0 -b xx:xx:xx:xx:xx:xx -v
Reaver v1.4 WiFi Protected Setup Attack Tool
Copyright (c) 2011, Tactical Network Solutions, Craig Heffner
<cheffner@tacnetsol.com>
[?] Restore previous session for xx:xx:xx:xx:xx:xx? [n/Y] y
[+] Restored previous session
[+] Waiting for beacon from xx:xx:xx:xx:xx:xx
[+] Associated with xx:xx:xx:xx:xx:xx (ESSID: xxxxxxx)
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] 90.90% complete @ 2012-09-02 03:52:25 (2 seconds/pin)
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] Trying pin 99985677
[+] 90.90% complete @ 2012-09-02 03:52:42 (3 seconds/pin)
[+] Trying pin 99985677
[+] Trying pin 99985677
^C
[+] Session saved.
```
Original issue reported on code.google.com by `kyleay...@gmail.com` on 17 Jan 2014 at 12:51 | defect | pin loop a few things to consider before submitting an issue we write documentation for a reason if you have not read it and are having problems with reaver these pages are required reading before submitting an issue reaver will only work if your card is in monitor mode if you do not know what monitor mode is then you should learn more about hacking in linux before using reaver using reaver against access points you do not own or have permission to attack is illegal if you cannot answer basic questions i e model number distance away etc about the device you are attacking then do not post your issue here we will not help you break the law please look through issues that have already been posted and make sure your question has not already been asked here reaver wps issues list often times we need packet captures of while reaver is running to troubleshoot the issue tcpdump i w broken reaver pcap issue reports with pcap files attached will receive more serious consideration answer the following questions for every issue submitted what version of reaver are you using only defects against the latest version will be considered what operating system are you using linux is the only supported os backtrack is your wireless card in monitor mode yes no yes what is the signal strength of the access point you are trying to crack what is the manufacturer and model of the device you are trying to crack d link what is the entire command line string you are supplying to reaver reaver i b bssid vv please describe what you think the issue is maybe a bug in reaver paste the output from reaver below root bt reaver i b xx xx xx xx xx xx v reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner restore previous session for xx xx xx xx xx xx y restored previous session waiting for beacon from xx xx xx xx xx xx associated with xx xx xx xx xx xx essid xxxxxxx trying pin trying pin trying pin trying pin trying pin trying pin complete seconds pin trying pin trying pin trying pin trying pin trying pin complete seconds pin trying pin trying pin c session saved original issue reported on code google com by kyleay gmail com on jan at | 1 |
4,385 | 16,385,947,136 | IssuesEvent | 2021-05-17 10:25:57 | mozilla-mobile/fenix | https://api.github.com/repos/mozilla-mobile/fenix | closed | Investigate why CI is passing for PRs that should fail on build tasks | eng:automation needs:investigation wontfix | Twice this week PRs landed after a full green CI suite that should have failed at least one task (since master shouldn't have built) and then needed reverts.
The two PRs:
https://github.com/mozilla-mobile/fenix/pull/16535
https://github.com/mozilla-mobile/fenix/pull/16536 | 1.0 | Investigate why CI is passing for PRs that should fail on build tasks - Twice this week PRs landed after a full green CI suite that should have failed at least one task (since master shouldn't have built) and then needed reverts.
The two PRs:
https://github.com/mozilla-mobile/fenix/pull/16535
https://github.com/mozilla-mobile/fenix/pull/16536 | non_defect | investigate why ci is passing for prs that should fail on build tasks twice this week prs landed after a full green ci suite that should have failed at least one task since master shouldn t have built and then needed reverts the two prs | 0 |
8,589 | 27,148,906,001 | IssuesEvent | 2023-02-16 22:38:05 | influxdata/ui | https://api.github.com/repos/influxdata/ui | closed | Remove invokable link for InfluxQL scripts | team/automation | InfluxQL scripts will not be invokable (at least not right now). Remove the invokable link for InfluxQL scripts. | 1.0 | Remove invokable link for InfluxQL scripts - InfluxQL scripts will not be invokable (at least not right now). Remove the invokable link for InfluxQL scripts. | non_defect | remove invokable link for influxql scripts influxql scripts will not be invokable at least not right now remove the invokable link for influxql scripts | 0 |
81,238 | 30,765,965,551 | IssuesEvent | 2023-07-30 09:57:48 | cakephp/cakephp | https://api.github.com/repos/cakephp/cakephp | opened | Cake\View\ViewBuilder implements the Serializable interface, which is deprecated in PHP 8 | defect | ### Description
Deprecated: Cake\View\ViewBuilder implements the Serializable interface, which is deprecated. Implement __serialize() and __unserialize() instead (or in addition, if support for old PHP versions is necessary) in src/View/ViewBuilder.php on line 37
My PHP Version 8.1.2-1ubuntu2.13
Do you have a newest version of cakephp, that do not use Serializable ? I downloaded the version 4.4.15 and checked the file View/ViewBuilder.php and saw, that there is still used Serialize in the line 37
### CakePHP Version
4.1.1
### PHP Version
8.1.2 | 1.0 | Cake\View\ViewBuilder implements the Serializable interface, which is deprecated in PHP 8 - ### Description
Deprecated: Cake\View\ViewBuilder implements the Serializable interface, which is deprecated. Implement __serialize() and __unserialize() instead (or in addition, if support for old PHP versions is necessary) in src/View/ViewBuilder.php on line 37
My PHP Version 8.1.2-1ubuntu2.13
Do you have a newest version of cakephp, that do not use Serializable ? I downloaded the version 4.4.15 and checked the file View/ViewBuilder.php and saw, that there is still used Serialize in the line 37
### CakePHP Version
4.1.1
### PHP Version
8.1.2 | defect | cake view viewbuilder implements the serializable interface which is deprecated in php description deprecated cake view viewbuilder implements the serializable interface which is deprecated implement serialize and unserialize instead or in addition if support for old php versions is necessary in src view viewbuilder php on line my php version do you have a newest version of cakephp that do not use serializable i downloaded the version and checked the file view viewbuilder php and saw that there is still used serialize in the line cakephp version php version | 1 |
46,403 | 13,055,908,163 | IssuesEvent | 2020-07-30 03:05:16 | icecube-trac/tix2 | https://api.github.com/repos/icecube-trac/tix2 | opened | [topsimulator] documentation is ancient/non-existent (Trac #1156) | Incomplete Migration Migrated from Trac combo simulation defect | Migrated from https://code.icecube.wisc.edu/ticket/1156
```json
{
"status": "closed",
"changetime": "2016-03-18T21:14:03",
"description": "Documentation in topsimulator are not reachable from the main documentation page. It should be moved to an rst file.\n\nMost features are not documented at all. For example, the Corsika injector has many undocumented features. There are two injectors and they replicate functionality. The validation code is not documented. No test/example is documented. The corsika reader is not documented.",
"reporter": "jgonzalez",
"cc": "",
"resolution": "fixed",
"_ts": "1458335643235016",
"component": "combo simulation",
"summary": "[topsimulator] documentation is ancient/non-existent",
"priority": "blocker",
"keywords": "",
"time": "2015-08-18T13:22:29",
"milestone": "",
"owner": "jgonzalez",
"type": "defect"
}
```
| 1.0 | [topsimulator] documentation is ancient/non-existent (Trac #1156) - Migrated from https://code.icecube.wisc.edu/ticket/1156
```json
{
"status": "closed",
"changetime": "2016-03-18T21:14:03",
"description": "Documentation in topsimulator are not reachable from the main documentation page. It should be moved to an rst file.\n\nMost features are not documented at all. For example, the Corsika injector has many undocumented features. There are two injectors and they replicate functionality. The validation code is not documented. No test/example is documented. The corsika reader is not documented.",
"reporter": "jgonzalez",
"cc": "",
"resolution": "fixed",
"_ts": "1458335643235016",
"component": "combo simulation",
"summary": "[topsimulator] documentation is ancient/non-existent",
"priority": "blocker",
"keywords": "",
"time": "2015-08-18T13:22:29",
"milestone": "",
"owner": "jgonzalez",
"type": "defect"
}
```
| defect | documentation is ancient non existent trac migrated from json status closed changetime description documentation in topsimulator are not reachable from the main documentation page it should be moved to an rst file n nmost features are not documented at all for example the corsika injector has many undocumented features there are two injectors and they replicate functionality the validation code is not documented no test example is documented the corsika reader is not documented reporter jgonzalez cc resolution fixed ts component combo simulation summary documentation is ancient non existent priority blocker keywords time milestone owner jgonzalez type defect | 1 |
209,848 | 16,063,548,394 | IssuesEvent | 2021-04-23 15:36:18 | GeodynamicWorldBuilder/WorldBuilder | https://api.github.com/repos/GeodynamicWorldBuilder/WorldBuilder | opened | fix github action windows python tester | testing enhancement | The github action windows python tester fails because it python run by cmake fails, where it used to work. It might have to do with a new version of python (3.9.2 vs 3.9.4). Running python outside cmake works fine. I have disabled it in #224, since we also test windows python on appveyor. But it would be good to find a fix for this. | 1.0 | fix github action windows python tester - The github action windows python tester fails because it python run by cmake fails, where it used to work. It might have to do with a new version of python (3.9.2 vs 3.9.4). Running python outside cmake works fine. I have disabled it in #224, since we also test windows python on appveyor. But it would be good to find a fix for this. | non_defect | fix github action windows python tester the github action windows python tester fails because it python run by cmake fails where it used to work it might have to do with a new version of python vs running python outside cmake works fine i have disabled it in since we also test windows python on appveyor but it would be good to find a fix for this | 0 |
81,656 | 31,233,271,229 | IssuesEvent | 2023-08-20 00:40:02 | vector-im/element-web | https://api.github.com/repos/vector-im/element-web | opened | "Yes, it was me" button does not work | T-Defect | ### Steps to reproduce
1. Sign up on app.element.io on one device
2. Sign in on a second mobile device
3. Do the verification
4. Click on "Yes, it was me" in the prompt saying "New login. Was this you?"
### Outcome
#### What did you expect?
The dialog disappears
#### What happened instead?
The dialog does not disappear no matter how many times I click the button

The console shows the following:

### Operating system
Linux and Windows
### Browser information
Firefox 116.0
### URL for webapp
app.element.io
### Application version
Element version: 1.11.39 Olm version: 3.2.14
### Homeserver
uplink.mit.edu
### Will you send logs?
Yes | 1.0 | "Yes, it was me" button does not work - ### Steps to reproduce
1. Sign up on app.element.io on one device
2. Sign in on a second mobile device
3. Do the verification
4. Click on "Yes, it was me" in the prompt saying "New login. Was this you?"
### Outcome
#### What did you expect?
The dialog disappears
#### What happened instead?
The dialog does not disappear no matter how many times I click the button

The console shows the following:

### Operating system
Linux and Windows
### Browser information
Firefox 116.0
### URL for webapp
app.element.io
### Application version
Element version: 1.11.39 Olm version: 3.2.14
### Homeserver
uplink.mit.edu
### Will you send logs?
Yes | defect | yes it was me button does not work steps to reproduce sign up on app element io on one device sign in on a second mobile device do the verification click on yes it was me in the prompt saying new login was this you outcome what did you expect the dialog disappears what happened instead the dialog does not disappear no matter how many times i click the button the console shows the following operating system linux and windows browser information firefox url for webapp app element io application version element version olm version homeserver uplink mit edu will you send logs yes | 1 |
680,252 | 23,264,030,431 | IssuesEvent | 2022-08-04 15:41:21 | Clemapfel/jluna | https://api.github.com/repos/Clemapfel/jluna | closed | Segfault when original Task object goes out of scope | crash high priority acknowledged | Hey Clem, sorry to bother you with another issue. Not sure if I'm missing something basic here, but struggling to get multithreading working.
Quick stats before getting into things:
* Ubuntu 20.04
* Julia 1.7.1
* Same behavior with gcc-11 & clang-14
* On latest master ce9a1f5
* ctests --verbose still pass w/ gcc-11 & still fail w/ clang-14
* unsure if relevant at all, but still happens when preceeded by `unsafe::gc_disable()`
Ok, so I've been working my way through the [multithreading docs](https://clemens-cords.com/jluna/multi_threading.html), and things were great until I started trying to manage Task lifetimes.
Tasks seem to terminate the moment the original task object goes out of scope, even when it's added to an std::vector which is still in scope. If I create a task with `auto task = ThreadPool::create(f)` then add `task` to a std::vector, the task terminates when `task` goes out of scope, despite the vector still being in scope. Even more immediate, when I directly add the task to the std::vector with `tasks.push_back(ThreadPool::create(f))` the program segfaults the moment I attempt `tasks.back().schedule()`.
Not sure if that explanation made any sense, here are a few examples to hopefully illustrate what I'm seeing.
### Basic example
```
using namespace jluna;
int main() {
initialize(8);
std::function<void()> f = []() -> void {
std::cout << "This is Thread: " << ThreadPool::thread_id << std::endl;
};
// naive spawn task (this works fine)
auto task = ThreadPool::create(f);
task.schedule();
task.join();
// vector for managing task lifetimes
std::vector<Task<void>> tasks;
// spawn task into vector
tasks.push_back(ThreadPool::create(f));
tasks.back().schedule();
tasks.back().join();
}
```
```
[JULIA][LOG] initialization successful (8 thread(s)).
This is Thread: 1
signal (11): Segmentation fault
in expression starting at none:0
unknown function (ip: 0x7fd2e8479e40)
operator() at /home/frivold/Code/jluna/install/include/jluna/.src/multi_threading.inl:252
__invoke_impl<_jl_value_t*, jluna::ThreadPool::create<>(const std::function<void()>&)::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:61
__invoke_r<_jl_value_t*, jluna::ThreadPool::create<>(const std::function<void()>&)::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:114
_M_invoke at /usr/include/c++/11/bits/std_function.h:291
_ZNKSt8functionIFP11_jl_value_tvEEclEv at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
jluna_invoke_from_task at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
#3 at ./none:813
unknown function (ip: 0x7fd2eb6ef89f)
_jl_invoke at /buildworker/worker/package_linux64/build/src/gf.c:2247 [inlined]
jl_apply_generic at /buildworker/worker/package_linux64/build/src/gf.c:2429
jl_apply at /buildworker/worker/package_linux64/build/src/julia.h:1788 [inlined]
start_task at /buildworker/worker/package_linux64/build/src/task.c:877
Allocations: 1626159 (Pool: 1625207; Big: 952); GC: 1
Process finished with exit code 139 (interrupted by signal 11: SIGSEGV)
```
### Example with scope block
```
#include <jluna.hpp>
using namespace jluna;
int main() {
initialize(8);
auto println_jl = Main.safe_eval("return println");
auto sleep_jl = Main.safe_eval("return sleep");
std::function<void()> five_mississippi = [&]() -> void {
for (int i=1; i<=5; i++) {
println_jl(i, " Mississippi");
sleep_jl(1);
}
println_jl("Done");
};
// vector for managing task lifetimes
std::vector<Task<void>> tasks;
// scope block
{
auto task = ThreadPool::create(five_mississippi);
tasks.push_back(task);
tasks.back().schedule();
sleep_jl(2);
}
tasks.back().join();
}
```
```
[JULIA][LOG] initialization successful (8 thread(s)).
1 Mississippi
2 Mississippi
signal (11): Segmentation fault
in expression starting at none:0
jl_get_nth_field at /buildworker/worker/package_linux64/build/src/datatype.c:1392
_ZNK5jluna5Proxy10ProxyValue5valueEv at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
safe_call<int&, char const (&)[13]> at /home/frivold/Code/jluna/install/include/jluna/.src/proxy.inl:93
operator()<int&, char const (&)[13]> at /home/frivold/Code/jluna/install/include/jluna/.src/proxy.inl:115
operator() at /home/frivold/kef_env/kef_ws/src/jluna_wrapper/src/gcc_test.cpp:12
__invoke_impl<void, main()::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:61
__invoke_r<void, main()::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:111
_M_invoke at /usr/include/c++/11/bits/std_function.h:291
operator() at /usr/include/c++/11/bits/std_function.h:560
operator() at /home/frivold/Code/jluna/install/include/jluna/.src/multi_threading.inl:252
__invoke_impl<_jl_value_t*, jluna::ThreadPool::create<>(const std::function<void()>&)::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:61
__invoke_r<_jl_value_t*, jluna::ThreadPool::create<>(const std::function<void()>&)::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:114
_M_invoke at /usr/include/c++/11/bits/std_function.h:291
_ZNKSt8functionIFP11_jl_value_tvEEclEv at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
jluna_invoke_from_task at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
#3 at ./none:813
unknown function (ip: 0x7f9540090b9f)
_jl_invoke at /buildworker/worker/package_linux64/build/src/gf.c:2247 [inlined]
jl_apply_generic at /buildworker/worker/package_linux64/build/src/gf.c:2429
jl_apply at /buildworker/worker/package_linux64/build/src/julia.h:1788 [inlined]
start_task at /buildworker/worker/package_linux64/build/src/task.c:877
Allocations: 1625914 (Pool: 1624963; Big: 951); GC: 1
Process finished with exit code 139 (interrupted by signal 11: SIGSEGV)
```
### Example from multithreading docs
```
int main() {
using namespace jluna;
using namespace std::chrono_literals;
/// in main.cpp
jluna::initialize(8);
// task storage
std::vector<Task<void>> tasks;
{
// declare lambda
std::function<void()> print_numbers = []() -> void
{
for (size_t i = 0; i < 10000; ++i)
std::cout << i << std::endl;
};
// add task to storage
tasks.push_back(ThreadPool::create(print_numbers));
// start just pushed task
tasks.back().schedule();
// wait for 1ms
std::this_thread::sleep_for(1ms);
}
// wait for another 10ms
std::this_thread::sleep_for(10ms);
return 0;
}
```
```
[JULIA][LOG] initialization successful (8 thread(s)).
signal (11): Segmentation fault
in expression starting at none:0
unknown function (ip: 0x55cf03eabce0)
jluna_invoke_from_task at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
#3 at ./none:813
unknown function (ip: 0x7f0ac586291f)
_jl_invoke at /buildworker/worker/package_linux64/build/src/gf.c:2247 [inlined]
jl_apply_generic at /buildworker/worker/package_linux64/build/src/gf.c:2429
jl_apply at /buildworker/worker/package_linux64/build/src/julia.h:1788 [inlined]
start_task at /buildworker/worker/package_linux64/build/src/task.c:877
Allocations: 1626138 (Pool: 1625189; Big: 949); GC: 1
``` | 1.0 | Segfault when original Task object goes out of scope - Hey Clem, sorry to bother you with another issue. Not sure if I'm missing something basic here, but struggling to get multithreading working.
Quick stats before getting into things:
* Ubuntu 20.04
* Julia 1.7.1
* Same behavior with gcc-11 & clang-14
* On latest master ce9a1f5
* ctests --verbose still pass w/ gcc-11 & still fail w/ clang-14
* unsure if relevant at all, but still happens when preceeded by `unsafe::gc_disable()`
Ok, so I've been working my way through the [multithreading docs](https://clemens-cords.com/jluna/multi_threading.html), and things were great until I started trying to manage Task lifetimes.
Tasks seem to terminate the moment the original task object goes out of scope, even when it's added to an std::vector which is still in scope. If I create a task with `auto task = ThreadPool::create(f)` then add `task` to a std::vector, the task terminates when `task` goes out of scope, despite the vector still being in scope. Even more immediate, when I directly add the task to the std::vector with `tasks.push_back(ThreadPool::create(f))` the program segfaults the moment I attempt `tasks.back().schedule()`.
Not sure if that explanation made any sense, here are a few examples to hopefully illustrate what I'm seeing.
### Basic example
```
using namespace jluna;
int main() {
initialize(8);
std::function<void()> f = []() -> void {
std::cout << "This is Thread: " << ThreadPool::thread_id << std::endl;
};
// naive spawn task (this works fine)
auto task = ThreadPool::create(f);
task.schedule();
task.join();
// vector for managing task lifetimes
std::vector<Task<void>> tasks;
// spawn task into vector
tasks.push_back(ThreadPool::create(f));
tasks.back().schedule();
tasks.back().join();
}
```
```
[JULIA][LOG] initialization successful (8 thread(s)).
This is Thread: 1
signal (11): Segmentation fault
in expression starting at none:0
unknown function (ip: 0x7fd2e8479e40)
operator() at /home/frivold/Code/jluna/install/include/jluna/.src/multi_threading.inl:252
__invoke_impl<_jl_value_t*, jluna::ThreadPool::create<>(const std::function<void()>&)::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:61
__invoke_r<_jl_value_t*, jluna::ThreadPool::create<>(const std::function<void()>&)::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:114
_M_invoke at /usr/include/c++/11/bits/std_function.h:291
_ZNKSt8functionIFP11_jl_value_tvEEclEv at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
jluna_invoke_from_task at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
#3 at ./none:813
unknown function (ip: 0x7fd2eb6ef89f)
_jl_invoke at /buildworker/worker/package_linux64/build/src/gf.c:2247 [inlined]
jl_apply_generic at /buildworker/worker/package_linux64/build/src/gf.c:2429
jl_apply at /buildworker/worker/package_linux64/build/src/julia.h:1788 [inlined]
start_task at /buildworker/worker/package_linux64/build/src/task.c:877
Allocations: 1626159 (Pool: 1625207; Big: 952); GC: 1
Process finished with exit code 139 (interrupted by signal 11: SIGSEGV)
```
### Example with scope block
```
#include <jluna.hpp>
using namespace jluna;
int main() {
initialize(8);
auto println_jl = Main.safe_eval("return println");
auto sleep_jl = Main.safe_eval("return sleep");
std::function<void()> five_mississippi = [&]() -> void {
for (int i=1; i<=5; i++) {
println_jl(i, " Mississippi");
sleep_jl(1);
}
println_jl("Done");
};
// vector for managing task lifetimes
std::vector<Task<void>> tasks;
// scope block
{
auto task = ThreadPool::create(five_mississippi);
tasks.push_back(task);
tasks.back().schedule();
sleep_jl(2);
}
tasks.back().join();
}
```
```
[JULIA][LOG] initialization successful (8 thread(s)).
1 Mississippi
2 Mississippi
signal (11): Segmentation fault
in expression starting at none:0
jl_get_nth_field at /buildworker/worker/package_linux64/build/src/datatype.c:1392
_ZNK5jluna5Proxy10ProxyValue5valueEv at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
safe_call<int&, char const (&)[13]> at /home/frivold/Code/jluna/install/include/jluna/.src/proxy.inl:93
operator()<int&, char const (&)[13]> at /home/frivold/Code/jluna/install/include/jluna/.src/proxy.inl:115
operator() at /home/frivold/kef_env/kef_ws/src/jluna_wrapper/src/gcc_test.cpp:12
__invoke_impl<void, main()::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:61
__invoke_r<void, main()::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:111
_M_invoke at /usr/include/c++/11/bits/std_function.h:291
operator() at /usr/include/c++/11/bits/std_function.h:560
operator() at /home/frivold/Code/jluna/install/include/jluna/.src/multi_threading.inl:252
__invoke_impl<_jl_value_t*, jluna::ThreadPool::create<>(const std::function<void()>&)::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:61
__invoke_r<_jl_value_t*, jluna::ThreadPool::create<>(const std::function<void()>&)::<lambda()>&> at /usr/include/c++/11/bits/invoke.h:114
_M_invoke at /usr/include/c++/11/bits/std_function.h:291
_ZNKSt8functionIFP11_jl_value_tvEEclEv at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
jluna_invoke_from_task at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
#3 at ./none:813
unknown function (ip: 0x7f9540090b9f)
_jl_invoke at /buildworker/worker/package_linux64/build/src/gf.c:2247 [inlined]
jl_apply_generic at /buildworker/worker/package_linux64/build/src/gf.c:2429
jl_apply at /buildworker/worker/package_linux64/build/src/julia.h:1788 [inlined]
start_task at /buildworker/worker/package_linux64/build/src/task.c:877
Allocations: 1625914 (Pool: 1624963; Big: 951); GC: 1
Process finished with exit code 139 (interrupted by signal 11: SIGSEGV)
```
### Example from multithreading docs
```
int main() {
using namespace jluna;
using namespace std::chrono_literals;
/// in main.cpp
jluna::initialize(8);
// task storage
std::vector<Task<void>> tasks;
{
// declare lambda
std::function<void()> print_numbers = []() -> void
{
for (size_t i = 0; i < 10000; ++i)
std::cout << i << std::endl;
};
// add task to storage
tasks.push_back(ThreadPool::create(print_numbers));
// start just pushed task
tasks.back().schedule();
// wait for 1ms
std::this_thread::sleep_for(1ms);
}
// wait for another 10ms
std::this_thread::sleep_for(10ms);
return 0;
}
```
```
[JULIA][LOG] initialization successful (8 thread(s)).
signal (11): Segmentation fault
in expression starting at none:0
unknown function (ip: 0x55cf03eabce0)
jluna_invoke_from_task at /home/frivold/Code/jluna/install/libjluna.so.0.9.1 (unknown line)
#3 at ./none:813
unknown function (ip: 0x7f0ac586291f)
_jl_invoke at /buildworker/worker/package_linux64/build/src/gf.c:2247 [inlined]
jl_apply_generic at /buildworker/worker/package_linux64/build/src/gf.c:2429
jl_apply at /buildworker/worker/package_linux64/build/src/julia.h:1788 [inlined]
start_task at /buildworker/worker/package_linux64/build/src/task.c:877
Allocations: 1626138 (Pool: 1625189; Big: 949); GC: 1
``` | non_defect | segfault when original task object goes out of scope hey clem sorry to bother you with another issue not sure if i m missing something basic here but struggling to get multithreading working quick stats before getting into things ubuntu julia same behavior with gcc clang on latest master ctests verbose still pass w gcc still fail w clang unsure if relevant at all but still happens when preceeded by unsafe gc disable ok so i ve been working my way through the and things were great until i started trying to manage task lifetimes tasks seem to terminate the moment the original task object goes out of scope even when it s added to an std vector which is still in scope if i create a task with auto task threadpool create f then add task to a std vector the task terminates when task goes out of scope despite the vector still being in scope even more immediate when i directly add the task to the std vector with tasks push back threadpool create f the program segfaults the moment i attempt tasks back schedule not sure if that explanation made any sense here are a few examples to hopefully illustrate what i m seeing basic example using namespace jluna int main initialize std function f void std cout this is thread threadpool thread id std endl naive spawn task this works fine auto task threadpool create f task schedule task join vector for managing task lifetimes std vector tasks spawn task into vector tasks push back threadpool create f tasks back schedule tasks back join initialization successful thread s this is thread signal segmentation fault in expression starting at none unknown function ip operator at home frivold code jluna install include jluna src multi threading inl invoke impl const std function at usr include c bits invoke h invoke r const std function at usr include c bits invoke h m invoke at usr include c bits std function h jl value tveeclev at home frivold code jluna install libjluna so unknown line jluna invoke from task at home frivold code jluna install libjluna so unknown line at none unknown function ip jl invoke at buildworker worker package build src gf c jl apply generic at buildworker worker package build src gf c jl apply at buildworker worker package build src julia h start task at buildworker worker package build src task c allocations pool big gc process finished with exit code interrupted by signal sigsegv example with scope block include using namespace jluna int main initialize auto println jl main safe eval return println auto sleep jl main safe eval return sleep std function five mississippi void for int i i i println jl i mississippi sleep jl println jl done vector for managing task lifetimes std vector tasks scope block auto task threadpool create five mississippi tasks push back task tasks back schedule sleep jl tasks back join initialization successful thread s mississippi mississippi signal segmentation fault in expression starting at none jl get nth field at buildworker worker package build src datatype c at home frivold code jluna install libjluna so unknown line safe call at home frivold code jluna install include jluna src proxy inl operator at home frivold code jluna install include jluna src proxy inl operator at home frivold kef env kef ws src jluna wrapper src gcc test cpp invoke impl at usr include c bits invoke h invoke r at usr include c bits invoke h m invoke at usr include c bits std function h operator at usr include c bits std function h operator at home frivold code jluna install include jluna src multi threading inl invoke impl const std function at usr include c bits invoke h invoke r const std function at usr include c bits invoke h m invoke at usr include c bits std function h jl value tveeclev at home frivold code jluna install libjluna so unknown line jluna invoke from task at home frivold code jluna install libjluna so unknown line at none unknown function ip jl invoke at buildworker worker package build src gf c jl apply generic at buildworker worker package build src gf c jl apply at buildworker worker package build src julia h start task at buildworker worker package build src task c allocations pool big gc process finished with exit code interrupted by signal sigsegv example from multithreading docs int main using namespace jluna using namespace std chrono literals in main cpp jluna initialize task storage std vector tasks declare lambda std function print numbers void for size t i i i std cout i std endl add task to storage tasks push back threadpool create print numbers start just pushed task tasks back schedule wait for std this thread sleep for wait for another std this thread sleep for return initialization successful thread s signal segmentation fault in expression starting at none unknown function ip jluna invoke from task at home frivold code jluna install libjluna so unknown line at none unknown function ip jl invoke at buildworker worker package build src gf c jl apply generic at buildworker worker package build src gf c jl apply at buildworker worker package build src julia h start task at buildworker worker package build src task c allocations pool big gc | 0 |
38,147 | 8,674,339,271 | IssuesEvent | 2018-11-30 07:10:36 | vim/vim | https://api.github.com/repos/vim/vim | closed | Ruby syntax highlighting w/ either cursorline or relativenumber causes lag from high CPU usage | Priority-Medium auto-migrated defect runtime | ```
With ruby syntax highlighting on, turning on cursorline or relativenumber
settings causes lag due to high CPU usage when moving the cursor up and down.
The conditions below exaggerbate the problem to help make it obvious and
reproducible, but the same problem exists at lesser scale with smaller terminal
sizes. This is a significant problem though, because when CPUs are otherwise
bogged down (eg. when pair programming with someone via screen share on Google
Hangouts), moving the cursor in a ruby file can be ridiculously slow.
What steps will reproduce the problem?
1. Temporarily rename ~/.vim/ and ~/.vimrc to ensure nothing but vanilla vim
2. Resize the terminal window so that ~100 lines are visible (normal for large
monitors)
3. Open a ruby file with non-trivial syntax:
https://raw.githubusercontent.com/rails/rails/f43f56e/activerecord/lib/active_re
cord/associations.rb
4. :syntax on
5. :set relativenumber
6. Hold down j or <down> for 1-2 seconds. (Ensure the system's keyboard repeat
rate is not slow, ideally maxed)
7. Notice that CPU usage for the vim process is at 100%, accompanied by choppy
redrawing and lag. Upon releasing the j/<down> key, buffered keypresses
continue to move the cursor down.
What is the expected behavior?
1. With the same file open and under the same conditions, :set syntax=java
2. Notice there is no longer excessive CPU usage or any lag when moving the
cursor up and down. The cursor stops moving immediately when the key is
released.
---
I understand that ruby's syntax is complex and nontrivial to parse. If there's
no clear way to reduce CPU usage for parsing ruby syntax for syntax
highlighting, are there other ways you can think of to prevent the syntax
highlighting from having to be recalculated when the screen is redrawn for
relativenumber and cursorline? Can we profile and find where the problem lies?
---
I can reproduce this in Vim 7.4 on both Ubuntu and OSX:
VIM - Vi IMproved 7.4 (2013 Aug 10, compiled Nov 12 2014 20:26:50)
MacOS X (unix) version
Included patches: 1-488
Compiled by Homebrew
Huge version without GUI. Features included (+) or not (-):
+acl +farsi +mouse_netterm +syntax
+arabic +file_in_path +mouse_sgr +tag_binary
+autocmd +find_in_path -mouse_sysmouse +tag_old_static
-balloon_eval +float +mouse_urxvt -tag_any_white
-browse +folding +mouse_xterm -tcl
++builtin_terms -footer +multi_byte +terminfo
+byte_offset +fork() +multi_lang +termresponse
+cindent -gettext -mzscheme +textobjects
-clientserver -hangul_input +netbeans_intg +title
+clipboard +iconv +path_extra -toolbar
+cmdline_compl +insert_expand +perl +user_commands
+cmdline_hist +jumplist +persistent_undo +vertsplit
+cmdline_info +keymap +postscript +virtualedit
+comments +langmap +printer +visual
+conceal +libcall +profile +visualextra
+cryptv +linebreak +python +viminfo
+cscope +lispindent -python3 +vreplace
+cursorbind +listcmds +quickfix +wildignore
+cursorshape +localmap +reltime +wildmenu
+dialog_con -lua +rightleft +windows
+diff +menu +ruby +writebackup
+digraphs +mksession +scrollbind -X11
-dnd +modify_fname +signs -xfontset
-ebcdic +mouse +smartindent -xim
+emacs_tags -mouseshape -sniff -xsmp
+eval +mouse_dec +startuptime -xterm_clipboard
+ex_extra -mouse_gpm +statusline -xterm_save
+extra_search -mouse_jsbterm -sun_workshop -xpm
system vimrc file: "$VIM/vimrc"
user vimrc file: "$HOME/.vimrc"
2nd user vimrc file: "~/.vim/vimrc"
user exrc file: "$HOME/.exrc"
fall-back for $VIM: "/usr/local/share/vim"
Compilation: /usr/bin/clang -c -I. -Iproto -DHAVE_CONFIG_H
-F/usr/local/Frameworks -DMACOS_X_UNIX -Os -w -pipe -march=native
-mmacosx-version-min=10.10 -U_FORTIFY_SOURCE -D_FORTIFY_SOURCE=1
Linking: /usr/bin/clang -L. -L/usr/local/lib -L/usr/local/lib
-F/usr/local/Frameworks -Wl,-headerpad_max_install_names -o vim -lm
-lncurses -liconv -framework Cocoa -fstack-protector
-L/System/Library/Perl/5.18/darwin-thread-multi-2level/CORE -lperl -framework
Python -lruby.2.0.0 -lobjc
AND
VIM - Vi IMproved 7.4 (2013 Aug 10, compiled Aug 15 2013 11:04:13)
Included patches: 1-5
Modified by pkg-vim-maintainers@lists.alioth.debian.org
Compiled by buildd@
Huge version without GUI. Features included (+) or not (-):
+arabic +file_in_path +mouse_sgr +tag_binary
+autocmd +find_in_path -mouse_sysmouse +tag_old_static
-balloon_eval +float +mouse_urxvt -tag_any_white
-browse +folding +mouse_xterm +tcl
++builtin_terms -footer +multi_byte +terminfo
+byte_offset +fork() +multi_lang +termresponse
+cindent +gettext -mzscheme +textobjects
-clientserver -hangul_input +netbeans_intg +title
-clipboard +iconv +path_extra -toolbar
+cmdline_compl +insert_expand +perl +user_commands
+cmdline_hist +jumplist +persistent_undo +vertsplit
+cmdline_info +keymap +postscript +virtualedit
+comments +langmap +printer +visual
+conceal +libcall +profile +visualextra
+cryptv +linebreak +python +viminfo
+cscope +lispindent -python3 +vreplace
+cursorbind +listcmds +quickfix +wildignore
+cursorshape +localmap +reltime +wildmenu
+dialog_con +lua +rightleft +windows
+diff +menu +ruby +writebackup
+digraphs +mksession +scrollbind -X11
-dnd +modify_fname +signs -xfontset
-ebcdic +mouse +smartindent -xim
+emacs_tags -mouseshape -sniff -xsmp
+eval +mouse_dec +startuptime -xterm_clipboard
+ex_extra +mouse_gpm +statusline -xterm_save
+extra_search -mouse_jsbterm -sun_workshop
+farsi +mouse_netterm +syntax
system vimrc file: "$VIM/vimrc"
user vimrc file: "$HOME/.vimrc"
2nd user vimrc file: "~/.vim/vimrc"
user exrc file: "$HOME/.exrc"
fall-back for $VIM: "/usr/share/vim"
Compilation: gcc -c -I. -Iproto -DHAVE_CONFIG_H -g -O2 -fstack-protector
--param=ssp-buffer-size=4 -Wformat -Wformat-security -Werror=format-security
-U_FORTIFY_SOURCE -D_FORTIFY_SOURCE=1 -I/usr/include/tcl8.5 -D_REENTRANT=1
-D_THREAD_SAFE=1 -D_LARGEFILE64_SOURCE=1
Linking: gcc -L. -Wl,-Bsymbolic-functions -Wl,-z,relro -rdynamic
-Wl,-export-dynamic -Wl,-E -Wl,-Bsymbolic-functions -Wl,-z,relro
-Wl,--as-needed -o vim -lm -ltinfo -lnsl -lselinux -lacl -lattr -lgpm
-ldl -L/usr/lib -llua5.1 -Wl,-E -fstack-protector -L/usr/local/lib
-L/usr/lib/perl/5.14/CORE -lperl -ldl -lm -lpthread -lcrypt
-L/usr/lib/python2.7/config-x86_64-linux-gnu
```
Original issue reported on code.google.com by `nil...@gmail.com` on 13 Nov 2014 at 4:26
| 1.0 | Ruby syntax highlighting w/ either cursorline or relativenumber causes lag from high CPU usage - ```
With ruby syntax highlighting on, turning on cursorline or relativenumber
settings causes lag due to high CPU usage when moving the cursor up and down.
The conditions below exaggerbate the problem to help make it obvious and
reproducible, but the same problem exists at lesser scale with smaller terminal
sizes. This is a significant problem though, because when CPUs are otherwise
bogged down (eg. when pair programming with someone via screen share on Google
Hangouts), moving the cursor in a ruby file can be ridiculously slow.
What steps will reproduce the problem?
1. Temporarily rename ~/.vim/ and ~/.vimrc to ensure nothing but vanilla vim
2. Resize the terminal window so that ~100 lines are visible (normal for large
monitors)
3. Open a ruby file with non-trivial syntax:
https://raw.githubusercontent.com/rails/rails/f43f56e/activerecord/lib/active_re
cord/associations.rb
4. :syntax on
5. :set relativenumber
6. Hold down j or <down> for 1-2 seconds. (Ensure the system's keyboard repeat
rate is not slow, ideally maxed)
7. Notice that CPU usage for the vim process is at 100%, accompanied by choppy
redrawing and lag. Upon releasing the j/<down> key, buffered keypresses
continue to move the cursor down.
What is the expected behavior?
1. With the same file open and under the same conditions, :set syntax=java
2. Notice there is no longer excessive CPU usage or any lag when moving the
cursor up and down. The cursor stops moving immediately when the key is
released.
---
I understand that ruby's syntax is complex and nontrivial to parse. If there's
no clear way to reduce CPU usage for parsing ruby syntax for syntax
highlighting, are there other ways you can think of to prevent the syntax
highlighting from having to be recalculated when the screen is redrawn for
relativenumber and cursorline? Can we profile and find where the problem lies?
---
I can reproduce this in Vim 7.4 on both Ubuntu and OSX:
VIM - Vi IMproved 7.4 (2013 Aug 10, compiled Nov 12 2014 20:26:50)
MacOS X (unix) version
Included patches: 1-488
Compiled by Homebrew
Huge version without GUI. Features included (+) or not (-):
+acl +farsi +mouse_netterm +syntax
+arabic +file_in_path +mouse_sgr +tag_binary
+autocmd +find_in_path -mouse_sysmouse +tag_old_static
-balloon_eval +float +mouse_urxvt -tag_any_white
-browse +folding +mouse_xterm -tcl
++builtin_terms -footer +multi_byte +terminfo
+byte_offset +fork() +multi_lang +termresponse
+cindent -gettext -mzscheme +textobjects
-clientserver -hangul_input +netbeans_intg +title
+clipboard +iconv +path_extra -toolbar
+cmdline_compl +insert_expand +perl +user_commands
+cmdline_hist +jumplist +persistent_undo +vertsplit
+cmdline_info +keymap +postscript +virtualedit
+comments +langmap +printer +visual
+conceal +libcall +profile +visualextra
+cryptv +linebreak +python +viminfo
+cscope +lispindent -python3 +vreplace
+cursorbind +listcmds +quickfix +wildignore
+cursorshape +localmap +reltime +wildmenu
+dialog_con -lua +rightleft +windows
+diff +menu +ruby +writebackup
+digraphs +mksession +scrollbind -X11
-dnd +modify_fname +signs -xfontset
-ebcdic +mouse +smartindent -xim
+emacs_tags -mouseshape -sniff -xsmp
+eval +mouse_dec +startuptime -xterm_clipboard
+ex_extra -mouse_gpm +statusline -xterm_save
+extra_search -mouse_jsbterm -sun_workshop -xpm
system vimrc file: "$VIM/vimrc"
user vimrc file: "$HOME/.vimrc"
2nd user vimrc file: "~/.vim/vimrc"
user exrc file: "$HOME/.exrc"
fall-back for $VIM: "/usr/local/share/vim"
Compilation: /usr/bin/clang -c -I. -Iproto -DHAVE_CONFIG_H
-F/usr/local/Frameworks -DMACOS_X_UNIX -Os -w -pipe -march=native
-mmacosx-version-min=10.10 -U_FORTIFY_SOURCE -D_FORTIFY_SOURCE=1
Linking: /usr/bin/clang -L. -L/usr/local/lib -L/usr/local/lib
-F/usr/local/Frameworks -Wl,-headerpad_max_install_names -o vim -lm
-lncurses -liconv -framework Cocoa -fstack-protector
-L/System/Library/Perl/5.18/darwin-thread-multi-2level/CORE -lperl -framework
Python -lruby.2.0.0 -lobjc
AND
VIM - Vi IMproved 7.4 (2013 Aug 10, compiled Aug 15 2013 11:04:13)
Included patches: 1-5
Modified by pkg-vim-maintainers@lists.alioth.debian.org
Compiled by buildd@
Huge version without GUI. Features included (+) or not (-):
+arabic +file_in_path +mouse_sgr +tag_binary
+autocmd +find_in_path -mouse_sysmouse +tag_old_static
-balloon_eval +float +mouse_urxvt -tag_any_white
-browse +folding +mouse_xterm +tcl
++builtin_terms -footer +multi_byte +terminfo
+byte_offset +fork() +multi_lang +termresponse
+cindent +gettext -mzscheme +textobjects
-clientserver -hangul_input +netbeans_intg +title
-clipboard +iconv +path_extra -toolbar
+cmdline_compl +insert_expand +perl +user_commands
+cmdline_hist +jumplist +persistent_undo +vertsplit
+cmdline_info +keymap +postscript +virtualedit
+comments +langmap +printer +visual
+conceal +libcall +profile +visualextra
+cryptv +linebreak +python +viminfo
+cscope +lispindent -python3 +vreplace
+cursorbind +listcmds +quickfix +wildignore
+cursorshape +localmap +reltime +wildmenu
+dialog_con +lua +rightleft +windows
+diff +menu +ruby +writebackup
+digraphs +mksession +scrollbind -X11
-dnd +modify_fname +signs -xfontset
-ebcdic +mouse +smartindent -xim
+emacs_tags -mouseshape -sniff -xsmp
+eval +mouse_dec +startuptime -xterm_clipboard
+ex_extra +mouse_gpm +statusline -xterm_save
+extra_search -mouse_jsbterm -sun_workshop
+farsi +mouse_netterm +syntax
system vimrc file: "$VIM/vimrc"
user vimrc file: "$HOME/.vimrc"
2nd user vimrc file: "~/.vim/vimrc"
user exrc file: "$HOME/.exrc"
fall-back for $VIM: "/usr/share/vim"
Compilation: gcc -c -I. -Iproto -DHAVE_CONFIG_H -g -O2 -fstack-protector
--param=ssp-buffer-size=4 -Wformat -Wformat-security -Werror=format-security
-U_FORTIFY_SOURCE -D_FORTIFY_SOURCE=1 -I/usr/include/tcl8.5 -D_REENTRANT=1
-D_THREAD_SAFE=1 -D_LARGEFILE64_SOURCE=1
Linking: gcc -L. -Wl,-Bsymbolic-functions -Wl,-z,relro -rdynamic
-Wl,-export-dynamic -Wl,-E -Wl,-Bsymbolic-functions -Wl,-z,relro
-Wl,--as-needed -o vim -lm -ltinfo -lnsl -lselinux -lacl -lattr -lgpm
-ldl -L/usr/lib -llua5.1 -Wl,-E -fstack-protector -L/usr/local/lib
-L/usr/lib/perl/5.14/CORE -lperl -ldl -lm -lpthread -lcrypt
-L/usr/lib/python2.7/config-x86_64-linux-gnu
```
Original issue reported on code.google.com by `nil...@gmail.com` on 13 Nov 2014 at 4:26
| defect | ruby syntax highlighting w either cursorline or relativenumber causes lag from high cpu usage with ruby syntax highlighting on turning on cursorline or relativenumber settings causes lag due to high cpu usage when moving the cursor up and down the conditions below exaggerbate the problem to help make it obvious and reproducible but the same problem exists at lesser scale with smaller terminal sizes this is a significant problem though because when cpus are otherwise bogged down eg when pair programming with someone via screen share on google hangouts moving the cursor in a ruby file can be ridiculously slow what steps will reproduce the problem temporarily rename vim and vimrc to ensure nothing but vanilla vim resize the terminal window so that lines are visible normal for large monitors open a ruby file with non trivial syntax cord associations rb syntax on set relativenumber hold down j or for seconds ensure the system s keyboard repeat rate is not slow ideally maxed notice that cpu usage for the vim process is at accompanied by choppy redrawing and lag upon releasing the j key buffered keypresses continue to move the cursor down what is the expected behavior with the same file open and under the same conditions set syntax java notice there is no longer excessive cpu usage or any lag when moving the cursor up and down the cursor stops moving immediately when the key is released i understand that ruby s syntax is complex and nontrivial to parse if there s no clear way to reduce cpu usage for parsing ruby syntax for syntax highlighting are there other ways you can think of to prevent the syntax highlighting from having to be recalculated when the screen is redrawn for relativenumber and cursorline can we profile and find where the problem lies i can reproduce this in vim on both ubuntu and osx vim vi improved aug compiled nov macos x unix version included patches compiled by homebrew huge version without gui features included or not acl farsi mouse netterm syntax arabic file in path mouse sgr tag binary autocmd find in path mouse sysmouse tag old static balloon eval float mouse urxvt tag any white browse folding mouse xterm tcl builtin terms footer multi byte terminfo byte offset fork multi lang termresponse cindent gettext mzscheme textobjects clientserver hangul input netbeans intg title clipboard iconv path extra toolbar cmdline compl insert expand perl user commands cmdline hist jumplist persistent undo vertsplit cmdline info keymap postscript virtualedit comments langmap printer visual conceal libcall profile visualextra cryptv linebreak python viminfo cscope lispindent vreplace cursorbind listcmds quickfix wildignore cursorshape localmap reltime wildmenu dialog con lua rightleft windows diff menu ruby writebackup digraphs mksession scrollbind dnd modify fname signs xfontset ebcdic mouse smartindent xim emacs tags mouseshape sniff xsmp eval mouse dec startuptime xterm clipboard ex extra mouse gpm statusline xterm save extra search mouse jsbterm sun workshop xpm system vimrc file vim vimrc user vimrc file home vimrc user vimrc file vim vimrc user exrc file home exrc fall back for vim usr local share vim compilation usr bin clang c i iproto dhave config h f usr local frameworks dmacos x unix os w pipe march native mmacosx version min u fortify source d fortify source linking usr bin clang l l usr local lib l usr local lib f usr local frameworks wl headerpad max install names o vim lm lncurses liconv framework cocoa fstack protector l system library perl darwin thread multi core lperl framework python lruby lobjc and vim vi improved aug compiled aug included patches modified by pkg vim maintainers lists alioth debian org compiled by buildd huge version without gui features included or not arabic file in path mouse sgr tag binary autocmd find in path mouse sysmouse tag old static balloon eval float mouse urxvt tag any white browse folding mouse xterm tcl builtin terms footer multi byte terminfo byte offset fork multi lang termresponse cindent gettext mzscheme textobjects clientserver hangul input netbeans intg title clipboard iconv path extra toolbar cmdline compl insert expand perl user commands cmdline hist jumplist persistent undo vertsplit cmdline info keymap postscript virtualedit comments langmap printer visual conceal libcall profile visualextra cryptv linebreak python viminfo cscope lispindent vreplace cursorbind listcmds quickfix wildignore cursorshape localmap reltime wildmenu dialog con lua rightleft windows diff menu ruby writebackup digraphs mksession scrollbind dnd modify fname signs xfontset ebcdic mouse smartindent xim emacs tags mouseshape sniff xsmp eval mouse dec startuptime xterm clipboard ex extra mouse gpm statusline xterm save extra search mouse jsbterm sun workshop farsi mouse netterm syntax system vimrc file vim vimrc user vimrc file home vimrc user vimrc file vim vimrc user exrc file home exrc fall back for vim usr share vim compilation gcc c i iproto dhave config h g fstack protector param ssp buffer size wformat wformat security werror format security u fortify source d fortify source i usr include d reentrant d thread safe d source linking gcc l wl bsymbolic functions wl z relro rdynamic wl export dynamic wl e wl bsymbolic functions wl z relro wl as needed o vim lm ltinfo lnsl lselinux lacl lattr lgpm ldl l usr lib wl e fstack protector l usr local lib l usr lib perl core lperl ldl lm lpthread lcrypt l usr lib config linux gnu original issue reported on code google com by nil gmail com on nov at | 1 |
66,371 | 20,160,730,897 | IssuesEvent | 2022-02-09 21:13:39 | EightShapes/eightshapes-com | https://api.github.com/repos/EightShapes/eightshapes-com | opened | Massive Heights of CTA, Footer Rows | Defect | Why do the bottom two rows have such massive vertical padding?

| 1.0 | Massive Heights of CTA, Footer Rows - Why do the bottom two rows have such massive vertical padding?

| defect | massive heights of cta footer rows why do the bottom two rows have such massive vertical padding | 1 |
5,358 | 2,610,186,112 | IssuesEvent | 2015-02-26 18:59:04 | chrsmith/quchuseban | https://api.github.com/repos/chrsmith/quchuseban | opened | 详解脸上张色斑怎么办 | auto-migrated Priority-Medium Type-Defect | ```
《摘要》
如何治疗青春痘色斑是每个脸上有色斑的人所最关心的问题��
�特别是女性现在最宝贵的财富就是我们的青春,在我们年轻�
��时候我们有很多的美好的事情可以去追逐。可是,如果脸上
长了色斑,但是却不知道如何治疗青春痘色斑,让处于享受��
�春的我顿时感觉天塌地陷一般,如何治疗青春痘色斑?我四处
找寻着这个问题的解决方法。期间用了很多的祛斑产品,但��
�都没有有效的解决我的色斑的问题。脸上张色斑怎么办,
《客户案例》
我以前最讨厌人家做广告,因为现在的广告的招数太多��
�人难以相信,但是对于「黛芙薇尔精华液」,我是彻底没话�
��了,因为我就是用了「黛芙薇尔精华液」脸上的色斑才彻底
消除的。呵呵,不过当初也老是不放心,怕上当受骗,折腾��
�好久才决定买的。现在看到自己光洁的面部,我心里可乐了�
��我姓刘,今年28岁,由于工作的需要经常都要在外奔跑,也�
��难免要晒到太阳,去年脸上长了好多色斑,真把我急死了。
天天要面对客户,因此用了好多的祛斑化妆品,也了很多的��
�斑保健品,最终还是没有把斑去掉,我天天上网在百度里搜�
��祛斑产品,怎样祛斑,怎样美白祛斑,如何治疗色斑等等,
结果发现有好多「黛芙薇尔精华液」的介绍,里面分析了各��
�色斑形成的原因以及预防,还详细介绍了「黛芙薇尔精华液�
��的主要功效、美白祛斑的机理和使用方法,和其他祛斑产品
最大的不同时该产品是外用的。我去「黛芙薇尔精华液」商��
�上咨询了在线专家,专家告诉我「黛芙薇尔精华液」是纯天�
��植物提取的专业祛斑产品。我当时就想,只要能保证安全,
我就再试一次,再加上外用很方便,不用花费我太多的时间��
�我先订购了一个周期的,他们是货到付款的,买来就开始使�
��了,开始的十来天让我很失望的,每天照镜子没有一点变化
,气死我了。不过既然钱也掏过了就再坚持看看吧。不过一��
�月下来,我惊喜的发现皮肤真的好多了,感觉整个人清爽多�
��,胃口好了,最主要的还是色斑真的淡化了,我又对这个产
品充满了信心,继续订购了一个周期,完之后,脸上的斑点��
�不见了。专家说因为我的色斑形成的时间不长,所以恢复得�
��好的。真是太感谢「黛芙薇尔精华液」了。
阅读了脸上张色斑怎么办,再看脸上容易长斑的原因:
《色斑形成原因》
内部因素
一、压力
当人受到压力时,就会分泌肾上腺素,为对付压力而做��
�备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏�
��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃
。
二、荷尔蒙分泌失调
避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞��
�分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在�
��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕
中因女性荷尔蒙雌激素的增加,从怀孕4—5个月开始会容易出
现斑,这时候出现的斑点在产后大部分会消失。可是,新陈��
�谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等�
��因,都会使斑加深。有时新长出的斑,产后也不会消失,所
以需要更加注意。
三、新陈代谢缓慢
肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑��
�因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态�
��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是
内分泌失调导致过敏体质而形成的。另外,身体状态不正常��
�时候,紫外线的照射也会加速斑的形成。
四、错误的使用化妆品
使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在��
�疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵�
��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的
问题。
外部因素
一、紫外线
照射紫外线的时候,人体为了保护皮肤,会在基底层产��
�很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更�
��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化,
还会引起黑斑、雀斑等色素沉着的皮肤疾患。
二、不良的清洁习惯
因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。��
�皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦�
��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的
问题。
三、遗传基因
父母中有长斑的,则本人长斑的概率就很高,这种情况��
�一定程度上就可判定是遗传基因的作用。所以家里特别是长�
��有长斑的人,要注意避免引发长斑的重要因素之一——紫外
线照射,这是预防斑必须注意的。
《有疑问帮你解决》
1,黛芙薇尔精华液真的有效果吗?真的可以把脸上的黄褐��
�去掉吗?
答:黛芙薇尔精华液DNA精华能够有效的修复周围难以触��
�的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必�
��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑
,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时��
�,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的�
��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显
而易见。自产品上市以来,老顾客纷纷介绍新顾客,71%的新��
�客都是通过老顾客介绍而来,口碑由此而来!
2,服用黛芙薇尔美白,会伤身体吗?有副作用吗?
答:黛芙薇尔精华液应用了精纯复合配方和领先的分类��
�斑科技,并将“DNA美肤系统”疗法应用到了该产品中,能彻�
��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有
效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾��
�地的专家通力协作,超过10年的研究以全新的DNA肌肤修复技��
�,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽�
��迹,令每一位爱美的女性都能享受到科技创新所带来的自然
之美。
专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数��
�百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖!
3,去除黄褐斑之后,会反弹吗?
答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔��
�白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家�
��据斑的形成原因精心研制而成用事实说话,让消费者打分。
树立权威品牌!我们的很多新客户都是老客户介绍而来,请问�
��如果效果不好,会有客户转介绍吗?
4,你们的价格有点贵,能不能便宜一点?
答:如果您使用西药最少需要2000元,煎服的药最少需要3
000元,做手术最少是5000元,而这些毫无疑问,不会对彻底去�
��你的斑点有任何帮助!一分价钱,一份价值,我们现在做的��
�是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的�
��褐斑彻底去除,你还会觉得贵吗?你还会再去花那么多冤枉��
�,不但斑没去掉,还把自己的皮肤弄的越来越糟吗
5,我适合用黛芙薇尔精华液吗?
答:黛芙薇尔适用人群:
1、生理紊乱引起的黄褐斑人群
2、生育引起的妊娠斑人群
3、年纪增长引起的老年斑人群
4、化妆品色素沉积、辐射斑人群
5、长期日照引起的日晒斑人群
6、肌肤暗淡急需美白的人群
《祛斑小方法》
脸上张色斑怎么办,同时为您分享祛斑小方法
不急躁不忧郁,保持平和的心态,良好的情绪。
```
-----
Original issue reported on code.google.com by `additive...@gmail.com` on 1 Jul 2014 at 3:50 | 1.0 | 详解脸上张色斑怎么办 - ```
《摘要》
如何治疗青春痘色斑是每个脸上有色斑的人所最关心的问题��
�特别是女性现在最宝贵的财富就是我们的青春,在我们年轻�
��时候我们有很多的美好的事情可以去追逐。可是,如果脸上
长了色斑,但是却不知道如何治疗青春痘色斑,让处于享受��
�春的我顿时感觉天塌地陷一般,如何治疗青春痘色斑?我四处
找寻着这个问题的解决方法。期间用了很多的祛斑产品,但��
�都没有有效的解决我的色斑的问题。脸上张色斑怎么办,
《客户案例》
我以前最讨厌人家做广告,因为现在的广告的招数太多��
�人难以相信,但是对于「黛芙薇尔精华液」,我是彻底没话�
��了,因为我就是用了「黛芙薇尔精华液」脸上的色斑才彻底
消除的。呵呵,不过当初也老是不放心,怕上当受骗,折腾��
�好久才决定买的。现在看到自己光洁的面部,我心里可乐了�
��我姓刘,今年28岁,由于工作的需要经常都要在外奔跑,也�
��难免要晒到太阳,去年脸上长了好多色斑,真把我急死了。
天天要面对客户,因此用了好多的祛斑化妆品,也了很多的��
�斑保健品,最终还是没有把斑去掉,我天天上网在百度里搜�
��祛斑产品,怎样祛斑,怎样美白祛斑,如何治疗色斑等等,
结果发现有好多「黛芙薇尔精华液」的介绍,里面分析了各��
�色斑形成的原因以及预防,还详细介绍了「黛芙薇尔精华液�
��的主要功效、美白祛斑的机理和使用方法,和其他祛斑产品
最大的不同时该产品是外用的。我去「黛芙薇尔精华液」商��
�上咨询了在线专家,专家告诉我「黛芙薇尔精华液」是纯天�
��植物提取的专业祛斑产品。我当时就想,只要能保证安全,
我就再试一次,再加上外用很方便,不用花费我太多的时间��
�我先订购了一个周期的,他们是货到付款的,买来就开始使�
��了,开始的十来天让我很失望的,每天照镜子没有一点变化
,气死我了。不过既然钱也掏过了就再坚持看看吧。不过一��
�月下来,我惊喜的发现皮肤真的好多了,感觉整个人清爽多�
��,胃口好了,最主要的还是色斑真的淡化了,我又对这个产
品充满了信心,继续订购了一个周期,完之后,脸上的斑点��
�不见了。专家说因为我的色斑形成的时间不长,所以恢复得�
��好的。真是太感谢「黛芙薇尔精华液」了。
阅读了脸上张色斑怎么办,再看脸上容易长斑的原因:
《色斑形成原因》
内部因素
一、压力
当人受到压力时,就会分泌肾上腺素,为对付压力而做��
�备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏�
��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃
。
二、荷尔蒙分泌失调
避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞��
�分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在�
��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕
中因女性荷尔蒙雌激素的增加,从怀孕4—5个月开始会容易出
现斑,这时候出现的斑点在产后大部分会消失。可是,新陈��
�谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等�
��因,都会使斑加深。有时新长出的斑,产后也不会消失,所
以需要更加注意。
三、新陈代谢缓慢
肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑��
�因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态�
��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是
内分泌失调导致过敏体质而形成的。另外,身体状态不正常��
�时候,紫外线的照射也会加速斑的形成。
四、错误的使用化妆品
使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在��
�疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵�
��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的
问题。
外部因素
一、紫外线
照射紫外线的时候,人体为了保护皮肤,会在基底层产��
�很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更�
��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化,
还会引起黑斑、雀斑等色素沉着的皮肤疾患。
二、不良的清洁习惯
因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。��
�皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦�
��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的
问题。
三、遗传基因
父母中有长斑的,则本人长斑的概率就很高,这种情况��
�一定程度上就可判定是遗传基因的作用。所以家里特别是长�
��有长斑的人,要注意避免引发长斑的重要因素之一——紫外
线照射,这是预防斑必须注意的。
《有疑问帮你解决》
1,黛芙薇尔精华液真的有效果吗?真的可以把脸上的黄褐��
�去掉吗?
答:黛芙薇尔精华液DNA精华能够有效的修复周围难以触��
�的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必�
��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑
,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时��
�,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的�
��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显
而易见。自产品上市以来,老顾客纷纷介绍新顾客,71%的新��
�客都是通过老顾客介绍而来,口碑由此而来!
2,服用黛芙薇尔美白,会伤身体吗?有副作用吗?
答:黛芙薇尔精华液应用了精纯复合配方和领先的分类��
�斑科技,并将“DNA美肤系统”疗法应用到了该产品中,能彻�
��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有
效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾��
�地的专家通力协作,超过10年的研究以全新的DNA肌肤修复技��
�,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽�
��迹,令每一位爱美的女性都能享受到科技创新所带来的自然
之美。
专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数��
�百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖!
3,去除黄褐斑之后,会反弹吗?
答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔��
�白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家�
��据斑的形成原因精心研制而成用事实说话,让消费者打分。
树立权威品牌!我们的很多新客户都是老客户介绍而来,请问�
��如果效果不好,会有客户转介绍吗?
4,你们的价格有点贵,能不能便宜一点?
答:如果您使用西药最少需要2000元,煎服的药最少需要3
000元,做手术最少是5000元,而这些毫无疑问,不会对彻底去�
��你的斑点有任何帮助!一分价钱,一份价值,我们现在做的��
�是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的�
��褐斑彻底去除,你还会觉得贵吗?你还会再去花那么多冤枉��
�,不但斑没去掉,还把自己的皮肤弄的越来越糟吗
5,我适合用黛芙薇尔精华液吗?
答:黛芙薇尔适用人群:
1、生理紊乱引起的黄褐斑人群
2、生育引起的妊娠斑人群
3、年纪增长引起的老年斑人群
4、化妆品色素沉积、辐射斑人群
5、长期日照引起的日晒斑人群
6、肌肤暗淡急需美白的人群
《祛斑小方法》
脸上张色斑怎么办,同时为您分享祛斑小方法
不急躁不忧郁,保持平和的心态,良好的情绪。
```
-----
Original issue reported on code.google.com by `additive...@gmail.com` on 1 Jul 2014 at 3:50 | defect | 详解脸上张色斑怎么办 《摘要》 如何治疗青春痘色斑是每个脸上有色斑的人所最关心的问题�� �特别是女性现在最宝贵的财富就是我们的青春,在我们年轻� ��时候我们有很多的美好的事情可以去追逐。可是,如果脸上 长了色斑,但是却不知道如何治疗青春痘色斑,让处于享受�� �春的我顿时感觉天塌地陷一般,如何治疗青春痘色斑 我四处 找寻着这个问题的解决方法。期间用了很多的祛斑产品,但�� �都没有有效的解决我的色斑的问题。脸上张色斑怎么办, 《客户案例》 我以前最讨厌人家做广告,因为现在的广告的招数太多�� �人难以相信,但是对于「黛芙薇尔精华液」,我是彻底没话� ��了,因为我就是用了「黛芙薇尔精华液」脸上的色斑才彻底 消除的。呵呵,不过当初也老是不放心,怕上当受骗,折腾�� �好久才决定买的。现在看到自己光洁的面部,我心里可乐了� ��我姓刘, ,由于工作的需要经常都要在外奔跑,也� ��难免要晒到太阳,去年脸上长了好多色斑,真把我急死了。 天天要面对客户,因此用了好多的祛斑化妆品,也了很多的�� �斑保健品,最终还是没有把斑去掉,我天天上网在百度里搜� ��祛斑产品,怎样祛斑,怎样美白祛斑,如何治疗色斑等等, 结果发现有好多「黛芙薇尔精华液」的介绍,里面分析了各�� �色斑形成的原因以及预防,还详细介绍了「黛芙薇尔精华液� ��的主要功效、美白祛斑的机理和使用方法,和其他祛斑产品 最大的不同时该产品是外用的。我去「黛芙薇尔精华液」商�� �上咨询了在线专家,专家告诉我「黛芙薇尔精华液」是纯天� ��植物提取的专业祛斑产品。我当时就想,只要能保证安全, 我就再试一次,再加上外用很方便,不用花费我太多的时间�� �我先订购了一个周期的,他们是货到付款的,买来就开始使� ��了,开始的十来天让我很失望的,每天照镜子没有一点变化 ,气死我了。不过既然钱也掏过了就再坚持看看吧。不过一�� �月下来,我惊喜的发现皮肤真的好多了,感觉整个人清爽多� ��,胃口好了,最主要的还是色斑真的淡化了,我又对这个产 品充满了信心,继续订购了一个周期,完之后,脸上的斑点�� �不见了。专家说因为我的色斑形成的时间不长,所以恢复得� ��好的。真是太感谢「黛芙薇尔精华液」了。 阅读了脸上张色斑怎么办,再看脸上容易长斑的原因: 《色斑形成原因》 内部因素 一、压力 当人受到压力时,就会分泌肾上腺素,为对付压力而做�� �备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏� ��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃 。 二、荷尔蒙分泌失调 避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞�� �分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在� ��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕 中因女性荷尔蒙雌激素的增加, — 现斑,这时候出现的斑点在产后大部分会消失。可是,新陈�� �谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等� ��因,都会使斑加深。有时新长出的斑,产后也不会消失,所 以需要更加注意。 三、新陈代谢缓慢 肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑�� �因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态� ��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是 内分泌失调导致过敏体质而形成的。另外,身体状态不正常�� �时候,紫外线的照射也会加速斑的形成。 四、错误的使用化妆品 使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在�� �疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵� ��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的 问题。 外部因素 一、紫外线 照射紫外线的时候,人体为了保护皮肤,会在基底层产�� �很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更� ��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化, 还会引起黑斑、雀斑等色素沉着的皮肤疾患。 二、不良的清洁习惯 因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。�� �皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦� ��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的 问题。 三、遗传基因 父母中有长斑的,则本人长斑的概率就很高,这种情况�� �一定程度上就可判定是遗传基因的作用。所以家里特别是长� ��有长斑的人,要注意避免引发长斑的重要因素之一——紫外 线照射,这是预防斑必须注意的。 《有疑问帮你解决》 黛芙薇尔精华液真的有效果吗 真的可以把脸上的黄褐�� �去掉吗 答:黛芙薇尔精华液dna精华能够有效的修复周围难以触�� �的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必� ��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑 ,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时�� �,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的� ��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显 而易见。自产品上市以来,老顾客纷纷介绍新顾客, 的新�� �客都是通过老顾客介绍而来,口碑由此而来 ,服用黛芙薇尔美白,会伤身体吗 有副作用吗 答:黛芙薇尔精华液应用了精纯复合配方和领先的分类�� �斑科技,并将“dna美肤系统”疗法应用到了该产品中,能彻� ��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有 效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾�� �地的专家通力协作, �� �,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽� ��迹,令每一位爱美的女性都能享受到科技创新所带来的自然 之美。 专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数�� �百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖 ,去除黄褐斑之后,会反弹吗 答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔�� �白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家� ��据斑的形成原因精心研制而成用事实说话,让消费者打分。 树立权威品牌 我们的很多新客户都是老客户介绍而来,请问� ��如果效果不好,会有客户转介绍吗 ,你们的价格有点贵,能不能便宜一点 答: , , ,而这些毫无疑问,不会对彻底去� ��你的斑点有任何帮助 一分价钱,一份价值,我们现在做的�� �是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的� ��褐斑彻底去除,你还会觉得贵吗 你还会再去花那么多冤枉�� �,不但斑没去掉,还把自己的皮肤弄的越来越糟吗 ,我适合用黛芙薇尔精华液吗 答:黛芙薇尔适用人群: 、生理紊乱引起的黄褐斑人群 、生育引起的妊娠斑人群 、年纪增长引起的老年斑人群 、化妆品色素沉积、辐射斑人群 、长期日照引起的日晒斑人群 、肌肤暗淡急需美白的人群 《祛斑小方法》 脸上张色斑怎么办,同时为您分享祛斑小方法 不急躁不忧郁,保持平和的心态,良好的情绪。 original issue reported on code google com by additive gmail com on jul at | 1 |
50,941 | 13,187,988,025 | IssuesEvent | 2020-08-13 05:13:46 | icecube-trac/tix3 | https://api.github.com/repos/icecube-trac/tix3 | closed | [BadDomList] Needs to take drop time of dropped doms into account (Trac #1710) | Migrated from Trac combo reconstruction defect | If getting dropped doms from I3Live, it is still needed to verify the drop time. Otherwise, also dropped doms that are dropped after the (good) run end time are included.
<details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/1710">https://code.icecube.wisc.edu/ticket/1710</a>, reported by joertlin and owned by joertlin</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2019-02-13T14:12:58",
"description": "If getting dropped doms from I3Live, it is still needed to verify the drop time. Otherwise, also dropped doms that are dropped after the (good) run end time are included.",
"reporter": "joertlin",
"cc": "",
"resolution": "fixed",
"_ts": "1550067178841456",
"component": "combo reconstruction",
"summary": "[BadDomList] Needs to take drop time of dropped doms into account",
"priority": "blocker",
"keywords": "",
"time": "2016-05-17T19:40:33",
"milestone": "",
"owner": "joertlin",
"type": "defect"
}
```
</p>
</details>
| 1.0 | [BadDomList] Needs to take drop time of dropped doms into account (Trac #1710) - If getting dropped doms from I3Live, it is still needed to verify the drop time. Otherwise, also dropped doms that are dropped after the (good) run end time are included.
<details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/1710">https://code.icecube.wisc.edu/ticket/1710</a>, reported by joertlin and owned by joertlin</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2019-02-13T14:12:58",
"description": "If getting dropped doms from I3Live, it is still needed to verify the drop time. Otherwise, also dropped doms that are dropped after the (good) run end time are included.",
"reporter": "joertlin",
"cc": "",
"resolution": "fixed",
"_ts": "1550067178841456",
"component": "combo reconstruction",
"summary": "[BadDomList] Needs to take drop time of dropped doms into account",
"priority": "blocker",
"keywords": "",
"time": "2016-05-17T19:40:33",
"milestone": "",
"owner": "joertlin",
"type": "defect"
}
```
</p>
</details>
| defect | needs to take drop time of dropped doms into account trac if getting dropped doms from it is still needed to verify the drop time otherwise also dropped doms that are dropped after the good run end time are included migrated from json status closed changetime description if getting dropped doms from it is still needed to verify the drop time otherwise also dropped doms that are dropped after the good run end time are included reporter joertlin cc resolution fixed ts component combo reconstruction summary needs to take drop time of dropped doms into account priority blocker keywords time milestone owner joertlin type defect | 1 |
17,507 | 3,010,897,133 | IssuesEvent | 2015-07-28 15:20:08 | omeka/plugin-ZoteroImport | https://api.github.com/repos/omeka/plugin-ZoteroImport | closed | Zotero libraries unable to be verified | Defect Major | *Imported from Trac ticket #149 reported by jsafley on 2011-01-23:*
Edit: this will be fixed when Omeka upgrades to the most recent Zend Framework version. After that happens, remove the patch and re-test.
When attempting to import, the following flash error occurs when verifying the library:
```
DOMDocument cannot parse XML: DOMDocument::loadXML(): Empty string
supplied as input. This may indicate that the library or collection
does not exist, you do not have access to the library, or the
private key is invalid.
```
The following warning occurs when getting the body of the Zotero Atom response:
```
Warning: gzinflate(): data error in
/var/www/omeka_1_3/application/libraries/Zend/Http/Response.php on
line 609
```
The response contains a gzipped body, but $response->getBody() returns FALSE because of the gzinflate() data error. DOMDocument::loadXML() cannot parse an empty string (which FALSE resolves to). Does PHP not recognize the Zotero compression? Did Zotero change the way it compresses the response body?
Trace:
```
ZoteroImport_IndexController::importLibraryAction()
ZoteroImport_IndexController::_verifyLibrary()
ZoteroApiClient_Service_Zotero::userItems()
ZoteroApiClient_Service_Zotero::_getFeed()
Zend_Feed_Abstract::__construct()
Zend_Http_Response::getBody()
``` | 1.0 | Zotero libraries unable to be verified - *Imported from Trac ticket #149 reported by jsafley on 2011-01-23:*
Edit: this will be fixed when Omeka upgrades to the most recent Zend Framework version. After that happens, remove the patch and re-test.
When attempting to import, the following flash error occurs when verifying the library:
```
DOMDocument cannot parse XML: DOMDocument::loadXML(): Empty string
supplied as input. This may indicate that the library or collection
does not exist, you do not have access to the library, or the
private key is invalid.
```
The following warning occurs when getting the body of the Zotero Atom response:
```
Warning: gzinflate(): data error in
/var/www/omeka_1_3/application/libraries/Zend/Http/Response.php on
line 609
```
The response contains a gzipped body, but $response->getBody() returns FALSE because of the gzinflate() data error. DOMDocument::loadXML() cannot parse an empty string (which FALSE resolves to). Does PHP not recognize the Zotero compression? Did Zotero change the way it compresses the response body?
Trace:
```
ZoteroImport_IndexController::importLibraryAction()
ZoteroImport_IndexController::_verifyLibrary()
ZoteroApiClient_Service_Zotero::userItems()
ZoteroApiClient_Service_Zotero::_getFeed()
Zend_Feed_Abstract::__construct()
Zend_Http_Response::getBody()
``` | defect | zotero libraries unable to be verified imported from trac ticket reported by jsafley on edit this will be fixed when omeka upgrades to the most recent zend framework version after that happens remove the patch and re test when attempting to import the following flash error occurs when verifying the library domdocument cannot parse xml domdocument loadxml empty string supplied as input this may indicate that the library or collection does not exist you do not have access to the library or the private key is invalid the following warning occurs when getting the body of the zotero atom response warning gzinflate data error in var www omeka application libraries zend http response php on line the response contains a gzipped body but response getbody returns false because of the gzinflate data error domdocument loadxml cannot parse an empty string which false resolves to does php not recognize the zotero compression did zotero change the way it compresses the response body trace zoteroimport indexcontroller importlibraryaction zoteroimport indexcontroller verifylibrary zoteroapiclient service zotero useritems zoteroapiclient service zotero getfeed zend feed abstract construct zend http response getbody | 1 |
67,892 | 21,301,327,405 | IssuesEvent | 2022-04-15 03:49:38 | klubcoin/lcn-mobile | https://api.github.com/repos/klubcoin/lcn-mobile | opened | [Account Maintenance][General][Language] Fix must be able to process send KLUB after changing language setting. | Defect Should Have Minor Account Maintenance Services | ### **Description:**
Must be able to process send KLUB after changing language setting.
**Build Environment:** Prod Candidate Environment
**Affects Version:** 1.0.0.prod.3
**Device Platform:** Android
**Device OS:** 11
**Test Device:** OnePlus 7T Pro
### **Pre-condition:**
1. User successfully installed Klubcoin App
2. User already has an existing Wallet Account
3. User is currently at Klubcoin Dashboard
### **Steps to Reproduce:**
1. Tap Hamburger Button
2. Tap Settings
3. Tap General
4. Tap Language
5. Select any language
6. Tap Hamburger Button
7. Tap Send Button
8. Select Receiver
9. Enter Amount
10. Tap Next
11. Tap Send Button
### **Expected Result:**
1. Send button is disabled
2. Redirect to Wallet Screen
### **Actual Result:**
Displaying loading send button then staying at send token confirmation screen instead of redirecting to wallet screen that lets user to spam send button
### **Attachment/s:**
| 1.0 | [Account Maintenance][General][Language] Fix must be able to process send KLUB after changing language setting. - ### **Description:**
Must be able to process send KLUB after changing language setting.
**Build Environment:** Prod Candidate Environment
**Affects Version:** 1.0.0.prod.3
**Device Platform:** Android
**Device OS:** 11
**Test Device:** OnePlus 7T Pro
### **Pre-condition:**
1. User successfully installed Klubcoin App
2. User already has an existing Wallet Account
3. User is currently at Klubcoin Dashboard
### **Steps to Reproduce:**
1. Tap Hamburger Button
2. Tap Settings
3. Tap General
4. Tap Language
5. Select any language
6. Tap Hamburger Button
7. Tap Send Button
8. Select Receiver
9. Enter Amount
10. Tap Next
11. Tap Send Button
### **Expected Result:**
1. Send button is disabled
2. Redirect to Wallet Screen
### **Actual Result:**
Displaying loading send button then staying at send token confirmation screen instead of redirecting to wallet screen that lets user to spam send button
### **Attachment/s:**
| defect | fix must be able to process send klub after changing language setting description must be able to process send klub after changing language setting build environment prod candidate environment affects version prod device platform android device os test device oneplus pro pre condition user successfully installed klubcoin app user already has an existing wallet account user is currently at klubcoin dashboard steps to reproduce tap hamburger button tap settings tap general tap language select any language tap hamburger button tap send button select receiver enter amount tap next tap send button expected result send button is disabled redirect to wallet screen actual result displaying loading send button then staying at send token confirmation screen instead of redirecting to wallet screen that lets user to spam send button attachment s | 1 |
32,997 | 6,993,088,937 | IssuesEvent | 2017-12-15 09:56:49 | hazelcast/hazelcast | https://api.github.com/repos/hazelcast/hazelcast | closed | IQueue Split heal OOME | DR2 Team: Core Type: Critical Type: Defect |
failed migration coring during the test, https://github.com/hazelcast/hzCmd-bench/tree/master/lab/hz/split/queue
running on https://github.com/hazelcast/hazelcast/pull/11749
however, taking the test further reveals a OOME on the small joining cluster side,
both members in cluster AA failed with hprof's
the GC pattern looks like a leak, and occurred after a few split join iteration
http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-10_32_26/queue/gc.html
```
hprof is full of `QueueItem` instances and their `HeapData` payload
if this also happens with an `IMap` in the current master -> general split brain issue
if not, it could be a bug in my merger
```
<img width="862" alt="screen shot 2017-12-07 at 15 20 34" src="https://user-images.githubusercontent.com/5988678/33752190-48f9c7fc-dc06-11e7-9ee2-901c372fe5b0.png">
Danny Conlon [3:58 PM]
http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-10_32_26/queue/gc.html shows leak pattern, and cluster BB is good
A run with larger heap https://hazelcast-l337.ci.cloudbees.com/view/split/job/split-x1/15/console Queue split heal
show leak pattern http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-13_37_55/queue/gc.html
and failing queue size exceptions.
and same failed migration.
```
Dec 07, 2017 10:46:20 AM com.hazelcast.internal.cluster.impl.ClusterMergeTask
SEVERE: [10.0.0.225]:5701 [HZ] [3.10-SNAPSHOT] While merging...
java.util.concurrent.TimeoutException
```
http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-09_28_46/queue/output/HZ/HzMember5HZBB/out.txt
```
SEVERE: [10.0.0.22]:5701 [HZ] [3.10-SNAPSHOT] While merging...
java.util.concurrent.TimeoutException
at com.hazelcast.spi.impl.AbstractCompletableFuture.get(AbstractCompletableFuture.java:225)
at com.hazelcast.internal.cluster.impl.ClusterMergeTask.waitOnFutureInterruptible(ClusterMergeTask.java:169)
at com.hazelcast.internal.cluster.impl.ClusterMergeTask.executeMergeTasks(ClusterMergeTask.java:152)
at com.hazelcast.internal.cluster.impl.ClusterMergeTask.run(ClusterMergeTask.java:78)
at com.hazelcast.instance.LifecycleServiceImpl.runUnderLifecycleLock(LifecycleServiceImpl.java:107)
at com.hazelcast.internal.cluster.impl.ClusterServiceImpl.merge(ClusterServiceImpl.java:301)
at com.hazelcast.internal.cluster.impl.operations.MergeClustersOp$1.run(MergeClustersOp.java:63)
at com.hazelcast.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:227)
at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1152)
at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:622)
at java.lang.Thread.run(Thread.java:748)
at com.hazelcast.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:64)
at com.hazelcast.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:80)
```
http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-09_28_46/queue/output/HZ/HzMember4HZBB/out.txt
```
INFO: [10.0.0.213]:5701 [HZ] [3.10-SNAPSHOT] Remaining migration tasks in queue => 542
Dec 07, 2017 6:49:32 AM com.hazelcast.internal.partition.InternalPartitionService
INFO: [10.0.0.213]:5701 [HZ] [3.10-SNAPSHOT] Remaining migration tasks in queue => 542
Dec 07, 2017 6:49:44 AM com.hazelcast.internal.partition.impl.MigrationManager
WARNING: [10.0.0.213]:5701 [HZ] [3.10-SNAPSHOT] Migration failed: MigrationInfo{uuid=4ab12aa1-a148-48c9-b979-668393f06010, partitionId=1, source=[10.0.0.144]:5701, sourceUuid=d7bc29cd-25fe-4a80-8ea9-69384ce9c4aa, sourceCurrentReplicaIndex=0, sourceNewReplicaIndex=3, destination=[10.0.0.72]:5701, destinationUuid=bd7041de-f804-4881-a5b1-19710c4cf924, destinationCurrentReplicaIndex=-1, destinationNewReplicaIndex=0, master=[10.0.0.213]:5701, processing=false, status=ACTIVE}
Dec 07, 2017 6:49:47 AM com.hazelcast.internal.partition.impl.MigrationManager
INFO: [10.0.0.213]:5701 [HZ] [3.10-SNAPSHOT] Re-partitioning cluster data... Migration queue size: 543
Dec 07, 2017 6:49:50 AM com.hazelcast.internal.partition.impl.MigrationThread
INFO: [10.0.0.213]:5701 [HZ] [3.10-SNAPSHOT] All migration tasks have been completed, queues are empty.
```
http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-09_28_46/queue/output/HZ/HzMember1HZAA/out.txt is full of
```
WARNING: [10.0.0.198]:5701 [HZ] [3.10-SNAPSHOT] Error while running merge operation: QueueMergeOperation invocation failed to complete due to operation-heartbeat-timeout
```
| 1.0 | IQueue Split heal OOME -
failed migration coring during the test, https://github.com/hazelcast/hzCmd-bench/tree/master/lab/hz/split/queue
running on https://github.com/hazelcast/hazelcast/pull/11749
however, taking the test further reveals a OOME on the small joining cluster side,
both members in cluster AA failed with hprof's
the GC pattern looks like a leak, and occurred after a few split join iteration
http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-10_32_26/queue/gc.html
```
hprof is full of `QueueItem` instances and their `HeapData` payload
if this also happens with an `IMap` in the current master -> general split brain issue
if not, it could be a bug in my merger
```
<img width="862" alt="screen shot 2017-12-07 at 15 20 34" src="https://user-images.githubusercontent.com/5988678/33752190-48f9c7fc-dc06-11e7-9ee2-901c372fe5b0.png">
Danny Conlon [3:58 PM]
http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-10_32_26/queue/gc.html shows leak pattern, and cluster BB is good
A run with larger heap https://hazelcast-l337.ci.cloudbees.com/view/split/job/split-x1/15/console Queue split heal
show leak pattern http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-13_37_55/queue/gc.html
and failing queue size exceptions.
and same failed migration.
```
Dec 07, 2017 10:46:20 AM com.hazelcast.internal.cluster.impl.ClusterMergeTask
SEVERE: [10.0.0.225]:5701 [HZ] [3.10-SNAPSHOT] While merging...
java.util.concurrent.TimeoutException
```
http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-09_28_46/queue/output/HZ/HzMember5HZBB/out.txt
```
SEVERE: [10.0.0.22]:5701 [HZ] [3.10-SNAPSHOT] While merging...
java.util.concurrent.TimeoutException
at com.hazelcast.spi.impl.AbstractCompletableFuture.get(AbstractCompletableFuture.java:225)
at com.hazelcast.internal.cluster.impl.ClusterMergeTask.waitOnFutureInterruptible(ClusterMergeTask.java:169)
at com.hazelcast.internal.cluster.impl.ClusterMergeTask.executeMergeTasks(ClusterMergeTask.java:152)
at com.hazelcast.internal.cluster.impl.ClusterMergeTask.run(ClusterMergeTask.java:78)
at com.hazelcast.instance.LifecycleServiceImpl.runUnderLifecycleLock(LifecycleServiceImpl.java:107)
at com.hazelcast.internal.cluster.impl.ClusterServiceImpl.merge(ClusterServiceImpl.java:301)
at com.hazelcast.internal.cluster.impl.operations.MergeClustersOp$1.run(MergeClustersOp.java:63)
at com.hazelcast.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:227)
at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1152)
at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:622)
at java.lang.Thread.run(Thread.java:748)
at com.hazelcast.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:64)
at com.hazelcast.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:80)
```
http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-09_28_46/queue/output/HZ/HzMember4HZBB/out.txt
```
INFO: [10.0.0.213]:5701 [HZ] [3.10-SNAPSHOT] Remaining migration tasks in queue => 542
Dec 07, 2017 6:49:32 AM com.hazelcast.internal.partition.InternalPartitionService
INFO: [10.0.0.213]:5701 [HZ] [3.10-SNAPSHOT] Remaining migration tasks in queue => 542
Dec 07, 2017 6:49:44 AM com.hazelcast.internal.partition.impl.MigrationManager
WARNING: [10.0.0.213]:5701 [HZ] [3.10-SNAPSHOT] Migration failed: MigrationInfo{uuid=4ab12aa1-a148-48c9-b979-668393f06010, partitionId=1, source=[10.0.0.144]:5701, sourceUuid=d7bc29cd-25fe-4a80-8ea9-69384ce9c4aa, sourceCurrentReplicaIndex=0, sourceNewReplicaIndex=3, destination=[10.0.0.72]:5701, destinationUuid=bd7041de-f804-4881-a5b1-19710c4cf924, destinationCurrentReplicaIndex=-1, destinationNewReplicaIndex=0, master=[10.0.0.213]:5701, processing=false, status=ACTIVE}
Dec 07, 2017 6:49:47 AM com.hazelcast.internal.partition.impl.MigrationManager
INFO: [10.0.0.213]:5701 [HZ] [3.10-SNAPSHOT] Re-partitioning cluster data... Migration queue size: 543
Dec 07, 2017 6:49:50 AM com.hazelcast.internal.partition.impl.MigrationThread
INFO: [10.0.0.213]:5701 [HZ] [3.10-SNAPSHOT] All migration tasks have been completed, queues are empty.
```
http://54.82.84.143/~jenkins/workspace/split-x1/3.10-SNAPSHOT/2017_12_07-09_28_46/queue/output/HZ/HzMember1HZAA/out.txt is full of
```
WARNING: [10.0.0.198]:5701 [HZ] [3.10-SNAPSHOT] Error while running merge operation: QueueMergeOperation invocation failed to complete due to operation-heartbeat-timeout
```
| defect | iqueue split heal oome failed migration coring during the test running on however taking the test further reveals a oome on the small joining cluster side both members in cluster aa failed with hprof s the gc pattern looks like a leak and occurred after a few split join iteration hprof is full of queueitem instances and their heapdata payload if this also happens with an imap in the current master general split brain issue if not it could be a bug in my merger img width alt screen shot at src danny conlon shows leak pattern and cluster bb is good a run with larger heap queue split heal show leak pattern and failing queue size exceptions and same failed migration dec am com hazelcast internal cluster impl clustermergetask severe while merging java util concurrent timeoutexception severe while merging java util concurrent timeoutexception at com hazelcast spi impl abstractcompletablefuture get abstractcompletablefuture java at com hazelcast internal cluster impl clustermergetask waitonfutureinterruptible clustermergetask java at com hazelcast internal cluster impl clustermergetask executemergetasks clustermergetask java at com hazelcast internal cluster impl clustermergetask run clustermergetask java at com hazelcast instance lifecycleserviceimpl rununderlifecyclelock lifecycleserviceimpl java at com hazelcast internal cluster impl clusterserviceimpl merge clusterserviceimpl java at com hazelcast internal cluster impl operations mergeclustersop run mergeclustersop java at com hazelcast util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast util executor hazelcastmanagedthread run hazelcastmanagedthread java info remaining migration tasks in queue dec am com hazelcast internal partition internalpartitionservice info remaining migration tasks in queue dec am com hazelcast internal partition impl migrationmanager warning migration failed migrationinfo uuid partitionid source sourceuuid sourcecurrentreplicaindex sourcenewreplicaindex destination destinationuuid destinationcurrentreplicaindex destinationnewreplicaindex master processing false status active dec am com hazelcast internal partition impl migrationmanager info re partitioning cluster data migration queue size dec am com hazelcast internal partition impl migrationthread info all migration tasks have been completed queues are empty is full of warning error while running merge operation queuemergeoperation invocation failed to complete due to operation heartbeat timeout | 1 |
535,268 | 15,685,422,314 | IssuesEvent | 2021-03-25 11:12:18 | PurityControl/rbd_umbrella | https://api.github.com/repos/PurityControl/rbd_umbrella | opened | Bring Umbrella to parity with ErpReborn | High Priority bug | The following needs to be brought into the umbrella app either as a live view replacement or as is.
Functionality must only be improved on - their can be no regressions.
## Existing work
- [ ] Customer crud
- [ ] webshop / materials mapping
- [ ] Product Classifications (was only skeleton in ERP Reborn)
- [ ] Material Requirement CSV download
- [ ] User Crud
- [ ] Misc -> Recall
- [ ] Misc -> Goods in R missing IMS
- [ ] Controlled Docs -> Capas
- [ ] Controlled Docs -> NCFs
- [ ] Access / Authorisaton / Login / Logout
- [ ] Back to ERP
- [ ] Better Menu
## WIP Work
- [ ] Supplier Approval
- [ ] Goods in versioning
| 1.0 | Bring Umbrella to parity with ErpReborn - The following needs to be brought into the umbrella app either as a live view replacement or as is.
Functionality must only be improved on - their can be no regressions.
## Existing work
- [ ] Customer crud
- [ ] webshop / materials mapping
- [ ] Product Classifications (was only skeleton in ERP Reborn)
- [ ] Material Requirement CSV download
- [ ] User Crud
- [ ] Misc -> Recall
- [ ] Misc -> Goods in R missing IMS
- [ ] Controlled Docs -> Capas
- [ ] Controlled Docs -> NCFs
- [ ] Access / Authorisaton / Login / Logout
- [ ] Back to ERP
- [ ] Better Menu
## WIP Work
- [ ] Supplier Approval
- [ ] Goods in versioning
| non_defect | bring umbrella to parity with erpreborn the following needs to be brought into the umbrella app either as a live view replacement or as is functionality must only be improved on their can be no regressions existing work customer crud webshop materials mapping product classifications was only skeleton in erp reborn material requirement csv download user crud misc recall misc goods in r missing ims controlled docs capas controlled docs ncfs access authorisaton login logout back to erp better menu wip work supplier approval goods in versioning | 0 |
5,045 | 7,633,690,608 | IssuesEvent | 2018-05-06 08:55:55 | MeGysssTaa/ReflexIssueTracker | https://api.github.com/repos/MeGysssTaa/ReflexIssueTracker | closed | Hidden player tab bug | Bug Compatibility Fixed | By creating this issue on the Reflex Issue Tracker, I agree that I have fully and accurately read and understood everything stated in it's [Guide on this page](https://goo.gl/Sjdqvb). I understand and agree that this issue can be ignored, closed or labeled "Invalid" without any further comments from Reflex maintainers if this issue doesn't match [the Guide](https://goo.gl/Sjdqvb) entirely and properly.
I know and understand which cheats Reflex checks and which it doesn't. I clearly understand that there are no movement checks at the moment. I confirm that I am not running any possibly incompatible plugins or mods and my server core is either Spigot or PaperSpigot. I confirm that I will actively cooperate with Reflex maintainers in order to solve this issue as soon as possible.
By erasing this text I understand that this issue will most likely be deleted or ignored.
## Report
**Issue**
> Bug
##
**Debug**
> https://p.reflex.rip/Qm91
**Dump**
> https://p.reflex.rip/0Eb9
**Reflex Log**
> https://p.reflex.rip/VKxZ
##
**Description**
> While playing in the game after pvping, people hid using the bukkit method "Player#hidePlayer" are shown in the tab because Reflex uses player names from people that are hidden to them. This can be fixed by checking if the fake player is hidden to the player pvping before using them as a bot (`playerPvping.canSee(fakePlayer)`)
**Screenshots**
> Example User: DirtTierMbs
> 1. https://i.imgur.com/H6jAyNv.png
> 2. https://i.imgur.com/GfEJ0UC.png
| True | Hidden player tab bug - By creating this issue on the Reflex Issue Tracker, I agree that I have fully and accurately read and understood everything stated in it's [Guide on this page](https://goo.gl/Sjdqvb). I understand and agree that this issue can be ignored, closed or labeled "Invalid" without any further comments from Reflex maintainers if this issue doesn't match [the Guide](https://goo.gl/Sjdqvb) entirely and properly.
I know and understand which cheats Reflex checks and which it doesn't. I clearly understand that there are no movement checks at the moment. I confirm that I am not running any possibly incompatible plugins or mods and my server core is either Spigot or PaperSpigot. I confirm that I will actively cooperate with Reflex maintainers in order to solve this issue as soon as possible.
By erasing this text I understand that this issue will most likely be deleted or ignored.
## Report
**Issue**
> Bug
##
**Debug**
> https://p.reflex.rip/Qm91
**Dump**
> https://p.reflex.rip/0Eb9
**Reflex Log**
> https://p.reflex.rip/VKxZ
##
**Description**
> While playing in the game after pvping, people hid using the bukkit method "Player#hidePlayer" are shown in the tab because Reflex uses player names from people that are hidden to them. This can be fixed by checking if the fake player is hidden to the player pvping before using them as a bot (`playerPvping.canSee(fakePlayer)`)
**Screenshots**
> Example User: DirtTierMbs
> 1. https://i.imgur.com/H6jAyNv.png
> 2. https://i.imgur.com/GfEJ0UC.png
| non_defect | hidden player tab bug by creating this issue on the reflex issue tracker i agree that i have fully and accurately read and understood everything stated in it s i understand and agree that this issue can be ignored closed or labeled invalid without any further comments from reflex maintainers if this issue doesn t match entirely and properly i know and understand which cheats reflex checks and which it doesn t i clearly understand that there are no movement checks at the moment i confirm that i am not running any possibly incompatible plugins or mods and my server core is either spigot or paperspigot i confirm that i will actively cooperate with reflex maintainers in order to solve this issue as soon as possible by erasing this text i understand that this issue will most likely be deleted or ignored report issue bug debug dump reflex log description while playing in the game after pvping people hid using the bukkit method player hideplayer are shown in the tab because reflex uses player names from people that are hidden to them this can be fixed by checking if the fake player is hidden to the player pvping before using them as a bot playerpvping cansee fakeplayer screenshots example user dirttiermbs | 0 |
9,788 | 2,615,174,722 | IssuesEvent | 2015-03-01 06:57:51 | chrsmith/reaver-wps | https://api.github.com/repos/chrsmith/reaver-wps | opened | Getting "[!] Warning: Receive timeout occurred" and "[!] WPS transaction failed (code: 0x02), re-trying last pin" | auto-migrated Priority-Triage Type-Defect | ```
0. What version of Reaver are you using? (Only defects against the latest
version will be considered.)
v1.4 from a Kali Linux install.
1. What operating system are you using (Linux is the only supported OS)?
Kali Linux
2. Is your wireless card in monitor mode (yes/no)?
Yes.
Also, I'm using a Belkin Wireless G USB Network Adapter F5D7050 (rt73usb).
3. What is the signal strength of the Access Point you are trying to crack?
Seems to bounce -68 to -74 depending on where I sit it.
4. What is the manufacturer and model # of the device you are trying to
crack?
D-Link DIR 300 (is in the same room, clear line of sight)
5. What is the entire command line string you are supplying to reaver?
reaver -i mon0 -b 00:22:B0:92:05:E9 -vv
6. Please describe what you think the issue is.
I'm hoping it's not, but I'm sure it's probably the rt73usb adapter I'm using.
I've looked through many similar issues and tried many options, but thought I'd
start one from scratch for this.
7. Paste the output from Reaver below.
Reaver v1.4 WiFi Protected Setup Attack Tool
Copyright (c) 2011, Tactical Network Solutions, Craig Heffner
<cheffner@tacnetsol.com>
[?] Restore previous session for 00:22:B0:92:05:E9? [n/Y] n
[+] Waiting for beacon from 00:22:B0:92:05:E9
[+] Switching mon0 to channel 7
[+] Associated with 00:22:B0:92:05:E9 (ESSID: Anonymous)
[+] Trying pin 12345670
[+] Switching mon0 to channel 1
[+] Switching mon0 to channel 7
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[+] Received M1 message
[+] Sending M2 message
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Nothing done, nothing to save.
[+] 0.00% complete @ 2014-03-11 02:26:21 (0 seconds/pin)
[+] Max time remaining at this rate: (undetermined) (11000 pins left to try)
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[!] WARNING: 10 failed connections in a row
Here is a link to the pcap:
https://mega.co.nz/#!pRg2CRpI!v-nORqpZMpih_AI2XP6tIUb4XmTVN0L805VpgYpwUe0
```
Original issue reported on code.google.com by `chris.sy...@gmail.com` on 9 Mar 2014 at 11:41 | 1.0 | Getting "[!] Warning: Receive timeout occurred" and "[!] WPS transaction failed (code: 0x02), re-trying last pin" - ```
0. What version of Reaver are you using? (Only defects against the latest
version will be considered.)
v1.4 from a Kali Linux install.
1. What operating system are you using (Linux is the only supported OS)?
Kali Linux
2. Is your wireless card in monitor mode (yes/no)?
Yes.
Also, I'm using a Belkin Wireless G USB Network Adapter F5D7050 (rt73usb).
3. What is the signal strength of the Access Point you are trying to crack?
Seems to bounce -68 to -74 depending on where I sit it.
4. What is the manufacturer and model # of the device you are trying to
crack?
D-Link DIR 300 (is in the same room, clear line of sight)
5. What is the entire command line string you are supplying to reaver?
reaver -i mon0 -b 00:22:B0:92:05:E9 -vv
6. Please describe what you think the issue is.
I'm hoping it's not, but I'm sure it's probably the rt73usb adapter I'm using.
I've looked through many similar issues and tried many options, but thought I'd
start one from scratch for this.
7. Paste the output from Reaver below.
Reaver v1.4 WiFi Protected Setup Attack Tool
Copyright (c) 2011, Tactical Network Solutions, Craig Heffner
<cheffner@tacnetsol.com>
[?] Restore previous session for 00:22:B0:92:05:E9? [n/Y] n
[+] Waiting for beacon from 00:22:B0:92:05:E9
[+] Switching mon0 to channel 7
[+] Associated with 00:22:B0:92:05:E9 (ESSID: Anonymous)
[+] Trying pin 12345670
[+] Switching mon0 to channel 1
[+] Switching mon0 to channel 7
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[+] Received M1 message
[+] Sending M2 message
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Nothing done, nothing to save.
[+] 0.00% complete @ 2014-03-11 02:26:21 (0 seconds/pin)
[+] Max time remaining at this rate: (undetermined) (11000 pins left to try)
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[+] Trying pin 12345670
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Sending EAPOL START request
[!] WARNING: Receive timeout occurred
[+] Received identity request
[+] Sending identity response
[!] WARNING: Receive timeout occurred
[+] Sending WSC NACK
[!] WPS transaction failed (code: 0x02), re-trying last pin
[!] WARNING: 10 failed connections in a row
Here is a link to the pcap:
https://mega.co.nz/#!pRg2CRpI!v-nORqpZMpih_AI2XP6tIUb4XmTVN0L805VpgYpwUe0
```
Original issue reported on code.google.com by `chris.sy...@gmail.com` on 9 Mar 2014 at 11:41 | defect | getting warning receive timeout occurred and wps transaction failed code re trying last pin what version of reaver are you using only defects against the latest version will be considered from a kali linux install what operating system are you using linux is the only supported os kali linux is your wireless card in monitor mode yes no yes also i m using a belkin wireless g usb network adapter what is the signal strength of the access point you are trying to crack seems to bounce to depending on where i sit it what is the manufacturer and model of the device you are trying to crack d link dir is in the same room clear line of sight what is the entire command line string you are supplying to reaver reaver i b vv please describe what you think the issue is i m hoping it s not but i m sure it s probably the adapter i m using i ve looked through many similar issues and tried many options but thought i d start one from scratch for this paste the output from reaver below reaver wifi protected setup attack tool copyright c tactical network solutions craig heffner restore previous session for n waiting for beacon from switching to channel associated with essid anonymous trying pin switching to channel switching to channel sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request received identity request sending identity response warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin trying pin sending eapol start request received identity request sending identity response warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request received identity request sending identity response received message sending message warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin trying pin sending eapol start request received identity request sending identity response warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request received identity request sending identity response warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request received identity request sending identity response warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin nothing done nothing to save complete seconds pin max time remaining at this rate undetermined pins left to try trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request received identity request sending identity response warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request received identity request sending identity response warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request received identity request sending identity response warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin trying pin sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred sending eapol start request warning receive timeout occurred received identity request sending identity response warning receive timeout occurred sending wsc nack wps transaction failed code re trying last pin warning failed connections in a row here is a link to the pcap original issue reported on code google com by chris sy gmail com on mar at | 1 |
55,534 | 14,533,190,245 | IssuesEvent | 2020-12-15 00:00:16 | department-of-veterans-affairs/va.gov-team | https://api.github.com/repos/department-of-veterans-affairs/va.gov-team | closed | 508-defect-2 [COGNITION]: App Directory - Additional information buttons must have aria-expanded attribute to give screen readers context | 508-defect-2 508-issue-cognition 508/Accessibility | # [508-defect-2](https://github.com/department-of-veterans-affairs/va.gov-team/blob/master/platform/accessibility/guidance/defect-severity-rubric.md#508-defect-2)
<!--
Enter an issue title using the format [ERROR TYPE]: Brief description of the problem
---
[SCREENREADER]: Edit buttons need aria-label for context
[KEYBOARD]: Add another user link will not receive keyboard focus
[AXE-CORE]: Heading levels should increase by one
[COGNITION]: Error messages should be more specific
[COLOR]: Blue button on blue background does not have sufficient contrast ratio
---
-->
<!-- It's okay to delete the instructions above, but leave the link to the 508 defect severity level for your issue. -->
## Feedback framework
- **❗️ Must** for if the feedback must be applied
- **⚠️ Should** if the feedback is best practice
- **✔️ Consider** for suggestions/enhancements
## Definition of done
1. Review and acknowledge feedback.
1. Fix and/or document decisions made.
1. Accessibility specialist will close ticket after reviewing documented decisions / validating fix.
## 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_
## User Story or Problem Statement
<!-- Example: As a user with cognitive considerations, I expect to see a label and input pairing consistently styled as throughout the rest of the site, with the label just above the text/email/search input or to the right of a radio/checkbox input, so that I am clearly able to understand what entry is expected. -->
As a screen reader user, I want to understand the Additional Information buttons are expandable, with content hidden inside them.
## Details
<!-- This is a detailed description of the issue. It should include a restatement of the title, and provide more background information. -->
**UPDATE:** IE11 + JAWS skips over the expanded content entirely. I have a hunch this is because we're not using the standard Additional Info component, because I've never seen this behavior before. Upgrading this to a severity 2 defect.
Right now assistive tech users do not have context of the buttons showing and hiding content, because there's no `aria-expanded` attribute on the button. It would be good to add that button, remove the HR (or hide it from screen readers) and maybe wrap the shown/hidden content in a DIV. Screenshot and code snippet below. See the [React Additional Info](https://department-of-veterans-affairs.github.io/veteran-facing-services-tools/visual-design/components/additionalinfo/) component for markup patterns.
## Acceptance Criteria
- [ ] Buttons have an `aria-expanded` attribute that toggles between true and false
- [ ] No axe browser plugin violations
- [ ] Horizontal rule is hidden from assistive tech
- [ ] IE11 + JAWS does not skip the expanded content. Users should be able to press `ENTER` or `SPACE` to expand an accordion, then press `DOWN_ARROW` to read the expanded content block.
## Solution (if known)
```diff
<button
+ aria-expanded="true"
class="va-button-link ..."
type="button"
>Learn about Apple Health <i class="fa fa-chevron-up"></i></button>
...
- <hr/>
+ <hr aria-hidden="true" />
```
```diff
button.va-button-link {
display: block; /* this helps MacOS VoiceOver not jump focus to the top of the page when opened with SPACE or ENTER */
}
```
## 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)
## Screenshots or Trace Logs
<!-- Drop any screenshots or error logs that might be useful for debugging -->

| 1.0 | 508-defect-2 [COGNITION]: App Directory - Additional information buttons must have aria-expanded attribute to give screen readers context - # [508-defect-2](https://github.com/department-of-veterans-affairs/va.gov-team/blob/master/platform/accessibility/guidance/defect-severity-rubric.md#508-defect-2)
<!--
Enter an issue title using the format [ERROR TYPE]: Brief description of the problem
---
[SCREENREADER]: Edit buttons need aria-label for context
[KEYBOARD]: Add another user link will not receive keyboard focus
[AXE-CORE]: Heading levels should increase by one
[COGNITION]: Error messages should be more specific
[COLOR]: Blue button on blue background does not have sufficient contrast ratio
---
-->
<!-- It's okay to delete the instructions above, but leave the link to the 508 defect severity level for your issue. -->
## Feedback framework
- **❗️ Must** for if the feedback must be applied
- **⚠️ Should** if the feedback is best practice
- **✔️ Consider** for suggestions/enhancements
## Definition of done
1. Review and acknowledge feedback.
1. Fix and/or document decisions made.
1. Accessibility specialist will close ticket after reviewing documented decisions / validating fix.
## 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_
## User Story or Problem Statement
<!-- Example: As a user with cognitive considerations, I expect to see a label and input pairing consistently styled as throughout the rest of the site, with the label just above the text/email/search input or to the right of a radio/checkbox input, so that I am clearly able to understand what entry is expected. -->
As a screen reader user, I want to understand the Additional Information buttons are expandable, with content hidden inside them.
## Details
<!-- This is a detailed description of the issue. It should include a restatement of the title, and provide more background information. -->
**UPDATE:** IE11 + JAWS skips over the expanded content entirely. I have a hunch this is because we're not using the standard Additional Info component, because I've never seen this behavior before. Upgrading this to a severity 2 defect.
Right now assistive tech users do not have context of the buttons showing and hiding content, because there's no `aria-expanded` attribute on the button. It would be good to add that button, remove the HR (or hide it from screen readers) and maybe wrap the shown/hidden content in a DIV. Screenshot and code snippet below. See the [React Additional Info](https://department-of-veterans-affairs.github.io/veteran-facing-services-tools/visual-design/components/additionalinfo/) component for markup patterns.
## Acceptance Criteria
- [ ] Buttons have an `aria-expanded` attribute that toggles between true and false
- [ ] No axe browser plugin violations
- [ ] Horizontal rule is hidden from assistive tech
- [ ] IE11 + JAWS does not skip the expanded content. Users should be able to press `ENTER` or `SPACE` to expand an accordion, then press `DOWN_ARROW` to read the expanded content block.
## Solution (if known)
```diff
<button
+ aria-expanded="true"
class="va-button-link ..."
type="button"
>Learn about Apple Health <i class="fa fa-chevron-up"></i></button>
...
- <hr/>
+ <hr aria-hidden="true" />
```
```diff
button.va-button-link {
display: block; /* this helps MacOS VoiceOver not jump focus to the top of the page when opened with SPACE or ENTER */
}
```
## 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)
## Screenshots or Trace Logs
<!-- Drop any screenshots or error logs that might be useful for debugging -->

| defect | defect app directory additional information buttons must have aria expanded attribute to give screen readers context enter an issue title using the format brief description of the problem edit buttons need aria label for context add another user link will not receive keyboard focus heading levels should increase by one error messages should be more specific blue button on blue background does not have sufficient contrast ratio feedback framework ❗️ must for if the feedback must be applied ⚠️ should if the feedback is best practice ✔️ consider for suggestions enhancements definition of done review and acknowledge feedback fix and or document decisions made accessibility specialist will close ticket after reviewing documented decisions validating fix point of contact vfs point of contact trevor user story or problem statement as a screen reader user i want to understand the additional information buttons are expandable with content hidden inside them details update jaws skips over the expanded content entirely i have a hunch this is because we re not using the standard additional info component because i ve never seen this behavior before upgrading this to a severity defect right now assistive tech users do not have context of the buttons showing and hiding content because there s no aria expanded attribute on the button it would be good to add that button remove the hr or hide it from screen readers and maybe wrap the shown hidden content in a div screenshot and code snippet below see the component for markup patterns acceptance criteria buttons have an aria expanded attribute that toggles between true and false no axe browser plugin violations horizontal rule is hidden from assistive tech jaws does not skip the expanded content users should be able to press enter or space to expand an accordion then press down arrow to read the expanded content block solution if known diff button aria expanded true class va button link type button learn about apple health diff button va button link display block this helps macos voiceover not jump focus to the top of the page when opened with space or enter wcag or vendor guidance optional screenshots or trace logs | 1 |
8,332 | 26,735,924,288 | IssuesEvent | 2023-01-30 09:27:19 | camunda/camunda-bpm-platform | https://api.github.com/repos/camunda/camunda-bpm-platform | closed | Provide Camunda Platform Docker artifacts for arm64 architectures/M1 Apple machines | version:7.19.0 type:feature scope:docker component:c7-automation-platform | This issue was imported from JIRA:
| Field | Value |
| ---------------------------------- | ------------------------------------------------------ |
| JIRA Link | [CAM-14301](https://jira.camunda.com/browse/CAM-14301) |
| Reporter | @toco-cam |
| Has restricted visibility comments | true|
___
**User Story (Required on creation):**
As a Software Engineer, I want to be able to use Camunda Docker containers to develop on arm64 architectures/my Mac with an M1 processor.
**Functional Requirements (Required before implementation):**
* In addition to the images for `linux/amd64` architecture, we provide our Docker images also for the `linux/arm64` architecture
* The new images have the same functionality as the existing ones
**Technical requirements**
* The CI covers the new images
**Limitations of Scope (Optional):**
**Hints (Optional):**
* <https://www.docker.com/blog/multi-arch-build-and-images-the-simple-way/>
* https://github.com/camunda/docker-camunda-bpm-platform/pull/214
**Links:**
* is related to https://jira.camunda.com/browse/SUPPORT-12659
* is related to https://jira.camunda.com/browse/SUPPORT-13282
* is related to https://jira.camunda.com/browse/SUPPORT-13965
### Breakdown
- [x] Define arm64 builds for docker-camunda-bpm-platform actions
- camunda/docker-camunda-bpm-platform#237
- [x] Define arm64 builds for the release jenkins jobs
- Move the build to GHA & trigger workflow via REST API
- Update release guides accordingly
- [x] Define arm64 builds for the QA Docker EE images
| 1.0 | Provide Camunda Platform Docker artifacts for arm64 architectures/M1 Apple machines - This issue was imported from JIRA:
| Field | Value |
| ---------------------------------- | ------------------------------------------------------ |
| JIRA Link | [CAM-14301](https://jira.camunda.com/browse/CAM-14301) |
| Reporter | @toco-cam |
| Has restricted visibility comments | true|
___
**User Story (Required on creation):**
As a Software Engineer, I want to be able to use Camunda Docker containers to develop on arm64 architectures/my Mac with an M1 processor.
**Functional Requirements (Required before implementation):**
* In addition to the images for `linux/amd64` architecture, we provide our Docker images also for the `linux/arm64` architecture
* The new images have the same functionality as the existing ones
**Technical requirements**
* The CI covers the new images
**Limitations of Scope (Optional):**
**Hints (Optional):**
* <https://www.docker.com/blog/multi-arch-build-and-images-the-simple-way/>
* https://github.com/camunda/docker-camunda-bpm-platform/pull/214
**Links:**
* is related to https://jira.camunda.com/browse/SUPPORT-12659
* is related to https://jira.camunda.com/browse/SUPPORT-13282
* is related to https://jira.camunda.com/browse/SUPPORT-13965
### Breakdown
- [x] Define arm64 builds for docker-camunda-bpm-platform actions
- camunda/docker-camunda-bpm-platform#237
- [x] Define arm64 builds for the release jenkins jobs
- Move the build to GHA & trigger workflow via REST API
- Update release guides accordingly
- [x] Define arm64 builds for the QA Docker EE images
| non_defect | provide camunda platform docker artifacts for architectures apple machines this issue was imported from jira field value jira link reporter toco cam has restricted visibility comments true user story required on creation as a software engineer i want to be able to use camunda docker containers to develop on architectures my mac with an processor functional requirements required before implementation in addition to the images for linux architecture we provide our docker images also for the linux architecture the new images have the same functionality as the existing ones technical requirements the ci covers the new images limitations of scope optional hints optional links is related to is related to is related to breakdown define builds for docker camunda bpm platform actions camunda docker camunda bpm platform define builds for the release jenkins jobs move the build to gha trigger workflow via rest api update release guides accordingly define builds for the qa docker ee images | 0 |
67,439 | 20,961,612,167 | IssuesEvent | 2022-03-27 21:49:25 | abedmaatalla/sipdroid | https://api.github.com/repos/abedmaatalla/sipdroid | closed | Feature Request: Option/Capability to Add Phone Number to Recorded Call Filenames | Priority-Medium Type-Defect auto-migrated | ```
*Sorry if this is a dupe; I looked and searched but couldn't find anything
similar.*
Basically, it'd be killer if there were a way to allow sipdroid to
automatically add the phone number (or even better, the contact name if it
exists) to the filename of each phone call that it records.
I'm sure that others would attest to how difficult it can be to find a
particular phone conversation when the filename contains only the date and time
of the conversation. I've found myself listening to a lot of files and
renaming them manually.
sipdroid ruulz. long liv the dev
```
Original issue reported on code.google.com by `cousini...@gmail.com` on 18 May 2012 at 10:00
| 1.0 | Feature Request: Option/Capability to Add Phone Number to Recorded Call Filenames - ```
*Sorry if this is a dupe; I looked and searched but couldn't find anything
similar.*
Basically, it'd be killer if there were a way to allow sipdroid to
automatically add the phone number (or even better, the contact name if it
exists) to the filename of each phone call that it records.
I'm sure that others would attest to how difficult it can be to find a
particular phone conversation when the filename contains only the date and time
of the conversation. I've found myself listening to a lot of files and
renaming them manually.
sipdroid ruulz. long liv the dev
```
Original issue reported on code.google.com by `cousini...@gmail.com` on 18 May 2012 at 10:00
| defect | feature request option capability to add phone number to recorded call filenames sorry if this is a dupe i looked and searched but couldn t find anything similar basically it d be killer if there were a way to allow sipdroid to automatically add the phone number or even better the contact name if it exists to the filename of each phone call that it records i m sure that others would attest to how difficult it can be to find a particular phone conversation when the filename contains only the date and time of the conversation i ve found myself listening to a lot of files and renaming them manually sipdroid ruulz long liv the dev original issue reported on code google com by cousini gmail com on may at | 1 |
295,601 | 9,098,751,607 | IssuesEvent | 2019-02-20 01:17:57 | carbon-design-system/carbon-charts | https://api.github.com/repos/carbon-design-system/carbon-charts | closed | Back to back transitions can result in unfinished transitions | bug core priority | 
Not too critical as you really need to quickly press things to reproduce the bug, and also considering that animations can be disabled in chart configs. | 1.0 | Back to back transitions can result in unfinished transitions - 
Not too critical as you really need to quickly press things to reproduce the bug, and also considering that animations can be disabled in chart configs. | non_defect | back to back transitions can result in unfinished transitions not too critical as you really need to quickly press things to reproduce the bug and also considering that animations can be disabled in chart configs | 0 |
804,095 | 29,389,900,764 | IssuesEvent | 2023-05-30 00:20:33 | DelphiWorlds/Kastri | https://api.github.com/repos/DelphiWorlds/Kastri | closed | [SpeechRecognition] Add available languages, where possible | enhancement priority low | As per title. For Android, [this](https://stackoverflow.com/a/10548680/3164070) may be the Java equivalent.
| 1.0 | [SpeechRecognition] Add available languages, where possible - As per title. For Android, [this](https://stackoverflow.com/a/10548680/3164070) may be the Java equivalent.
| non_defect | add available languages where possible as per title for android may be the java equivalent | 0 |
378,524 | 11,203,521,266 | IssuesEvent | 2020-01-04 20:38:26 | Samograje/co-gdzie-kiedy | https://api.github.com/repos/Samograje/co-gdzie-kiedy | closed | Ładowanie zestawów komputerowych | enhancement frontend normal-priority | Zadanie rozgrzewkowe z Reacta (gdy na masterze będzie dostępny frontend). Nie obchodzi nas wygląd ekranu, liczy się jego działanie, także może być najbrzydszy z możliwych :laughing:
W momencie, gdy ekran się zamontuje, trzeba pobrać listę danych odpowiednim API requestem (metoda `fetch`). Po otrzymaniu odpowiedzi trzeba zapisać dane w stanie kontenera. Jeśli wystąpi błąd (np backend będzie wyłączony), trzeba wyświetlić informację o błędzie. Podczas oczekiwania na odpowiedź, na ekranie powinien kręcić się ten taki (ta animacja).
Cała ta logika powinna odbywać się w kontenerze, a komponent niech tylko wyświetla dane otrzymane z kontenera.
Przykład takiego flow jest na stronie głównej :relaxed: | 1.0 | Ładowanie zestawów komputerowych - Zadanie rozgrzewkowe z Reacta (gdy na masterze będzie dostępny frontend). Nie obchodzi nas wygląd ekranu, liczy się jego działanie, także może być najbrzydszy z możliwych :laughing:
W momencie, gdy ekran się zamontuje, trzeba pobrać listę danych odpowiednim API requestem (metoda `fetch`). Po otrzymaniu odpowiedzi trzeba zapisać dane w stanie kontenera. Jeśli wystąpi błąd (np backend będzie wyłączony), trzeba wyświetlić informację o błędzie. Podczas oczekiwania na odpowiedź, na ekranie powinien kręcić się ten taki (ta animacja).
Cała ta logika powinna odbywać się w kontenerze, a komponent niech tylko wyświetla dane otrzymane z kontenera.
Przykład takiego flow jest na stronie głównej :relaxed: | non_defect | ładowanie zestawów komputerowych zadanie rozgrzewkowe z reacta gdy na masterze będzie dostępny frontend nie obchodzi nas wygląd ekranu liczy się jego działanie także może być najbrzydszy z możliwych laughing w momencie gdy ekran się zamontuje trzeba pobrać listę danych odpowiednim api requestem metoda fetch po otrzymaniu odpowiedzi trzeba zapisać dane w stanie kontenera jeśli wystąpi błąd np backend będzie wyłączony trzeba wyświetlić informację o błędzie podczas oczekiwania na odpowiedź na ekranie powinien kręcić się ten taki ta animacja cała ta logika powinna odbywać się w kontenerze a komponent niech tylko wyświetla dane otrzymane z kontenera przykład takiego flow jest na stronie głównej relaxed | 0 |
559,520 | 16,565,146,878 | IssuesEvent | 2021-05-29 08:38:37 | code4romania/de-urgenta-android | https://api.github.com/repos/code4romania/de-urgenta-android | opened | Integrate backpack endpoints | feature-backpack high-priority :fire: | Complete backpack implementation. The UI is implemented, but the API is not linked.
Please check swagger https://api.deurgenta.hostmysite.ro/swagger/index.html and complete functionality for:
- listing user backpacks
- adding new backpacks | 1.0 | Integrate backpack endpoints - Complete backpack implementation. The UI is implemented, but the API is not linked.
Please check swagger https://api.deurgenta.hostmysite.ro/swagger/index.html and complete functionality for:
- listing user backpacks
- adding new backpacks | non_defect | integrate backpack endpoints complete backpack implementation the ui is implemented but the api is not linked please check swagger and complete functionality for listing user backpacks adding new backpacks | 0 |
54,222 | 13,466,672,935 | IssuesEvent | 2020-09-09 23:31:46 | MDAnalysis/mdanalysis | https://api.github.com/repos/MDAnalysis/mdanalysis | closed | installed MDAnalysisTests error/fail due to missing files | defect installation testing | ## Expected behavior ##
After a conda installation of 1.0.0 (with workaround, see #2938 ...), all tests should pass, as documented.
## Actual behavior ##
5 failures and 35 errors
```
= 5 failed, 16071 passed, 115 skipped, 1 xfailed, 2 xpassed, 9100 warnings, 35 errors in 240.50s (0:04:00) =
```
because at the two following files are missing:
```
E FileNotFoundError: [Errno 2] No such file or directory: '/scratch/oliver/miniconda3/envs/m
daenv/lib/python3.6/site-packages/MDAnalysisTests/data/fhiaims.in'
E FileNotFoundError: [Errno 2] No such file or directory: '/scratch/oliver/miniconda3/envs/m
daenv/lib/python3.6/site-packages/MDAnalysisTests/data/gromacs_ala10.top'
miniconda3/envs/mdaenv/lib/python3.6/bz2.py:96: FileNotFoundError
```
(One failure seems unrelated:
```
=================================== FAILURES ===================================
_______________________________ test_given_mean ________________________________
[gw2] linux -- Python 3.6.11 /scratch/oliver/miniconda3/envs/mdaenv/bin/python
pca_aligned = <MDAnalysis.analysis.pca.PCA object at 0x7fadfd89dd68>
u = <Universe with 3341 atoms>
def test_given_mean(pca_aligned, u):
pca = PCA(u, select=SELECTION, align=False,
mean=pca_aligned._mean).run()
> assert_almost_equal(pca_aligned.cov, pca.cov, decimal=5)
E AssertionError:
E Arrays are not almost equal to 5 decimals
E
E Mismatched elements: 900 / 900 (100%)
E Max absolute difference: 1.0380358
E Max relative difference: 106.43334522
E x: array([[ 6.85943e-02, 6.14962e-03, -2.85235e-02, -2.46964e-03,
E 4.93089e-03, -1.45766e-02, 6.77579e-03, 6.73560e-03,
E -6.87083e-03, -1.39547e-02, 4.34639e-03, -1.46411e-02,...
E y: array([[ 1.10663e+00, -4.76013e-01, 2.59657e-01, 8.86885e-01,
E -4.62178e-01, 3.13851e-01, 7.73986e-01, -4.43201e-01,
E 2.00352e-01, 4.87414e-01, -3.32454e-01, 1.01439e-01,...
```
and is not subject of this report)
## Code to reproduce the behavior ##
Install and run tests
```
pytest -n 12 --disable-pytest-warnings --pyargs MDAnalysisTests 2>&1 | tee FAILED_TESTS.log
```
(``-n 12`` is optional and needs pytest-xdist)
However, this likely affects 2.0.0-dev, too.
## Current version of MDAnalysis ##
- Which version are you using? (run `python -c "import MDAnalysis as mda; print(mda.__version__)"`)
- Which version of Python (`python -V`)?
- Which operating system?
| 1.0 | installed MDAnalysisTests error/fail due to missing files - ## Expected behavior ##
After a conda installation of 1.0.0 (with workaround, see #2938 ...), all tests should pass, as documented.
## Actual behavior ##
5 failures and 35 errors
```
= 5 failed, 16071 passed, 115 skipped, 1 xfailed, 2 xpassed, 9100 warnings, 35 errors in 240.50s (0:04:00) =
```
because at the two following files are missing:
```
E FileNotFoundError: [Errno 2] No such file or directory: '/scratch/oliver/miniconda3/envs/m
daenv/lib/python3.6/site-packages/MDAnalysisTests/data/fhiaims.in'
E FileNotFoundError: [Errno 2] No such file or directory: '/scratch/oliver/miniconda3/envs/m
daenv/lib/python3.6/site-packages/MDAnalysisTests/data/gromacs_ala10.top'
miniconda3/envs/mdaenv/lib/python3.6/bz2.py:96: FileNotFoundError
```
(One failure seems unrelated:
```
=================================== FAILURES ===================================
_______________________________ test_given_mean ________________________________
[gw2] linux -- Python 3.6.11 /scratch/oliver/miniconda3/envs/mdaenv/bin/python
pca_aligned = <MDAnalysis.analysis.pca.PCA object at 0x7fadfd89dd68>
u = <Universe with 3341 atoms>
def test_given_mean(pca_aligned, u):
pca = PCA(u, select=SELECTION, align=False,
mean=pca_aligned._mean).run()
> assert_almost_equal(pca_aligned.cov, pca.cov, decimal=5)
E AssertionError:
E Arrays are not almost equal to 5 decimals
E
E Mismatched elements: 900 / 900 (100%)
E Max absolute difference: 1.0380358
E Max relative difference: 106.43334522
E x: array([[ 6.85943e-02, 6.14962e-03, -2.85235e-02, -2.46964e-03,
E 4.93089e-03, -1.45766e-02, 6.77579e-03, 6.73560e-03,
E -6.87083e-03, -1.39547e-02, 4.34639e-03, -1.46411e-02,...
E y: array([[ 1.10663e+00, -4.76013e-01, 2.59657e-01, 8.86885e-01,
E -4.62178e-01, 3.13851e-01, 7.73986e-01, -4.43201e-01,
E 2.00352e-01, 4.87414e-01, -3.32454e-01, 1.01439e-01,...
```
and is not subject of this report)
## Code to reproduce the behavior ##
Install and run tests
```
pytest -n 12 --disable-pytest-warnings --pyargs MDAnalysisTests 2>&1 | tee FAILED_TESTS.log
```
(``-n 12`` is optional and needs pytest-xdist)
However, this likely affects 2.0.0-dev, too.
## Current version of MDAnalysis ##
- Which version are you using? (run `python -c "import MDAnalysis as mda; print(mda.__version__)"`)
- Which version of Python (`python -V`)?
- Which operating system?
| defect | installed mdanalysistests error fail due to missing files expected behavior after a conda installation of with workaround see all tests should pass as documented actual behavior failures and errors failed passed skipped xfailed xpassed warnings errors in because at the two following files are missing e filenotfounderror no such file or directory scratch oliver envs m daenv lib site packages mdanalysistests data fhiaims in e filenotfounderror no such file or directory scratch oliver envs m daenv lib site packages mdanalysistests data gromacs top envs mdaenv lib py filenotfounderror one failure seems unrelated failures test given mean linux python scratch oliver envs mdaenv bin python pca aligned u def test given mean pca aligned u pca pca u select selection align false mean pca aligned mean run assert almost equal pca aligned cov pca cov decimal e assertionerror e arrays are not almost equal to decimals e e mismatched elements e max absolute difference e max relative difference e x array e e e y array e e and is not subject of this report code to reproduce the behavior install and run tests pytest n disable pytest warnings pyargs mdanalysistests tee failed tests log n is optional and needs pytest xdist however this likely affects dev too current version of mdanalysis which version are you using run python c import mdanalysis as mda print mda version which version of python python v which operating system | 1 |
145,425 | 5,575,394,615 | IssuesEvent | 2017-03-28 01:46:05 | HeinrichReimer/material-intro | https://api.github.com/repos/HeinrichReimer/material-intro | opened | Apps usng this library | enhancement low priority | It may be useful to establish a list of apps that use this intro for others to try it out. | 1.0 | Apps usng this library - It may be useful to establish a list of apps that use this intro for others to try it out. | non_defect | apps usng this library it may be useful to establish a list of apps that use this intro for others to try it out | 0 |
40,181 | 9,885,707,711 | IssuesEvent | 2019-06-25 03:41:56 | jccastillo0007/eFacturaT | https://api.github.com/repos/jccastillo0007/eFacturaT | opened | Condominios - CxC, Cartera por Casa no muestra las SP, solo las facturas | defect | No está considerando las SP, solo muestra facturas.
Aquí en condominios una SP, tiene la misma función que una factura, es decir es un documento que respalda un ingreso, entonces debe aparecer en cualquier sección donde se requiera consultar ingresos.
La excepción a esta regla, es cuando una SP tiene status de cancelada o facturada.
Pero si está vigente, vencida o pagada, debe mostrarse en los reportes de cartera por casa, o general. | 1.0 | Condominios - CxC, Cartera por Casa no muestra las SP, solo las facturas - No está considerando las SP, solo muestra facturas.
Aquí en condominios una SP, tiene la misma función que una factura, es decir es un documento que respalda un ingreso, entonces debe aparecer en cualquier sección donde se requiera consultar ingresos.
La excepción a esta regla, es cuando una SP tiene status de cancelada o facturada.
Pero si está vigente, vencida o pagada, debe mostrarse en los reportes de cartera por casa, o general. | defect | condominios cxc cartera por casa no muestra las sp solo las facturas no está considerando las sp solo muestra facturas aquí en condominios una sp tiene la misma función que una factura es decir es un documento que respalda un ingreso entonces debe aparecer en cualquier sección donde se requiera consultar ingresos la excepción a esta regla es cuando una sp tiene status de cancelada o facturada pero si está vigente vencida o pagada debe mostrarse en los reportes de cartera por casa o general | 1 |
43,501 | 5,638,901,583 | IssuesEvent | 2017-04-06 13:11:06 | fabric8io/fabric8-ux | https://api.github.com/repos/fabric8io/fabric8-ux | closed | VISUALS (SPECS): Collapsible left panel | visual design | Verification Conditions:
- Refer to [InVision wireframes](https://redhat.invisionapp.com/share/AVAL74W9N)
- Design a visual treatment
- Get feedback
- Add specifications once the design is reviewed | 1.0 | VISUALS (SPECS): Collapsible left panel - Verification Conditions:
- Refer to [InVision wireframes](https://redhat.invisionapp.com/share/AVAL74W9N)
- Design a visual treatment
- Get feedback
- Add specifications once the design is reviewed | non_defect | visuals specs collapsible left panel verification conditions refer to design a visual treatment get feedback add specifications once the design is reviewed | 0 |
514 | 2,497,607,508 | IssuesEvent | 2015-01-07 09:09:36 | ArcticEcho/Phamhilator | https://api.github.com/repos/ArcticEcho/Phamhilator | closed | Error: System.NullReferenceException: Object reference not set to an instance of an object. | Bug! Med Priority | [Pham just posted this message:](http://chat.meta.stackexchange.com/transcript/message/2817086#2817086)
`Error:
System.NullReferenceException: Object reference not set to an instance of an object.
at ChatExchangeDotNet.RequestManager.GetResponse(HttpWebRequest req)
at ChatExchangeDotNet.RequestManager.SendPOSTRequest(String uri, String content, Boolean allowAutoRedirect, String referer, String origin)
at ChatExchangeDotNet.Room.PostMessage(String message)
at Phamhilator.MainWindow.CheckSendReport(Post p, String messageBody, PostAnalysis info)
at Phamhilator.MainWindow.<InitialiseSocket>b__2(Object o, MessageEventArgs message)
Received message: {"action":"155-questions-active","data":"{\"siteBaseHostAddress\":\"stackoverflow.com\",\"id\":27609920,\"titleEncodedFancy\":\"Ion-nav-bar : Need help working with scopes and emit in Ionic App\",\"bodySummary\":\"So, I'm using the sidenav and I'm having trouble making my navbar dynamic. \
\
It used to work with this:\
\
<ion-nav-bar ng-class=\\\"$root.color\\\"></ion-nav-bar>\
\
controller('childStateCtrl', ...\",\"tags\":[\"angularjs\",\"angularjs-scope\",\"angular-ui-router\",\"ionic-framework\",\"ui-router\"],\"lastActivityDate\":1419321281,\"url\":\"http://stackoverflow.com/questions/27609920/ion-nav-bar-need-help-working-with-scopes-and-emit-in-ionic-app\",\"ownerUrl\":\"http://stackoverflow.com/users/3869481/ryan-usumi\",\"ownerDisplayName\":\"Ryan Usumi\",\"apiSiteParameter\":\"stackoverflow\"}"}`
I have no idea what this means, but it seems important. It probably is. | 1.0 | Error: System.NullReferenceException: Object reference not set to an instance of an object. - [Pham just posted this message:](http://chat.meta.stackexchange.com/transcript/message/2817086#2817086)
`Error:
System.NullReferenceException: Object reference not set to an instance of an object.
at ChatExchangeDotNet.RequestManager.GetResponse(HttpWebRequest req)
at ChatExchangeDotNet.RequestManager.SendPOSTRequest(String uri, String content, Boolean allowAutoRedirect, String referer, String origin)
at ChatExchangeDotNet.Room.PostMessage(String message)
at Phamhilator.MainWindow.CheckSendReport(Post p, String messageBody, PostAnalysis info)
at Phamhilator.MainWindow.<InitialiseSocket>b__2(Object o, MessageEventArgs message)
Received message: {"action":"155-questions-active","data":"{\"siteBaseHostAddress\":\"stackoverflow.com\",\"id\":27609920,\"titleEncodedFancy\":\"Ion-nav-bar : Need help working with scopes and emit in Ionic App\",\"bodySummary\":\"So, I'm using the sidenav and I'm having trouble making my navbar dynamic. \
\
It used to work with this:\
\
<ion-nav-bar ng-class=\\\"$root.color\\\"></ion-nav-bar>\
\
controller('childStateCtrl', ...\",\"tags\":[\"angularjs\",\"angularjs-scope\",\"angular-ui-router\",\"ionic-framework\",\"ui-router\"],\"lastActivityDate\":1419321281,\"url\":\"http://stackoverflow.com/questions/27609920/ion-nav-bar-need-help-working-with-scopes-and-emit-in-ionic-app\",\"ownerUrl\":\"http://stackoverflow.com/users/3869481/ryan-usumi\",\"ownerDisplayName\":\"Ryan Usumi\",\"apiSiteParameter\":\"stackoverflow\"}"}`
I have no idea what this means, but it seems important. It probably is. | non_defect | error system nullreferenceexception object reference not set to an instance of an object error system nullreferenceexception object reference not set to an instance of an object at chatexchangedotnet requestmanager getresponse httpwebrequest req at chatexchangedotnet requestmanager sendpostrequest string uri string content boolean allowautoredirect string referer string origin at chatexchangedotnet room postmessage string message at phamhilator mainwindow checksendreport post p string messagebody postanalysis info at phamhilator mainwindow b object o messageeventargs message received message action questions active data sitebasehostaddress stackoverflow com id titleencodedfancy ion nav bar need help working with scopes and emit in ionic app bodysummary so i m using the sidenav and i m having trouble making my navbar dynamic it used to work with this lt ion nav bar ng class root color gt lt ion nav bar gt controller childstatectrl tags lastactivitydate url usumi apisiteparameter stackoverflow i have no idea what this means but it seems important it probably is | 0 |
115,649 | 11,884,095,219 | IssuesEvent | 2020-03-27 17:02:42 | quizoxis/gbc_bcdv1013_asc_test8_securityaudit | https://api.github.com/repos/quizoxis/gbc_bcdv1013_asc_test8_securityaudit | closed | Add 5 security findings and create an audit report. | documentation | Find at least 5 security issues within the given contract and compose a report. | 1.0 | Add 5 security findings and create an audit report. - Find at least 5 security issues within the given contract and compose a report. | non_defect | add security findings and create an audit report find at least security issues within the given contract and compose a report | 0 |
184,155 | 21,784,809,098 | IssuesEvent | 2022-05-14 01:23:56 | Chiencc/vaadin | https://api.github.com/repos/Chiencc/vaadin | opened | CVE-2022-22970 (Medium) detected in spring-beans-5.3.3.jar, spring-core-5.3.3.jar | security vulnerability | ## CVE-2022-22970 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>spring-beans-5.3.3.jar</b>, <b>spring-core-5.3.3.jar</b></p></summary>
<p>
<details><summary><b>spring-beans-5.3.3.jar</b></p></summary>
<p>Spring Beans</p>
<p>Library home page: <a href="https://github.com/spring-projects/spring-framework">https://github.com/spring-projects/spring-framework</a></p>
<p>Path to dependency file: /pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/springframework/spring-beans/5.3.3/spring-beans-5.3.3.jar</p>
<p>
Dependency Hierarchy:
- vaadin-spring-boot-starter-14.4.7.jar (Root Library)
- vaadin-spring-12.3.2.jar
- spring-webmvc-5.3.3.jar
- :x: **spring-beans-5.3.3.jar** (Vulnerable Library)
</details>
<details><summary><b>spring-core-5.3.3.jar</b></p></summary>
<p>Spring Core</p>
<p>Library home page: <a href="https://github.com/spring-projects/spring-framework">https://github.com/spring-projects/spring-framework</a></p>
<p>Path to dependency file: /pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/springframework/spring-core/5.3.3/spring-core-5.3.3.jar</p>
<p>
Dependency Hierarchy:
- spring-boot-starter-validation-2.4.2.jar (Root Library)
- spring-boot-starter-2.4.2.jar
- :x: **spring-core-5.3.3.jar** (Vulnerable Library)
</details>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
In spring framework versions prior to 5.3.20+ , 5.2.22+ and old unsupported versions, applications that handle file uploads are vulnerable to DoS attack if they rely on data binding to set a MultipartFile or javax.servlet.Part to a field in a model object.
<p>Publish Date: 2022-05-12
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-22970>CVE-2022-22970</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://tanzu.vmware.com/security/cve-2022-22970">https://tanzu.vmware.com/security/cve-2022-22970</a></p>
<p>Release Date: 2022-05-12</p>
<p>Fix Resolution: org.springframework:spring-beans:5.2.22,5.3.20;org.springframework:spring-core:5.2.22,5.3.20</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) | True | CVE-2022-22970 (Medium) detected in spring-beans-5.3.3.jar, spring-core-5.3.3.jar - ## CVE-2022-22970 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>spring-beans-5.3.3.jar</b>, <b>spring-core-5.3.3.jar</b></p></summary>
<p>
<details><summary><b>spring-beans-5.3.3.jar</b></p></summary>
<p>Spring Beans</p>
<p>Library home page: <a href="https://github.com/spring-projects/spring-framework">https://github.com/spring-projects/spring-framework</a></p>
<p>Path to dependency file: /pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/springframework/spring-beans/5.3.3/spring-beans-5.3.3.jar</p>
<p>
Dependency Hierarchy:
- vaadin-spring-boot-starter-14.4.7.jar (Root Library)
- vaadin-spring-12.3.2.jar
- spring-webmvc-5.3.3.jar
- :x: **spring-beans-5.3.3.jar** (Vulnerable Library)
</details>
<details><summary><b>spring-core-5.3.3.jar</b></p></summary>
<p>Spring Core</p>
<p>Library home page: <a href="https://github.com/spring-projects/spring-framework">https://github.com/spring-projects/spring-framework</a></p>
<p>Path to dependency file: /pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/springframework/spring-core/5.3.3/spring-core-5.3.3.jar</p>
<p>
Dependency Hierarchy:
- spring-boot-starter-validation-2.4.2.jar (Root Library)
- spring-boot-starter-2.4.2.jar
- :x: **spring-core-5.3.3.jar** (Vulnerable Library)
</details>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
In spring framework versions prior to 5.3.20+ , 5.2.22+ and old unsupported versions, applications that handle file uploads are vulnerable to DoS attack if they rely on data binding to set a MultipartFile or javax.servlet.Part to a field in a model object.
<p>Publish Date: 2022-05-12
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-22970>CVE-2022-22970</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Local
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://tanzu.vmware.com/security/cve-2022-22970">https://tanzu.vmware.com/security/cve-2022-22970</a></p>
<p>Release Date: 2022-05-12</p>
<p>Fix Resolution: org.springframework:spring-beans:5.2.22,5.3.20;org.springframework:spring-core:5.2.22,5.3.20</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 medium detected in spring beans jar spring core jar cve medium severity vulnerability vulnerable libraries spring beans jar spring core jar spring beans jar spring beans library home page a href path to dependency file pom xml path to vulnerable library home wss scanner repository org springframework spring beans spring beans jar dependency hierarchy vaadin spring boot starter jar root library vaadin spring jar spring webmvc jar x spring beans jar vulnerable library spring core jar spring core library home page a href path to dependency file pom xml path to vulnerable library home wss scanner repository org springframework spring core spring core jar dependency hierarchy spring boot starter validation jar root library spring boot starter jar x spring core jar vulnerable library found in base branch master vulnerability details in spring framework versions prior to and old unsupported versions applications that handle file uploads are vulnerable to dos attack if they rely on data binding to set a multipartfile or javax servlet part to a field in a model object publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required none user interaction required scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution org springframework spring beans org springframework spring core step up your open source security game with whitesource | 0 |
18,238 | 3,036,704,750 | IssuesEvent | 2015-08-06 13:33:19 | CocoaPods/CocoaPods | https://api.github.com/repos/CocoaPods/CocoaPods | closed | Compiler warning when adding Swift framework | t2:defect | I have added two Swift frameworks ([Locksmith](https://github.com/matthewpalmer/Locksmith) and [SwiftyUserDefaults](https://github.com/radex/SwiftyUserDefaults)) to my project, integrated through CocoaPods (using version 0.36.0.rc.1 and explicitly stating `use_frameworks!` within my PodFile).
Both framework produce the same xCode compiler warning (using xCode 6.3 Beta):
```
[...]/Pods/<module-includes>:1:1: Umbrella header for module 'SwiftyUserDefaults' does not include header 'SwiftyUserDefaults-Swift.h'
```
and
```
[...]/Pods/<module-includes>:1:1: Umbrella header for module 'Locksmith' does not include header 'Locksmith-Swift.h'
```
After talking to the developer of the frameworks we conclude that the root of the problem might be CocoaPods. | 1.0 | Compiler warning when adding Swift framework - I have added two Swift frameworks ([Locksmith](https://github.com/matthewpalmer/Locksmith) and [SwiftyUserDefaults](https://github.com/radex/SwiftyUserDefaults)) to my project, integrated through CocoaPods (using version 0.36.0.rc.1 and explicitly stating `use_frameworks!` within my PodFile).
Both framework produce the same xCode compiler warning (using xCode 6.3 Beta):
```
[...]/Pods/<module-includes>:1:1: Umbrella header for module 'SwiftyUserDefaults' does not include header 'SwiftyUserDefaults-Swift.h'
```
and
```
[...]/Pods/<module-includes>:1:1: Umbrella header for module 'Locksmith' does not include header 'Locksmith-Swift.h'
```
After talking to the developer of the frameworks we conclude that the root of the problem might be CocoaPods. | defect | compiler warning when adding swift framework i have added two swift frameworks and to my project integrated through cocoapods using version rc and explicitly stating use frameworks within my podfile both framework produce the same xcode compiler warning using xcode beta pods umbrella header for module swiftyuserdefaults does not include header swiftyuserdefaults swift h and pods umbrella header for module locksmith does not include header locksmith swift h after talking to the developer of the frameworks we conclude that the root of the problem might be cocoapods | 1 |
7,461 | 2,610,387,138 | IssuesEvent | 2015-02-26 20:05:15 | chrsmith/hedgewars | https://api.github.com/repos/chrsmith/hedgewars | closed | Can't change room name for second room | auto-migrated Priority-Medium Type-Defect | ```
What steps will reproduce the problem?
1. Create a room
2. Delete a room
3. Create a room
4. Change name
5. chat : *!* Room with such name already exists
What is the expected output? What do you see instead?
It works only for first created room. In the other case there are some errors:
*!* Room with such name already exists
What version of the product are you using? On what operating system?
0.9.17 from Kubuntu package manager
Please provide any additional information below.
```
-----
Original issue reported on code.google.com by `blackmet...@o2.pl` on 7 Dec 2011 at 6:20 | 1.0 | Can't change room name for second room - ```
What steps will reproduce the problem?
1. Create a room
2. Delete a room
3. Create a room
4. Change name
5. chat : *!* Room with such name already exists
What is the expected output? What do you see instead?
It works only for first created room. In the other case there are some errors:
*!* Room with such name already exists
What version of the product are you using? On what operating system?
0.9.17 from Kubuntu package manager
Please provide any additional information below.
```
-----
Original issue reported on code.google.com by `blackmet...@o2.pl` on 7 Dec 2011 at 6:20 | defect | can t change room name for second room what steps will reproduce the problem create a room delete a room create a room change name chat room with such name already exists what is the expected output what do you see instead it works only for first created room in the other case there are some errors room with such name already exists what version of the product are you using on what operating system from kubuntu package manager please provide any additional information below original issue reported on code google com by blackmet pl on dec at | 1 |
5,376 | 2,610,186,455 | IssuesEvent | 2015-02-26 18:59:10 | 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、肌肤暗淡急需美白的人群
《祛斑小方法》
鼻子上色斑怎么去,同时为您分享祛斑小方法
注意饮食的搭配,含高感光物质的蔬莱,最好在晚餐食用,��
�用后不宜在强光下活动,以避免黑色素的沉着。
```
-----
Original issue reported on code.google.com by `additive...@gmail.com` on 1 Jul 2014 at 3:56 | 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、肌肤暗淡急需美白的人群
《祛斑小方法》
鼻子上色斑怎么去,同时为您分享祛斑小方法
注意饮食的搭配,含高感光物质的蔬莱,最好在晚餐食用,��
�用后不宜在强光下活动,以避免黑色素的沉着。
```
-----
Original issue reported on code.google.com by `additive...@gmail.com` on 1 Jul 2014 at 3:56 | defect | 咨询鼻子上色斑怎么去 《摘要》 四季的轮回,变换着多样缤纷的色彩。当黄,静静的铺满山�� �。一丝怅然恐慌成无法言说的失落。凝不住经年的妩媚,留� ��下往昔的绚烂。在季节的深处,九月的风微凉着心事。一场 寒雨在风中呜咽叹息,轻敲轩窗,碎断人肠。没有了昨日纤�� �湿花的雅致,忘却了曾经柳絮扑帘的悠然。绮梦悠悠伤情绵� ��,一任愁绪在风中雨里飘摇成伤,恍若,枝头颤动的叶子, 没了昨日张扬的碧绿,沉淀了一个春夏的水嫩在风中瞬间走�� �,只留下一袭苍白,挣扎在季节的末梢。嘴角溢出的笑,潋� ��了一湖的秋水。如果出去嘴角的色斑,我想这个微笑会更美 。鼻子上色斑怎么去, 《客户案例》 每个女孩都想在自己的婚礼上成为最美的新娘吧,我也�� �例外,我和男朋友已经订婚了,再有五个月我就是他的新娘� ��,可我心里总是有一些遗憾,这还得从头说起。 在我很小的时候,我就开始有黄褐斑了,听我妈说可能�� �传我爸吧,可爸爸黑看不出来,我的皮肤又遗传了我妈的白� ��所以就看的很明显了,小时候年龄小还不觉得什么,可等年 龄大了,看到别的女孩都是白白净净的,可我怎么就有那么�� �小点点啊,心里真的是很别扭,也许有些自卑吧,我从不和� ��多数女孩那样爱好打扮,我的大部分时间都用在了学习上, 我妈告诉我女孩子的容貌是靠不住的,还是学识最能衬托气�� �,气质好了,人就漂亮了。我对我妈的这句话记得特别清楚� ��因为学习很努力,我考上了比较好的大学,毕业后进了家比 较好的公司做翻译,然后遇到了我的男朋友,刚开始我很自�� �,总觉得那么好的男孩怎么会喜欢我呢,可男朋友告诉我,� ��就喜欢我这种认真负责贤惠的女孩,我当时感觉真是很幸福 ,交往了一年我们决定结婚了。 随着婚期越来越近,我那颗心越来越不安分,我有那么�� �的老公,为什么我就不能成为最美丽的新娘回报他呢。不行� ��我一定要试试祛斑的办法。应该说我还是很顺利的,在网上 买了「黛芙薇尔精华液」,当时买的时候也是经过了慎重的�� �虑,我也做了很多前期的考察工作,觉的这个比较适合我,� ��了三个多月的时间,斑就淡化的快看不见了,这时候我的婚 礼也快来临了,我的心情反而更紧张了,终于这一天来临了�� �当我走出化妆室,我看到老公眼里的惊艳,我知道,我终于� ��了他最美丽的新娘。 阅读了鼻子上色斑怎么去,再看脸上容易长斑的原因: 《色斑形成原因》 内部因素 一、压力 当人受到压力时,就会分泌肾上腺素,为对付压力而做�� �备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏� ��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃 。 二、荷尔蒙分泌失调 避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞�� �分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在� ��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕 中因女性荷尔蒙雌激素的增加, — 现斑,这时候出现的斑点在产后大部分会消失。可是,新陈�� �谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等� ��因,都会使斑加深。有时新长出的斑,产后也不会消失,所 以需要更加注意。 三、新陈代谢缓慢 肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑�� �因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态� ��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是 内分泌失调导致过敏体质而形成的。另外,身体状态不正常�� �时候,紫外线的照射也会加速斑的形成。 四、错误的使用化妆品 使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在�� �疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵� ��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的 问题。 外部因素 一、紫外线 照射紫外线的时候,人体为了保护皮肤,会在基底层产�� �很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更� ��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化, 还会引起黑斑、雀斑等色素沉着的皮肤疾患。 二、不良的清洁习惯 因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。�� �皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦� ��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的 问题。 三、遗传基因 父母中有长斑的,则本人长斑的概率就很高,这种情况�� �一定程度上就可判定是遗传基因的作用。所以家里特别是长� ��有长斑的人,要注意避免引发长斑的重要因素之一——紫外 线照射,这是预防斑必须注意的。 《有疑问帮你解决》 黛芙薇尔精华液真的有效果吗 真的可以把脸上的黄褐�� �去掉吗 答:黛芙薇尔精华液dna精华能够有效的修复周围难以触�� �的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必� ��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑 ,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时�� �,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的� ��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显 而易见。自产品上市以来,老顾客纷纷介绍新顾客, 的新�� �客都是通过老顾客介绍而来,口碑由此而来 ,服用黛芙薇尔美白,会伤身体吗 有副作用吗 答:黛芙薇尔精华液应用了精纯复合配方和领先的分类�� �斑科技,并将“dna美肤系统”疗法应用到了该产品中,能彻� ��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有 效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾�� �地的专家通力协作, �� �,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽� ��迹,令每一位爱美的女性都能享受到科技创新所带来的自然 之美。 专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数�� �百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖 ,去除黄褐斑之后,会反弹吗 答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔�� �白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家� ��据斑的形成原因精心研制而成用事实说话,让消费者打分。 树立权威品牌 我们的很多新客户都是老客户介绍而来,请问� ��如果效果不好,会有客户转介绍吗 ,你们的价格有点贵,能不能便宜一点 答: , , ,而这些毫无疑问,不会对彻底去� ��你的斑点有任何帮助 一分价钱,一份价值,我们现在做的�� �是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的� ��褐斑彻底去除,你还会觉得贵吗 你还会再去花那么多冤枉�� �,不但斑没去掉,还把自己的皮肤弄的越来越糟吗 ,我适合用黛芙薇尔精华液吗 答:黛芙薇尔适用人群: 、生理紊乱引起的黄褐斑人群 、生育引起的妊娠斑人群 、年纪增长引起的老年斑人群 、化妆品色素沉积、辐射斑人群 、长期日照引起的日晒斑人群 、肌肤暗淡急需美白的人群 《祛斑小方法》 鼻子上色斑怎么去,同时为您分享祛斑小方法 注意饮食的搭配,含高感光物质的蔬莱,最好在晚餐食用,�� �用后不宜在强光下活动,以避免黑色素的沉着。 original issue reported on code google com by additive gmail com on jul at | 1 |
12,025 | 14,738,536,031 | IssuesEvent | 2021-01-07 05:02:40 | kdjstudios/SABillingGitlab | https://api.github.com/repos/kdjstudios/SABillingGitlab | closed | Keener - simple question - email customer/account | anc-external anc-ops anc-process anp-0.5 ant-bug ant-support | In GitLab by @kdjstudios on Jun 8, 2018, 12:57
**Submitted by:** Gaylan Garrett <gaylan@keenercom.net>
**Helpdesk:** http://www.servicedesk.answernet.com/profiles/ticket/2018-06-08-44383/conversation
**Server:** External (Both)
**Client/Site:** Keener (All)
**Account:** NA
**Issue:**
I was curious if you have one email in customer and a different email in account, which email is used to send the invoices to.
My suspicion is that it is the one in customer. The reason I say this Is because I just had a client request we send invoices to a different email but the email they requested is the email I already had set up in account but that person did not get it. The person whose email was in customer received the invoice.
This is confusing because the only place you can view the invoices is in account so you would think it would use the email that is in account not customer.
Can you please confirm does it use the email from customer or the email from account to email the invoice to. | 1.0 | Keener - simple question - email customer/account - In GitLab by @kdjstudios on Jun 8, 2018, 12:57
**Submitted by:** Gaylan Garrett <gaylan@keenercom.net>
**Helpdesk:** http://www.servicedesk.answernet.com/profiles/ticket/2018-06-08-44383/conversation
**Server:** External (Both)
**Client/Site:** Keener (All)
**Account:** NA
**Issue:**
I was curious if you have one email in customer and a different email in account, which email is used to send the invoices to.
My suspicion is that it is the one in customer. The reason I say this Is because I just had a client request we send invoices to a different email but the email they requested is the email I already had set up in account but that person did not get it. The person whose email was in customer received the invoice.
This is confusing because the only place you can view the invoices is in account so you would think it would use the email that is in account not customer.
Can you please confirm does it use the email from customer or the email from account to email the invoice to. | non_defect | keener simple question email customer account in gitlab by kdjstudios on jun submitted by gaylan garrett helpdesk server external both client site keener all account na issue i was curious if you have one email in customer and a different email in account which email is used to send the invoices to my suspicion is that it is the one in customer the reason i say this is because i just had a client request we send invoices to a different email but the email they requested is the email i already had set up in account but that person did not get it the person whose email was in customer received the invoice this is confusing because the only place you can view the invoices is in account so you would think it would use the email that is in account not customer can you please confirm does it use the email from customer or the email from account to email the invoice to | 0 |
22,182 | 15,030,591,382 | IssuesEvent | 2021-02-02 07:42:00 | micronaut-projects/micronaut-guides-poc | https://api.github.com/repos/micronaut-projects/micronaut-guides-poc | closed | Setup github action to run tests | infrastructure | There should be a github actions which does `./gradlew build` and then `cd code;./test.sh` | 1.0 | Setup github action to run tests - There should be a github actions which does `./gradlew build` and then `cd code;./test.sh` | non_defect | setup github action to run tests there should be a github actions which does gradlew build and then cd code test sh | 0 |
2,112 | 2,603,976,501 | IssuesEvent | 2015-02-24 19:01:37 | chrsmith/nishazi6 | https://api.github.com/repos/chrsmith/nishazi6 | opened | 沈阳龟头上有小肉芽 | auto-migrated Priority-Medium Type-Defect | ```
沈阳龟头上有小肉芽〓沈陽軍區政治部醫院性病〓TEL:024-3102
3308〓成立于1946年,68年專注于性傳播疾病的研究和治療。位�
��沈陽市沈河區二緯路32號。是一所與新中國同建立共輝煌的�
��史悠久、設備精良、技術權威、專家云集,是預防、保健、
醫療、科研康復為一體的綜合性醫院。是國家首批公立甲等��
�隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、東�
��大學等知名高等院校的教學醫院。曾被中國人民解放軍空軍
后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體二��
�功。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 8:21 | 1.0 | 沈阳龟头上有小肉芽 - ```
沈阳龟头上有小肉芽〓沈陽軍區政治部醫院性病〓TEL:024-3102
3308〓成立于1946年,68年專注于性傳播疾病的研究和治療。位�
��沈陽市沈河區二緯路32號。是一所與新中國同建立共輝煌的�
��史悠久、設備精良、技術權威、專家云集,是預防、保健、
醫療、科研康復為一體的綜合性醫院。是國家首批公立甲等��
�隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、東�
��大學等知名高等院校的教學醫院。曾被中國人民解放軍空軍
后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體二��
�功。
```
-----
Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 8:21 | defect | 沈阳龟头上有小肉芽 沈阳龟头上有小肉芽〓沈陽軍區政治部醫院性病〓tel: 〓 , 。位� �� 。是一所與新中國同建立共輝煌的� ��史悠久、設備精良、技術權威、專家云集,是預防、保健、 醫療、科研康復為一體的綜合性醫院。是國家首批公立甲等�� �隊醫院、全國首批醫療規范定點單位,是第四軍醫大學、東� ��大學等知名高等院校的教學醫院。曾被中國人民解放軍空軍 后勤部衛生部評為衛生工作先進單位,先后兩次榮立集體二�� �功。 original issue reported on code google com by gmail com on jun at | 1 |
24,343 | 3,967,857,649 | IssuesEvent | 2016-05-03 17:40:00 | scipy/scipy | https://api.github.com/repos/scipy/scipy | opened | Failures with latest MKL | defect scipy.linalg | Intel just released the 16.0.3 Parallel studio, and I now have a bunch of test failures of the form:
```
======================================================================
ERROR: test_decomp_update.TestQRinsert_D.test_Mx1_economic_p_col
----------------------------------------------------------------------
Traceback (most recent call last):
File "/home/larsoner/custombuilds/nose/nose/case.py", line 197, in runTest
self.test(*self.arg)
File "/home/larsoner/.local/lib/python2.7/site-packages/scipy/linalg/tests/test_decomp_update.py", line 881, in test_Mx1_economic_p_col
q1, r1 = qr_insert(q, r, u, col, 'col', overwrite_qru=False)
File "scipy/linalg/_decomp_update.pyx", line 1816, in scipy.linalg._decomp_update.qr_insert (scipy/linalg/_decomp_update.c:28082)
File "scipy/linalg/_decomp_update.pyx", line 2132, in scipy.linalg._decomp_update.qr_insert_col (scipy/linalg/_decomp_update.c:31692)
ValueError: The 7th argument to ?geqrf was invalid
```
I read in their release notes that they made some checks more strict, this must be the effect. | 1.0 | Failures with latest MKL - Intel just released the 16.0.3 Parallel studio, and I now have a bunch of test failures of the form:
```
======================================================================
ERROR: test_decomp_update.TestQRinsert_D.test_Mx1_economic_p_col
----------------------------------------------------------------------
Traceback (most recent call last):
File "/home/larsoner/custombuilds/nose/nose/case.py", line 197, in runTest
self.test(*self.arg)
File "/home/larsoner/.local/lib/python2.7/site-packages/scipy/linalg/tests/test_decomp_update.py", line 881, in test_Mx1_economic_p_col
q1, r1 = qr_insert(q, r, u, col, 'col', overwrite_qru=False)
File "scipy/linalg/_decomp_update.pyx", line 1816, in scipy.linalg._decomp_update.qr_insert (scipy/linalg/_decomp_update.c:28082)
File "scipy/linalg/_decomp_update.pyx", line 2132, in scipy.linalg._decomp_update.qr_insert_col (scipy/linalg/_decomp_update.c:31692)
ValueError: The 7th argument to ?geqrf was invalid
```
I read in their release notes that they made some checks more strict, this must be the effect. | defect | failures with latest mkl intel just released the parallel studio and i now have a bunch of test failures of the form error test decomp update testqrinsert d test economic p col traceback most recent call last file home larsoner custombuilds nose nose case py line in runtest self test self arg file home larsoner local lib site packages scipy linalg tests test decomp update py line in test economic p col qr insert q r u col col overwrite qru false file scipy linalg decomp update pyx line in scipy linalg decomp update qr insert scipy linalg decomp update c file scipy linalg decomp update pyx line in scipy linalg decomp update qr insert col scipy linalg decomp update c valueerror the argument to geqrf was invalid i read in their release notes that they made some checks more strict this must be the effect | 1 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.