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
31,163
6,443,900,038
IssuesEvent
2017-08-12 02:18:16
opendatakit/opendatakit
https://api.github.com/repos/opendatakit/opendatakit
closed
export to csv emits 'null' in cells that have no values
Aggregate Priority-Medium Type-Defect
Originally reported on Google Code with ID 763 ``` Comparing export to csv with ODK Briefcase, the exported csv emits 'null' when a cell is blank, whereas the ODK Briefcase export emits an empty cell. The ODK Aggregate implementation should emit an empty cell. ``` Reported by `mitchellsundt` on 2013-02-08 18:22:47
1.0
export to csv emits 'null' in cells that have no values - Originally reported on Google Code with ID 763 ``` Comparing export to csv with ODK Briefcase, the exported csv emits 'null' when a cell is blank, whereas the ODK Briefcase export emits an empty cell. The ODK Aggregate implementation should emit an empty cell. ``` Reported by `mitchellsundt` on 2013-02-08 18:22:47
defect
export to csv emits null in cells that have no values originally reported on google code with id comparing export to csv with odk briefcase the exported csv emits null when a cell is blank whereas the odk briefcase export emits an empty cell the odk aggregate implementation should emit an empty cell reported by mitchellsundt on
1
58,819
14,351,301,980
IssuesEvent
2020-11-30 00:42:56
NixOS/nixpkgs
https://api.github.com/repos/NixOS/nixpkgs
closed
Vulnerability roundup 90: evolution-data-server-3.34.4: 1 advisory [5.9]
1.severity: security
[search](https://search.nix.gsc.io/?q=evolution-data-server&i=fosho&repos=NixOS-nixpkgs), [files](https://github.com/NixOS/nixpkgs/search?utf8=%E2%9C%93&q=evolution-data-server+in%3Apath&type=Code) * [ ] [CVE-2020-14928](https://nvd.nist.gov/vuln/detail/CVE-2020-14928) CVSSv3=5.9 (nixos-20.03) Scanned versions: nixos-20.03: b50d55871fb. May contain false positives. Cc @hedning Cc @lethalman Cc @worldofpeace
True
Vulnerability roundup 90: evolution-data-server-3.34.4: 1 advisory [5.9] - [search](https://search.nix.gsc.io/?q=evolution-data-server&i=fosho&repos=NixOS-nixpkgs), [files](https://github.com/NixOS/nixpkgs/search?utf8=%E2%9C%93&q=evolution-data-server+in%3Apath&type=Code) * [ ] [CVE-2020-14928](https://nvd.nist.gov/vuln/detail/CVE-2020-14928) CVSSv3=5.9 (nixos-20.03) Scanned versions: nixos-20.03: b50d55871fb. May contain false positives. Cc @hedning Cc @lethalman Cc @worldofpeace
non_defect
vulnerability roundup evolution data server advisory nixos scanned versions nixos may contain false positives cc hedning cc lethalman cc worldofpeace
0
40,559
10,040,477,184
IssuesEvent
2019-07-18 20:02:49
zfsonlinux/zfs
https://api.github.com/repos/zfsonlinux/zfs
closed
race condition between spa async threads and export
Type: Defect
@shartse recently hit a ztest failure where the deadman timed out. The problem was a race condition between multiple threads doing attempting to export the pool and hitting a deadlock suspending and resuming the SPA's async thread and zthrs. The specific scenario from Sara's core is the following: There are 3 threads (A,B,C) that just entered `spa_export_common()` and one zthr (thread D - which in Sara's case was the livelist zthr but could just as easily have been a different one). Timeline: * Threads A, B, and C started racing in `spa_async_suspend()`. * Thread A suspended all async threads and grabbed the `spa_namespace_lock`. * Thread B had a no-op pretty much in `spa_async_suspend()` and got stuck waiting for Thread A to drop the `spa_namespace_lock` in `spa_export_common()`. * Thread A seeing that there are still references to the pool, executes one of the error code paths and resumes all the async threads through `spa_async_resume()`, dropping the `spa_namespace_lock` and exiting. * Thread B then grabs the `spa_namespace_lock`, hits the same error and is about the enter `spa_async_resume()`. * Thread C enters `spa_async_suspend()` calling `zthr_cancel()` in one of the zthrs, grabbing the `zthr_request_lock` and later wait on `cv_wait()` for `zthr_cv` to be broadcasted. * Thread D (the zthr), the thread that is supposed to broadcast `zthr_cv`, is stuck in `dsl_sync_task()/spa_open_common()` waiting for the `spa_namespace_lock` to be dropped by thread B. * Thread B `spa_async_resume()` which calls `zthr_resume()` for thread D, at which point it gets stuck waiting to grab the `zthr_request_lock` mutex that is held by thread C in `zthr_cancel`. Resulting Deadlock: Thread B holds the `spa_namespace_lock` and is stuck waiting for the `zthr_request_lock`. Thread C holds the `zthr_request_lock` and is stuck waiting for `zthr_cv` to receive a signal. Thread D is stuck waiting for the `spa_namespace_lock` and it cannot signal `zthr_cv`. Relevant Code paths: ``` spa_export_common - ... <cropped>... /* * Put a hold on the pool, drop the namespace lock, stop async tasks, * reacquire the namespace lock, and see if we can export. */ spa_open_ref(spa, FTAG); mutex_exit(&spa_namespace_lock); spa_async_suspend(spa); ... <cropped> ... mutex_enter(&spa_namespace_lock); ... <cropped> ... /* * A pool cannot be exported or destroyed if there are active * references. If we are resetting a pool, allow references by * fault injection handlers. */ if (!spa_refcount_zero(spa) || (spa->spa_inject_ref != 0 && new_state != POOL_STATE_UNINITIALIZED)) { spa_async_resume(spa); mutex_exit(&spa_namespace_lock); return (SET_ERROR(EBUSY)); } ... <cropped> ... ``` ``` zthr_cancel - mutex_enter(&t->zthr_request_lock); mutex_enter(&t->zthr_state_lock); ... <cropped> ... if (t->zthr_thread != NULL) { ... <cropped> ... while (t->zthr_thread != NULL) cv_wait(&t->zthr_cv, &t->zthr_state_lock); ... <cropped> ... } mutex_exit(&t->zthr_state_lock); mutex_exit(&t->zthr_request_lock); ``` ``` zthr_resume - mutex_enter(&t->zthr_request_lock); mutex_enter(&t->zthr_state_lock); ... <cropped> ... if (t->zthr_thread == NULL) { t->zthr_thread = thread_create(NULL, 0, zthr_procedure, t, 0, &p0, TS_RUN, minclsyspri); } mutex_exit(&t->zthr_state_lock); mutex_exit(&t->zthr_request_lock); } ``` Even though in Sara's scenario it was a livelist open-context thread, since this has not been upstreamed yet, I have the snippet of another zthr that could just as easily have caused this. ``` spa_condense_indirect_thread - ... <cropped> ... VERIFY0(dsl_sync_task(spa_name(spa), NULL, spa_condense_indirect_complete_sync, sci, 0, ZFS_SPACE_CHECK_EXTRA_RESERVED)); ``` There are a couple of potential solutions here. After discussing it with Matt, we figured that serializing most of `spa_export_common()` by bailing early if there are other threads in that codepath may be the best solution in making export more stable overall.
1.0
race condition between spa async threads and export - @shartse recently hit a ztest failure where the deadman timed out. The problem was a race condition between multiple threads doing attempting to export the pool and hitting a deadlock suspending and resuming the SPA's async thread and zthrs. The specific scenario from Sara's core is the following: There are 3 threads (A,B,C) that just entered `spa_export_common()` and one zthr (thread D - which in Sara's case was the livelist zthr but could just as easily have been a different one). Timeline: * Threads A, B, and C started racing in `spa_async_suspend()`. * Thread A suspended all async threads and grabbed the `spa_namespace_lock`. * Thread B had a no-op pretty much in `spa_async_suspend()` and got stuck waiting for Thread A to drop the `spa_namespace_lock` in `spa_export_common()`. * Thread A seeing that there are still references to the pool, executes one of the error code paths and resumes all the async threads through `spa_async_resume()`, dropping the `spa_namespace_lock` and exiting. * Thread B then grabs the `spa_namespace_lock`, hits the same error and is about the enter `spa_async_resume()`. * Thread C enters `spa_async_suspend()` calling `zthr_cancel()` in one of the zthrs, grabbing the `zthr_request_lock` and later wait on `cv_wait()` for `zthr_cv` to be broadcasted. * Thread D (the zthr), the thread that is supposed to broadcast `zthr_cv`, is stuck in `dsl_sync_task()/spa_open_common()` waiting for the `spa_namespace_lock` to be dropped by thread B. * Thread B `spa_async_resume()` which calls `zthr_resume()` for thread D, at which point it gets stuck waiting to grab the `zthr_request_lock` mutex that is held by thread C in `zthr_cancel`. Resulting Deadlock: Thread B holds the `spa_namespace_lock` and is stuck waiting for the `zthr_request_lock`. Thread C holds the `zthr_request_lock` and is stuck waiting for `zthr_cv` to receive a signal. Thread D is stuck waiting for the `spa_namespace_lock` and it cannot signal `zthr_cv`. Relevant Code paths: ``` spa_export_common - ... <cropped>... /* * Put a hold on the pool, drop the namespace lock, stop async tasks, * reacquire the namespace lock, and see if we can export. */ spa_open_ref(spa, FTAG); mutex_exit(&spa_namespace_lock); spa_async_suspend(spa); ... <cropped> ... mutex_enter(&spa_namespace_lock); ... <cropped> ... /* * A pool cannot be exported or destroyed if there are active * references. If we are resetting a pool, allow references by * fault injection handlers. */ if (!spa_refcount_zero(spa) || (spa->spa_inject_ref != 0 && new_state != POOL_STATE_UNINITIALIZED)) { spa_async_resume(spa); mutex_exit(&spa_namespace_lock); return (SET_ERROR(EBUSY)); } ... <cropped> ... ``` ``` zthr_cancel - mutex_enter(&t->zthr_request_lock); mutex_enter(&t->zthr_state_lock); ... <cropped> ... if (t->zthr_thread != NULL) { ... <cropped> ... while (t->zthr_thread != NULL) cv_wait(&t->zthr_cv, &t->zthr_state_lock); ... <cropped> ... } mutex_exit(&t->zthr_state_lock); mutex_exit(&t->zthr_request_lock); ``` ``` zthr_resume - mutex_enter(&t->zthr_request_lock); mutex_enter(&t->zthr_state_lock); ... <cropped> ... if (t->zthr_thread == NULL) { t->zthr_thread = thread_create(NULL, 0, zthr_procedure, t, 0, &p0, TS_RUN, minclsyspri); } mutex_exit(&t->zthr_state_lock); mutex_exit(&t->zthr_request_lock); } ``` Even though in Sara's scenario it was a livelist open-context thread, since this has not been upstreamed yet, I have the snippet of another zthr that could just as easily have caused this. ``` spa_condense_indirect_thread - ... <cropped> ... VERIFY0(dsl_sync_task(spa_name(spa), NULL, spa_condense_indirect_complete_sync, sci, 0, ZFS_SPACE_CHECK_EXTRA_RESERVED)); ``` There are a couple of potential solutions here. After discussing it with Matt, we figured that serializing most of `spa_export_common()` by bailing early if there are other threads in that codepath may be the best solution in making export more stable overall.
defect
race condition between spa async threads and export shartse recently hit a ztest failure where the deadman timed out the problem was a race condition between multiple threads doing attempting to export the pool and hitting a deadlock suspending and resuming the spa s async thread and zthrs the specific scenario from sara s core is the following there are threads a b c that just entered spa export common and one zthr thread d which in sara s case was the livelist zthr but could just as easily have been a different one timeline threads a b and c started racing in spa async suspend thread a suspended all async threads and grabbed the spa namespace lock thread b had a no op pretty much in spa async suspend and got stuck waiting for thread a to drop the spa namespace lock in spa export common thread a seeing that there are still references to the pool executes one of the error code paths and resumes all the async threads through spa async resume dropping the spa namespace lock and exiting thread b then grabs the spa namespace lock hits the same error and is about the enter spa async resume thread c enters spa async suspend calling zthr cancel in one of the zthrs grabbing the zthr request lock and later wait on cv wait for zthr cv to be broadcasted thread d the zthr the thread that is supposed to broadcast zthr cv is stuck in dsl sync task spa open common waiting for the spa namespace lock to be dropped by thread b thread b spa async resume which calls zthr resume for thread d at which point it gets stuck waiting to grab the zthr request lock mutex that is held by thread c in zthr cancel resulting deadlock thread b holds the spa namespace lock and is stuck waiting for the zthr request lock thread c holds the zthr request lock and is stuck waiting for zthr cv to receive a signal thread d is stuck waiting for the spa namespace lock and it cannot signal zthr cv relevant code paths spa export common put a hold on the pool drop the namespace lock stop async tasks reacquire the namespace lock and see if we can export spa open ref spa ftag mutex exit spa namespace lock spa async suspend spa mutex enter spa namespace lock a pool cannot be exported or destroyed if there are active references if we are resetting a pool allow references by fault injection handlers if spa refcount zero spa spa spa inject ref new state pool state uninitialized spa async resume spa mutex exit spa namespace lock return set error ebusy zthr cancel mutex enter t zthr request lock mutex enter t zthr state lock if t zthr thread null while t zthr thread null cv wait t zthr cv t zthr state lock mutex exit t zthr state lock mutex exit t zthr request lock zthr resume mutex enter t zthr request lock mutex enter t zthr state lock if t zthr thread null t zthr thread thread create null zthr procedure t ts run minclsyspri mutex exit t zthr state lock mutex exit t zthr request lock even though in sara s scenario it was a livelist open context thread since this has not been upstreamed yet i have the snippet of another zthr that could just as easily have caused this spa condense indirect thread dsl sync task spa name spa null spa condense indirect complete sync sci zfs space check extra reserved there are a couple of potential solutions here after discussing it with matt we figured that serializing most of spa export common by bailing early if there are other threads in that codepath may be the best solution in making export more stable overall
1
5,407
2,610,187,049
IssuesEvent
2015-02-26 18:59:20
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 4:05
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 4:05
defect
转载鼻子上面有色斑怎么办 《摘要》 心,踌躇在房间的角落,淡淡的忧伤潜过心怀,原本轻盈的�� �步,也变得似乎有些沉重。不经意之间,给心意穿上一件绚� ��的裳衣,却发现,装点靓丽的饰物,已如此时的心境,张望 着残缺的伤口。愁容卧于床边,窗外的雨吹打着纷飞的思绪�� �想着纤纤君子投来的浅笑,任花香遍地,也嗅不到血脉的流� ��。多梦的年龄,应有万千灿烂的怀想,沿着幽幽的小径,悠 闲于小河竹林的怀抱。可是,情深不过相思苦,百无聊赖于�� �人顾盼之中,又怎能酣睡于梦境。即使冥冥意象里,有一骑� ��尘踏响风声,带来的,也是涌上心头的幽怨和娇恨。这次第 ,怎一个愁字了得!中医认为,如果脏腑功能失调,经脉阻�� �,气血不足,均可反映到脸上,黄褐斑的产生正是和人体脏� ��、气血、冲任失调有关,是全身疾病的反映,而且与肝、脾 、肾三脏功能失调关系最为密切。那么黄褐斑还有机会治愈�� �!鼻子上面有色斑怎么办, 《客户案例》   我的斑长的挺神奇的,一开始没看出什么动静来,就下�� �那长了几颗,还以为长的是什么呢,就没怎么在意,那一段� ��间睡眠不怎么好,老失眠,估计就是因为那个吧,本来想着 过几天应该就会下去了,也没怎么管它,后来发现过了快一�� �月了还是老样子,没见再长,也没见下去,想着应该也不是� ��么大问题,一忙就给忘了。   大概过了有三个多月吧,星期天终于得闲在家睡个懒觉�� �起来收拾的时候对着镜子仔细的瞧了瞧自己,突然发现自己� ��上的那些点点都蔓延到脸颊了,下巴那颜色都变深了,心里 咯噔了一下,赶紧上网查了查,说是长的色斑,我就急了,�� �时也没找到什么方法,原来的时候还听说色斑挺不好去的,� ��多都有副作用,还会反弹,弄得我什么都不敢尝试,郁闷死 了。   后来就在网上看到了「黛芙薇尔精华液」,挺火的,好�� �人都在用,我仔细的看了一下它的资料,是纯精华的,这个� ��是老祖宗传下来的,而且我特佩服华佗,觉得还行,又去国 际品牌查了下,也查到了,不过也是犹豫了半天,没敢尝试�� �说是没有副作用,可万一呢,心里纠结了挺久的,最后还是� ��定试试,刚开始的时候确实没什么感觉,慢慢的有感觉睡眠 好点了,连月经也比以前正常了,完一个周期的时候我仔细�� �了看自己的脸,斑倒是没怎么去掉,不过脸上的皮肤比以前� ��腻了点,就又接着了两个周期,还真的都去掉了,干净不说 ,到现在也没怎么长,嘻嘻,当时都瞎担心了,看来「黛芙�� �尔精华液」确实挺不错的哈。 阅读了鼻子上面有色斑怎么办,再看脸上容易长斑的原因: 《色斑形成原因》   内部因素   一、压力   当人受到压力时,就会分泌肾上腺素,为对付压力而做�� �备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏� ��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃 。   二、荷尔蒙分泌失调   避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞�� �分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在� ��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕 中因女性荷尔蒙雌激素的增加, — 现斑,这时候出现的斑点在产后大部分会消失。可是,新陈�� �谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等� ��因,都会使斑加深。有时新长出的斑,产后也不会消失,所 以需要更加注意。   三、新陈代谢缓慢   肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑�� �因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态� ��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是 内分泌失调导致过敏体质而形成的。另外,身体状态不正常�� �时候,紫外线的照射也会加速斑的形成。   四、错误的使用化妆品   使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在�� �疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵� ��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的 问题。   外部因素   一、紫外线   照射紫外线的时候,人体为了保护皮肤,会在基底层产�� �很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更� ��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化, 还会引起黑斑、雀斑等色素沉着的皮肤疾患。   二、不良的清洁习惯   因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。�� �皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦� ��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的 问题。   三、遗传基因   父母中有长斑的,则本人长斑的概率就很高,这种情况�� �一定程度上就可判定是遗传基因的作用。所以家里特别是长� ��有长斑的人,要注意避免引发长斑的重要因素之一——紫外 线照射,这是预防斑必须注意的。 《有疑问帮你解决》    黛芙薇尔精华液真的有效果吗 真的可以把脸上的黄褐�� �去掉吗   答:黛芙薇尔精华液dna精华能够有效的修复周围难以触�� �的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必� ��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑 ,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时�� �,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的� ��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显 而易见。自产品上市以来,老顾客纷纷介绍新顾客, 的新�� �客都是通过老顾客介绍而来,口碑由此而来    ,服用黛芙薇尔美白,会伤身体吗 有副作用吗   答:黛芙薇尔精华液应用了精纯复合配方和领先的分类�� �斑科技,并将“dna美肤系统”疗法应用到了该产品中,能彻� ��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有 效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾�� �地的专家通力协作, �� �,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽� ��迹,令每一位爱美的女性都能享受到科技创新所带来的自然 之美。 专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数�� �百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖    ,去除黄褐斑之后,会反弹吗   答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔�� �白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家� ��据斑的形成原因精心研制而成用事实说话,让消费者打分。 树立权威品牌 我们的很多新客户都是老客户介绍而来,请问� ��如果效果不好,会有客户转介绍吗    ,你们的价格有点贵,能不能便宜一点   答: , , ,而这些毫无疑问,不会对彻底去� ��你的斑点有任何帮助 一分价钱,一份价值,我们现在做的�� �是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的� ��褐斑彻底去除,你还会觉得贵吗 你还会再去花那么多冤枉�� �,不但斑没去掉,还把自己的皮肤弄的越来越糟吗    ,我适合用黛芙薇尔精华液吗   答:黛芙薇尔适用人群:    、生理紊乱引起的黄褐斑人群    、生育引起的妊娠斑人群    、年纪增长引起的老年斑人群    、化妆品色素沉积、辐射斑人群    、长期日照引起的日晒斑人群    、肌肤暗淡急需美白的人群 《祛斑小方法》 鼻子上面有色斑怎么办,同时为您分享祛斑小方法 每天要保证充足的睡眠,劳累会导致皮肤紧张疲倦,血液偏�� �,新陈代谢减缓,那时皮肤将无法取得充足的养分 角质层因 缺乏水分而使皮肤黯然无光。 original issue reported on code google com by additive gmail com on jul at
1
47,071
13,056,027,032
IssuesEvent
2020-07-30 03:25:57
icecube-trac/tix2
https://api.github.com/repos/icecube-trac/tix2
opened
Error in copy-constructor of I3MCTree when adding simprod DetectorSim to the tray (Trac #2387)
Incomplete Migration Migrated from Trac combo core defect
Migrated from https://code.icecube.wisc.edu/ticket/2387 ```json { "status": "closed", "changetime": "2020-06-24T12:31:42", "description": "The following code runs fine if the DetectorSim traysegment is not added after calling the I3MCTree copy-constructor.\nFailure can be caused by executing the script with --fail\n{{{\nfrom icecube import dataclasses as dc\nfrom icecube.icetray import I3Frame\nfrom icecube import dataio, phys_services\nfrom I3Tray import *\nfrom icecube.simprod import segments\nfrom icecube.filterscripts.offlineL2.level2_Reconstruction_SLOP import SLOPLevel2\n\u200b\nfrom argparse import ArgumentParser\n\u200b\nparser = ArgumentParser()\nparser.add_argument(\"--fail\", action=\"store_true\")\nargs = parser.parse_args()\n\u200b\ngcdFile = '/cvmfs/icecube.opensciencegrid.org/data/GCD/GeoCalibDetectorStatus_IC86.All_Pass3.i3.gz'\ntray = I3Tray()\ntray.Add(\"I3Reader\", Filename=\"/data/user/sdharani/signal/22/trial.i3.zst\")\n\u200b\ndef replace(frame):\n\u200b\n tree = frame[\"I3MCTree\"]\n primary = tree.get_primaries()[0]\n particle = dc.I3Particle()\n tree.replace(primary.id, particle)\n print(\"Copy construct\")\n tree = dc.I3MCTree(tree)\n print(\"Done\")\n del frame[\"I3MCTree\"]\n frame.Put(\"I3MCTree\", tree)\n print(tree.get_primaries()[0])\n\u200b\ntray.Add(replace, Streams=[I3Frame.DAQ])\nrandomService = phys_services.I3GSLRandomService(\n seed = 500,\n track_state=True)\n\u200b\ntray.AddService(\"I3GSLRandomServiceFactory\",\"random\")\nif args.fail:\n tray.AddSegment(segments.DetectorSim, \"DetectorSim\",\n RandomService = \"I3RandomService\",\n RunID = 1234,\n GCDFile = gcdFile,\n InputPESeriesMapName = \"I3MCPESeriesMap\",\n KeepMCHits = True,\n SkipNoiseGenerator = False,\n FilterTrigger = False,\n )\ntray.Execute()\n}}}\n", "reporter": "chaack", "cc": "", "resolution": "fixed", "_ts": "1593001902142004", "component": "combo core", "summary": "Error in copy-constructor of I3MCTree when adding simprod DetectorSim to the tray", "priority": "blocker", "keywords": "", "time": "2019-12-18T16:41:25", "milestone": "Autumnal Equinox 2020", "owner": "david.schultz", "type": "defect" } ```
1.0
Error in copy-constructor of I3MCTree when adding simprod DetectorSim to the tray (Trac #2387) - Migrated from https://code.icecube.wisc.edu/ticket/2387 ```json { "status": "closed", "changetime": "2020-06-24T12:31:42", "description": "The following code runs fine if the DetectorSim traysegment is not added after calling the I3MCTree copy-constructor.\nFailure can be caused by executing the script with --fail\n{{{\nfrom icecube import dataclasses as dc\nfrom icecube.icetray import I3Frame\nfrom icecube import dataio, phys_services\nfrom I3Tray import *\nfrom icecube.simprod import segments\nfrom icecube.filterscripts.offlineL2.level2_Reconstruction_SLOP import SLOPLevel2\n\u200b\nfrom argparse import ArgumentParser\n\u200b\nparser = ArgumentParser()\nparser.add_argument(\"--fail\", action=\"store_true\")\nargs = parser.parse_args()\n\u200b\ngcdFile = '/cvmfs/icecube.opensciencegrid.org/data/GCD/GeoCalibDetectorStatus_IC86.All_Pass3.i3.gz'\ntray = I3Tray()\ntray.Add(\"I3Reader\", Filename=\"/data/user/sdharani/signal/22/trial.i3.zst\")\n\u200b\ndef replace(frame):\n\u200b\n tree = frame[\"I3MCTree\"]\n primary = tree.get_primaries()[0]\n particle = dc.I3Particle()\n tree.replace(primary.id, particle)\n print(\"Copy construct\")\n tree = dc.I3MCTree(tree)\n print(\"Done\")\n del frame[\"I3MCTree\"]\n frame.Put(\"I3MCTree\", tree)\n print(tree.get_primaries()[0])\n\u200b\ntray.Add(replace, Streams=[I3Frame.DAQ])\nrandomService = phys_services.I3GSLRandomService(\n seed = 500,\n track_state=True)\n\u200b\ntray.AddService(\"I3GSLRandomServiceFactory\",\"random\")\nif args.fail:\n tray.AddSegment(segments.DetectorSim, \"DetectorSim\",\n RandomService = \"I3RandomService\",\n RunID = 1234,\n GCDFile = gcdFile,\n InputPESeriesMapName = \"I3MCPESeriesMap\",\n KeepMCHits = True,\n SkipNoiseGenerator = False,\n FilterTrigger = False,\n )\ntray.Execute()\n}}}\n", "reporter": "chaack", "cc": "", "resolution": "fixed", "_ts": "1593001902142004", "component": "combo core", "summary": "Error in copy-constructor of I3MCTree when adding simprod DetectorSim to the tray", "priority": "blocker", "keywords": "", "time": "2019-12-18T16:41:25", "milestone": "Autumnal Equinox 2020", "owner": "david.schultz", "type": "defect" } ```
defect
error in copy constructor of when adding simprod detectorsim to the tray trac migrated from json status closed changetime description the following code runs fine if the detectorsim traysegment is not added after calling the copy constructor nfailure can be caused by executing the script with fail n nfrom icecube import dataclasses as dc nfrom icecube icetray import nfrom icecube import dataio phys services nfrom import nfrom icecube simprod import segments nfrom icecube filterscripts reconstruction slop import n nfrom argparse import argumentparser n nparser argumentparser nparser add argument fail action store true nargs parser parse args n ngcdfile cvmfs icecube opensciencegrid org data gcd geocalibdetectorstatus all gz ntray ntray add filename data user sdharani signal trial zst n ndef replace frame n n tree frame n primary tree get primaries n particle dc n tree replace primary id particle n print copy construct n tree dc tree n print done n del frame n frame put tree n print tree get primaries n ntray add replace streams nrandomservice phys services n seed n track state true n ntray addservice random nif args fail n tray addsegment segments detectorsim detectorsim n randomservice n runid n gcdfile gcdfile n inputpeseriesmapname n keepmchits true n skipnoisegenerator false n filtertrigger false n ntray execute n n reporter chaack cc resolution fixed ts component combo core summary error in copy constructor of when adding simprod detectorsim to the tray priority blocker keywords time milestone autumnal equinox owner david schultz type defect
1
117,618
25,162,691,764
IssuesEvent
2022-11-10 18:01:37
sourcegraph/sourcegraph
https://api.github.com/repos/sourcegraph/sourcegraph
closed
insights: spike on actual implementation for fetching a user's allowed repos
spike team/code-insights backend strategic-scoped-insights
see title. is it possible for a user to run search queries so that they can get an order of magnitude of what they don't have access to? timebox to 2d max decision should inform whether a search query box is the best solution /cc @joelkw @felixfbecker @vovakulikov
1.0
insights: spike on actual implementation for fetching a user's allowed repos - see title. is it possible for a user to run search queries so that they can get an order of magnitude of what they don't have access to? timebox to 2d max decision should inform whether a search query box is the best solution /cc @joelkw @felixfbecker @vovakulikov
non_defect
insights spike on actual implementation for fetching a user s allowed repos see title is it possible for a user to run search queries so that they can get an order of magnitude of what they don t have access to timebox to max decision should inform whether a search query box is the best solution cc joelkw felixfbecker vovakulikov
0
16,803
2,948,301,100
IssuesEvent
2015-07-06 01:07:06
Winetricks/winetricks
https://api.github.com/repos/Winetricks/winetricks
closed
Dotnet suite enhancement
auto-migrated Priority-Medium Type-Defect
``` Hello, i propose enhancement of dotnet suite with replacing manual download by automatic download. i also replace msxml3 download. _framework3 _XP SEP _MSXML3 ``` Original issue reported on code.google.com by `haitem.belgacem@gmail.com` on 20 Oct 2013 at 8:31 Attachments: * [winetricks.sh](https://storage.googleapis.com/google-code-attachments/winetricks/issue-364/comment-0/winetricks.sh)
1.0
Dotnet suite enhancement - ``` Hello, i propose enhancement of dotnet suite with replacing manual download by automatic download. i also replace msxml3 download. _framework3 _XP SEP _MSXML3 ``` Original issue reported on code.google.com by `haitem.belgacem@gmail.com` on 20 Oct 2013 at 8:31 Attachments: * [winetricks.sh](https://storage.googleapis.com/google-code-attachments/winetricks/issue-364/comment-0/winetricks.sh)
defect
dotnet suite enhancement hello i propose enhancement of dotnet suite with replacing manual download by automatic download i also replace download xp sep original issue reported on code google com by haitem belgacem gmail com on oct at attachments
1
76,270
26,339,523,685
IssuesEvent
2023-01-10 16:37:55
apache/jmeter
https://api.github.com/repos/apache/jmeter
opened
OpenModelThreadGroupController cannot be cast to LoopController
defect to-triage
### Expected behavior Using new Open Model Thread Group throws exception when there are lot of threads to hit the target RPS value. ### Actual behavior ``` 2023-01-09 22:38:03,363 ERROR o.a.j.t.JMeterThread: Test failed! java.lang.ClassCastException: org.apache.jmeter.threads.openmodel.OpenModelThreadGroupController cannot be cast to org.apache.jmeter.control.LoopController at org.apache.jmeter.threads.AbstractThreadGroup.startNextLoop(AbstractThreadGroup.java:171) ~[ApacheJMeter_core.jar:5.5] at org.apache.jmeter.threads.JMeterThread.continueOnThreadLoop(JMeterThread.java:434) ~[ApacheJMeter_core.jar:5.5] at org.apache.jmeter.threads.JMeterThread.triggerLoopLogicalActionOnParentControllers(JMeterThread.java:372) ~[ApacheJMeter_core.jar:5.5] at org.apache.jmeter.threads.JMeterThread.run(JMeterThread.java:282) ~[ApacheJMeter_core.jar:5.5] at org.apache.jmeter.threads.openmodel.OpenModelThreadGroup$ThreadsStarter.run$lambda-0(OpenModelThreadGroup.kt:128) ~[ApacheJMeter_core.jar:5.5] at java.util.concurrent.Executors$RunnableAdapter.call(Unknown Source) ~[?:1.8.0_351] at java.util.concurrent.FutureTask.run(Unknown Source) ~[?:1.8.0_351] at java.util.concurrent.ThreadPoolExecutor.runWorker(Unknown Source) ~[?:1.8.0_351] at java.util.concurrent.ThreadPoolExecutor$Worker.run(Unknown Source) ~[?:1.8.0_351] at java.lang.Thread.run(Unknown Source) ~[?:1.8.0_351] 2023-01-09 22:38:03,363 INFO o.a.j.t.JMeterThread: Thread finished: Open Model Thread Group 1-248678 ``` ### Steps to reproduce the problem Note: Repro is on our internal service that cannot be shared here. Hopefully this is enough info. * Create new test plan with Open Model Thread Group. * Set target RPS to a value that will create heavy load * As the threads increase over time it works fine until it hits a peak concurrent load that starts to throw the above exception. ### JMeter Version 5.5 ### Java Version java version "1.8.0_351" Java(TM) SE Runtime Environment (build 1.8.0_351-b10) Java HotSpot(TM) 64-Bit Server VM (build 25.351-b10, mixed mode) ### OS Version Windows 11 22621.963
1.0
OpenModelThreadGroupController cannot be cast to LoopController - ### Expected behavior Using new Open Model Thread Group throws exception when there are lot of threads to hit the target RPS value. ### Actual behavior ``` 2023-01-09 22:38:03,363 ERROR o.a.j.t.JMeterThread: Test failed! java.lang.ClassCastException: org.apache.jmeter.threads.openmodel.OpenModelThreadGroupController cannot be cast to org.apache.jmeter.control.LoopController at org.apache.jmeter.threads.AbstractThreadGroup.startNextLoop(AbstractThreadGroup.java:171) ~[ApacheJMeter_core.jar:5.5] at org.apache.jmeter.threads.JMeterThread.continueOnThreadLoop(JMeterThread.java:434) ~[ApacheJMeter_core.jar:5.5] at org.apache.jmeter.threads.JMeterThread.triggerLoopLogicalActionOnParentControllers(JMeterThread.java:372) ~[ApacheJMeter_core.jar:5.5] at org.apache.jmeter.threads.JMeterThread.run(JMeterThread.java:282) ~[ApacheJMeter_core.jar:5.5] at org.apache.jmeter.threads.openmodel.OpenModelThreadGroup$ThreadsStarter.run$lambda-0(OpenModelThreadGroup.kt:128) ~[ApacheJMeter_core.jar:5.5] at java.util.concurrent.Executors$RunnableAdapter.call(Unknown Source) ~[?:1.8.0_351] at java.util.concurrent.FutureTask.run(Unknown Source) ~[?:1.8.0_351] at java.util.concurrent.ThreadPoolExecutor.runWorker(Unknown Source) ~[?:1.8.0_351] at java.util.concurrent.ThreadPoolExecutor$Worker.run(Unknown Source) ~[?:1.8.0_351] at java.lang.Thread.run(Unknown Source) ~[?:1.8.0_351] 2023-01-09 22:38:03,363 INFO o.a.j.t.JMeterThread: Thread finished: Open Model Thread Group 1-248678 ``` ### Steps to reproduce the problem Note: Repro is on our internal service that cannot be shared here. Hopefully this is enough info. * Create new test plan with Open Model Thread Group. * Set target RPS to a value that will create heavy load * As the threads increase over time it works fine until it hits a peak concurrent load that starts to throw the above exception. ### JMeter Version 5.5 ### Java Version java version "1.8.0_351" Java(TM) SE Runtime Environment (build 1.8.0_351-b10) Java HotSpot(TM) 64-Bit Server VM (build 25.351-b10, mixed mode) ### OS Version Windows 11 22621.963
defect
openmodelthreadgroupcontroller cannot be cast to loopcontroller expected behavior using new open model thread group throws exception when there are lot of threads to hit the target rps value actual behavior error o a j t jmeterthread test failed java lang classcastexception org apache jmeter threads openmodel openmodelthreadgroupcontroller cannot be cast to org apache jmeter control loopcontroller at org apache jmeter threads abstractthreadgroup startnextloop abstractthreadgroup java at org apache jmeter threads jmeterthread continueonthreadloop jmeterthread java at org apache jmeter threads jmeterthread triggerlooplogicalactiononparentcontrollers jmeterthread java at org apache jmeter threads jmeterthread run jmeterthread java at org apache jmeter threads openmodel openmodelthreadgroup threadsstarter run lambda openmodelthreadgroup kt at java util concurrent executors runnableadapter call unknown source at java util concurrent futuretask run unknown source at java util concurrent threadpoolexecutor runworker unknown source at java util concurrent threadpoolexecutor worker run unknown source at java lang thread run unknown source info o a j t jmeterthread thread finished open model thread group steps to reproduce the problem note repro is on our internal service that cannot be shared here hopefully this is enough info create new test plan with open model thread group set target rps to a value that will create heavy load as the threads increase over time it works fine until it hits a peak concurrent load that starts to throw the above exception jmeter version java version java version java tm se runtime environment build java hotspot tm bit server vm build mixed mode os version windows
1
335,619
24,474,497,155
IssuesEvent
2022-10-08 02:16:35
BroncoDirectMe/Backend
https://api.github.com/repos/BroncoDirectMe/Backend
opened
[DOCUMENTATION] Setup OpenAPI Documentation
documentation
### User Story As a developer, I want automatically generated documentation for REST endpoints so I can easily understand what each endpoint does. ### Technical Tasks - Follow [this tutorial](https://javascript.plainenglish.io/restful-api-documentation-swagger-1f107d29d3ea) - You don't need to follow it word for word - Make sure you can explain the process of adding endpoints to the documentation, so we can get devs to do this in the future ### Acceptance Criteria - an endpoint returns API docs as a readable page - another endpoint returns the OpenAPI/Swagger definition in JSON
1.0
[DOCUMENTATION] Setup OpenAPI Documentation - ### User Story As a developer, I want automatically generated documentation for REST endpoints so I can easily understand what each endpoint does. ### Technical Tasks - Follow [this tutorial](https://javascript.plainenglish.io/restful-api-documentation-swagger-1f107d29d3ea) - You don't need to follow it word for word - Make sure you can explain the process of adding endpoints to the documentation, so we can get devs to do this in the future ### Acceptance Criteria - an endpoint returns API docs as a readable page - another endpoint returns the OpenAPI/Swagger definition in JSON
non_defect
setup openapi documentation user story as a developer i want automatically generated documentation for rest endpoints so i can easily understand what each endpoint does technical tasks follow you don t need to follow it word for word make sure you can explain the process of adding endpoints to the documentation so we can get devs to do this in the future acceptance criteria an endpoint returns api docs as a readable page another endpoint returns the openapi swagger definition in json
0
33,004
6,993,588,437
IssuesEvent
2017-12-15 12:00:46
buildo/buildo.io
https://api.github.com/repos/buildo/buildo.io
closed
serve properly sized images for WHO cards
defect in case you're bored
## description currently we are serving x3 images for cards (front and back) even if not strictly needed (e.g. non-retina or mobile screens) the pixel size is 260. We are always serving `780px` images (I'm not even sure why 260*2=520 is not enough?) ## how to reproduce https://developers.google.com/speed/pagespeed/insights/?url=buildo.io ## specs with a simple media query, we could save 350K on non-retinas and mobile devices ## misc {optional: other useful info}
1.0
serve properly sized images for WHO cards - ## description currently we are serving x3 images for cards (front and back) even if not strictly needed (e.g. non-retina or mobile screens) the pixel size is 260. We are always serving `780px` images (I'm not even sure why 260*2=520 is not enough?) ## how to reproduce https://developers.google.com/speed/pagespeed/insights/?url=buildo.io ## specs with a simple media query, we could save 350K on non-retinas and mobile devices ## misc {optional: other useful info}
defect
serve properly sized images for who cards description currently we are serving images for cards front and back even if not strictly needed e g non retina or mobile screens the pixel size is we are always serving images i m not even sure why is not enough how to reproduce specs with a simple media query we could save on non retinas and mobile devices misc optional other useful info
1
79,736
23,031,883,386
IssuesEvent
2022-07-22 14:38:57
kuptan/terraform-operator
https://api.github.com/repos/kuptan/terraform-operator
closed
Move to Go 1.18 & Kubebuilder upgrade
kind/build
Given Go 1.18 has been out for some time now, and seems to be stable expect for some minor issues with the performance of the [newly introduced Generics](https://go.dev/doc/tutorial/generics), we should start moving to it.
1.0
Move to Go 1.18 & Kubebuilder upgrade - Given Go 1.18 has been out for some time now, and seems to be stable expect for some minor issues with the performance of the [newly introduced Generics](https://go.dev/doc/tutorial/generics), we should start moving to it.
non_defect
move to go kubebuilder upgrade given go has been out for some time now and seems to be stable expect for some minor issues with the performance of the we should start moving to it
0
289,349
31,932,896,693
IssuesEvent
2023-09-19 08:37:29
Trinadh465/linux-4.1.15_CVE-2023-4128
https://api.github.com/repos/Trinadh465/linux-4.1.15_CVE-2023-4128
opened
CVE-2021-29265 (Medium) detected in linuxlinux-4.6
Mend: dependency security vulnerability
## CVE-2021-29265 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linuxlinux-4.6</b></p></summary> <p> <p>The Linux Kernel</p> <p>Library home page: <a href=https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux>https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux</a></p> <p>Found in HEAD commit: <a href="https://github.com/Trinadh465/linux-4.1.15_CVE-2023-4128/commit/0c6c8d8c809f697cd5fc581c6c08e9ad646c55a8">0c6c8d8c809f697cd5fc581c6c08e9ad646c55a8</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/usb/usbip/stub_dev.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/usb/usbip/stub_dev.c</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> Vulnerability Details</summary> <p> An issue was discovered in the Linux kernel before 5.11.7. usbip_sockfd_store in drivers/usb/usbip/stub_dev.c allows attackers to cause a denial of service (GPF) because the stub-up sequence has race conditions during an update of the local and shared status, aka CID-9380afd6df70. <p>Publish Date: 2021-03-26 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-29265>CVE-2021-29265</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>4.7</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: High - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://www.linuxkernelcves.com/cves/CVE-2021-29265">https://www.linuxkernelcves.com/cves/CVE-2021-29265</a></p> <p>Release Date: 2021-03-26</p> <p>Fix Resolution: v4.4.262, v4.9.262, v4.14.226, v4.19.181, v5.4.106, v5.10.24, v5.11.7, v5.12-rc3</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2021-29265 (Medium) detected in linuxlinux-4.6 - ## CVE-2021-29265 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linuxlinux-4.6</b></p></summary> <p> <p>The Linux Kernel</p> <p>Library home page: <a href=https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux>https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux</a></p> <p>Found in HEAD commit: <a href="https://github.com/Trinadh465/linux-4.1.15_CVE-2023-4128/commit/0c6c8d8c809f697cd5fc581c6c08e9ad646c55a8">0c6c8d8c809f697cd5fc581c6c08e9ad646c55a8</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/usb/usbip/stub_dev.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/usb/usbip/stub_dev.c</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png?' width=19 height=20> Vulnerability Details</summary> <p> An issue was discovered in the Linux kernel before 5.11.7. usbip_sockfd_store in drivers/usb/usbip/stub_dev.c allows attackers to cause a denial of service (GPF) because the stub-up sequence has race conditions during an update of the local and shared status, aka CID-9380afd6df70. <p>Publish Date: 2021-03-26 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-29265>CVE-2021-29265</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>4.7</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: High - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://www.linuxkernelcves.com/cves/CVE-2021-29265">https://www.linuxkernelcves.com/cves/CVE-2021-29265</a></p> <p>Release Date: 2021-03-26</p> <p>Fix Resolution: v4.4.262, v4.9.262, v4.14.226, v4.19.181, v5.4.106, v5.10.24, v5.11.7, v5.12-rc3</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve medium detected in linuxlinux cve medium severity vulnerability vulnerable library linuxlinux the linux kernel library home page a href found in head commit a href found in base branch master vulnerable source files drivers usb usbip stub dev c drivers usb usbip stub dev c vulnerability details an issue was discovered in the linux kernel before usbip sockfd store in drivers usb usbip stub dev c allows attackers to cause a denial of service gpf because the stub up sequence has race conditions during an update of the local and shared status aka cid publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity high privileges required low user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with mend
0
14,300
10,143,400,966
IssuesEvent
2019-08-04 11:53:57
angular/angular
https://api.github.com/repos/angular/angular
closed
@angular/service-worker not caching apis in data groups array
comp: service-worker
# 🐞 bug report ### Affected Package @angular/service-worker ### Description Angular service worker not caching apis in data groups array. Assets are working normally. [Live Website](https://test.plusminus.az/home) My ngsw-config.json: ``` { "$schema": "./node_modules/@angular/service-worker/config/schema.json", "index": "/index.html", "assetGroups: [**], "dataGroups": [ { "name": "all-apis", "urls": [ "https://testapi.plusminus.az/mybank/**" ], "cacheConfig": { "maxSize": 100000000, "maxAge": "3d", "timeout": "1m" } } ] } ``` ## 🔬 Minimal Reproduction Website: https://test.plusminus.az/home Source Code: [github](https://github.com/vugar005/sevice-worker-datagroups-repro-issue) ## 🔥 Exception or Error Angular service worker not caching apis in data groups ## 🌍 Your Environment **Angular Version:** Angular CLI: 8.2.0 Node: 10.15.3 OS: win32 x64 Angular: 8.2.0 Package Version ------------------------------------------------------------ @angular-devkit/architect 0.802.0 @angular-devkit/build-angular 0.802.0 @angular-devkit/build-optimizer 0.802.0 @angular-devkit/build-webpack 0.802.0 @angular-devkit/core 8.0.0 @angular-devkit/schematics 8.0.0 @angular/cdk 8.1.2 @angular/material 8.1.2 @angular/material-moment-adapter 8.1.2 @angular/pwa 0.802.0 @ngtools/webpack 8.2.0 @schematics/angular 8.0.0 @schematics/update 0.802.0 rxjs 6.4.0 typescript 3.5.3 webpack 4.38.0
1.0
@angular/service-worker not caching apis in data groups array - # 🐞 bug report ### Affected Package @angular/service-worker ### Description Angular service worker not caching apis in data groups array. Assets are working normally. [Live Website](https://test.plusminus.az/home) My ngsw-config.json: ``` { "$schema": "./node_modules/@angular/service-worker/config/schema.json", "index": "/index.html", "assetGroups: [**], "dataGroups": [ { "name": "all-apis", "urls": [ "https://testapi.plusminus.az/mybank/**" ], "cacheConfig": { "maxSize": 100000000, "maxAge": "3d", "timeout": "1m" } } ] } ``` ## 🔬 Minimal Reproduction Website: https://test.plusminus.az/home Source Code: [github](https://github.com/vugar005/sevice-worker-datagroups-repro-issue) ## 🔥 Exception or Error Angular service worker not caching apis in data groups ## 🌍 Your Environment **Angular Version:** Angular CLI: 8.2.0 Node: 10.15.3 OS: win32 x64 Angular: 8.2.0 Package Version ------------------------------------------------------------ @angular-devkit/architect 0.802.0 @angular-devkit/build-angular 0.802.0 @angular-devkit/build-optimizer 0.802.0 @angular-devkit/build-webpack 0.802.0 @angular-devkit/core 8.0.0 @angular-devkit/schematics 8.0.0 @angular/cdk 8.1.2 @angular/material 8.1.2 @angular/material-moment-adapter 8.1.2 @angular/pwa 0.802.0 @ngtools/webpack 8.2.0 @schematics/angular 8.0.0 @schematics/update 0.802.0 rxjs 6.4.0 typescript 3.5.3 webpack 4.38.0
non_defect
angular service worker not caching apis in data groups array 🐞 bug report affected package angular service worker description angular service worker not caching apis in data groups array assets are working normally my ngsw config json schema node modules angular service worker config schema json index index html assetgroups datagroups name all apis urls cacheconfig maxsize maxage timeout 🔬 minimal reproduction website source code 🔥 exception or error angular service worker not caching apis in data groups 🌍 your environment angular version angular cli node os angular package version angular devkit architect angular devkit build angular angular devkit build optimizer angular devkit build webpack angular devkit core angular devkit schematics angular cdk angular material angular material moment adapter angular pwa ngtools webpack schematics angular schematics update rxjs typescript webpack
0
63,016
12,278,258,638
IssuesEvent
2020-05-08 09:36:05
fac19/week10-metalHeads
https://api.github.com/repos/fac19/week10-metalHeads
opened
Github Username
code review
If you don't type in a name, the game starts anyway with no name. Adding a default name like 'guest' might be better. Adding an incorrect github name throws an error in the console but doesn't affect the game. Could check if username is valid before allowing gameplay
1.0
Github Username - If you don't type in a name, the game starts anyway with no name. Adding a default name like 'guest' might be better. Adding an incorrect github name throws an error in the console but doesn't affect the game. Could check if username is valid before allowing gameplay
non_defect
github username if you don t type in a name the game starts anyway with no name adding a default name like guest might be better adding an incorrect github name throws an error in the console but doesn t affect the game could check if username is valid before allowing gameplay
0
4,890
2,610,159,889
IssuesEvent
2015-02-26 18:50:45
chrsmith/republic-at-war
https://api.github.com/repos/chrsmith/republic-at-war
closed
Text
auto-migrated Priority-Medium Type-Defect
``` Fondor Tactical information is missing ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 31 Jan 2011 at 1:57
1.0
Text - ``` Fondor Tactical information is missing ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 31 Jan 2011 at 1:57
defect
text fondor tactical information is missing original issue reported on code google com by gmail com on jan at
1
31,495
6,541,273,512
IssuesEvent
2017-09-01 19:06:53
ironjan/metal-only
https://api.github.com/repos/ironjan/metal-only
closed
Crash report via fabric.io
defect
Crash on `WishFragment.loadAllowedActions(WishFragment.java:96)` caused by ``` Fatal Exception: org.springframework.web.client.ResourceAccessException: I/O error on GET request for "https://www.metal-only.de/botcon/mob.php?action=stats": com.android.org.bouncycastle.jce.exception.ExtCertPathValidatorException: Could not validate certificate: current time: Tue May 23 00:41:23 EDT 2017, validation time: Sat Aug 19 15:10:00 EDT 2017; nested exception is javax.net.ssl.SSLHandshakeException: com.android.org.bouncycastle.jce.exception.ExtCertPathValidatorException: Could not validate certificate: current time: Tue May 23 00:41:23 EDT 2017, validation time: Sat Aug 19 15:10:00 EDT 2017 at org.springframework.web.client.RestTemplate.doExecute(RestTemplate.java:551) at org.springframework.web.client.RestTemplate.execute(RestTemplate.java:499) at org.springframework.web.client.RestTemplate.exchange(RestTemplate.java:447) ```
1.0
Crash report via fabric.io - Crash on `WishFragment.loadAllowedActions(WishFragment.java:96)` caused by ``` Fatal Exception: org.springframework.web.client.ResourceAccessException: I/O error on GET request for "https://www.metal-only.de/botcon/mob.php?action=stats": com.android.org.bouncycastle.jce.exception.ExtCertPathValidatorException: Could not validate certificate: current time: Tue May 23 00:41:23 EDT 2017, validation time: Sat Aug 19 15:10:00 EDT 2017; nested exception is javax.net.ssl.SSLHandshakeException: com.android.org.bouncycastle.jce.exception.ExtCertPathValidatorException: Could not validate certificate: current time: Tue May 23 00:41:23 EDT 2017, validation time: Sat Aug 19 15:10:00 EDT 2017 at org.springframework.web.client.RestTemplate.doExecute(RestTemplate.java:551) at org.springframework.web.client.RestTemplate.execute(RestTemplate.java:499) at org.springframework.web.client.RestTemplate.exchange(RestTemplate.java:447) ```
defect
crash report via fabric io crash on wishfragment loadallowedactions wishfragment java caused by fatal exception org springframework web client resourceaccessexception i o error on get request for com android org bouncycastle jce exception extcertpathvalidatorexception could not validate certificate current time tue may edt validation time sat aug edt nested exception is javax net ssl sslhandshakeexception com android org bouncycastle jce exception extcertpathvalidatorexception could not validate certificate current time tue may edt validation time sat aug edt at org springframework web client resttemplate doexecute resttemplate java at org springframework web client resttemplate execute resttemplate java at org springframework web client resttemplate exchange resttemplate java
1
46,855
13,055,990,030
IssuesEvent
2020-07-30 03:19:23
icecube-trac/tix2
https://api.github.com/repos/icecube-trac/tix2
opened
[tools] retire SLALIB support (Trac #2010)
Incomplete Migration Migrated from Trac defect tools/ports
Migrated from https://code.icecube.wisc.edu/ticket/2010 ```json { "status": "closed", "changetime": "2019-02-13T14:14:38", "description": "This has had a deprecation warning for quite some time, people have been adequately warned about dropping support for this. ", "reporter": "kjmeagher", "cc": "", "resolution": "fixed", "_ts": "1550067278746682", "component": "tools/ports", "summary": "[tools] retire SLALIB support", "priority": "normal", "keywords": "", "time": "2017-05-09T18:32:37", "milestone": "", "owner": "kjmeagher", "type": "defect" } ```
1.0
[tools] retire SLALIB support (Trac #2010) - Migrated from https://code.icecube.wisc.edu/ticket/2010 ```json { "status": "closed", "changetime": "2019-02-13T14:14:38", "description": "This has had a deprecation warning for quite some time, people have been adequately warned about dropping support for this. ", "reporter": "kjmeagher", "cc": "", "resolution": "fixed", "_ts": "1550067278746682", "component": "tools/ports", "summary": "[tools] retire SLALIB support", "priority": "normal", "keywords": "", "time": "2017-05-09T18:32:37", "milestone": "", "owner": "kjmeagher", "type": "defect" } ```
defect
retire slalib support trac migrated from json status closed changetime description this has had a deprecation warning for quite some time people have been adequately warned about dropping support for this reporter kjmeagher cc resolution fixed ts component tools ports summary retire slalib support priority normal keywords time milestone owner kjmeagher type defect
1
61,966
14,645,272,944
IssuesEvent
2020-12-26 06:31:29
syuilo/misskey
https://api.github.com/repos/syuilo/misskey
closed
フォローリクエストがなくてもフォロー承認が出来てしまう
⚙️Server 🐛Bug 🔒Security
## 💡 Summary フォローリクエストを送ってないユーザーに対してもフォロー承認が出来てしまう 結果的に強制的に自分をフォローしてもらうことが出来てしまう <!-- Tell us what the bug is --> ## 🙂 Expected Behavior フォローリクエストを送ってないユーザーに対して承認をするとエラーになる <!--- Tell us what should happen --> ## ☹️ Actual Behavior フォローリクエストを送ってないユーザーにフォローしてもらうことが出来てしまう <!--- Tell us what happens instead of the expected behavior --> ## 📝 Steps to Reproduce 1. 自分をフォローしてない&フォローリクエストも送ってきてないローカルユーザーのuserIdを調べる 2. 設定→API→API consoleを開く 3. Endpointに`following/requests/accept`を入力 4. Paramsに`{ userId: '1のuserId' }`を入力 5. Sendを押すとフォローしてもらうことが出来てしまう ![image](https://user-images.githubusercontent.com/30769358/103066010-529c1280-45fb-11eb-9c3e-f2166bcd1a38.png) ## 📌 Environment v12.63.0, v11, v10 <!-- Tell us where on the platform it happens --> ※ リモートからのAccept Followでも同様 ※ プロキシアカウントのフォロー処理にはDBを変更せずにFollowアクティビティだけ飛ばしているバグがあるが、このフォローリクエストをチェックしてないバグにより動作してしまっている
True
フォローリクエストがなくてもフォロー承認が出来てしまう - ## 💡 Summary フォローリクエストを送ってないユーザーに対してもフォロー承認が出来てしまう 結果的に強制的に自分をフォローしてもらうことが出来てしまう <!-- Tell us what the bug is --> ## 🙂 Expected Behavior フォローリクエストを送ってないユーザーに対して承認をするとエラーになる <!--- Tell us what should happen --> ## ☹️ Actual Behavior フォローリクエストを送ってないユーザーにフォローしてもらうことが出来てしまう <!--- Tell us what happens instead of the expected behavior --> ## 📝 Steps to Reproduce 1. 自分をフォローしてない&フォローリクエストも送ってきてないローカルユーザーのuserIdを調べる 2. 設定→API→API consoleを開く 3. Endpointに`following/requests/accept`を入力 4. Paramsに`{ userId: '1のuserId' }`を入力 5. Sendを押すとフォローしてもらうことが出来てしまう ![image](https://user-images.githubusercontent.com/30769358/103066010-529c1280-45fb-11eb-9c3e-f2166bcd1a38.png) ## 📌 Environment v12.63.0, v11, v10 <!-- Tell us where on the platform it happens --> ※ リモートからのAccept Followでも同様 ※ プロキシアカウントのフォロー処理にはDBを変更せずにFollowアクティビティだけ飛ばしているバグがあるが、このフォローリクエストをチェックしてないバグにより動作してしまっている
non_defect
フォローリクエストがなくてもフォロー承認が出来てしまう 💡 summary フォローリクエストを送ってないユーザーに対してもフォロー承認が出来てしまう 結果的に強制的に自分をフォローしてもらうことが出来てしまう 🙂 expected behavior フォローリクエストを送ってないユーザーに対して承認をするとエラーになる ☹️ actual behavior フォローリクエストを送ってないユーザーにフォローしてもらうことが出来てしまう 📝 steps to reproduce 自分をフォローしてない&フォローリクエストも送ってきてないローカルユーザーのuseridを調べる 設定→api→api consoleを開く endpointに following requests accept を入力 paramsに userid を入力 sendを押すとフォローしてもらうことが出来てしまう 📌 environment ※ リモートからのaccept followでも同様 ※ プロキシアカウントのフォロー処理にはdbを変更せずにfollowアクティビティだけ飛ばしているバグがあるが、このフォローリクエストをチェックしてないバグにより動作してしまっている
0
631,471
20,152,251,242
IssuesEvent
2022-02-09 13:31:53
ita-social-projects/horondi_client_be
https://api.github.com/repos/ita-social-projects/horondi_client_be
closed
[Log in page] The button 'Google' doesn't work on 'Реєстрація' page
bug priority: medium functional severity: high
Environment Windows 10, Chrome Version 96.0.4664.110 Reproducible: Always **Preconditions:** Go to https://horondi-front.azurewebsites.net/ **Steps to reproduce:** 1. Go to 'Log in' page. 2. Click on 'Зареєструватися' button. 3. Click on 'Google' button. **Actual result:** 'Google' button doesn't work. **Expected result:** The user can log in with 'Google' button
1.0
[Log in page] The button 'Google' doesn't work on 'Реєстрація' page - Environment Windows 10, Chrome Version 96.0.4664.110 Reproducible: Always **Preconditions:** Go to https://horondi-front.azurewebsites.net/ **Steps to reproduce:** 1. Go to 'Log in' page. 2. Click on 'Зареєструватися' button. 3. Click on 'Google' button. **Actual result:** 'Google' button doesn't work. **Expected result:** The user can log in with 'Google' button
non_defect
the button google doesn t work on реєстрація page environment windows chrome version reproducible always preconditions go to steps to reproduce go to log in page click on зареєструватися button click on google button actual result google button doesn t work expected result the user can log in with google button
0
276,088
8,583,999,837
IssuesEvent
2018-11-13 21:24:24
wesnoth/wesnoth
https://api.github.com/repos/wesnoth/wesnoth
opened
wmlxgettext crashes if there is no .cfg file to scan
Enhancement Low-priority WML Tools
E.g. ``` $ ./wmlxgettext --directory=/tmp --recursive --domain=wesnoth -o out.pot Traceback (most recent call last): File "./wmlxgettext", line 269, in <module> main() File "./wmlxgettext", line 213, in main for fileno, fx in enumerate(filelist): TypeError: 'NoneType' object is not iterable ``` (happened to me when I was in the translation subdirectory)
1.0
wmlxgettext crashes if there is no .cfg file to scan - E.g. ``` $ ./wmlxgettext --directory=/tmp --recursive --domain=wesnoth -o out.pot Traceback (most recent call last): File "./wmlxgettext", line 269, in <module> main() File "./wmlxgettext", line 213, in main for fileno, fx in enumerate(filelist): TypeError: 'NoneType' object is not iterable ``` (happened to me when I was in the translation subdirectory)
non_defect
wmlxgettext crashes if there is no cfg file to scan e g wmlxgettext directory tmp recursive domain wesnoth o out pot traceback most recent call last file wmlxgettext line in main file wmlxgettext line in main for fileno fx in enumerate filelist typeerror nonetype object is not iterable happened to me when i was in the translation subdirectory
0
9,992
2,616,018,209
IssuesEvent
2015-03-02 00:59:56
jasonhall/bwapi
https://api.github.com/repos/jasonhall/bwapi
closed
BWAPI4 assert failure on first game
auto-migrated Component-Logic Milestone-MajorRelease Priority-Critical Type-Defect Usability
``` The Event test in BWAPI4 will fail on the first game. Subsequent games will work as expected. ``` Original issue reported on code.google.com by `AHeinerm` on 12 Mar 2012 at 6:02
1.0
BWAPI4 assert failure on first game - ``` The Event test in BWAPI4 will fail on the first game. Subsequent games will work as expected. ``` Original issue reported on code.google.com by `AHeinerm` on 12 Mar 2012 at 6:02
defect
assert failure on first game the event test in will fail on the first game subsequent games will work as expected original issue reported on code google com by aheinerm on mar at
1
80,086
30,000,745,233
IssuesEvent
2023-06-26 09:07:54
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
closed
When using Discovery SPI, cluster join only happens via split-brain mechanism
Type: Defect Team: Core Source: Community Module: Discovery SPI
<!-- Thanks for reporting your issue. Please share with us the following information, to help us resolve your issue quickly and efficiently. --> **Describe the bug** When using `TcpIpJoiner` or `MulticastJoin` methods, everything works correctly, but when using `networkConfig.getJoin().getDiscoveryConfig().setDiscoveryServiceProvider()` mechanism, the cluster isn't joined, and the freshly-started node only sees itself. However, when split brain timeout is reached, the split-brain mechanism is used to join the cluster NOTE: This only happens when `WAIT_SECONDS_BEFORE_JOIN` is set to zero. **Expected behavior** Cluster join should happen on startup time instead of waiting for split-brain logic **To Reproduce** - pull https://github.com/flowlogix/hazelcast-issues - in the directory CacheTester run `mvn -Prun test` - do the same in an additional window and watch the logs **Additional context** Hazelcast version is 4.1-SNAPSHOT (latest) Java 8 Here are the logs from the second node. First node works as expected: ``` Sep 20, 2020 9:01:18 PM com.hazelcast.instance.AddressPicker INFO: [LOCAL] [dev] [4.1-SNAPSHOT] Using public address: [127.0.0.1]:5711 Sep 20, 2020 9:01:18 PM com.hazelcast.system INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Hazelcast 4.1-SNAPSHOT (20200920 - 6ed5868) starting at [127.0.0.1]:5711 Sep 20, 2020 9:01:18 PM com.hazelcast.instance.impl.Node INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Using Discovery SPI Sep 20, 2020 9:01:18 PM com.hazelcast.cp.CPSubsystem WARNING: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] CP Subsystem is not enabled. CP data structures will operate in UNSAFE mode! Please note that UNSAFE mode will not provide strong consistency guarantees. Sep 20, 2020 9:01:19 PM com.hazelcast.internal.diagnostics.Diagnostics INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Diagnostics disabled. To enable add -Dhazelcast.diagnostics.enabled=true to the JVM arguments. Sep 20, 2020 9:01:19 PM com.hazelcast.core.LifecycleService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is STARTING Sep 20, 2020 9:01:19 PM com.hazelcast.internal.cluster.ClusterService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Members {size:1, ver:1} [ Member [127.0.0.1]:5711 - 78f83873-16c2-47e4-8d28-1993c778e9c4 this ] Sep 20, 2020 9:01:19 PM com.hazelcast.instance.impl.Node WARNING: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Config seed port is 5710 and cluster size is 1. Some of the ports seem occupied! Sep 20, 2020 9:01:19 PM com.hazelcast.core.LifecycleService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is STARTED <c> to create cache, <d> to destroy, <p> to print, <l> to lock, <u> to unlock blank to exit <h> for help, anything else to put in cache ... *** initial startup, the node sees only itself *** Sep 20, 2020 9:01:24 PM com.hazelcast.internal.server.tcp.TcpServerConnection INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Initialized new cluster connection between /127.0.0.1:64664 and /127.0.0.1:5710 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.ClusterJoinManager INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] We should merge to [127.0.0.1]:5710, both have the same data member count: 1 *** now split-brain merge mechanism activated after the merge timeout *** Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.DiscoveryJoiner WARNING: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is merging [tcp/ip] to [127.0.0.1]:5710 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.operations.LockClusterStateOp INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Locking cluster state. Initiator: [127.0.0.1]:5711, lease-time: 60000 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.operations.LockClusterStateOp INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Extending cluster state lock. Initiator: [127.0.0.1]:5711, lease-time: 20000 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.operations.CommitClusterStateOp INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Changing cluster state from ClusterState{state=ACTIVE, lock=LockGuard{lockOwner=[127.0.0.1]:5711, lockOwnerId='7972e4d0-186e-45ca-bbf2-3f2ae64e4173', lockExpiryTime=1600653764043}} to ClusterStateChange{type=class com.hazelcast.cluster.ClusterState, newState=FROZEN}, initiator: [127.0.0.1]:5711, transient: false Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.operations.MergeClustersOp WARNING: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is merging to [127.0.0.1]:5710, because: instructed by master [127.0.0.1]:5711 Sep 20, 2020 9:01:24 PM com.hazelcast.core.LifecycleService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is MERGING Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.ClusterService WARNING: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Resetting local member UUID. Previous: 78f83873-16c2-47e4-8d28-1993c778e9c4, new: fbe0e9ae-29f9-4d04-9c7b-231fbd569316 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.server.tcp.TcpServerConnection INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Connection[id=1, /127.0.0.1:64664->/127.0.0.1:5710, qualifier=null, endpoint=[127.0.0.1]:5710, alive=false, connectionType=MEMBER] closed. Reason: TcpServer is stopping Sep 20, 2020 9:01:24 PM com.hazelcast.internal.server.tcp.TcpServerConnector INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Connecting to /127.0.0.1:5710, timeout: 10000, bind-any: true Sep 20, 2020 9:01:24 PM com.hazelcast.internal.server.tcp.TcpServerConnection INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Initialized new cluster connection between /127.0.0.1:64665 and /127.0.0.1:5710 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.ClusterService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Members {size:2, ver:4} [ Member [127.0.0.1]:5710 - cff4c063-ebf6-458d-8bef-1f819e6947d6 Member [127.0.0.1]:5711 - fbe0e9ae-29f9-4d04-9c7b-231fbd569316 this ] Sep 20, 2020 9:01:24 PM com.hazelcast.core.LifecycleService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is MERGED *** only now the cluster nodes see each other *** ```
1.0
When using Discovery SPI, cluster join only happens via split-brain mechanism - <!-- Thanks for reporting your issue. Please share with us the following information, to help us resolve your issue quickly and efficiently. --> **Describe the bug** When using `TcpIpJoiner` or `MulticastJoin` methods, everything works correctly, but when using `networkConfig.getJoin().getDiscoveryConfig().setDiscoveryServiceProvider()` mechanism, the cluster isn't joined, and the freshly-started node only sees itself. However, when split brain timeout is reached, the split-brain mechanism is used to join the cluster NOTE: This only happens when `WAIT_SECONDS_BEFORE_JOIN` is set to zero. **Expected behavior** Cluster join should happen on startup time instead of waiting for split-brain logic **To Reproduce** - pull https://github.com/flowlogix/hazelcast-issues - in the directory CacheTester run `mvn -Prun test` - do the same in an additional window and watch the logs **Additional context** Hazelcast version is 4.1-SNAPSHOT (latest) Java 8 Here are the logs from the second node. First node works as expected: ``` Sep 20, 2020 9:01:18 PM com.hazelcast.instance.AddressPicker INFO: [LOCAL] [dev] [4.1-SNAPSHOT] Using public address: [127.0.0.1]:5711 Sep 20, 2020 9:01:18 PM com.hazelcast.system INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Hazelcast 4.1-SNAPSHOT (20200920 - 6ed5868) starting at [127.0.0.1]:5711 Sep 20, 2020 9:01:18 PM com.hazelcast.instance.impl.Node INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Using Discovery SPI Sep 20, 2020 9:01:18 PM com.hazelcast.cp.CPSubsystem WARNING: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] CP Subsystem is not enabled. CP data structures will operate in UNSAFE mode! Please note that UNSAFE mode will not provide strong consistency guarantees. Sep 20, 2020 9:01:19 PM com.hazelcast.internal.diagnostics.Diagnostics INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Diagnostics disabled. To enable add -Dhazelcast.diagnostics.enabled=true to the JVM arguments. Sep 20, 2020 9:01:19 PM com.hazelcast.core.LifecycleService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is STARTING Sep 20, 2020 9:01:19 PM com.hazelcast.internal.cluster.ClusterService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Members {size:1, ver:1} [ Member [127.0.0.1]:5711 - 78f83873-16c2-47e4-8d28-1993c778e9c4 this ] Sep 20, 2020 9:01:19 PM com.hazelcast.instance.impl.Node WARNING: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Config seed port is 5710 and cluster size is 1. Some of the ports seem occupied! Sep 20, 2020 9:01:19 PM com.hazelcast.core.LifecycleService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is STARTED <c> to create cache, <d> to destroy, <p> to print, <l> to lock, <u> to unlock blank to exit <h> for help, anything else to put in cache ... *** initial startup, the node sees only itself *** Sep 20, 2020 9:01:24 PM com.hazelcast.internal.server.tcp.TcpServerConnection INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Initialized new cluster connection between /127.0.0.1:64664 and /127.0.0.1:5710 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.ClusterJoinManager INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] We should merge to [127.0.0.1]:5710, both have the same data member count: 1 *** now split-brain merge mechanism activated after the merge timeout *** Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.DiscoveryJoiner WARNING: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is merging [tcp/ip] to [127.0.0.1]:5710 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.operations.LockClusterStateOp INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Locking cluster state. Initiator: [127.0.0.1]:5711, lease-time: 60000 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.operations.LockClusterStateOp INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Extending cluster state lock. Initiator: [127.0.0.1]:5711, lease-time: 20000 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.operations.CommitClusterStateOp INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Changing cluster state from ClusterState{state=ACTIVE, lock=LockGuard{lockOwner=[127.0.0.1]:5711, lockOwnerId='7972e4d0-186e-45ca-bbf2-3f2ae64e4173', lockExpiryTime=1600653764043}} to ClusterStateChange{type=class com.hazelcast.cluster.ClusterState, newState=FROZEN}, initiator: [127.0.0.1]:5711, transient: false Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.impl.operations.MergeClustersOp WARNING: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is merging to [127.0.0.1]:5710, because: instructed by master [127.0.0.1]:5711 Sep 20, 2020 9:01:24 PM com.hazelcast.core.LifecycleService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is MERGING Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.ClusterService WARNING: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Resetting local member UUID. Previous: 78f83873-16c2-47e4-8d28-1993c778e9c4, new: fbe0e9ae-29f9-4d04-9c7b-231fbd569316 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.server.tcp.TcpServerConnection INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Connection[id=1, /127.0.0.1:64664->/127.0.0.1:5710, qualifier=null, endpoint=[127.0.0.1]:5710, alive=false, connectionType=MEMBER] closed. Reason: TcpServer is stopping Sep 20, 2020 9:01:24 PM com.hazelcast.internal.server.tcp.TcpServerConnector INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Connecting to /127.0.0.1:5710, timeout: 10000, bind-any: true Sep 20, 2020 9:01:24 PM com.hazelcast.internal.server.tcp.TcpServerConnection INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Initialized new cluster connection between /127.0.0.1:64665 and /127.0.0.1:5710 Sep 20, 2020 9:01:24 PM com.hazelcast.internal.cluster.ClusterService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] Members {size:2, ver:4} [ Member [127.0.0.1]:5710 - cff4c063-ebf6-458d-8bef-1f819e6947d6 Member [127.0.0.1]:5711 - fbe0e9ae-29f9-4d04-9c7b-231fbd569316 this ] Sep 20, 2020 9:01:24 PM com.hazelcast.core.LifecycleService INFO: [127.0.0.1]:5711 [dev] [4.1-SNAPSHOT] [127.0.0.1]:5711 is MERGED *** only now the cluster nodes see each other *** ```
defect
when using discovery spi cluster join only happens via split brain mechanism thanks for reporting your issue please share with us the following information to help us resolve your issue quickly and efficiently describe the bug when using tcpipjoiner or multicastjoin methods everything works correctly but when using networkconfig getjoin getdiscoveryconfig setdiscoveryserviceprovider mechanism the cluster isn t joined and the freshly started node only sees itself however when split brain timeout is reached the split brain mechanism is used to join the cluster note this only happens when wait seconds before join is set to zero expected behavior cluster join should happen on startup time instead of waiting for split brain logic to reproduce pull in the directory cachetester run mvn prun test do the same in an additional window and watch the logs additional context hazelcast version is snapshot latest java here are the logs from the second node first node works as expected sep pm com hazelcast instance addresspicker info using public address sep pm com hazelcast system info hazelcast snapshot starting at sep pm com hazelcast instance impl node info using discovery spi sep pm com hazelcast cp cpsubsystem warning cp subsystem is not enabled cp data structures will operate in unsafe mode please note that unsafe mode will not provide strong consistency guarantees sep pm com hazelcast internal diagnostics diagnostics info diagnostics disabled to enable add dhazelcast diagnostics enabled true to the jvm arguments sep pm com hazelcast core lifecycleservice info is starting sep pm com hazelcast internal cluster clusterservice info members size ver member this sep pm com hazelcast instance impl node warning config seed port is and cluster size is some of the ports seem occupied sep pm com hazelcast core lifecycleservice info is started to create cache to destroy to print to lock to unlock blank to exit for help anything else to put in cache initial startup the node sees only itself sep pm com hazelcast internal server tcp tcpserverconnection info initialized new cluster connection between and sep pm com hazelcast internal cluster impl clusterjoinmanager info we should merge to both have the same data member count now split brain merge mechanism activated after the merge timeout sep pm com hazelcast internal cluster impl discoveryjoiner warning is merging to sep pm com hazelcast internal cluster impl operations lockclusterstateop info locking cluster state initiator lease time sep pm com hazelcast internal cluster impl operations lockclusterstateop info extending cluster state lock initiator lease time sep pm com hazelcast internal cluster impl operations commitclusterstateop info changing cluster state from clusterstate state active lock lockguard lockowner lockownerid lockexpirytime to clusterstatechange type class com hazelcast cluster clusterstate newstate frozen initiator transient false sep pm com hazelcast internal cluster impl operations mergeclustersop warning is merging to because instructed by master sep pm com hazelcast core lifecycleservice info is merging sep pm com hazelcast internal cluster clusterservice warning resetting local member uuid previous new sep pm com hazelcast internal server tcp tcpserverconnection info connection alive false connectiontype member closed reason tcpserver is stopping sep pm com hazelcast internal server tcp tcpserverconnector info connecting to timeout bind any true sep pm com hazelcast internal server tcp tcpserverconnection info initialized new cluster connection between and sep pm com hazelcast internal cluster clusterservice info members size ver member member this sep pm com hazelcast core lifecycleservice info is merged only now the cluster nodes see each other
1
78,175
27,356,334,404
IssuesEvent
2023-02-27 13:07:35
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
Memory leak and high CPU usage when I use the Explore
T-Defect
### Steps to reproduce 1. Open Explore; 2. Type "electron" to search 3. Monitor usage and check logs 4. Slowly scroll down to find the place where Element Desktop starts to destroy your hardware. ### Outcome #### What did you expect? Search does not ask hundreds MBs of RAM, Explore does not make jumps of RAM usage. #### What happened instead? High hardware usage, memory consuming... In my case it's jump from 700-800 to 1500-1600 MBs. ### Operating system Windows 7 ### Application version 1.11.23 ### How did you install the app? In-app update ### Homeserver matrix.org ### Will you send logs? No
1.0
Memory leak and high CPU usage when I use the Explore - ### Steps to reproduce 1. Open Explore; 2. Type "electron" to search 3. Monitor usage and check logs 4. Slowly scroll down to find the place where Element Desktop starts to destroy your hardware. ### Outcome #### What did you expect? Search does not ask hundreds MBs of RAM, Explore does not make jumps of RAM usage. #### What happened instead? High hardware usage, memory consuming... In my case it's jump from 700-800 to 1500-1600 MBs. ### Operating system Windows 7 ### Application version 1.11.23 ### How did you install the app? In-app update ### Homeserver matrix.org ### Will you send logs? No
defect
memory leak and high cpu usage when i use the explore steps to reproduce open explore type electron to search monitor usage and check logs slowly scroll down to find the place where element desktop starts to destroy your hardware outcome what did you expect search does not ask hundreds mbs of ram explore does not make jumps of ram usage what happened instead high hardware usage memory consuming in my case it s jump from to mbs operating system windows application version how did you install the app in app update homeserver matrix org will you send logs no
1
4,249
2,610,090,217
IssuesEvent
2015-02-26 18:27:18
chrsmith/dsdsdaadf
https://api.github.com/repos/chrsmith/dsdsdaadf
opened
深圳痘痘怎么消除比较好
auto-migrated Priority-Medium Type-Defect
``` 深圳痘痘怎么消除比较好【深圳韩方科颜全国热线400-869-1818�� �24小时QQ4008691818】深圳韩方科颜专业祛痘连锁机构,机构以�� �国秘方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品� ��韩方科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反 弹”健康祛痘技术并结合先进“先进豪华彩光”仪,开创国�� �专业治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸� ��的痘痘。 ``` ----- Original issue reported on code.google.com by `szft...@163.com` on 14 May 2014 at 7:39
1.0
深圳痘痘怎么消除比较好 - ``` 深圳痘痘怎么消除比较好【深圳韩方科颜全国热线400-869-1818�� �24小时QQ4008691818】深圳韩方科颜专业祛痘连锁机构,机构以�� �国秘方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品� ��韩方科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反 弹”健康祛痘技术并结合先进“先进豪华彩光”仪,开创国�� �专业治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸� ��的痘痘。 ``` ----- Original issue reported on code.google.com by `szft...@163.com` on 14 May 2014 at 7:39
defect
深圳痘痘怎么消除比较好 深圳痘痘怎么消除比较好【 �� � 】深圳韩方科颜专业祛痘连锁机构,机构以�� �国秘方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品� ��韩方科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反 弹”健康祛痘技术并结合先进“先进豪华彩光”仪,开创国�� �专业治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸� ��的痘痘。 original issue reported on code google com by szft com on may at
1
71,378
8,650,502,183
IssuesEvent
2018-11-26 22:46:53
USAJOBS/ATP-Support
https://api.github.com/repos/USAJOBS/ATP-Support
closed
Add email share option to campaign board view
ATP Design
Determine how campaign boards can be shared with other community members via email **Sharing options** - [ ] via email - will send campaign board to member of community
1.0
Add email share option to campaign board view - Determine how campaign boards can be shared with other community members via email **Sharing options** - [ ] via email - will send campaign board to member of community
non_defect
add email share option to campaign board view determine how campaign boards can be shared with other community members via email sharing options via email will send campaign board to member of community
0
72,409
24,107,790,243
IssuesEvent
2022-09-20 08:53:53
vector-im/element-android
https://api.github.com/repos/vector-im/element-android
closed
Deferred DMs - Locals are not deleted anymore within the new AppLayout
T-Defect A-DMs S-Minor O-Frequent Z-AppLayout Z-PS-Request
### Steps to reproduce First bug: 1. Start creating a DM with the start DM feature flag and the new App Layout enabled 2. Abort the DM creation and go back to the home list 3. Activate the recent rooms display from the AppLayout configuration 4. Then, the local room appears in the recent rooms Second bug: 1. Start creating a DM with the start DM feature flag and the new App Layout enabled 2. Write some text without sending it 3. Abort the DM creation and go back to the home list 4. Start creating again a DM with the same person 4. Then, the local room is opened again with the drafted message ### Outcome #### What did you expect? The local room should not be persisted anymore when the user is back to the room list ### Your phone model _No response_ ### Operating system version _No response_ ### Application version and app store _No response_ ### Homeserver _No response_ ### Will you send logs? No ### Are you willing to provide a PR? Yes
1.0
Deferred DMs - Locals are not deleted anymore within the new AppLayout - ### Steps to reproduce First bug: 1. Start creating a DM with the start DM feature flag and the new App Layout enabled 2. Abort the DM creation and go back to the home list 3. Activate the recent rooms display from the AppLayout configuration 4. Then, the local room appears in the recent rooms Second bug: 1. Start creating a DM with the start DM feature flag and the new App Layout enabled 2. Write some text without sending it 3. Abort the DM creation and go back to the home list 4. Start creating again a DM with the same person 4. Then, the local room is opened again with the drafted message ### Outcome #### What did you expect? The local room should not be persisted anymore when the user is back to the room list ### Your phone model _No response_ ### Operating system version _No response_ ### Application version and app store _No response_ ### Homeserver _No response_ ### Will you send logs? No ### Are you willing to provide a PR? Yes
defect
deferred dms locals are not deleted anymore within the new applayout steps to reproduce first bug start creating a dm with the start dm feature flag and the new app layout enabled abort the dm creation and go back to the home list activate the recent rooms display from the applayout configuration then the local room appears in the recent rooms second bug start creating a dm with the start dm feature flag and the new app layout enabled write some text without sending it abort the dm creation and go back to the home list start creating again a dm with the same person then the local room is opened again with the drafted message outcome what did you expect the local room should not be persisted anymore when the user is back to the room list your phone model no response operating system version no response application version and app store no response homeserver no response will you send logs no are you willing to provide a pr yes
1
151,170
13,392,414,490
IssuesEvent
2020-09-03 01:17:31
openstax/cnx-recipes
https://api.github.com/repos/openstax/cnx-recipes
opened
business ethics - footnotes
book:business.ethics documentation theme:cardboard
![Screen Shot 2020-09-02 at 8 15 30 PM](https://user-images.githubusercontent.com/11299125/92060354-1f3a2d00-ed59-11ea-9dcc-444b7fbb7e7a.png) Like the carnival theme, let's have footnotes be separated from the main text with a 1px black line. Font style: noto sans Color: Grey2: `#757474` Size: font-scale(-1): 6.89pt, 9.17px, 0.8rem **IMPORTANT** THE NUMBERING SHOULD BE LOWER CASE ROMAN NUMBERALS (i, ii, iii, iv...)
1.0
business ethics - footnotes - ![Screen Shot 2020-09-02 at 8 15 30 PM](https://user-images.githubusercontent.com/11299125/92060354-1f3a2d00-ed59-11ea-9dcc-444b7fbb7e7a.png) Like the carnival theme, let's have footnotes be separated from the main text with a 1px black line. Font style: noto sans Color: Grey2: `#757474` Size: font-scale(-1): 6.89pt, 9.17px, 0.8rem **IMPORTANT** THE NUMBERING SHOULD BE LOWER CASE ROMAN NUMBERALS (i, ii, iii, iv...)
non_defect
business ethics footnotes like the carnival theme let s have footnotes be separated from the main text with a black line font style noto sans color size font scale important the numbering should be lower case roman numberals i ii iii iv
0
43,185
11,543,729,450
IssuesEvent
2020-02-18 10:07:47
primefaces/primeng
https://api.github.com/repos/primefaces/primeng
closed
p-calendar doesn't disable months outside of minDate/maxDate with view="month"
defect
**I'm submitting a ...** (check one with "x") ``` [x ] bug report => Search github for a similar issue or PR before submitting [ ] feature request => Please check if request is not on the roadmap already https://github.com/primefaces/primeng/wiki/Roadmap [ ] support request => Please do not submit support request here, instead see http://forum.primefaces.org/viewforum.php?f=35 ``` **Plunkr Case (Bug Reports)** Please demonstrate your case at stackblitz by using the issue template below. Issues without a test case have much less possibility to be reviewd in detail and assisted. https://stackblitz.com/edit/github-wkccop **Current behavior** Use p-calendar with view set to "month" and specify a minDate and/or maxDate. Months that lie outside of the minDate or maxDate are not disabled and can still be clicked. If clicked, it will select the minDate/maxDate. **Expected behavior** Months that lie outside of the minDate or maxDate are disabled and cannot be clicked. Just the same as it already works for view="date". * **Angular version:** 7.X * **PrimeNG version:** 7.0.0 * **Browser:** checked on Firefox, but should be in all browsers * **Language:** all
1.0
p-calendar doesn't disable months outside of minDate/maxDate with view="month" - **I'm submitting a ...** (check one with "x") ``` [x ] bug report => Search github for a similar issue or PR before submitting [ ] feature request => Please check if request is not on the roadmap already https://github.com/primefaces/primeng/wiki/Roadmap [ ] support request => Please do not submit support request here, instead see http://forum.primefaces.org/viewforum.php?f=35 ``` **Plunkr Case (Bug Reports)** Please demonstrate your case at stackblitz by using the issue template below. Issues without a test case have much less possibility to be reviewd in detail and assisted. https://stackblitz.com/edit/github-wkccop **Current behavior** Use p-calendar with view set to "month" and specify a minDate and/or maxDate. Months that lie outside of the minDate or maxDate are not disabled and can still be clicked. If clicked, it will select the minDate/maxDate. **Expected behavior** Months that lie outside of the minDate or maxDate are disabled and cannot be clicked. Just the same as it already works for view="date". * **Angular version:** 7.X * **PrimeNG version:** 7.0.0 * **Browser:** checked on Firefox, but should be in all browsers * **Language:** all
defect
p calendar doesn t disable months outside of mindate maxdate with view month i m submitting a check one with x bug report search github for a similar issue or pr before submitting feature request please check if request is not on the roadmap already support request please do not submit support request here instead see plunkr case bug reports please demonstrate your case at stackblitz by using the issue template below issues without a test case have much less possibility to be reviewd in detail and assisted current behavior use p calendar with view set to month and specify a mindate and or maxdate months that lie outside of the mindate or maxdate are not disabled and can still be clicked if clicked it will select the mindate maxdate expected behavior months that lie outside of the mindate or maxdate are disabled and cannot be clicked just the same as it already works for view date angular version x primeng version browser checked on firefox but should be in all browsers language all
1
61,788
6,758,168,407
IssuesEvent
2017-10-24 13:26:01
cul-2016/quiz
https://api.github.com/repos/cul-2016/quiz
closed
Reset Password Page Not Working
bug please-test
If I go to the main page at www.quodl.co.uk and click on the 'Forgotten Password' link, nothing happens, I am not redirected, and I am unable to reset my password. Problem replicated in both Chrome and Firefox for PC. This is a new bug - the reset password functionality was working fine a week or two ago. I am in the middle of setting up a new lecturer account, and they will not be able to get access until they can set their own password using that link.
1.0
Reset Password Page Not Working - If I go to the main page at www.quodl.co.uk and click on the 'Forgotten Password' link, nothing happens, I am not redirected, and I am unable to reset my password. Problem replicated in both Chrome and Firefox for PC. This is a new bug - the reset password functionality was working fine a week or two ago. I am in the middle of setting up a new lecturer account, and they will not be able to get access until they can set their own password using that link.
non_defect
reset password page not working if i go to the main page at and click on the forgotten password link nothing happens i am not redirected and i am unable to reset my password problem replicated in both chrome and firefox for pc this is a new bug the reset password functionality was working fine a week or two ago i am in the middle of setting up a new lecturer account and they will not be able to get access until they can set their own password using that link
0
80,147
30,037,256,016
IssuesEvent
2023-06-27 13:29:58
owncloud/ocis
https://api.github.com/repos/owncloud/ocis
closed
Requesting a file preview when it is disabled by the administrator
Type:Bug Category:Defect
# Steps to reproduce - Administrator disables the generation of previews by setting `'enable_previews' => false` - User downloads the preview of file with width "32" and height "32" e.g. `curl http://172.17.0.1:9140/remote.php/dav/files/admin/parent.txt\?x\=32\&y\=32\&forceIcon\=0\&preview\=1 -u admin:admin -v` # Expected - HTTP code 404 - Not Found # Actual - HTTP code 200 - OK
1.0
Requesting a file preview when it is disabled by the administrator - # Steps to reproduce - Administrator disables the generation of previews by setting `'enable_previews' => false` - User downloads the preview of file with width "32" and height "32" e.g. `curl http://172.17.0.1:9140/remote.php/dav/files/admin/parent.txt\?x\=32\&y\=32\&forceIcon\=0\&preview\=1 -u admin:admin -v` # Expected - HTTP code 404 - Not Found # Actual - HTTP code 200 - OK
defect
requesting a file preview when it is disabled by the administrator steps to reproduce administrator disables the generation of previews by setting enable previews false user downloads the preview of file with width and height e g curl u admin admin v expected http code not found actual http code ok
1
34,107
7,344,006,724
IssuesEvent
2018-03-07 13:23:50
beefproject/beef
https://api.github.com/repos/beefproject/beef
closed
X-Frame-Options header not set in Control Panel , Clickjacking vulnerability
Defect
Hey Beef Team, I spotted that the Control Panel of the Beef XSS framework lacks any Frame protections that makes it susceptible to UI redressing and even sending vital information about the target including performing unintended actions .There's no SOP or Access control allow origin headers set in the control panel . Pls roll out a patch or fix . A CVE request for it has already been sent Regards,
1.0
X-Frame-Options header not set in Control Panel , Clickjacking vulnerability - Hey Beef Team, I spotted that the Control Panel of the Beef XSS framework lacks any Frame protections that makes it susceptible to UI redressing and even sending vital information about the target including performing unintended actions .There's no SOP or Access control allow origin headers set in the control panel . Pls roll out a patch or fix . A CVE request for it has already been sent Regards,
defect
x frame options header not set in control panel clickjacking vulnerability hey beef team i spotted that the control panel of the beef xss framework lacks any frame protections that makes it susceptible to ui redressing and even sending vital information about the target including performing unintended actions there s no sop or access control allow origin headers set in the control panel pls roll out a patch or fix a cve request for it has already been sent regards
1
12,049
3,572,710,504
IssuesEvent
2016-01-27 00:58:09
systemd/systemd
https://api.github.com/repos/systemd/systemd
closed
[Documentation] To add the info about first-seen release version in directives description
documentation RFE
Subj. E.g.: ``` Name bla-bla-bla Synopsis bla-bla-bla.service bla-bla-bla.socket Released in: systemd XXX Description ... ``` or, if directive/tool was deleted: ``` Name bla-bla-bla Synopsis bla-bla-bla.service bla-bla-bla.socket Released in: systemd XXX Deleted in: systemd YYY Description ... ``` or, if directive/tool was replaced by another directive/tool: ``` Name bla-bla-bla Synopsis bla-bla-bla.service bla-bla-bla.socket Released in: systemd XXX Replaced by: new-pretty-good directive/tool in systemd release: YYY Description ... ``` or, if directive/tool was modified\upgraded: ``` Name bla-bla-bla Synopsis bla-bla-bla.service bla-bla-bla.socket Released in: systemd XXX Modified/Upgraded in: systemd YYY Description ... ``` I suppose it will make searching much more easy in way of "Does my systemd version have directive/tool A/B/C/.../Z?" without re-reading all systemd release-notes.
1.0
[Documentation] To add the info about first-seen release version in directives description - Subj. E.g.: ``` Name bla-bla-bla Synopsis bla-bla-bla.service bla-bla-bla.socket Released in: systemd XXX Description ... ``` or, if directive/tool was deleted: ``` Name bla-bla-bla Synopsis bla-bla-bla.service bla-bla-bla.socket Released in: systemd XXX Deleted in: systemd YYY Description ... ``` or, if directive/tool was replaced by another directive/tool: ``` Name bla-bla-bla Synopsis bla-bla-bla.service bla-bla-bla.socket Released in: systemd XXX Replaced by: new-pretty-good directive/tool in systemd release: YYY Description ... ``` or, if directive/tool was modified\upgraded: ``` Name bla-bla-bla Synopsis bla-bla-bla.service bla-bla-bla.socket Released in: systemd XXX Modified/Upgraded in: systemd YYY Description ... ``` I suppose it will make searching much more easy in way of "Does my systemd version have directive/tool A/B/C/.../Z?" without re-reading all systemd release-notes.
non_defect
to add the info about first seen release version in directives description subj e g name bla bla bla synopsis bla bla bla service bla bla bla socket released in systemd xxx description or if directive tool was deleted name bla bla bla synopsis bla bla bla service bla bla bla socket released in systemd xxx deleted in systemd yyy description or if directive tool was replaced by another directive tool name bla bla bla synopsis bla bla bla service bla bla bla socket released in systemd xxx replaced by new pretty good directive tool in systemd release yyy description or if directive tool was modified upgraded name bla bla bla synopsis bla bla bla service bla bla bla socket released in systemd xxx modified upgraded in systemd yyy description i suppose it will make searching much more easy in way of does my systemd version have directive tool a b c z without re reading all systemd release notes
0
4,032
4,837,651,462
IssuesEvent
2016-11-08 23:20:22
mysensors/MySensors
https://api.github.com/repos/mysensors/MySensors
closed
Signing in development branch?
security
I've been using the development branch since before the official release of 2.0.0. Today I jumped from a mid-July commit `929b001` to the latest commit `50eeb75`. Things were going swimmingly until I noticed my devices with signing enabled stopped accepting commands. They still present, but that seems to be where communication stops. Working backwards from the latest commit, I found `9304ceb` to be the last commit with which the devices with signing enabled accept commands. I looked over the commit messages, but nothing stands out. Is there an additional change needed to get signing working again, aside from my existing signing defines? ``` #define MY_SIGNING_SOFT #define MY_SIGNING_REQUEST_SIGNATURES ``` I even tried re-applying the personalization sketch, but it didn't seem to fix the issue using future commits.
True
Signing in development branch? - I've been using the development branch since before the official release of 2.0.0. Today I jumped from a mid-July commit `929b001` to the latest commit `50eeb75`. Things were going swimmingly until I noticed my devices with signing enabled stopped accepting commands. They still present, but that seems to be where communication stops. Working backwards from the latest commit, I found `9304ceb` to be the last commit with which the devices with signing enabled accept commands. I looked over the commit messages, but nothing stands out. Is there an additional change needed to get signing working again, aside from my existing signing defines? ``` #define MY_SIGNING_SOFT #define MY_SIGNING_REQUEST_SIGNATURES ``` I even tried re-applying the personalization sketch, but it didn't seem to fix the issue using future commits.
non_defect
signing in development branch i ve been using the development branch since before the official release of today i jumped from a mid july commit to the latest commit things were going swimmingly until i noticed my devices with signing enabled stopped accepting commands they still present but that seems to be where communication stops working backwards from the latest commit i found to be the last commit with which the devices with signing enabled accept commands i looked over the commit messages but nothing stands out is there an additional change needed to get signing working again aside from my existing signing defines define my signing soft define my signing request signatures i even tried re applying the personalization sketch but it didn t seem to fix the issue using future commits
0
600,989
18,363,046,749
IssuesEvent
2021-10-09 15:10:32
luksan47/mars
https://api.github.com/repos/luksan47/mars
closed
Epistola: SQL error: Data too long for column 'picture_path'
bug good first issue minor change Priority: Important
The maximum string length should be added to the validator.
1.0
Epistola: SQL error: Data too long for column 'picture_path' - The maximum string length should be added to the validator.
non_defect
epistola sql error data too long for column picture path the maximum string length should be added to the validator
0
162,959
13,906,605,911
IssuesEvent
2020-10-20 11:30:35
thesauravkarmakar/GitHub101
https://api.github.com/repos/thesauravkarmakar/GitHub101
closed
create GUIDE : remote_repo.md
documentation enhancement good first issue hacktoberfest
I was wondering if I could make a guide to create a remote repository
1.0
create GUIDE : remote_repo.md - I was wondering if I could make a guide to create a remote repository
non_defect
create guide remote repo md i was wondering if i could make a guide to create a remote repository
0
28,496
5,282,594,188
IssuesEvent
2017-02-07 19:15:10
bridgedotnet/Bridge
https://api.github.com/repos/bridgedotnet/Bridge
closed
Operator overload methods have side-effects on input structs
defect in progress
http://forums.bridge.net/forum/bridge-net-pro/bugs/3458-operator-overload-methods-have-side-effects-on-input-structs `$clone` is not generated for operator arguments ### Steps To Reproduce http://deck.net/230b0c430bd7899d5ba74edc42190e9a ```c# public class Program { public static void Main() { // Use the static add method: MyStruct x1 = new MyStruct(1.0); MyStruct x2 = MyStruct.Add(x1, new MyStruct(2.0)); // x1 is unaffected, as expected: Console.WriteLine("x1 = " + x1.Value); Console.WriteLine("x2 = " + x2.Value); // Use the operator overload: MyStruct y1 = new MyStruct(1.0); MyStruct y2 = y1 + new MyStruct(2.0); // y1 is mutated as a side-effect. // This is not standard C# behavior. // y1 *should* be unaffected by the operation. Console.WriteLine("y1 = " + y1.Value); Console.WriteLine("y2 = " + y2.Value); } } public struct MyStruct { public double Value; public MyStruct(double value) { Value = value; } public static MyStruct Add(MyStruct a, MyStruct b) { a.Value += b.Value; return a; } public static MyStruct operator +(MyStruct a, MyStruct b) { a.Value += b.Value; return a; } } ```
1.0
Operator overload methods have side-effects on input structs - http://forums.bridge.net/forum/bridge-net-pro/bugs/3458-operator-overload-methods-have-side-effects-on-input-structs `$clone` is not generated for operator arguments ### Steps To Reproduce http://deck.net/230b0c430bd7899d5ba74edc42190e9a ```c# public class Program { public static void Main() { // Use the static add method: MyStruct x1 = new MyStruct(1.0); MyStruct x2 = MyStruct.Add(x1, new MyStruct(2.0)); // x1 is unaffected, as expected: Console.WriteLine("x1 = " + x1.Value); Console.WriteLine("x2 = " + x2.Value); // Use the operator overload: MyStruct y1 = new MyStruct(1.0); MyStruct y2 = y1 + new MyStruct(2.0); // y1 is mutated as a side-effect. // This is not standard C# behavior. // y1 *should* be unaffected by the operation. Console.WriteLine("y1 = " + y1.Value); Console.WriteLine("y2 = " + y2.Value); } } public struct MyStruct { public double Value; public MyStruct(double value) { Value = value; } public static MyStruct Add(MyStruct a, MyStruct b) { a.Value += b.Value; return a; } public static MyStruct operator +(MyStruct a, MyStruct b) { a.Value += b.Value; return a; } } ```
defect
operator overload methods have side effects on input structs clone is not generated for operator arguments steps to reproduce c public class program public static void main use the static add method mystruct new mystruct mystruct mystruct add new mystruct is unaffected as expected console writeline value console writeline value use the operator overload mystruct new mystruct mystruct new mystruct is mutated as a side effect this is not standard c behavior should be unaffected by the operation console writeline value console writeline value public struct mystruct public double value public mystruct double value value value public static mystruct add mystruct a mystruct b a value b value return a public static mystruct operator mystruct a mystruct b a value b value return a
1
1,524
2,603,966,963
IssuesEvent
2015-02-24 18:59:16
chrsmith/nishazi6
https://api.github.com/repos/chrsmith/nishazi6
opened
沈阳hsv-ii
auto-migrated Priority-Medium Type-Defect
``` 沈阳hsv-ii〓沈陽軍區政治部醫院性病〓TEL:024-31023308〓成立�� �1946年,68年專注于性傳播疾病的研究和治療。位于沈陽市沈� ��區二緯路32號。是一所與新中國同建立共輝煌的歷史悠久、� ��備精良、技術權威、專家云集,是預防、保健、醫療、科研 康復為一體的綜合性醫院。是國家首批公立甲等部隊醫院、�� �國首批醫療規范定點單位,是第四軍醫大學、東南大學等知� ��高等院校的教學醫院。曾被中國人民解放軍空軍后勤部衛生 部評為衛生工作先進單位,先后兩次榮立集體二等功。 ``` ----- Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 7:07
1.0
沈阳hsv-ii - ``` 沈阳hsv-ii〓沈陽軍區政治部醫院性病〓TEL:024-31023308〓成立�� �1946年,68年專注于性傳播疾病的研究和治療。位于沈陽市沈� ��區二緯路32號。是一所與新中國同建立共輝煌的歷史悠久、� ��備精良、技術權威、專家云集,是預防、保健、醫療、科研 康復為一體的綜合性醫院。是國家首批公立甲等部隊醫院、�� �國首批醫療規范定點單位,是第四軍醫大學、東南大學等知� ��高等院校的教學醫院。曾被中國人民解放軍空軍后勤部衛生 部評為衛生工作先進單位,先后兩次榮立集體二等功。 ``` ----- Original issue reported on code.google.com by `q964105...@gmail.com` on 4 Jun 2014 at 7:07
defect
沈阳hsv ii 沈阳hsv ii〓沈陽軍區政治部醫院性病〓tel: 〓成立�� � , 。位于沈陽市沈� �� 。是一所與新中國同建立共輝煌的歷史悠久、� ��備精良、技術權威、專家云集,是預防、保健、醫療、科研 康復為一體的綜合性醫院。是國家首批公立甲等部隊醫院、�� �國首批醫療規范定點單位,是第四軍醫大學、東南大學等知� ��高等院校的教學醫院。曾被中國人民解放軍空軍后勤部衛生 部評為衛生工作先進單位,先后兩次榮立集體二等功。 original issue reported on code google com by gmail com on jun at
1
16,622
2,920,435,360
IssuesEvent
2015-06-24 18:55:24
ashanbh/chrome-rest-client
https://api.github.com/repos/ashanbh/chrome-rest-client
closed
Help save and share
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. I have managed to Export and edit file, but then noticed you have notice saying Export is removed 1st March, and there is not import button 2. I cannot save to google drive it is greyed out. 3. I cannot copy export to google drive and import, I have uploaded to my google drive (.json file) but when searching I cannot find file to upload. What is the expected output? What do you see instead? I would like to be able to share the Projects / saved requests, How can I do this. On what operating system, browser and browser version? Max OSX 10.8.3 - Chrome 25.0.1364.172 Please provide any additional information below. ``` Original issue reported on code.google.com by `markjwil...@gmail.com` on 21 Mar 2013 at 5:00
1.0
Help save and share - ``` What steps will reproduce the problem? 1. I have managed to Export and edit file, but then noticed you have notice saying Export is removed 1st March, and there is not import button 2. I cannot save to google drive it is greyed out. 3. I cannot copy export to google drive and import, I have uploaded to my google drive (.json file) but when searching I cannot find file to upload. What is the expected output? What do you see instead? I would like to be able to share the Projects / saved requests, How can I do this. On what operating system, browser and browser version? Max OSX 10.8.3 - Chrome 25.0.1364.172 Please provide any additional information below. ``` Original issue reported on code.google.com by `markjwil...@gmail.com` on 21 Mar 2013 at 5:00
defect
help save and share what steps will reproduce the problem i have managed to export and edit file but then noticed you have notice saying export is removed march and there is not import button i cannot save to google drive it is greyed out i cannot copy export to google drive and import i have uploaded to my google drive json file but when searching i cannot find file to upload what is the expected output what do you see instead i would like to be able to share the projects saved requests how can i do this on what operating system browser and browser version max osx chrome please provide any additional information below original issue reported on code google com by markjwil gmail com on mar at
1
284,723
8,749,796,117
IssuesEvent
2018-12-13 17:18:11
AugurProject/augur
https://api.github.com/repos/AugurProject/augur
closed
Reporting fee not displayed correctly in Create Market flow
Bug Priority: Medium Unreproducible
Phoebe was seeing the reporting error not being displayed when creating a new market. (See screenshots.)
1.0
Reporting fee not displayed correctly in Create Market flow - Phoebe was seeing the reporting error not being displayed when creating a new market. (See screenshots.)
non_defect
reporting fee not displayed correctly in create market flow phoebe was seeing the reporting error not being displayed when creating a new market see screenshots
0
211,286
23,805,546,717
IssuesEvent
2022-09-04 01:09:17
ebubeaso/IT-coding-work
https://api.github.com/repos/ebubeaso/IT-coding-work
opened
WS-2022-0284 (Medium) detected in moment-timezone-0.5.33.tgz
security vulnerability
## WS-2022-0284 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>moment-timezone-0.5.33.tgz</b></p></summary> <p>Parse and display moments in any timezone.</p> <p>Library home page: <a href="https://registry.npmjs.org/moment-timezone/-/moment-timezone-0.5.33.tgz">https://registry.npmjs.org/moment-timezone/-/moment-timezone-0.5.33.tgz</a></p> <p>Path to dependency file: /nodejs-work/Usage/backend/package.json</p> <p>Path to vulnerable library: /nodejs-work/Usage/backend/node_modules/moment-timezone/package.json</p> <p> Dependency Hierarchy: - mariadb-2.5.3.tgz (Root Library) - :x: **moment-timezone-0.5.33.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/ebubeaso/IT-coding-work/commit/6d107a6688bc22c52eeb62e12abbb00206f7105f">6d107a6688bc22c52eeb62e12abbb00206f7105f</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Cleartext Transmission of Sensitive Information in moment-timezone <p>Publish Date: 2022-08-30 <p>URL: <a href=https://github.com/moment/moment-timezone/commit/7915ac567ab19700e44ad6b5d8ef0b85e48a9e75>WS-2022-0284</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/advisories/GHSA-v78c-4p63-2j6c">https://github.com/advisories/GHSA-v78c-4p63-2j6c</a></p> <p>Release Date: 2022-08-30</p> <p>Fix Resolution: moment-timezone - 0.5.35</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
WS-2022-0284 (Medium) detected in moment-timezone-0.5.33.tgz - ## WS-2022-0284 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>moment-timezone-0.5.33.tgz</b></p></summary> <p>Parse and display moments in any timezone.</p> <p>Library home page: <a href="https://registry.npmjs.org/moment-timezone/-/moment-timezone-0.5.33.tgz">https://registry.npmjs.org/moment-timezone/-/moment-timezone-0.5.33.tgz</a></p> <p>Path to dependency file: /nodejs-work/Usage/backend/package.json</p> <p>Path to vulnerable library: /nodejs-work/Usage/backend/node_modules/moment-timezone/package.json</p> <p> Dependency Hierarchy: - mariadb-2.5.3.tgz (Root Library) - :x: **moment-timezone-0.5.33.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/ebubeaso/IT-coding-work/commit/6d107a6688bc22c52eeb62e12abbb00206f7105f">6d107a6688bc22c52eeb62e12abbb00206f7105f</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Cleartext Transmission of Sensitive Information in moment-timezone <p>Publish Date: 2022-08-30 <p>URL: <a href=https://github.com/moment/moment-timezone/commit/7915ac567ab19700e44ad6b5d8ef0b85e48a9e75>WS-2022-0284</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/advisories/GHSA-v78c-4p63-2j6c">https://github.com/advisories/GHSA-v78c-4p63-2j6c</a></p> <p>Release Date: 2022-08-30</p> <p>Fix Resolution: moment-timezone - 0.5.35</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
ws medium detected in moment timezone tgz ws medium severity vulnerability vulnerable library moment timezone tgz parse and display moments in any timezone library home page a href path to dependency file nodejs work usage backend package json path to vulnerable library nodejs work usage backend node modules moment timezone package json dependency hierarchy mariadb tgz root library x moment timezone tgz vulnerable library found in head commit a href found in base branch master vulnerability details cleartext transmission of sensitive information in moment timezone 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 moment timezone step up your open source security game with mend
0
59,680
17,023,202,322
IssuesEvent
2021-07-03 00:50:16
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
Double vs triple-click
Component: potlatch (flash editor) Priority: minor Resolution: fixed Type: defect
**[Submitted to the original trac issue database at 8.46pm, Sunday, 3rd February 2008]** If you single-click to put a point down, then "double-click to finish", Potlatch treats it as a double-click then a single-click to start again.
1.0
Double vs triple-click - **[Submitted to the original trac issue database at 8.46pm, Sunday, 3rd February 2008]** If you single-click to put a point down, then "double-click to finish", Potlatch treats it as a double-click then a single-click to start again.
defect
double vs triple click if you single click to put a point down then double click to finish potlatch treats it as a double click then a single click to start again
1
90,751
8,271,336,873
IssuesEvent
2018-09-16 07:35:41
nicolargo/glances
https://api.github.com/repos/nicolargo/glances
closed
[ENHANCEMENT] Disable automatic sorting between cpu_percent, io_counters and memory_percent
enhancement needs test
A user can choose to sort the process list by cpu percentage, memory usage, i/o ... etc, or to have glances automatically sort the process list. However even though the user can select their desired manner of sorting, the list reverts to being automatically sorted according to alert thresholds pre-set in the glances.conf file. This feature has been troublesome for me. (I have just now figured out how to prevent automatic sorting from removing the view I have set by editing the alert thresholds in the glances.conf file). Desired behavior: Allow the disabling of automatic sorting irrespective of alert status Behavior is the same between the following two builds: 1) Ubuntu Xenial (16.04 LTS) default repository, as well as 2) source-built Glances v2.11.1 with psutil v5.4.6
1.0
[ENHANCEMENT] Disable automatic sorting between cpu_percent, io_counters and memory_percent - A user can choose to sort the process list by cpu percentage, memory usage, i/o ... etc, or to have glances automatically sort the process list. However even though the user can select their desired manner of sorting, the list reverts to being automatically sorted according to alert thresholds pre-set in the glances.conf file. This feature has been troublesome for me. (I have just now figured out how to prevent automatic sorting from removing the view I have set by editing the alert thresholds in the glances.conf file). Desired behavior: Allow the disabling of automatic sorting irrespective of alert status Behavior is the same between the following two builds: 1) Ubuntu Xenial (16.04 LTS) default repository, as well as 2) source-built Glances v2.11.1 with psutil v5.4.6
non_defect
disable automatic sorting between cpu percent io counters and memory percent a user can choose to sort the process list by cpu percentage memory usage i o etc or to have glances automatically sort the process list however even though the user can select their desired manner of sorting the list reverts to being automatically sorted according to alert thresholds pre set in the glances conf file this feature has been troublesome for me i have just now figured out how to prevent automatic sorting from removing the view i have set by editing the alert thresholds in the glances conf file desired behavior allow the disabling of automatic sorting irrespective of alert status behavior is the same between the following two builds ubuntu xenial lts default repository as well as source built glances with psutil
0
37,991
8,629,439,049
IssuesEvent
2018-11-21 20:45:57
tvraman/emacspeak
https://api.github.com/repos/tvraman/emacspeak
closed
servers/linux-espeak/ missing from 26.0
Priority-Medium Type-Defect auto-migrated
``` linux-espeak/ is missing from version 26 but appears in the top makefile. ``` Original issue reported on code.google.com by `jensulri...@gmail.com` on 21 May 2007 at 4:31
1.0
servers/linux-espeak/ missing from 26.0 - ``` linux-espeak/ is missing from version 26 but appears in the top makefile. ``` Original issue reported on code.google.com by `jensulri...@gmail.com` on 21 May 2007 at 4:31
defect
servers linux espeak missing from linux espeak is missing from version but appears in the top makefile original issue reported on code google com by jensulri gmail com on may at
1
38,805
8,967,059,868
IssuesEvent
2019-01-29 01:36:06
svigerske/Ipopt
https://api.github.com/repos/svigerske/Ipopt
closed
Compiling issues on Mac OS X 10.8
Ipopt defect
Issue created by migration from Trac. Original creator: john.harrold Original creation time: 2014-08-15 22:59:54 Assignee: ipopt-team Version: 3.11 Howdy I'm trying to compile IPOPT on OSX (10.8.5). I have gcc version 4.2.1 installed. I'm following the instructions here: https://projects.coin-or.org/Ipopt/wiki/Ipopt_on_Mac_OS_X I downloaded version 3.11.8 from April of this year (2014), and I get the following error when I try to compile using both 32 and 64 bit scenarios. ``` In file included from ../../../../Ipopt/src/Common/IpTaggedObject.cpp:9: ../../../../Ipopt/src/Common/IpTaggedObject.hpp:136: error: thread-local storage not supported for this target ../../../../Ipopt/src/Common/IpTaggedObject.cpp:14: error: thread-local storage not supported for this target make[3]: *** [IpTaggedObject.lo] Error 1 make4b93956e64: *** [all] Error 2 make6afa9fa918: *** [all-recursive] Error 1 make: *** [all-recursive] Error 1 ``` Any help with this would be appreciated. Also, I see in other posts that config.log can be useful so I will upload that as well.
1.0
Compiling issues on Mac OS X 10.8 - Issue created by migration from Trac. Original creator: john.harrold Original creation time: 2014-08-15 22:59:54 Assignee: ipopt-team Version: 3.11 Howdy I'm trying to compile IPOPT on OSX (10.8.5). I have gcc version 4.2.1 installed. I'm following the instructions here: https://projects.coin-or.org/Ipopt/wiki/Ipopt_on_Mac_OS_X I downloaded version 3.11.8 from April of this year (2014), and I get the following error when I try to compile using both 32 and 64 bit scenarios. ``` In file included from ../../../../Ipopt/src/Common/IpTaggedObject.cpp:9: ../../../../Ipopt/src/Common/IpTaggedObject.hpp:136: error: thread-local storage not supported for this target ../../../../Ipopt/src/Common/IpTaggedObject.cpp:14: error: thread-local storage not supported for this target make[3]: *** [IpTaggedObject.lo] Error 1 make4b93956e64: *** [all] Error 2 make6afa9fa918: *** [all-recursive] Error 1 make: *** [all-recursive] Error 1 ``` Any help with this would be appreciated. Also, I see in other posts that config.log can be useful so I will upload that as well.
defect
compiling issues on mac os x issue created by migration from trac original creator john harrold original creation time assignee ipopt team version howdy i m trying to compile ipopt on osx i have gcc version installed i m following the instructions here i downloaded version from april of this year and i get the following error when i try to compile using both and bit scenarios in file included from ipopt src common iptaggedobject cpp ipopt src common iptaggedobject hpp error thread local storage not supported for this target ipopt src common iptaggedobject cpp error thread local storage not supported for this target make error error error make error any help with this would be appreciated also i see in other posts that config log can be useful so i will upload that as well
1
44,126
17,836,615,748
IssuesEvent
2021-09-03 02:38:15
MicrosoftDocs/azure-docs
https://api.github.com/repos/MicrosoftDocs/azure-docs
closed
RunCommandPreview required Azure CLI upgrade (2.23.0 didn't work) but no min version mentioned
container-service/svc Pri1
dev:$ az aks command invoke -g xyz -n cluster1-priv -c "kubectl get pods -n kube-system" 'command' is misspelled or not recognized by the system. dev:$ az upgrade ... Your current Azure CLI version is 2.23.0. Latest version available is 2.27.1. ... after upgrade: dev:$ az aks command invoke -g xyz -n cluster1-priv -c "kubectl get pods -n kube-system" command started at 2021-09-02 23:45:10+00:00, finished at 2021-09-02 23:45:14+00:00 with exitcode=0 NAME READY STATUS RESTARTS AGE azure-ip-masq-agent-x5w9p 1/1 Running 0 58m coredns-autoscaler-6699988865-82p95 1/1 Running 0 61m coredns-d4866bcb7-4dnvs 1/1 Running 0 61m coredns-d4866bcb7-5xtbm 1/1 Running 0 47m kube-proxy-8wpkk 1/1 Running 0 58m metrics-server-97958786-c4hjv 1/1 Running 1 61m omsagent-rs-b5694fb48-t59qz 1/1 Running 0 37m omsagent-x9hxc 1/1 Running 0 58m tunnelfront-cd57656f7-w8tlh 1/1 Running 0 61m --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: 0b68f2c4-bb6c-11a2-6c61-8af4057a2438 * Version Independent ID: e3498bed-1447-6841-8353-9f1b5d3dc8df * Content: [Create a private Azure Kubernetes Service cluster - Azure Kubernetes Service](https://docs.microsoft.com/en-us/azure/aks/private-clusters#aks-run-command-preview) * Content Source: [articles/aks/private-clusters.md](https://github.com/MicrosoftDocs/azure-docs/blob/master/articles/aks/private-clusters.md) * Service: **container-service** * GitHub Login: @mlearned * Microsoft Alias: **mlearned**
1.0
RunCommandPreview required Azure CLI upgrade (2.23.0 didn't work) but no min version mentioned - dev:$ az aks command invoke -g xyz -n cluster1-priv -c "kubectl get pods -n kube-system" 'command' is misspelled or not recognized by the system. dev:$ az upgrade ... Your current Azure CLI version is 2.23.0. Latest version available is 2.27.1. ... after upgrade: dev:$ az aks command invoke -g xyz -n cluster1-priv -c "kubectl get pods -n kube-system" command started at 2021-09-02 23:45:10+00:00, finished at 2021-09-02 23:45:14+00:00 with exitcode=0 NAME READY STATUS RESTARTS AGE azure-ip-masq-agent-x5w9p 1/1 Running 0 58m coredns-autoscaler-6699988865-82p95 1/1 Running 0 61m coredns-d4866bcb7-4dnvs 1/1 Running 0 61m coredns-d4866bcb7-5xtbm 1/1 Running 0 47m kube-proxy-8wpkk 1/1 Running 0 58m metrics-server-97958786-c4hjv 1/1 Running 1 61m omsagent-rs-b5694fb48-t59qz 1/1 Running 0 37m omsagent-x9hxc 1/1 Running 0 58m tunnelfront-cd57656f7-w8tlh 1/1 Running 0 61m --- #### Document Details ⚠ *Do not edit this section. It is required for docs.microsoft.com ➟ GitHub issue linking.* * ID: 0b68f2c4-bb6c-11a2-6c61-8af4057a2438 * Version Independent ID: e3498bed-1447-6841-8353-9f1b5d3dc8df * Content: [Create a private Azure Kubernetes Service cluster - Azure Kubernetes Service](https://docs.microsoft.com/en-us/azure/aks/private-clusters#aks-run-command-preview) * Content Source: [articles/aks/private-clusters.md](https://github.com/MicrosoftDocs/azure-docs/blob/master/articles/aks/private-clusters.md) * Service: **container-service** * GitHub Login: @mlearned * Microsoft Alias: **mlearned**
non_defect
runcommandpreview required azure cli upgrade didn t work but no min version mentioned dev az aks command invoke g xyz n priv c kubectl get pods n kube system command is misspelled or not recognized by the system dev az upgrade your current azure cli version is latest version available is after upgrade dev az aks command invoke g xyz n priv c kubectl get pods n kube system command started at finished at with exitcode name ready status restarts age azure ip masq agent running coredns autoscaler running coredns running coredns running kube proxy running metrics server running omsagent rs running omsagent running tunnelfront running document details ⚠ do not edit this section it is required for docs microsoft com ➟ github issue linking id version independent id content content source service container service github login mlearned microsoft alias mlearned
0
81,928
31,815,261,522
IssuesEvent
2023-09-13 19:56:41
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
Closing room search from right panel doesn't change timeline view
T-Defect X-Regression S-Critical O-Occasional Z-Labs
### Steps to reproduce 1. Open a room, open the right panel 2. Click 'Search' 3. Submit a search and wait for results <img width="1091" alt="Screenshot 2023-09-04 at 18 10 19" src="https://github.com/vector-im/element-web/assets/3055605/5eaf0057-2190-45b3-b1f4-9444c8728def"> 4. Toggle search by clicking 'Search' in the right panel 5. Search bar goes away, but timeline view is still search results without any way to go back to room timeline <img width="1095" alt="Screenshot 2023-09-04 at 18 10 31" src="https://github.com/vector-im/element-web/assets/3055605/749a1743-da99-4f58-8537-deb436366d86"> ### Outcome #### What did you expect? Toggling search from sidebar should revert timeline back to normal view. ### Operating system _No response_ ### Browser information _No response_ ### URL for webapp develop.element.io ### Application version _No response_ ### Homeserver _No response_ ### Will you send logs? No
1.0
Closing room search from right panel doesn't change timeline view - ### Steps to reproduce 1. Open a room, open the right panel 2. Click 'Search' 3. Submit a search and wait for results <img width="1091" alt="Screenshot 2023-09-04 at 18 10 19" src="https://github.com/vector-im/element-web/assets/3055605/5eaf0057-2190-45b3-b1f4-9444c8728def"> 4. Toggle search by clicking 'Search' in the right panel 5. Search bar goes away, but timeline view is still search results without any way to go back to room timeline <img width="1095" alt="Screenshot 2023-09-04 at 18 10 31" src="https://github.com/vector-im/element-web/assets/3055605/749a1743-da99-4f58-8537-deb436366d86"> ### Outcome #### What did you expect? Toggling search from sidebar should revert timeline back to normal view. ### Operating system _No response_ ### Browser information _No response_ ### URL for webapp develop.element.io ### Application version _No response_ ### Homeserver _No response_ ### Will you send logs? No
defect
closing room search from right panel doesn t change timeline view steps to reproduce open a room open the right panel click search submit a search and wait for results img width alt screenshot at src toggle search by clicking search in the right panel search bar goes away but timeline view is still search results without any way to go back to room timeline img width alt screenshot at src outcome what did you expect toggling search from sidebar should revert timeline back to normal view operating system no response browser information no response url for webapp develop element io application version no response homeserver no response will you send logs no
1
68,391
21,657,699,669
IssuesEvent
2022-05-06 15:39:10
primefaces/primefaces
https://api.github.com/repos/primefaces/primefaces
closed
DatePicker: Time inputs can not be focussed by keyboard when inline
defect accessibility
```xhtml <p:datePicker id="inline" value="#{calendarJava8View.date1}" inline="true" showTime="true" timeInput="true"/> ```
1.0
DatePicker: Time inputs can not be focussed by keyboard when inline - ```xhtml <p:datePicker id="inline" value="#{calendarJava8View.date1}" inline="true" showTime="true" timeInput="true"/> ```
defect
datepicker time inputs can not be focussed by keyboard when inline xhtml p datepicker id inline value inline true showtime true timeinput true
1
81,218
30,755,963,489
IssuesEvent
2023-07-29 03:48:15
cakephp/cakephp
https://api.github.com/repos/cakephp/cakephp
opened
functional/expression-based indexes from MySQL 8.0 do not seem to be supported
defect
### Description I'm not entirely sure if this should be a bug report or a feature request. I tried to broach this briefly on the Cake Slack channel but was told to file an issue with more detail. The project I am working on uses Cake v4.3.11, PHP 8.1.13, and MySQL 8.0.31. The issue I am running into primarily involves the ORM's interaction with some of MySQL 8's more advanced features — particularly [functional indexes on expressions](https://dev.mysql.com/doc/refman/8.0/en/create-index.html#create-index-functional-key-parts). I am filing this issue to figure out if this is even possible to do within Cake. I have a table `items` that uses a MySQL JSON column `properties` which stores lots of different varying pieces of data within it. We want to create a specific index based on a part of the JSON data stored in this column. This is possible within MySQL 8.0 — we can create a [generated virtual column](https://dev.mysql.com/doc/refman/8.0/en/create-table-secondary-indexes.html) that automatically changes the value of the index column to match whatever the values are from within the JSON field. I can create an index using a raw MySQL query within the migration and Cake handles this just fine. An example migration command we might run on the existing `items` table would be: ``` $table = $this->table('items'); $this->query( 'ALTER TABLE items ADD COLUMN children_item_ids VARCHAR(400) GENERATED ALWAYS AS ( properties->>'$.children[*].id' ) VIRTUAL;' ); $table->save(); ``` This would create a column that would always maintain as a separate column all the children IDs extracted from the JSON column. The field would be a string like: `[3, 45, 687, 2]`. The problem lies in the special type of index we want to create on the created virtual column — in order to get the query performance savings, we need to cast the index as an unsigned array. In MySQL 8, this is possible through creating [functional indexes on expressions](https://dev.mysql.com/doc/refman/8.0/en/create-index.html#create-index-functional-key-parts) rather than on columns directly. In MySQL 8, we can create an index using the following: ``` CREATE INDEX children_item_ids_idx ON items ((CAST(children_item_ids AS UNSIGNED ARRAY))); ``` This generates the desired index that works with regular PHP running raw MySQL queries outside of Cake. (And boosts our query performance for that table significantly.) However when I try to create this index within Cake I run into problems. 1) First of all, obviously Cake's addIndex() doesn't allow me to do this. That's perfectly understandable. 2) When I try to create this index in a migration using raw MySQL, I get the following error: **Migration Code:** ``` $this->query('CREATE INDEX children_item_ids_idx ON items ((CAST(children_item_ids AS UNSIGNED ARRAY)))'); ``` **Error:** ``` error: [Cake\Database\Exception\DatabaseException] Columns used in index "children_item_ids_idx" in table "items" must be added to the Table schema first. The column "" was not found. in /app/vendor/cakephp/cakephp/src/Database/Schema/TableSchema.php on line 495` ``` Even though this error happens, the index does get created in MySQL anyway. However, when I try to interact with the database in any way (select, load table, etc). I will get the same error now that this special index exists: `error: [Cake\Database\Exception\DatabaseException] Columns used in index "children_item_ids_idx" in table "items" must be added to the Table schema first. The column "" was not found. in /app/vendor/cakephp/cakephp/src/Database/Schema/TableSchema.php on line 495` This seems to be due to the fact that the index `children_item_ids` is not associated with a column, but rather the expression. Indeed, in MySQL when I run the following: ``` SHOW INDEXES FROM items; ``` The entry for `children_item_ids_idx` shows `Column_name` to be NULL. Instead, there is now an Expression column at the end which contains the value: ``` cast(`children_item_ids` as unsigned array) ``` When looking at the actual error in TableSchema.php, this is in the middle of the addIndex() function, which seems to be assuming indexes will always be associated with at least one column. In the case of functional indexes, this is not true. In the end I guess my question is: does Cake plan to support MySQL 8's new functional indexes? Have I missed a feature of Cake that could deal with this? (Alternatively, is there a workaround to the problem I am describing?) I can go into more detail about the initial setup for the table if you need it. ### CakePHP Version 4.3.11 ### PHP Version 8.1.13
1.0
functional/expression-based indexes from MySQL 8.0 do not seem to be supported - ### Description I'm not entirely sure if this should be a bug report or a feature request. I tried to broach this briefly on the Cake Slack channel but was told to file an issue with more detail. The project I am working on uses Cake v4.3.11, PHP 8.1.13, and MySQL 8.0.31. The issue I am running into primarily involves the ORM's interaction with some of MySQL 8's more advanced features — particularly [functional indexes on expressions](https://dev.mysql.com/doc/refman/8.0/en/create-index.html#create-index-functional-key-parts). I am filing this issue to figure out if this is even possible to do within Cake. I have a table `items` that uses a MySQL JSON column `properties` which stores lots of different varying pieces of data within it. We want to create a specific index based on a part of the JSON data stored in this column. This is possible within MySQL 8.0 — we can create a [generated virtual column](https://dev.mysql.com/doc/refman/8.0/en/create-table-secondary-indexes.html) that automatically changes the value of the index column to match whatever the values are from within the JSON field. I can create an index using a raw MySQL query within the migration and Cake handles this just fine. An example migration command we might run on the existing `items` table would be: ``` $table = $this->table('items'); $this->query( 'ALTER TABLE items ADD COLUMN children_item_ids VARCHAR(400) GENERATED ALWAYS AS ( properties->>'$.children[*].id' ) VIRTUAL;' ); $table->save(); ``` This would create a column that would always maintain as a separate column all the children IDs extracted from the JSON column. The field would be a string like: `[3, 45, 687, 2]`. The problem lies in the special type of index we want to create on the created virtual column — in order to get the query performance savings, we need to cast the index as an unsigned array. In MySQL 8, this is possible through creating [functional indexes on expressions](https://dev.mysql.com/doc/refman/8.0/en/create-index.html#create-index-functional-key-parts) rather than on columns directly. In MySQL 8, we can create an index using the following: ``` CREATE INDEX children_item_ids_idx ON items ((CAST(children_item_ids AS UNSIGNED ARRAY))); ``` This generates the desired index that works with regular PHP running raw MySQL queries outside of Cake. (And boosts our query performance for that table significantly.) However when I try to create this index within Cake I run into problems. 1) First of all, obviously Cake's addIndex() doesn't allow me to do this. That's perfectly understandable. 2) When I try to create this index in a migration using raw MySQL, I get the following error: **Migration Code:** ``` $this->query('CREATE INDEX children_item_ids_idx ON items ((CAST(children_item_ids AS UNSIGNED ARRAY)))'); ``` **Error:** ``` error: [Cake\Database\Exception\DatabaseException] Columns used in index "children_item_ids_idx" in table "items" must be added to the Table schema first. The column "" was not found. in /app/vendor/cakephp/cakephp/src/Database/Schema/TableSchema.php on line 495` ``` Even though this error happens, the index does get created in MySQL anyway. However, when I try to interact with the database in any way (select, load table, etc). I will get the same error now that this special index exists: `error: [Cake\Database\Exception\DatabaseException] Columns used in index "children_item_ids_idx" in table "items" must be added to the Table schema first. The column "" was not found. in /app/vendor/cakephp/cakephp/src/Database/Schema/TableSchema.php on line 495` This seems to be due to the fact that the index `children_item_ids` is not associated with a column, but rather the expression. Indeed, in MySQL when I run the following: ``` SHOW INDEXES FROM items; ``` The entry for `children_item_ids_idx` shows `Column_name` to be NULL. Instead, there is now an Expression column at the end which contains the value: ``` cast(`children_item_ids` as unsigned array) ``` When looking at the actual error in TableSchema.php, this is in the middle of the addIndex() function, which seems to be assuming indexes will always be associated with at least one column. In the case of functional indexes, this is not true. In the end I guess my question is: does Cake plan to support MySQL 8's new functional indexes? Have I missed a feature of Cake that could deal with this? (Alternatively, is there a workaround to the problem I am describing?) I can go into more detail about the initial setup for the table if you need it. ### CakePHP Version 4.3.11 ### PHP Version 8.1.13
defect
functional expression based indexes from mysql do not seem to be supported description i m not entirely sure if this should be a bug report or a feature request i tried to broach this briefly on the cake slack channel but was told to file an issue with more detail the project i am working on uses cake php and mysql the issue i am running into primarily involves the orm s interaction with some of mysql s more advanced features — particularly i am filing this issue to figure out if this is even possible to do within cake i have a table items that uses a mysql json column properties which stores lots of different varying pieces of data within it we want to create a specific index based on a part of the json data stored in this column this is possible within mysql — we can create a that automatically changes the value of the index column to match whatever the values are from within the json field i can create an index using a raw mysql query within the migration and cake handles this just fine an example migration command we might run on the existing items table would be table this table items this query alter table items add column children item ids varchar generated always as properties children id virtual table save this would create a column that would always maintain as a separate column all the children ids extracted from the json column the field would be a string like the problem lies in the special type of index we want to create on the created virtual column — in order to get the query performance savings we need to cast the index as an unsigned array in mysql this is possible through creating rather than on columns directly in mysql we can create an index using the following create index children item ids idx on items cast children item ids as unsigned array this generates the desired index that works with regular php running raw mysql queries outside of cake and boosts our query performance for that table significantly however when i try to create this index within cake i run into problems first of all obviously cake s addindex doesn t allow me to do this that s perfectly understandable when i try to create this index in a migration using raw mysql i get the following error migration code this query create index children item ids idx on items cast children item ids as unsigned array error error columns used in index children item ids idx in table items must be added to the table schema first the column was not found in app vendor cakephp cakephp src database schema tableschema php on line even though this error happens the index does get created in mysql anyway however when i try to interact with the database in any way select load table etc i will get the same error now that this special index exists error columns used in index children item ids idx in table items must be added to the table schema first the column was not found in app vendor cakephp cakephp src database schema tableschema php on line this seems to be due to the fact that the index children item ids is not associated with a column but rather the expression indeed in mysql when i run the following show indexes from items the entry for children item ids idx shows column name to be null instead there is now an expression column at the end which contains the value cast children item ids as unsigned array when looking at the actual error in tableschema php this is in the middle of the addindex function which seems to be assuming indexes will always be associated with at least one column in the case of functional indexes this is not true in the end i guess my question is does cake plan to support mysql s new functional indexes have i missed a feature of cake that could deal with this alternatively is there a workaround to the problem i am describing i can go into more detail about the initial setup for the table if you need it cakephp version php version
1
79,582
28,433,814,019
IssuesEvent
2023-04-15 04:09:07
zealdocs/zeal
https://api.github.com/repos/zealdocs/zeal
closed
error on angularjs some directives
type/defect scope/misc/docsets resolution/done scope/core
when clicking on angularjs directive number input show this, i have lates version all updated Error opening C:/zeal-portable-0.6.1-windows-x64/docsets/AngularJS.docset/Contents/Resources/Documents/angularjs/code.angularjs.org/snapshot-stable/docs/api/ng/input/input%25255Bnumber%25255D.html: The system cannot find the file specified
1.0
error on angularjs some directives - when clicking on angularjs directive number input show this, i have lates version all updated Error opening C:/zeal-portable-0.6.1-windows-x64/docsets/AngularJS.docset/Contents/Resources/Documents/angularjs/code.angularjs.org/snapshot-stable/docs/api/ng/input/input%25255Bnumber%25255D.html: The system cannot find the file specified
defect
error on angularjs some directives when clicking on angularjs directive number input show this i have lates version all updated error opening c zeal portable windows docsets angularjs docset contents resources documents angularjs code angularjs org snapshot stable docs api ng input input html the system cannot find the file specified
1
27,078
4,868,227,957
IssuesEvent
2016-11-15 08:40:52
TNGSB/eWallet
https://api.github.com/repos/TNGSB/eWallet
opened
e-Wallet_WebAdmin(Revenue Sharing)_14112016 #94
Defect - High (Sev-2)
Test Description : To validate the values parameter for mandatory fields - Revenue Sharing Profile Name Expected Result : Display “value must be alphanumeric” Actual Result : System should prompt an error message after system validate the input of special character Refer attachment for reference [Defect_BackOffice_#94.xlsx](https://github.com/TNGSB/eWallet/files/591429/Defect_BackOffice_.94.xlsx)
1.0
e-Wallet_WebAdmin(Revenue Sharing)_14112016 #94 - Test Description : To validate the values parameter for mandatory fields - Revenue Sharing Profile Name Expected Result : Display “value must be alphanumeric” Actual Result : System should prompt an error message after system validate the input of special character Refer attachment for reference [Defect_BackOffice_#94.xlsx](https://github.com/TNGSB/eWallet/files/591429/Defect_BackOffice_.94.xlsx)
defect
e wallet webadmin revenue sharing test description to validate the values parameter for mandatory fields revenue sharing profile name expected result display “value must be alphanumeric” actual result system should prompt an error message after system validate the input of special character refer attachment for reference
1
78,865
27,794,136,592
IssuesEvent
2023-03-17 11:09:47
matrix-org/dendrite
https://api.github.com/repos/matrix-org/dendrite
closed
Dendrite returns improper error codes for unknown endpoints
good first issue spec-compliance T-Defect S-Tolerable O-Occasional
Dendrite returns improper responses for unknown endpoints per MSC3743, see matrix-org/complement#565 for tests I'm adding for this. Dendrite is: * Returning a 404 instead of a 405 for an unknown methods on Client-Server APIs. * Returning a text response, instead of JSON, error on `/media`, `/key`, `/federation` and unknown prefixes.
1.0
Dendrite returns improper error codes for unknown endpoints - Dendrite returns improper responses for unknown endpoints per MSC3743, see matrix-org/complement#565 for tests I'm adding for this. Dendrite is: * Returning a 404 instead of a 405 for an unknown methods on Client-Server APIs. * Returning a text response, instead of JSON, error on `/media`, `/key`, `/federation` and unknown prefixes.
defect
dendrite returns improper error codes for unknown endpoints dendrite returns improper responses for unknown endpoints per see matrix org complement for tests i m adding for this dendrite is returning a instead of a for an unknown methods on client server apis returning a text response instead of json error on media key federation and unknown prefixes
1
71,940
23,863,414,577
IssuesEvent
2022-09-07 09:00:38
vector-im/element-android
https://api.github.com/repos/vector-im/element-android
closed
New Layout - Recents item selectable background too thin
T-Defect S-Minor O-Frequent Team: Delight Z-AppLayout
Discussion in App Layout room. TBA here
1.0
New Layout - Recents item selectable background too thin - Discussion in App Layout room. TBA here
defect
new layout recents item selectable background too thin discussion in app layout room tba here
1
44,499
12,216,133,156
IssuesEvent
2020-05-01 14:31:07
NREL/EnergyPlus
https://api.github.com/repos/NREL/EnergyPlus
closed
Electric Chiller Forgets to Update Sometimes
Defect PriorityHigh SeverityHigh
Issue overview -------------- Possible related or duplicates: - #7134 - #6404 While refactoring the electric chiller for PlantComponent in #7637, a bunch of time was ~~spent~~ wasted debugging stray diffs in CompSetPtControl.idf. As it turns out, even in develop that chiller model is misbehaving. Primarily due to forgetting to update a number of what used to be module-level shared variables. Overall, now that the chiller is refactored and cleaned up, someone needs to take a full pass to clean up all return paths to ensure variables are initialized/cleared wherever needed. This will indeed cause diffs, so this needs to be done in a dedicated branch, not in conjunction with larger work. This can be seen by just looking at the CompSetPtControl.idf outputs, especially how the condenser flow and delta T do not agree for some timesteps. (FYI @mjwitte @mitchute)
1.0
Electric Chiller Forgets to Update Sometimes - Issue overview -------------- Possible related or duplicates: - #7134 - #6404 While refactoring the electric chiller for PlantComponent in #7637, a bunch of time was ~~spent~~ wasted debugging stray diffs in CompSetPtControl.idf. As it turns out, even in develop that chiller model is misbehaving. Primarily due to forgetting to update a number of what used to be module-level shared variables. Overall, now that the chiller is refactored and cleaned up, someone needs to take a full pass to clean up all return paths to ensure variables are initialized/cleared wherever needed. This will indeed cause diffs, so this needs to be done in a dedicated branch, not in conjunction with larger work. This can be seen by just looking at the CompSetPtControl.idf outputs, especially how the condenser flow and delta T do not agree for some timesteps. (FYI @mjwitte @mitchute)
defect
electric chiller forgets to update sometimes issue overview possible related or duplicates while refactoring the electric chiller for plantcomponent in a bunch of time was spent wasted debugging stray diffs in compsetptcontrol idf as it turns out even in develop that chiller model is misbehaving primarily due to forgetting to update a number of what used to be module level shared variables overall now that the chiller is refactored and cleaned up someone needs to take a full pass to clean up all return paths to ensure variables are initialized cleared wherever needed this will indeed cause diffs so this needs to be done in a dedicated branch not in conjunction with larger work this can be seen by just looking at the compsetptcontrol idf outputs especially how the condenser flow and delta t do not agree for some timesteps fyi mjwitte mitchute
1
674,620
23,059,676,025
IssuesEvent
2022-07-25 08:48:04
MiSTer-devel/PSX_MiSTer
https://api.github.com/repos/MiSTer-devel/PSX_MiSTer
closed
Time Bokan Series - Bokan GoGoGo (Japan) - Black box over Logo right after Bootscreen
Priority-3
The logo right after the boot Screen has a big black box that covers a big chunk of the logo. Screenshot of the problem: https://imgur.com/a/58Wpwx7 Notes: Core: PSX unstable 22.06.26 Game version: Japan Format: CHD vsync_adjust=0
1.0
Time Bokan Series - Bokan GoGoGo (Japan) - Black box over Logo right after Bootscreen - The logo right after the boot Screen has a big black box that covers a big chunk of the logo. Screenshot of the problem: https://imgur.com/a/58Wpwx7 Notes: Core: PSX unstable 22.06.26 Game version: Japan Format: CHD vsync_adjust=0
non_defect
time bokan series bokan gogogo japan black box over logo right after bootscreen the logo right after the boot screen has a big black box that covers a big chunk of the logo screenshot of the problem notes core psx unstable game version japan format chd vsync adjust
0
792,306
27,954,338,019
IssuesEvent
2023-03-24 11:12:15
Gilded-Games/The-Aether
https://api.github.com/repos/Gilded-Games/The-Aether
closed
Bug: Shift-clicking a curio that is already equipped moves it to the destroy item slot
priority/medium type/bug feat/gui
How to reproduce: 1. Equip a pair of gloves 2. Attempt to shift-click another pair of gloves into the slot
1.0
Bug: Shift-clicking a curio that is already equipped moves it to the destroy item slot - How to reproduce: 1. Equip a pair of gloves 2. Attempt to shift-click another pair of gloves into the slot
non_defect
bug shift clicking a curio that is already equipped moves it to the destroy item slot how to reproduce equip a pair of gloves attempt to shift click another pair of gloves into the slot
0
59,174
17,016,223,957
IssuesEvent
2021-07-02 12:27:03
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
opened
Remove parentage of roads, etc., from place nodes, when node is linked to boundary relation
Component: nominatim Priority: major Type: defect
**[Submitted to the original trac issue database at 12.24pm, Thursday, 24th January 2013]** When a place node is linked to a boundary relation, the node is still listed as the parent of roads outside the extent of said relation. Ideally, if the node is linked as such, it should not be the parent of anything. Example: Cutler, California has a relation [http://nominatim.openstreetmap.org/details.php?place_id=3677960328 here]. (see note 1) It is linked to [http://nominatim.openstreetmap.org/details.php?place_id=3676580923 this node]. However, the node is the parent of [http://nominatim.openstreetmap.org/details.php?place_id=3678207121 this road], which should instead be directly under Tulare County. Any help would be greatly appreciated. Alexander Note 1: Recently developed US consensus is to tag CDP boundaries, such as Cutler, with boundary=census, not boundary=administrative.
1.0
Remove parentage of roads, etc., from place nodes, when node is linked to boundary relation - **[Submitted to the original trac issue database at 12.24pm, Thursday, 24th January 2013]** When a place node is linked to a boundary relation, the node is still listed as the parent of roads outside the extent of said relation. Ideally, if the node is linked as such, it should not be the parent of anything. Example: Cutler, California has a relation [http://nominatim.openstreetmap.org/details.php?place_id=3677960328 here]. (see note 1) It is linked to [http://nominatim.openstreetmap.org/details.php?place_id=3676580923 this node]. However, the node is the parent of [http://nominatim.openstreetmap.org/details.php?place_id=3678207121 this road], which should instead be directly under Tulare County. Any help would be greatly appreciated. Alexander Note 1: Recently developed US consensus is to tag CDP boundaries, such as Cutler, with boundary=census, not boundary=administrative.
defect
remove parentage of roads etc from place nodes when node is linked to boundary relation when a place node is linked to a boundary relation the node is still listed as the parent of roads outside the extent of said relation ideally if the node is linked as such it should not be the parent of anything example cutler california has a relation see note it is linked to however the node is the parent of which should instead be directly under tulare county any help would be greatly appreciated alexander note recently developed us consensus is to tag cdp boundaries such as cutler with boundary census not boundary administrative
1
43,577
5,651,790,761
IssuesEvent
2017-04-08 08:11:01
BuildCraft/BuildCraft
https://api.github.com/repos/BuildCraft/BuildCraft
closed
[7.1.x] Refinery deletes insufficient input fluids
1.7.10 design flaw
`buildcraft-7.1.20.jar` Adding Refinery recipes via Minetweaker, where the input fluid is more than one mb, will cause the refinery to delete the fluid in its input tank during each tick where the input fluid tank does not contain enough fluid to perform the recipe. It looks like the [tank draining code here](https://github.com/BuildCraft/BuildCraft/blob/7.1.x/common/buildcraft/core/recipes/FlexibleRecipe.java#L184) lacks a path to detect insufficient fluids and return the unused fluids to the crafter's tanks.
1.0
[7.1.x] Refinery deletes insufficient input fluids - `buildcraft-7.1.20.jar` Adding Refinery recipes via Minetweaker, where the input fluid is more than one mb, will cause the refinery to delete the fluid in its input tank during each tick where the input fluid tank does not contain enough fluid to perform the recipe. It looks like the [tank draining code here](https://github.com/BuildCraft/BuildCraft/blob/7.1.x/common/buildcraft/core/recipes/FlexibleRecipe.java#L184) lacks a path to detect insufficient fluids and return the unused fluids to the crafter's tanks.
non_defect
refinery deletes insufficient input fluids buildcraft jar adding refinery recipes via minetweaker where the input fluid is more than one mb will cause the refinery to delete the fluid in its input tank during each tick where the input fluid tank does not contain enough fluid to perform the recipe it looks like the lacks a path to detect insufficient fluids and return the unused fluids to the crafter s tanks
0
67,496
20,970,556,387
IssuesEvent
2022-03-28 10:57:32
primefaces/primeng
https://api.github.com/repos/primefaces/primeng
closed
Primeng is not working in smart tv(LG) webos browser
defect pending-review
**This Request regarding browser compatibility issue of primeng on smart-tv** **Current behavior** Am using primeng 4.1.1, its working fine with desktop as well as mobile and also in traditional browsers but its not working in smart-tv(tested in possible smart tv's like VU and LG). Without primeng , angular4.0.0 + html5+bootstrap3+jquery is working fine. **Expected behavior** Angular 4.0.0 With primeng 4.1.1 it should work fine in all the browsers. **Minimal reproduction of the problem with instructions** usage of javascripts in primeng should support all the browsers even in embedded browsers which smart tv's and devices have. **What is the motivation / use case for changing the behavior?** If primeng gives support for those smart-tv browsers then users can access from smart-tv browsers too. **Please tell us about your environment:** Development environment: Windows 8.1 os Visual studio code primeng 4.1.1 angular 4.0.0 @angular/cli 1.0.0 User Device: LG smart Tv WebOS browser * **Browser:** [all | Chrome XX | Firefox XX | IE XX | Safari XX | Mobile Chrome XX | Android X.X Web Browser | iOS XX Safari | iOS XX UIWebView | iOS XX WKWebView ] Working in all traditional browsers which is mentioned above but not in embedded browsers like smart-tv's have. * **Language:** [all | TypeScript X.X | ES6/7 | ES5] Typescript 2.2.0 es2016 ***Node** `node --version` Node js: 7.9.0 npm : 5.3.0
1.0
Primeng is not working in smart tv(LG) webos browser - **This Request regarding browser compatibility issue of primeng on smart-tv** **Current behavior** Am using primeng 4.1.1, its working fine with desktop as well as mobile and also in traditional browsers but its not working in smart-tv(tested in possible smart tv's like VU and LG). Without primeng , angular4.0.0 + html5+bootstrap3+jquery is working fine. **Expected behavior** Angular 4.0.0 With primeng 4.1.1 it should work fine in all the browsers. **Minimal reproduction of the problem with instructions** usage of javascripts in primeng should support all the browsers even in embedded browsers which smart tv's and devices have. **What is the motivation / use case for changing the behavior?** If primeng gives support for those smart-tv browsers then users can access from smart-tv browsers too. **Please tell us about your environment:** Development environment: Windows 8.1 os Visual studio code primeng 4.1.1 angular 4.0.0 @angular/cli 1.0.0 User Device: LG smart Tv WebOS browser * **Browser:** [all | Chrome XX | Firefox XX | IE XX | Safari XX | Mobile Chrome XX | Android X.X Web Browser | iOS XX Safari | iOS XX UIWebView | iOS XX WKWebView ] Working in all traditional browsers which is mentioned above but not in embedded browsers like smart-tv's have. * **Language:** [all | TypeScript X.X | ES6/7 | ES5] Typescript 2.2.0 es2016 ***Node** `node --version` Node js: 7.9.0 npm : 5.3.0
defect
primeng is not working in smart tv lg webos browser this request regarding browser compatibility issue of primeng on smart tv current behavior am using primeng its working fine with desktop as well as mobile and also in traditional browsers but its not working in smart tv tested in possible smart tv s like vu and lg without primeng jquery is working fine expected behavior angular with primeng it should work fine in all the browsers minimal reproduction of the problem with instructions usage of javascripts in primeng should support all the browsers even in embedded browsers which smart tv s and devices have what is the motivation use case for changing the behavior if primeng gives support for those smart tv browsers then users can access from smart tv browsers too please tell us about your environment development environment windows os visual studio code primeng angular angular cli user device lg smart tv webos browser browser working in all traditional browsers which is mentioned above but not in embedded browsers like smart tv s have language typescript node node version node js npm
1
319,845
9,761,282,827
IssuesEvent
2019-06-05 08:23:44
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
account.progressive.com - site is not usable
browser-firefox-mobile engine-gecko priority-normal
<!-- @browser: Firefox Mobile 68.0 --> <!-- @ua_header: Mozilla/5.0 (Android 5.1.1; Mobile; rv:68.0) Gecko/68.0 Firefox/68.0 --> <!-- @reported_with: mobile-reporter --> **URL**: https://account.progressive.com/access/login/?IsMobileAccess=Y **Browser / Version**: Firefox Mobile 68.0 **Operating System**: Android 5.1.1 **Tested Another Browser**: Unknown **Problem type**: Site is not usable **Description**: login page slow to load then times out **Steps to Reproduce**: [![Screenshot Description](https://webcompat.com/uploads/2019/6/31982bbb-f4bf-4927-a761-c83dd33bc24d-thumb.jpeg)](https://webcompat.com/uploads/2019/6/31982bbb-f4bf-4927-a761-c83dd33bc24d.jpeg) <details> <summary>Browser Configuration</summary> <ul> <li>mixed active content blocked: false</li><li>image.mem.shared: true</li><li>buildID: 20190517162900</li><li>tracking content blocked: false</li><li>gfx.webrender.blob-images: true</li><li>hasTouchScreen: true</li><li>mixed passive content blocked: false</li><li>gfx.webrender.enabled: false</li><li>gfx.webrender.all: false</li><li>channel: nightly</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
account.progressive.com - site is not usable - <!-- @browser: Firefox Mobile 68.0 --> <!-- @ua_header: Mozilla/5.0 (Android 5.1.1; Mobile; rv:68.0) Gecko/68.0 Firefox/68.0 --> <!-- @reported_with: mobile-reporter --> **URL**: https://account.progressive.com/access/login/?IsMobileAccess=Y **Browser / Version**: Firefox Mobile 68.0 **Operating System**: Android 5.1.1 **Tested Another Browser**: Unknown **Problem type**: Site is not usable **Description**: login page slow to load then times out **Steps to Reproduce**: [![Screenshot Description](https://webcompat.com/uploads/2019/6/31982bbb-f4bf-4927-a761-c83dd33bc24d-thumb.jpeg)](https://webcompat.com/uploads/2019/6/31982bbb-f4bf-4927-a761-c83dd33bc24d.jpeg) <details> <summary>Browser Configuration</summary> <ul> <li>mixed active content blocked: false</li><li>image.mem.shared: true</li><li>buildID: 20190517162900</li><li>tracking content blocked: false</li><li>gfx.webrender.blob-images: true</li><li>hasTouchScreen: true</li><li>mixed passive content blocked: false</li><li>gfx.webrender.enabled: false</li><li>gfx.webrender.all: false</li><li>channel: nightly</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
non_defect
account progressive com site is not usable url browser version firefox mobile operating system android tested another browser unknown problem type site is not usable description login page slow to load then times out steps to reproduce browser configuration mixed active content blocked false image mem shared true buildid tracking content blocked false gfx webrender blob images true hastouchscreen true mixed passive content blocked false gfx webrender enabled false gfx webrender all false channel nightly from with ❤️
0
259,663
8,198,744,023
IssuesEvent
2018-08-31 17:31:31
StrangeLoopGames/EcoIssues
https://api.github.com/repos/StrangeLoopGames/EcoIssues
closed
Atmosphere Scattering turns back on unpon exiting water
Medium Priority
I am not one for Atmosphere Scattering graphics setting I find it washes out all my colors so I turn it off. but upon exiting the water the effect turns back on, but not in the settings so I have to bring settings up then close settings to get rid of the effect. Could Someone please look into this.
1.0
Atmosphere Scattering turns back on unpon exiting water - I am not one for Atmosphere Scattering graphics setting I find it washes out all my colors so I turn it off. but upon exiting the water the effect turns back on, but not in the settings so I have to bring settings up then close settings to get rid of the effect. Could Someone please look into this.
non_defect
atmosphere scattering turns back on unpon exiting water i am not one for atmosphere scattering graphics setting i find it washes out all my colors so i turn it off but upon exiting the water the effect turns back on but not in the settings so i have to bring settings up then close settings to get rid of the effect could someone please look into this
0
61,716
6,755,524,661
IssuesEvent
2017-10-24 01:05:48
ushahidi/platform
https://api.github.com/repos/ushahidi/platform
closed
Saving a post successfully shows a blank error message
2chaguzi P1 - Immediate Stage: Testing
### Expected behaviour Saving a post successfully should show a success message, and no errors ### Actual behaviour Show a success message *and* and error message ### Steps to reproduce the behaviour/error 1. Edit a post 2. Make a change 3. Save the post ##### Where - [ ] [Local setup with Vagrant ](https://www.ushahidi.com/support/install-ushahidi#installing-for-development) - [ ] [Local setup from platform-release ](https://www.ushahidi.com/support/install-ushahidi#installing-the-latest-release) - [ ] Ushahidi.io / SaaS solution - [x] Ushahidi's QA environment - [ ] Other (explain):
1.0
Saving a post successfully shows a blank error message - ### Expected behaviour Saving a post successfully should show a success message, and no errors ### Actual behaviour Show a success message *and* and error message ### Steps to reproduce the behaviour/error 1. Edit a post 2. Make a change 3. Save the post ##### Where - [ ] [Local setup with Vagrant ](https://www.ushahidi.com/support/install-ushahidi#installing-for-development) - [ ] [Local setup from platform-release ](https://www.ushahidi.com/support/install-ushahidi#installing-the-latest-release) - [ ] Ushahidi.io / SaaS solution - [x] Ushahidi's QA environment - [ ] Other (explain):
non_defect
saving a post successfully shows a blank error message expected behaviour saving a post successfully should show a success message and no errors actual behaviour show a success message and and error message steps to reproduce the behaviour error edit a post make a change save the post where ushahidi io saas solution ushahidi s qa environment other explain
0
5,406
2,610,187,042
IssuesEvent
2015-02-26 18:59:20
chrsmith/quchuseban
https://api.github.com/repos/chrsmith/quchuseban
opened
详解产后脸上长色斑怎么办
auto-migrated Priority-Medium Type-Defect
``` 《摘要》 色斑的去除方法,相信对于该问题也是很多朋友都渴望了解的� ��因为随着目前的我们生活条件的不断提高,一些生活、工作 压力也是越来越大,从而导致自己的脸部出现一些色斑现象�� �比如我们常见的黄褐斑、黑斑等等斑点问题,那么到底色斑� ��去除方法怎么解决,产后脸上长色斑怎么办, 《客户案例》   脸上的斑从小的时候就有,其实到了大学的时候我就开�� �找祛斑的产品了,而且老姐也相当的支持我,给我提供了大� ��的资金用于试用祛斑的产品,但不知道为什么,那些祛斑的 产品用起来总觉得皮肤有刺刺的感觉,还会脱皮,也许是我�� �肤太敏感了吧,这些化妆品用下来,斑没去掉,皮肤却搞得� ��别敏感,经过这一段时间的折腾,我的脸可真是雪上加霜啊 ,后来在网上看到说很多祛斑的产品都挺不安全的,添加了�� �了铅汞之类的有害物质,知道以后我再也不敢随便用祛斑产� ��啦!</br>   后来有一次,跟几个同事在一起聊天。谈到了如何祛斑�� �话题。其中一同事向我推荐了黛芙薇尔。原来她以前脸上也� ��斑,现在不但没有了皮肤也变得特别好,看着就羡慕。这就 是使用了黛芙薇尔之后的效果。同事说黛芙薇尔是天然精华�� �华的、无副作用、不反弹。听了同事的推荐,我也在他们官� ��上订购了三个周期的黛芙薇尔,特别想试试它的效果如何。 </br>   使用了10天左右,我脸上的晒斑颜色就开始变淡,大概第 20天的时候,我突然发现黄褐斑几乎看不清了,面积也缩小了 许多。当使用了30天左右,晒斑已经完全的消失不见了,皮肤 变的更加的光滑,水嫩。之前我的肌肤虽然保养的很好,但�� �有一些毛孔粗大,没想到使用黛芙薇尔不仅祛除了我脸上的� ��褐斑,就连毛孔粗大的问题也一并解决了,黛芙薇尔绝对是 我所遇到的最好的祛斑产品,她的美白祛斑效果真是太神奇�� �。 阅读了产后脸上长色斑怎么办,再看脸上容易长斑的原因: 《色斑形成原因》   内部因素   一、压力   当人受到压力时,就会分泌肾上腺素,为对付压力而做�� �备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏� ��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃 。   二、荷尔蒙分泌失调   避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞�� �分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在� ��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕 中因女性荷尔蒙雌激素的增加,从怀孕4—5个月开始会容易出 现斑,这时候出现的斑点在产后大部分会消失。可是,新陈�� �谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等� ��因,都会使斑加深。有时新长出的斑,产后也不会消失,所 以需要更加注意。   三、新陈代谢缓慢   肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑�� �因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态� ��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是 内分泌失调导致过敏体质而形成的。另外,身体状态不正常�� �时候,紫外线的照射也会加速斑的形成。   四、错误的使用化妆品   使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在�� �疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵� ��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的 问题。   外部因素   一、紫外线   照射紫外线的时候,人体为了保护皮肤,会在基底层产�� �很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更� ��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化, 还会引起黑斑、雀斑等色素沉着的皮肤疾患。   二、不良的清洁习惯   因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。�� �皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦� ��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的 问题。   三、遗传基因   父母中有长斑的,则本人长斑的概率就很高,这种情况�� �一定程度上就可判定是遗传基因的作用。所以家里特别是长� ��有长斑的人,要注意避免引发长斑的重要因素之一——紫外 线照射,这是预防斑必须注意的。 《有疑问帮你解决》   1,黛芙薇尔精华液真的有效果吗?真的可以把脸上的黄褐�� �去掉吗?   答:黛芙薇尔精华液DNA精华能够有效的修复周围难以触�� �的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必� ��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑 ,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时�� �,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的� ��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显 而易见。自产品上市以来,老顾客纷纷介绍新顾客,71%的新�� �客都是通过老顾客介绍而来,口碑由此而来!   2,服用黛芙薇尔美白,会伤身体吗?有副作用吗?   答:黛芙薇尔精华液应用了精纯复合配方和领先的分类�� �斑科技,并将“DNA美肤系统”疗法应用到了该产品中,能彻� ��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有 效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾�� �地的专家通力协作,超过10年的研究以全新的DNA肌肤修复技�� �,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽� ��迹,令每一位爱美的女性都能享受到科技创新所带来的自然 之美。 专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数�� �百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖!   3,去除黄褐斑之后,会反弹吗?   答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔�� �白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家� ��据斑的形成原因精心研制而成用事实说话,让消费者打分。 树立权威品牌!我们的很多新客户都是老客户介绍而来,请问� ��如果效果不好,会有客户转介绍吗?   4,你们的价格有点贵,能不能便宜一点?   答:如果您使用西药最少需要2000元,煎服的药最少需要3 000元,做手术最少是5000元,而这些毫无疑问,不会对彻底去� ��你的斑点有任何帮助!一分价钱,一份价值,我们现在做的�� �是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的� ��褐斑彻底去除,你还会觉得贵吗?你还会再去花那么多冤枉�� �,不但斑没去掉,还把自己的皮肤弄的越来越糟吗   5,我适合用黛芙薇尔精华液吗?   答:黛芙薇尔适用人群:   1、生理紊乱引起的黄褐斑人群   2、生育引起的妊娠斑人群   3、年纪增长引起的老年斑人群   4、化妆品色素沉积、辐射斑人群   5、长期日照引起的日晒斑人群   6、肌肤暗淡急需美白的人群 《祛斑小方法》 产后脸上长色斑怎么办,同时为您分享祛斑小方法 1.萝卜和西红柿片:脸洗干净后,涂护肤霜,然后脸上贴放几 片西红柿或萝卜片,30分钟后,再用凉牛奶洗脸,使脸部皮肤 细腻、洁白。 2.胡萝卜汁: 将新鲜胡萝卜研碎挤汁,取10~30毫升,每日早晚洗完脸后,以 鲜汁拍脸,待干后用涂有植物油的手轻拍面部。此外,每日�� �1杯胡萝卜汁也有去斑作用。因为胡萝卜含有丰富的维生素A�� �。维生素A原在体内可转化为维生素A。维生素A具有滑润、强� ��皮肤的作用,并可防治皮肤粗糙及斑。 3.牛奶面膜:取一粒压缩面膜纸浸入鲜奶中,滴入天然维生素 E油两滴。5分钟后,取出面膜纸,打开,敷在脸上。待至面膜 纸半干,用温水洗净即可。 ``` ----- Original issue reported on code.google.com by `additive...@gmail.com` on 1 Jul 2014 at 4:05
1.0
详解产后脸上长色斑怎么办 - ``` 《摘要》 色斑的去除方法,相信对于该问题也是很多朋友都渴望了解的� ��因为随着目前的我们生活条件的不断提高,一些生活、工作 压力也是越来越大,从而导致自己的脸部出现一些色斑现象�� �比如我们常见的黄褐斑、黑斑等等斑点问题,那么到底色斑� ��去除方法怎么解决,产后脸上长色斑怎么办, 《客户案例》   脸上的斑从小的时候就有,其实到了大学的时候我就开�� �找祛斑的产品了,而且老姐也相当的支持我,给我提供了大� ��的资金用于试用祛斑的产品,但不知道为什么,那些祛斑的 产品用起来总觉得皮肤有刺刺的感觉,还会脱皮,也许是我�� �肤太敏感了吧,这些化妆品用下来,斑没去掉,皮肤却搞得� ��别敏感,经过这一段时间的折腾,我的脸可真是雪上加霜啊 ,后来在网上看到说很多祛斑的产品都挺不安全的,添加了�� �了铅汞之类的有害物质,知道以后我再也不敢随便用祛斑产� ��啦!</br>   后来有一次,跟几个同事在一起聊天。谈到了如何祛斑�� �话题。其中一同事向我推荐了黛芙薇尔。原来她以前脸上也� ��斑,现在不但没有了皮肤也变得特别好,看着就羡慕。这就 是使用了黛芙薇尔之后的效果。同事说黛芙薇尔是天然精华�� �华的、无副作用、不反弹。听了同事的推荐,我也在他们官� ��上订购了三个周期的黛芙薇尔,特别想试试它的效果如何。 </br>   使用了10天左右,我脸上的晒斑颜色就开始变淡,大概第 20天的时候,我突然发现黄褐斑几乎看不清了,面积也缩小了 许多。当使用了30天左右,晒斑已经完全的消失不见了,皮肤 变的更加的光滑,水嫩。之前我的肌肤虽然保养的很好,但�� �有一些毛孔粗大,没想到使用黛芙薇尔不仅祛除了我脸上的� ��褐斑,就连毛孔粗大的问题也一并解决了,黛芙薇尔绝对是 我所遇到的最好的祛斑产品,她的美白祛斑效果真是太神奇�� �。 阅读了产后脸上长色斑怎么办,再看脸上容易长斑的原因: 《色斑形成原因》   内部因素   一、压力   当人受到压力时,就会分泌肾上腺素,为对付压力而做�� �备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏� ��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃 。   二、荷尔蒙分泌失调   避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞�� �分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在� ��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕 中因女性荷尔蒙雌激素的增加,从怀孕4—5个月开始会容易出 现斑,这时候出现的斑点在产后大部分会消失。可是,新陈�� �谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等� ��因,都会使斑加深。有时新长出的斑,产后也不会消失,所 以需要更加注意。   三、新陈代谢缓慢   肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑�� �因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态� ��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是 内分泌失调导致过敏体质而形成的。另外,身体状态不正常�� �时候,紫外线的照射也会加速斑的形成。   四、错误的使用化妆品   使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在�� �疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵� ��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的 问题。   外部因素   一、紫外线   照射紫外线的时候,人体为了保护皮肤,会在基底层产�� �很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更� ��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化, 还会引起黑斑、雀斑等色素沉着的皮肤疾患。   二、不良的清洁习惯   因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。�� �皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦� ��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的 问题。   三、遗传基因   父母中有长斑的,则本人长斑的概率就很高,这种情况�� �一定程度上就可判定是遗传基因的作用。所以家里特别是长� ��有长斑的人,要注意避免引发长斑的重要因素之一——紫外 线照射,这是预防斑必须注意的。 《有疑问帮你解决》   1,黛芙薇尔精华液真的有效果吗?真的可以把脸上的黄褐�� �去掉吗?   答:黛芙薇尔精华液DNA精华能够有效的修复周围难以触�� �的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必� ��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑 ,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时�� �,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的� ��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显 而易见。自产品上市以来,老顾客纷纷介绍新顾客,71%的新�� �客都是通过老顾客介绍而来,口碑由此而来!   2,服用黛芙薇尔美白,会伤身体吗?有副作用吗?   答:黛芙薇尔精华液应用了精纯复合配方和领先的分类�� �斑科技,并将“DNA美肤系统”疗法应用到了该产品中,能彻� ��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有 效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾�� �地的专家通力协作,超过10年的研究以全新的DNA肌肤修复技�� �,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽� ��迹,令每一位爱美的女性都能享受到科技创新所带来的自然 之美。 专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数�� �百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖!   3,去除黄褐斑之后,会反弹吗?   答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔�� �白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家� ��据斑的形成原因精心研制而成用事实说话,让消费者打分。 树立权威品牌!我们的很多新客户都是老客户介绍而来,请问� ��如果效果不好,会有客户转介绍吗?   4,你们的价格有点贵,能不能便宜一点?   答:如果您使用西药最少需要2000元,煎服的药最少需要3 000元,做手术最少是5000元,而这些毫无疑问,不会对彻底去� ��你的斑点有任何帮助!一分价钱,一份价值,我们现在做的�� �是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的� ��褐斑彻底去除,你还会觉得贵吗?你还会再去花那么多冤枉�� �,不但斑没去掉,还把自己的皮肤弄的越来越糟吗   5,我适合用黛芙薇尔精华液吗?   答:黛芙薇尔适用人群:   1、生理紊乱引起的黄褐斑人群   2、生育引起的妊娠斑人群   3、年纪增长引起的老年斑人群   4、化妆品色素沉积、辐射斑人群   5、长期日照引起的日晒斑人群   6、肌肤暗淡急需美白的人群 《祛斑小方法》 产后脸上长色斑怎么办,同时为您分享祛斑小方法 1.萝卜和西红柿片:脸洗干净后,涂护肤霜,然后脸上贴放几 片西红柿或萝卜片,30分钟后,再用凉牛奶洗脸,使脸部皮肤 细腻、洁白。 2.胡萝卜汁: 将新鲜胡萝卜研碎挤汁,取10~30毫升,每日早晚洗完脸后,以 鲜汁拍脸,待干后用涂有植物油的手轻拍面部。此外,每日�� �1杯胡萝卜汁也有去斑作用。因为胡萝卜含有丰富的维生素A�� �。维生素A原在体内可转化为维生素A。维生素A具有滑润、强� ��皮肤的作用,并可防治皮肤粗糙及斑。 3.牛奶面膜:取一粒压缩面膜纸浸入鲜奶中,滴入天然维生素 E油两滴。5分钟后,取出面膜纸,打开,敷在脸上。待至面膜 纸半干,用温水洗净即可。 ``` ----- Original issue reported on code.google.com by `additive...@gmail.com` on 1 Jul 2014 at 4:05
defect
详解产后脸上长色斑怎么办 《摘要》 色斑的去除方法 相信对于该问题也是很多朋友都渴望了解的� ��因为随着目前的我们生活条件的不断提高,一些生活、工作 压力也是越来越大,从而导致自己的脸部出现一些色斑现象�� �比如我们常见的黄褐斑、黑斑等等斑点问题,那么到底色斑� ��去除方法怎么解决,产后脸上长色斑怎么办, 《客户案例》   脸上的斑从小的时候就有,其实到了大学的时候我就开�� �找祛斑的产品了,而且老姐也相当的支持我,给我提供了大� ��的资金用于试用祛斑的产品,但不知道为什么,那些祛斑的 产品用起来总觉得皮肤有刺刺的感觉,还会脱皮,也许是我�� �肤太敏感了吧,这些化妆品用下来,斑没去掉,皮肤却搞得� ��别敏感,经过这一段时间的折腾,我的脸可真是雪上加霜啊 ,后来在网上看到说很多祛斑的产品都挺不安全的,添加了�� �了铅汞之类的有害物质,知道以后我再也不敢随便用祛斑产� ��啦   后来有一次,跟几个同事在一起聊天。谈到了如何祛斑�� �话题。其中一同事向我推荐了黛芙薇尔。原来她以前脸上也� ��斑,现在不但没有了皮肤也变得特别好,看着就羡慕。这就 是使用了黛芙薇尔之后的效果。同事说黛芙薇尔是天然精华�� �华的、无副作用、不反弹。听了同事的推荐,我也在他们官� ��上订购了三个周期的黛芙薇尔,特别想试试它的效果如何。    ,我脸上的晒斑颜色就开始变淡,大概第 ,我突然发现黄褐斑几乎看不清了,面积也缩小了 许多。 ,晒斑已经完全的消失不见了,皮肤 变的更加的光滑,水嫩。之前我的肌肤虽然保养的很好,但�� �有一些毛孔粗大,没想到使用黛芙薇尔不仅祛除了我脸上的� ��褐斑,就连毛孔粗大的问题也一并解决了,黛芙薇尔绝对是 我所遇到的最好的祛斑产品,她的美白祛斑效果真是太神奇�� �。 阅读了产后脸上长色斑怎么办,再看脸上容易长斑的原因: 《色斑形成原因》   内部因素   一、压力   当人受到压力时,就会分泌肾上腺素,为对付压力而做�� �备。如果长期受到压力,人体新陈代谢的平衡就会遭到破坏� ��皮肤所需的营养供应趋于缓慢,色素母细胞就会变得很活跃 。   二、荷尔蒙分泌失调   避孕药里所含的女性荷尔蒙雌激素,会刺激麦拉宁细胞�� �分泌而形成不均匀的斑点,因避孕药而形成的斑点,虽然在� ��药中断后会停止,但仍会在皮肤上停留很长一段时间。怀孕 中因女性荷尔蒙雌激素的增加, — 现斑,这时候出现的斑点在产后大部分会消失。可是,新陈�� �谢不正常、肌肤裸露在强烈的紫外线下、精神上受到压力等� ��因,都会使斑加深。有时新长出的斑,产后也不会消失,所 以需要更加注意。   三、新陈代谢缓慢   肝的新陈代谢功能不正常或卵巢功能减退时也会出现斑�� �因为新陈代谢不顺畅、或内分泌失调,使身体处于敏感状态� ��,从而加剧色素问题。我们常说的便秘会形成斑,其实就是 内分泌失调导致过敏体质而形成的。另外,身体状态不正常�� �时候,紫外线的照射也会加速斑的形成。   四、错误的使用化妆品   使用了不适合自己皮肤的化妆品,会导致皮肤过敏。在�� �疗的过程中如过量照射到紫外线,皮肤会为了抵御外界的侵� ��,在有炎症的部位聚集麦拉宁色素,这样会出现色素沉着的 问题。   外部因素   一、紫外线   照射紫外线的时候,人体为了保护皮肤,会在基底层产�� �很多麦拉宁色素。所以为了保护皮肤,会在敏感部位聚集更� ��的色素。经常裸露在强烈的阳光底下不仅促进皮肤的老化, 还会引起黑斑、雀斑等色素沉着的皮肤疾患。   二、不良的清洁习惯   因强烈的清洁习惯使皮肤变得敏感,这样会刺激皮肤。�� �皮肤敏感时,人体为了保护皮肤,黑色素细胞会分泌很多麦� ��宁色素,当色素过剩时就出现了斑、瑕疵等皮肤色素沉着的 问题。   三、遗传基因   父母中有长斑的,则本人长斑的概率就很高,这种情况�� �一定程度上就可判定是遗传基因的作用。所以家里特别是长� ��有长斑的人,要注意避免引发长斑的重要因素之一——紫外 线照射,这是预防斑必须注意的。 《有疑问帮你解决》    黛芙薇尔精华液真的有效果吗 真的可以把脸上的黄褐�� �去掉吗   答:黛芙薇尔精华液dna精华能够有效的修复周围难以触�� �的色斑,其独有的纳豆成分为皮肤的美白与靓丽,提供了必� ��可少的营养物质,可以有效的去除黄褐斑,黄褐斑,黄褐斑 ,蝴蝶斑,晒斑、妊娠斑等。它它完全突破了传统的美肤时�� �,宛如在皮肤中注入了一杯兼具活化、再生、滋养等功效的� ��尾酒,同时为脸部提供大量有机维生素精华,脸部的改变显 而易见。自产品上市以来,老顾客纷纷介绍新顾客, 的新�� �客都是通过老顾客介绍而来,口碑由此而来    ,服用黛芙薇尔美白,会伤身体吗 有副作用吗   答:黛芙薇尔精华液应用了精纯复合配方和领先的分类�� �斑科技,并将“dna美肤系统”疗法应用到了该产品中,能彻� ��祛除黄褐斑,蝴蝶斑,妊娠斑,晒斑,黄褐斑,老年斑,有 效淡化黄褐斑至接近肤色。黛芙薇尔通过法国、美国、台湾�� �地的专家通力协作, �� �,挑战传统化学护肤理念,不懈追寻发现破译大自然的美丽� ��迹,令每一位爱美的女性都能享受到科技创新所带来的自然 之美。 专为亚洲女性肤质研制,精心呵护女性美丽,多年来,为数�� �百万计的女性解除了黄褐斑困扰。深得广大女性朋友的信赖    ,去除黄褐斑之后,会反弹吗   答:很多曾经长了黄褐斑的人士,自从选择了黛芙薇尔�� �白,就一劳永逸。这款祛斑产品是经过数十位权威祛斑专家� ��据斑的形成原因精心研制而成用事实说话,让消费者打分。 树立权威品牌 我们的很多新客户都是老客户介绍而来,请问� ��如果效果不好,会有客户转介绍吗    ,你们的价格有点贵,能不能便宜一点   答: , , ,而这些毫无疑问,不会对彻底去� ��你的斑点有任何帮助 一分价钱,一份价值,我们现在做的�� �是一个口碑,一个品牌,价钱并不高。如果花这点钱把你的� ��褐斑彻底去除,你还会觉得贵吗 你还会再去花那么多冤枉�� �,不但斑没去掉,还把自己的皮肤弄的越来越糟吗    ,我适合用黛芙薇尔精华液吗   答:黛芙薇尔适用人群:    、生理紊乱引起的黄褐斑人群    、生育引起的妊娠斑人群    、年纪增长引起的老年斑人群    、化妆品色素沉积、辐射斑人群    、长期日照引起的日晒斑人群    、肌肤暗淡急需美白的人群 《祛斑小方法》 产后脸上长色斑怎么办,同时为您分享祛斑小方法 萝卜和西红柿片:脸洗干净后,涂护肤霜,然后脸上贴放几 片西红柿或萝卜片, ,再用凉牛奶洗脸,使脸部皮肤 细腻、洁白。 胡萝卜汁: 将新鲜胡萝卜研碎挤汁, ,每日早晚洗完脸后,以 鲜汁拍脸,待干后用涂有植物油的手轻拍面部。此外,每日�� � 。因为胡萝卜含有丰富的维生素a�� �。维生素a原在体内可转化为维生素a。维生素a具有滑润、强� ��皮肤的作用,并可防治皮肤粗糙及斑。 牛奶面膜:取一粒压缩面膜纸浸入鲜奶中,滴入天然维生素 e油两滴。 ,取出面膜纸,打开,敷在脸上。待至面膜 纸半干,用温水洗净即可。 original issue reported on code google com by additive gmail com on jul at
1
34,134
7,354,692,754
IssuesEvent
2018-03-09 08:11:12
rurban/perl-compiler
https://api.github.com/repos/rurban/perl-compiler
closed
CC leavetry using stack-after-scope cur_env
B::CC Fixed-Itself Milestone-NextRelease OpSys-All Priority-Critical Type-Defect
t/testcc.sh -kA 32 esp. with asan. started failing with perl-5.27.7, cperl5.27.3? LEAVETRY does `PL_top_env = PL_top_env->je_prev;` but PL_top_env is stack-allocated in PP_ENTERTRY: `{ JMPENV cur_env; ... PL_top_env = &cur_env;`. defined in cc_runtime.h and JMPENV_PUSH in cop.h. This is wrong since 2005, but only recently detected with a better asan stack scope detector.
1.0
CC leavetry using stack-after-scope cur_env - t/testcc.sh -kA 32 esp. with asan. started failing with perl-5.27.7, cperl5.27.3? LEAVETRY does `PL_top_env = PL_top_env->je_prev;` but PL_top_env is stack-allocated in PP_ENTERTRY: `{ JMPENV cur_env; ... PL_top_env = &cur_env;`. defined in cc_runtime.h and JMPENV_PUSH in cop.h. This is wrong since 2005, but only recently detected with a better asan stack scope detector.
defect
cc leavetry using stack after scope cur env t testcc sh ka esp with asan started failing with perl leavetry does pl top env pl top env je prev but pl top env is stack allocated in pp entertry jmpenv cur env pl top env cur env defined in cc runtime h and jmpenv push in cop h this is wrong since but only recently detected with a better asan stack scope detector
1
48,456
13,068,542,904
IssuesEvent
2020-07-31 03:54:51
icecube-trac/tix2
https://api.github.com/repos/icecube-trac/tix2
closed
cvmfs py3-v4.1.0 breaks parasitic builds (Trac #2425)
Migrated from Trac combo core defect
This is either a bug in cmake or cvmfs. Not sure. here what I'm doing: built combo V00-00-03 first against py3-v4.1.0 into cmvfs/user /cvmfs/icecube.opensciencegrid.org/users/blaufuss/combo/V00-00-03/build then tried the parasitic build issue: cmake was not properly getting the PYTHON_INCLUDES etc into the parasitic workspace and builds fail immediately (can find Python.h) I stepped back from py3-v4.1.0 to py3-v4.0.1 and built: /cvmfs/icecube.opensciencegrid.org/users/blaufuss/combo/V00-00-03/build2 and now things work fine they're different versions of cmake (3.16 vs 3.11) and python but this is a bit puzzling Migrated from https://code.icecube.wisc.edu/ticket/2425 ```json { "status": "closed", "changetime": "2020-05-12T21:11:09", "description": "This is either a bug in cmake or cvmfs. Not sure.\n\nhere what I'm doing:\nbuilt combo V00-00-03 first against py3-v4.1.0\ninto cmvfs/user\n/cvmfs/icecube.opensciencegrid.org/users/blaufuss/combo/V00-00-03/build\nthen tried the parasitic build\nissue: cmake was not properly getting the PYTHON_INCLUDES etc into the parasitic workspace\nand builds fail immediately (can find Python.h)\n\nI stepped back from py3-v4.1.0 to py3-v4.0.1\nand built:\n/cvmfs/icecube.opensciencegrid.org/users/blaufuss/combo/V00-00-03/build2\nand now things work fine\nthey're different versions of cmake (3.16 vs 3.11)\nand python but this is a bit puzzling", "reporter": "blaufuss", "cc": "", "resolution": "fixed", "_ts": "1589317869741189", "component": "combo core", "summary": "cvmfs py3-v4.1.0 breaks parasitic builds", "priority": "normal", "keywords": "", "time": "2020-04-22T19:26:01", "milestone": "", "owner": "nwhitehorn", "type": "defect" } ```
1.0
cvmfs py3-v4.1.0 breaks parasitic builds (Trac #2425) - This is either a bug in cmake or cvmfs. Not sure. here what I'm doing: built combo V00-00-03 first against py3-v4.1.0 into cmvfs/user /cvmfs/icecube.opensciencegrid.org/users/blaufuss/combo/V00-00-03/build then tried the parasitic build issue: cmake was not properly getting the PYTHON_INCLUDES etc into the parasitic workspace and builds fail immediately (can find Python.h) I stepped back from py3-v4.1.0 to py3-v4.0.1 and built: /cvmfs/icecube.opensciencegrid.org/users/blaufuss/combo/V00-00-03/build2 and now things work fine they're different versions of cmake (3.16 vs 3.11) and python but this is a bit puzzling Migrated from https://code.icecube.wisc.edu/ticket/2425 ```json { "status": "closed", "changetime": "2020-05-12T21:11:09", "description": "This is either a bug in cmake or cvmfs. Not sure.\n\nhere what I'm doing:\nbuilt combo V00-00-03 first against py3-v4.1.0\ninto cmvfs/user\n/cvmfs/icecube.opensciencegrid.org/users/blaufuss/combo/V00-00-03/build\nthen tried the parasitic build\nissue: cmake was not properly getting the PYTHON_INCLUDES etc into the parasitic workspace\nand builds fail immediately (can find Python.h)\n\nI stepped back from py3-v4.1.0 to py3-v4.0.1\nand built:\n/cvmfs/icecube.opensciencegrid.org/users/blaufuss/combo/V00-00-03/build2\nand now things work fine\nthey're different versions of cmake (3.16 vs 3.11)\nand python but this is a bit puzzling", "reporter": "blaufuss", "cc": "", "resolution": "fixed", "_ts": "1589317869741189", "component": "combo core", "summary": "cvmfs py3-v4.1.0 breaks parasitic builds", "priority": "normal", "keywords": "", "time": "2020-04-22T19:26:01", "milestone": "", "owner": "nwhitehorn", "type": "defect" } ```
defect
cvmfs breaks parasitic builds trac this is either a bug in cmake or cvmfs not sure here what i m doing built combo first against into cmvfs user cvmfs icecube opensciencegrid org users blaufuss combo build then tried the parasitic build issue cmake was not properly getting the python includes etc into the parasitic workspace and builds fail immediately can find python h i stepped back from to and built cvmfs icecube opensciencegrid org users blaufuss combo and now things work fine they re different versions of cmake vs and python but this is a bit puzzling migrated from json status closed changetime description this is either a bug in cmake or cvmfs not sure n nhere what i m doing nbuilt combo first against ninto cmvfs user n cvmfs icecube opensciencegrid org users blaufuss combo build nthen tried the parasitic build nissue cmake was not properly getting the python includes etc into the parasitic workspace nand builds fail immediately can find python h n ni stepped back from to nand built n cvmfs icecube opensciencegrid org users blaufuss combo nand now things work fine nthey re different versions of cmake vs nand python but this is a bit puzzling reporter blaufuss cc resolution fixed ts component combo core summary cvmfs breaks parasitic builds priority normal keywords time milestone owner nwhitehorn type defect
1
21,594
10,666,994,418
IssuesEvent
2019-10-19 08:48:55
OSWeekends/guilds.osweekends.com
https://api.github.com/repos/OSWeekends/guilds.osweekends.com
opened
CVE-2018-16487 (High) detected in lodash-4.17.5.tgz, lodash-3.7.0.tgz
security vulnerability
## CVE-2018-16487 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>lodash-4.17.5.tgz</b>, <b>lodash-3.7.0.tgz</b></p></summary> <p> <details><summary><b>lodash-4.17.5.tgz</b></p></summary> <p>Lodash modular utilities.</p> <p>Library home page: <a href="https://registry.npmjs.org/lodash/-/lodash-4.17.5.tgz">https://registry.npmjs.org/lodash/-/lodash-4.17.5.tgz</a></p> <p>Path to dependency file: /tmp/ws-scm/guilds.osweekends.com/package.json</p> <p>Path to vulnerable library: /tmp/ws-scm/guilds.osweekends.com/node_modules/eslint-plugin-import/node_modules/lodash/package.json</p> <p> Dependency Hierarchy: - eslint-4.19.1.tgz (Root Library) - table-4.0.2.tgz - :x: **lodash-4.17.5.tgz** (Vulnerable Library) </details> <details><summary><b>lodash-3.7.0.tgz</b></p></summary> <p>The modern build of lodash modular utilities.</p> <p>Library home page: <a href="https://registry.npmjs.org/lodash/-/lodash-3.7.0.tgz">https://registry.npmjs.org/lodash/-/lodash-3.7.0.tgz</a></p> <p>Path to dependency file: /tmp/ws-scm/guilds.osweekends.com/package.json</p> <p>Path to vulnerable library: /tmp/ws-scm/guilds.osweekends.com/node_modules/lodash/package.json</p> <p> Dependency Hierarchy: - pillars-0.7.1.tgz (Root Library) - textualization-0.6.2.tgz - jshint-2.9.5.tgz - :x: **lodash-3.7.0.tgz** (Vulnerable Library) </details> <p>Found in HEAD commit: <a href="https://github.com/OSWeekends/guilds.osweekends.com/commit/7c3567c7b8d78dce0fcb947eca5db3cca195eb19">7c3567c7b8d78dce0fcb947eca5db3cca195eb19</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> A prototype pollution vulnerability was found in lodash <4.17.11 where the functions merge, mergeWith, and defaultsDeep can be tricked into adding or modifying properties of Object.prototype. <p>Publish Date: 2019-02-01 <p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-16487>CVE-2018-16487</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>9.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://bugzilla.redhat.com/show_bug.cgi?id=CVE-2018-16487">https://bugzilla.redhat.com/show_bug.cgi?id=CVE-2018-16487</a></p> <p>Release Date: 2019-02-01</p> <p>Fix Resolution: 4.17.11</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2018-16487 (High) detected in lodash-4.17.5.tgz, lodash-3.7.0.tgz - ## CVE-2018-16487 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>lodash-4.17.5.tgz</b>, <b>lodash-3.7.0.tgz</b></p></summary> <p> <details><summary><b>lodash-4.17.5.tgz</b></p></summary> <p>Lodash modular utilities.</p> <p>Library home page: <a href="https://registry.npmjs.org/lodash/-/lodash-4.17.5.tgz">https://registry.npmjs.org/lodash/-/lodash-4.17.5.tgz</a></p> <p>Path to dependency file: /tmp/ws-scm/guilds.osweekends.com/package.json</p> <p>Path to vulnerable library: /tmp/ws-scm/guilds.osweekends.com/node_modules/eslint-plugin-import/node_modules/lodash/package.json</p> <p> Dependency Hierarchy: - eslint-4.19.1.tgz (Root Library) - table-4.0.2.tgz - :x: **lodash-4.17.5.tgz** (Vulnerable Library) </details> <details><summary><b>lodash-3.7.0.tgz</b></p></summary> <p>The modern build of lodash modular utilities.</p> <p>Library home page: <a href="https://registry.npmjs.org/lodash/-/lodash-3.7.0.tgz">https://registry.npmjs.org/lodash/-/lodash-3.7.0.tgz</a></p> <p>Path to dependency file: /tmp/ws-scm/guilds.osweekends.com/package.json</p> <p>Path to vulnerable library: /tmp/ws-scm/guilds.osweekends.com/node_modules/lodash/package.json</p> <p> Dependency Hierarchy: - pillars-0.7.1.tgz (Root Library) - textualization-0.6.2.tgz - jshint-2.9.5.tgz - :x: **lodash-3.7.0.tgz** (Vulnerable Library) </details> <p>Found in HEAD commit: <a href="https://github.com/OSWeekends/guilds.osweekends.com/commit/7c3567c7b8d78dce0fcb947eca5db3cca195eb19">7c3567c7b8d78dce0fcb947eca5db3cca195eb19</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> A prototype pollution vulnerability was found in lodash <4.17.11 where the functions merge, mergeWith, and defaultsDeep can be tricked into adding or modifying properties of Object.prototype. <p>Publish Date: 2019-02-01 <p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-16487>CVE-2018-16487</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>9.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://bugzilla.redhat.com/show_bug.cgi?id=CVE-2018-16487">https://bugzilla.redhat.com/show_bug.cgi?id=CVE-2018-16487</a></p> <p>Release Date: 2019-02-01</p> <p>Fix Resolution: 4.17.11</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve high detected in lodash tgz lodash tgz cve high severity vulnerability vulnerable libraries lodash tgz lodash tgz lodash tgz lodash modular utilities library home page a href path to dependency file tmp ws scm guilds osweekends com package json path to vulnerable library tmp ws scm guilds osweekends com node modules eslint plugin import node modules lodash package json dependency hierarchy eslint tgz root library table tgz x lodash tgz vulnerable library lodash tgz the modern build of lodash modular utilities library home page a href path to dependency file tmp ws scm guilds osweekends com package json path to vulnerable library tmp ws scm guilds osweekends com node modules lodash package json dependency hierarchy pillars tgz root library textualization tgz jshint tgz x lodash tgz vulnerable library found in head commit a href vulnerability details a prototype pollution vulnerability was found in lodash where the functions merge mergewith and defaultsdeep can be tricked into adding or modifying properties of object prototype publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with whitesource
0
374,250
11,082,608,607
IssuesEvent
2019-12-13 12:33:54
AbsaOSS/enceladus
https://api.github.com/repos/AbsaOSS/enceladus
closed
Add default number of executors to run scripts
feature priority: medium run scripts
## Background As per @DzMakatun 's suggestion, it might be helpful to add an environment-specific and spark-job-specific default value for the number of executors. ## Feature Add an environment-specific default value for the number of executors for Standardization and Conformance ## Proposed Solution [Optional] `STD_DEFAULT_NUM_EXECUTORS=""` `CONF_DEFAULT_NUM_EXECUTORS=""`
1.0
Add default number of executors to run scripts - ## Background As per @DzMakatun 's suggestion, it might be helpful to add an environment-specific and spark-job-specific default value for the number of executors. ## Feature Add an environment-specific default value for the number of executors for Standardization and Conformance ## Proposed Solution [Optional] `STD_DEFAULT_NUM_EXECUTORS=""` `CONF_DEFAULT_NUM_EXECUTORS=""`
non_defect
add default number of executors to run scripts background as per dzmakatun s suggestion it might be helpful to add an environment specific and spark job specific default value for the number of executors feature add an environment specific default value for the number of executors for standardization and conformance proposed solution std default num executors conf default num executors
0
63,315
17,581,372,114
IssuesEvent
2021-08-16 07:56:06
snowplow/snowplow-objc-tracker
https://api.github.com/repos/snowplow/snowplow-objc-tracker
closed
Fix Session UserID not consistent among tracker instances
type:defect priority:medium
**Describe the bug** Each tracker instance (identified by different namespaces) has its own different Session UserID. **Expected behavior** The Session UserID should be the same for all the tracker instances in the same app for the same installation.
1.0
Fix Session UserID not consistent among tracker instances - **Describe the bug** Each tracker instance (identified by different namespaces) has its own different Session UserID. **Expected behavior** The Session UserID should be the same for all the tracker instances in the same app for the same installation.
defect
fix session userid not consistent among tracker instances describe the bug each tracker instance identified by different namespaces has its own different session userid expected behavior the session userid should be the same for all the tracker instances in the same app for the same installation
1
49,003
13,185,190,035
IssuesEvent
2020-08-12 20:54:10
icecube-trac/tix3
https://api.github.com/repos/icecube-trac/tix3
opened
Improved "I'm new and just getting started" docs. (Trac #589)
Incomplete Migration Migrated from Trac defect documentation
<details> <summary><em>Migrated from https://code.icecube.wisc.edu/ticket/589 , reported by blaufuss and owned by nega</em></summary> <p> ```json { "status": "closed", "changetime": "2011-05-11T20:15:12", "description": "These need help. Better end-to-end walkthru. Need to avoid making them \"time specific\", aka depending on a particular release. \n\nNeed to guide thru (with links to more detailed docs):\n\ntool setup\nmetaproject checkout and build\ngetting test data\nrunning tests\nwriting and running your own stuff.\npython extensions\n", "reporter": "blaufuss", "cc": "", "resolution": "fixed", "_ts": "1305144912000000", "component": "documentation", "summary": "Improved \"I'm new and just getting started\" docs.", "priority": "normal", "keywords": "", "time": "2010-01-19T22:07:17", "milestone": "", "owner": "nega", "type": "defect" } ``` </p> </details>
1.0
Improved "I'm new and just getting started" docs. (Trac #589) - <details> <summary><em>Migrated from https://code.icecube.wisc.edu/ticket/589 , reported by blaufuss and owned by nega</em></summary> <p> ```json { "status": "closed", "changetime": "2011-05-11T20:15:12", "description": "These need help. Better end-to-end walkthru. Need to avoid making them \"time specific\", aka depending on a particular release. \n\nNeed to guide thru (with links to more detailed docs):\n\ntool setup\nmetaproject checkout and build\ngetting test data\nrunning tests\nwriting and running your own stuff.\npython extensions\n", "reporter": "blaufuss", "cc": "", "resolution": "fixed", "_ts": "1305144912000000", "component": "documentation", "summary": "Improved \"I'm new and just getting started\" docs.", "priority": "normal", "keywords": "", "time": "2010-01-19T22:07:17", "milestone": "", "owner": "nega", "type": "defect" } ``` </p> </details>
defect
improved i m new and just getting started docs trac migrated from reported by blaufuss and owned by nega json status closed changetime description these need help better end to end walkthru need to avoid making them time specific aka depending on a particular release n nneed to guide thru with links to more detailed docs n ntool setup nmetaproject checkout and build ngetting test data nrunning tests nwriting and running your own stuff npython extensions n reporter blaufuss cc resolution fixed ts component documentation summary improved i m new and just getting started docs priority normal keywords time milestone owner nega type defect
1
354,518
10,568,797,437
IssuesEvent
2019-10-06 15:24:43
DedSecInside/TorBot
https://api.github.com/repos/DedSecInside/TorBot
closed
Design GUI for TorBot
ENHANCEMENT GOOD FIRST ISSUE HACKTOBERFEST HELP WANTED IDEA MED PRIORITY
I think we should create a GUI for TorBot to make it more user-friendly using something like Electron (JavaScript) possibly? I think it'd be a good framework because of the pure popularity so it'll be easy to find contributors and it's supposedly very productive so we'll be able to get out a version very soon.
1.0
Design GUI for TorBot - I think we should create a GUI for TorBot to make it more user-friendly using something like Electron (JavaScript) possibly? I think it'd be a good framework because of the pure popularity so it'll be easy to find contributors and it's supposedly very productive so we'll be able to get out a version very soon.
non_defect
design gui for torbot i think we should create a gui for torbot to make it more user friendly using something like electron javascript possibly i think it d be a good framework because of the pure popularity so it ll be easy to find contributors and it s supposedly very productive so we ll be able to get out a version very soon
0
227,665
18,090,442,556
IssuesEvent
2021-09-22 00:40:13
godotengine/godot
https://api.github.com/repos/godotengine/godot
closed
Compiled EXE project cannot read some directories
topic:core needs testing
Dear company please have a look at this code: ``` var path = "res://world/" var levels = [] var dir = Directory.new() dir.open(path) dir.list_dir_begin() while true: var file_name = dir.get_next() if file_name == "": break elif not file_name.begins_with("."): levels.append(file_name) get_node("PanelContainer").get_node("LabelOutput").set_text(file_name) ``` It work properly under dev pressing play. Then once the project has been compiled as an EXE file, it doesn't read the directories into the directory "world" but if I change directory well, it does work. But only for some directories Please tell me how to fix it or what to do because we are in a rush Thank you very much in advance Kind Regards Khappa MJ K-Storm-Studio Ltd
1.0
Compiled EXE project cannot read some directories - Dear company please have a look at this code: ``` var path = "res://world/" var levels = [] var dir = Directory.new() dir.open(path) dir.list_dir_begin() while true: var file_name = dir.get_next() if file_name == "": break elif not file_name.begins_with("."): levels.append(file_name) get_node("PanelContainer").get_node("LabelOutput").set_text(file_name) ``` It work properly under dev pressing play. Then once the project has been compiled as an EXE file, it doesn't read the directories into the directory "world" but if I change directory well, it does work. But only for some directories Please tell me how to fix it or what to do because we are in a rush Thank you very much in advance Kind Regards Khappa MJ K-Storm-Studio Ltd
non_defect
compiled exe project cannot read some directories dear company please have a look at this code var path res world var levels var dir directory new dir open path dir list dir begin while true var file name dir get next if file name break elif not file name begins with levels append file name get node panelcontainer get node labeloutput set text file name it work properly under dev pressing play then once the project has been compiled as an exe file it doesn t read the directories into the directory world but if i change directory well it does work but only for some directories please tell me how to fix it or what to do because we are in a rush thank you very much in advance kind regards khappa mj k storm studio ltd
0
78,933
27,825,691,907
IssuesEvent
2023-03-19 18:38:50
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
Element crash on KDE
T-Defect
### Steps to reproduce 1. Start Element on Arch Linux on KDE (Version 5.27.3, X11) (both the flatpak and non flatpak version have this Problem) 2. Just wait. [View Log](https://github.com/vector-im/element-web/files/11011704/log.txt) ### Outcome #### What did you expect? No crash. I used XFCE for a long time and I did not have this Problem. #### What happened instead? It crashes after a seemingly random amount of time. It does not matter if you interact with the application. ### Operating system Arch Linux (KDE, X11) ### Application version Version Element: 1.11.25, Version Olm: 3.2.12 ### How did you install the app? Flathub ### Homeserver matrix.org ### Will you send logs? Yes
1.0
Element crash on KDE - ### Steps to reproduce 1. Start Element on Arch Linux on KDE (Version 5.27.3, X11) (both the flatpak and non flatpak version have this Problem) 2. Just wait. [View Log](https://github.com/vector-im/element-web/files/11011704/log.txt) ### Outcome #### What did you expect? No crash. I used XFCE for a long time and I did not have this Problem. #### What happened instead? It crashes after a seemingly random amount of time. It does not matter if you interact with the application. ### Operating system Arch Linux (KDE, X11) ### Application version Version Element: 1.11.25, Version Olm: 3.2.12 ### How did you install the app? Flathub ### Homeserver matrix.org ### Will you send logs? Yes
defect
element crash on kde steps to reproduce start element on arch linux on kde version both the flatpak and non flatpak version have this problem just wait outcome what did you expect no crash i used xfce for a long time and i did not have this problem what happened instead it crashes after a seemingly random amount of time it does not matter if you interact with the application operating system arch linux kde application version version element version olm how did you install the app flathub homeserver matrix org will you send logs yes
1
155,355
13,622,064,958
IssuesEvent
2020-09-24 02:31:55
oidc-wp/openid-connect-generic
https://api.github.com/repos/oidc-wp/openid-connect-generic
opened
Undocumented Filters
documentation good first issue hacktoberfest
There are 2 filters that have gone undocumented since their inclusion in the code. `openid-connect-modify-token-response-before-validation` https://github.com/oidc-wp/openid-connect-generic/blob/7560701348e004f09df7c831d0703e0bcc173ca2/includes/openid-connect-generic-client-wrapper.php#L365 `openid-connect-modify-id-token-claim-before-validation` https://github.com/oidc-wp/openid-connect-generic/blob/7560701348e004f09df7c831d0703e0bcc173ca2/includes/openid-connect-generic-client-wrapper.php#L386
1.0
Undocumented Filters - There are 2 filters that have gone undocumented since their inclusion in the code. `openid-connect-modify-token-response-before-validation` https://github.com/oidc-wp/openid-connect-generic/blob/7560701348e004f09df7c831d0703e0bcc173ca2/includes/openid-connect-generic-client-wrapper.php#L365 `openid-connect-modify-id-token-claim-before-validation` https://github.com/oidc-wp/openid-connect-generic/blob/7560701348e004f09df7c831d0703e0bcc173ca2/includes/openid-connect-generic-client-wrapper.php#L386
non_defect
undocumented filters there are filters that have gone undocumented since their inclusion in the code openid connect modify token response before validation openid connect modify id token claim before validation
0
26,999
4,851,974,866
IssuesEvent
2016-11-11 08:29:27
scipy/scipy
https://api.github.com/repos/scipy/scipy
closed
Documentation for scipy.stats.norm.fit is incorrect
defect Documentation scipy.stats
Currently, this function says it should return a 3-tuple: ``` In [1]: import scipy.stats as s In [2]: print(s.norm.fit.__doc__) *snip* Returns ------- shape, loc, scale : tuple of floats MLEs for any shape statistics, followed by those for location and scale. *snip* In [5]: scipy.__version__ Out[5]: '0.18.1' ``` But the normal distribution is a special case, and its `fit` implementation [only returns a 2-tuple](https://github.com/scipy/scipy/blob/master/scipy/stats/_continuous_distns.py#L185).
1.0
Documentation for scipy.stats.norm.fit is incorrect - Currently, this function says it should return a 3-tuple: ``` In [1]: import scipy.stats as s In [2]: print(s.norm.fit.__doc__) *snip* Returns ------- shape, loc, scale : tuple of floats MLEs for any shape statistics, followed by those for location and scale. *snip* In [5]: scipy.__version__ Out[5]: '0.18.1' ``` But the normal distribution is a special case, and its `fit` implementation [only returns a 2-tuple](https://github.com/scipy/scipy/blob/master/scipy/stats/_continuous_distns.py#L185).
defect
documentation for scipy stats norm fit is incorrect currently this function says it should return a tuple in import scipy stats as s in print s norm fit doc snip returns shape loc scale tuple of floats mles for any shape statistics followed by those for location and scale snip in scipy version out but the normal distribution is a special case and its fit implementation
1
18,537
3,070,316,402
IssuesEvent
2015-08-19 02:54:13
subosito/go-uuid
https://api.github.com/repos/subosito/go-uuid
closed
go vet error message
auto-migrated Priority-Medium Type-Defect
``` code.google.com/p/go-uuid/uuid/uuid.go:116: unreachable code code.google.com/p/go-uuid/uuid/uuid_test.go:319: no formatting directive in Errorf call code.google.com/p/go-uuid/uuid/uuid_test.go:328: no formatting directive in Errorf call code.google.com/p/go-uuid/uuid/uuid_test.go:331: no formatting directive in Errorf call 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 `tailinchu` on 27 Dec 2014 at 2:01
1.0
go vet error message - ``` code.google.com/p/go-uuid/uuid/uuid.go:116: unreachable code code.google.com/p/go-uuid/uuid/uuid_test.go:319: no formatting directive in Errorf call code.google.com/p/go-uuid/uuid/uuid_test.go:328: no formatting directive in Errorf call code.google.com/p/go-uuid/uuid/uuid_test.go:331: no formatting directive in Errorf call 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 `tailinchu` on 27 Dec 2014 at 2:01
defect
go vet error message code google com p go uuid uuid uuid go unreachable code code google com p go uuid uuid uuid test go no formatting directive in errorf call code google com p go uuid uuid uuid test go no formatting directive in errorf call code google com p go uuid uuid uuid test go no formatting directive in errorf call 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 tailinchu on dec at
1
6,925
2,610,317,855
IssuesEvent
2015-02-26 19:42:36
chrsmith/republic-at-war
https://api.github.com/repos/chrsmith/republic-at-war
closed
Graphics Glitch
auto-migrated Priority-Medium Type-Defect
``` The clones operating the canon doesn't follow the movements of the canon when deploy. He stand still. ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 5 May 2011 at 12:05
1.0
Graphics Glitch - ``` The clones operating the canon doesn't follow the movements of the canon when deploy. He stand still. ``` ----- Original issue reported on code.google.com by `z3r0...@gmail.com` on 5 May 2011 at 12:05
defect
graphics glitch the clones operating the canon doesn t follow the movements of the canon when deploy he stand still original issue reported on code google com by gmail com on may at
1
38,004
12,513,142,088
IssuesEvent
2020-06-03 01:01:07
jgeraigery/uplus-wss
https://api.github.com/repos/jgeraigery/uplus-wss
opened
CVE-2020-7660 (Medium) detected in serialize-javascript-3.0.0.tgz, serialize-javascript-2.1.2.tgz
security vulnerability
## CVE-2020-7660 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>serialize-javascript-3.0.0.tgz</b>, <b>serialize-javascript-2.1.2.tgz</b></p></summary> <p> <details><summary><b>serialize-javascript-3.0.0.tgz</b></p></summary> <p>Serialize JavaScript to a superset of JSON that includes regular expressions and functions.</p> <p>Library home page: <a href="https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-3.0.0.tgz">https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-3.0.0.tgz</a></p> <p>Path to dependency file: /tmp/ws-scm/uplus-wss/package.json</p> <p>Path to vulnerable library: /tmp/ws-scm/uplus-wss/node_modules/@vue/cli-service/node_modules/serialize-javascript/package.json</p> <p> Dependency Hierarchy: - cli-service-4.3.1.tgz (Root Library) - terser-webpack-plugin-2.3.6.tgz - :x: **serialize-javascript-3.0.0.tgz** (Vulnerable Library) </details> <details><summary><b>serialize-javascript-2.1.2.tgz</b></p></summary> <p>Serialize JavaScript to a superset of JSON that includes regular expressions and functions.</p> <p>Library home page: <a href="https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-2.1.2.tgz">https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-2.1.2.tgz</a></p> <p>Path to dependency file: /tmp/ws-scm/uplus-wss/package.json</p> <p>Path to vulnerable library: /tmp/ws-scm/uplus-wss/node_modules/serialize-javascript/package.json</p> <p> Dependency Hierarchy: - cli-service-4.3.1.tgz (Root Library) - copy-webpack-plugin-5.1.1.tgz - :x: **serialize-javascript-2.1.2.tgz** (Vulnerable Library) </details> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> serialize-javascript prior to 3.1.0 allows remote attackers to inject arbitrary code via the function "deleteFunctions" within "index.js". <p>Publish Date: 2020-06-01 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-7660>CVE-2020-7660</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.0</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: N/A - Attack Complexity: N/A - Privileges Required: N/A - User Interaction: N/A - Scope: N/A - Impact Metrics: - Confidentiality Impact: N/A - Integrity Impact: N/A - Availability Impact: N/A </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-7660">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-7660</a></p> <p>Release Date: 2020-06-01</p> <p>Fix Resolution: serialize-javascript - 3.1.0</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"serialize-javascript","packageVersion":"3.0.0","isTransitiveDependency":true,"dependencyTree":"@vue/cli-service:4.3.1;terser-webpack-plugin:2.3.6;serialize-javascript:3.0.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"serialize-javascript - 3.1.0"},{"packageType":"javascript/Node.js","packageName":"serialize-javascript","packageVersion":"2.1.2","isTransitiveDependency":true,"dependencyTree":"@vue/cli-service:4.3.1;copy-webpack-plugin:5.1.1;serialize-javascript:2.1.2","isMinimumFixVersionAvailable":true,"minimumFixVersion":"serialize-javascript - 3.1.0"}],"vulnerabilityIdentifier":"CVE-2020-7660","vulnerabilityDetails":"serialize-javascript prior to 3.1.0 allows remote attackers to inject arbitrary code via the function \"deleteFunctions\" within \"index.js\".","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-7660","cvss3Severity":"medium","cvss3Score":"5.0","cvss3Metrics":{"A":"N/A","AC":"N/A","PR":"N/A","S":"N/A","C":"N/A","UI":"N/A","AV":"N/A","I":"N/A"},"extraData":{}}</REMEDIATE> -->
True
CVE-2020-7660 (Medium) detected in serialize-javascript-3.0.0.tgz, serialize-javascript-2.1.2.tgz - ## CVE-2020-7660 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>serialize-javascript-3.0.0.tgz</b>, <b>serialize-javascript-2.1.2.tgz</b></p></summary> <p> <details><summary><b>serialize-javascript-3.0.0.tgz</b></p></summary> <p>Serialize JavaScript to a superset of JSON that includes regular expressions and functions.</p> <p>Library home page: <a href="https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-3.0.0.tgz">https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-3.0.0.tgz</a></p> <p>Path to dependency file: /tmp/ws-scm/uplus-wss/package.json</p> <p>Path to vulnerable library: /tmp/ws-scm/uplus-wss/node_modules/@vue/cli-service/node_modules/serialize-javascript/package.json</p> <p> Dependency Hierarchy: - cli-service-4.3.1.tgz (Root Library) - terser-webpack-plugin-2.3.6.tgz - :x: **serialize-javascript-3.0.0.tgz** (Vulnerable Library) </details> <details><summary><b>serialize-javascript-2.1.2.tgz</b></p></summary> <p>Serialize JavaScript to a superset of JSON that includes regular expressions and functions.</p> <p>Library home page: <a href="https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-2.1.2.tgz">https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-2.1.2.tgz</a></p> <p>Path to dependency file: /tmp/ws-scm/uplus-wss/package.json</p> <p>Path to vulnerable library: /tmp/ws-scm/uplus-wss/node_modules/serialize-javascript/package.json</p> <p> Dependency Hierarchy: - cli-service-4.3.1.tgz (Root Library) - copy-webpack-plugin-5.1.1.tgz - :x: **serialize-javascript-2.1.2.tgz** (Vulnerable Library) </details> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> serialize-javascript prior to 3.1.0 allows remote attackers to inject arbitrary code via the function "deleteFunctions" within "index.js". <p>Publish Date: 2020-06-01 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-7660>CVE-2020-7660</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.0</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: N/A - Attack Complexity: N/A - Privileges Required: N/A - User Interaction: N/A - Scope: N/A - Impact Metrics: - Confidentiality Impact: N/A - Integrity Impact: N/A - Availability Impact: N/A </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-7660">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-7660</a></p> <p>Release Date: 2020-06-01</p> <p>Fix Resolution: serialize-javascript - 3.1.0</p> </p> </details> <p></p> <!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"serialize-javascript","packageVersion":"3.0.0","isTransitiveDependency":true,"dependencyTree":"@vue/cli-service:4.3.1;terser-webpack-plugin:2.3.6;serialize-javascript:3.0.0","isMinimumFixVersionAvailable":true,"minimumFixVersion":"serialize-javascript - 3.1.0"},{"packageType":"javascript/Node.js","packageName":"serialize-javascript","packageVersion":"2.1.2","isTransitiveDependency":true,"dependencyTree":"@vue/cli-service:4.3.1;copy-webpack-plugin:5.1.1;serialize-javascript:2.1.2","isMinimumFixVersionAvailable":true,"minimumFixVersion":"serialize-javascript - 3.1.0"}],"vulnerabilityIdentifier":"CVE-2020-7660","vulnerabilityDetails":"serialize-javascript prior to 3.1.0 allows remote attackers to inject arbitrary code via the function \"deleteFunctions\" within \"index.js\".","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-7660","cvss3Severity":"medium","cvss3Score":"5.0","cvss3Metrics":{"A":"N/A","AC":"N/A","PR":"N/A","S":"N/A","C":"N/A","UI":"N/A","AV":"N/A","I":"N/A"},"extraData":{}}</REMEDIATE> -->
non_defect
cve medium detected in serialize javascript tgz serialize javascript tgz cve medium severity vulnerability vulnerable libraries serialize javascript tgz serialize javascript tgz serialize javascript tgz serialize javascript to a superset of json that includes regular expressions and functions library home page a href path to dependency file tmp ws scm uplus wss package json path to vulnerable library tmp ws scm uplus wss node modules vue cli service node modules serialize javascript package json dependency hierarchy cli service tgz root library terser webpack plugin tgz x serialize javascript tgz vulnerable library serialize javascript tgz serialize javascript to a superset of json that includes regular expressions and functions library home page a href path to dependency file tmp ws scm uplus wss package json path to vulnerable library tmp ws scm uplus wss node modules serialize javascript package json dependency hierarchy cli service tgz root library copy webpack plugin tgz x serialize javascript tgz vulnerable library vulnerability details serialize javascript prior to allows remote attackers to inject arbitrary code via the function deletefunctions within index js publish date url a href cvss score details base score metrics exploitability metrics attack vector n a attack complexity n a privileges required n a user interaction n a scope n a impact metrics confidentiality impact n a integrity impact n a availability impact n a for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution serialize javascript isopenpronvulnerability false ispackagebased true isdefaultbranch true packages vulnerabilityidentifier cve vulnerabilitydetails serialize javascript prior to allows remote attackers to inject arbitrary code via the function deletefunctions within index js vulnerabilityurl
0
31,965
6,669,171,187
IssuesEvent
2017-10-03 18:22:20
pymc-devs/pymc3
https://api.github.com/repos/pymc-devs/pymc3
closed
Multiprocessing failure
defects
When sampling with Metropolis with multiple cores, the CPUs will suddenly drop to zero and stop processing, causing the model to hang. Here is a screen shot of the behavior: ![screenshot 2016-07-18 19 04 59](https://cloud.githubusercontent.com/assets/81476/16934318/b5f21b2e-4d1a-11e6-8e9a-a64af7d9254d.png) This model can be found [here](https://github.com/fonnesbeck/uterine_fibroids_MA/blob/master/UF%20Interventions%20Meta-analysis.ipynb). I have tried this both on my local machine and on a remote cloud computing service (Domino). Running current theano from master.
1.0
Multiprocessing failure - When sampling with Metropolis with multiple cores, the CPUs will suddenly drop to zero and stop processing, causing the model to hang. Here is a screen shot of the behavior: ![screenshot 2016-07-18 19 04 59](https://cloud.githubusercontent.com/assets/81476/16934318/b5f21b2e-4d1a-11e6-8e9a-a64af7d9254d.png) This model can be found [here](https://github.com/fonnesbeck/uterine_fibroids_MA/blob/master/UF%20Interventions%20Meta-analysis.ipynb). I have tried this both on my local machine and on a remote cloud computing service (Domino). Running current theano from master.
defect
multiprocessing failure when sampling with metropolis with multiple cores the cpus will suddenly drop to zero and stop processing causing the model to hang here is a screen shot of the behavior this model can be found i have tried this both on my local machine and on a remote cloud computing service domino running current theano from master
1
17,765
3,013,011,897
IssuesEvent
2015-07-29 05:21:06
yawlfoundation/yawl
https://api.github.com/repos/yawlfoundation/yawl
closed
xpath xquery completion with xs:double fails
auto-migrated Component-Editor Priority-Medium Type-Defect
``` When adding the double variable foo (see screenshot) as xquery to the update-details dialogue the open parenthesis of number is wrong ``` Original issue reported on code.google.com by `stephan....@googlemail.com` on 2 Mar 2009 at 2:20 Attachments: * [scrnsht.jpg](https://storage.googleapis.com/google-code-attachments/yawl/issue-295/comment-0/scrnsht.jpg)
1.0
xpath xquery completion with xs:double fails - ``` When adding the double variable foo (see screenshot) as xquery to the update-details dialogue the open parenthesis of number is wrong ``` Original issue reported on code.google.com by `stephan....@googlemail.com` on 2 Mar 2009 at 2:20 Attachments: * [scrnsht.jpg](https://storage.googleapis.com/google-code-attachments/yawl/issue-295/comment-0/scrnsht.jpg)
defect
xpath xquery completion with xs double fails when adding the double variable foo see screenshot as xquery to the update details dialogue the open parenthesis of number is wrong original issue reported on code google com by stephan googlemail com on mar at attachments
1
79,699
28,496,563,046
IssuesEvent
2023-04-18 14:36:57
vector-im/element-desktop
https://api.github.com/repos/vector-im/element-desktop
opened
Element Desktop hangs when Desktop Notifications are enabled on i3 wm
T-Defect
### Steps to reproduce Whenever a message is received Element hangs for a few minutes. It hangs only when Element is not visible or on another desktop when the message is received. After this it works without any issues until the next message is received. When I disable desktop notifications it does not hang. I can reproduce this on at least 2 different machines. ### Outcome #### What did you expect? no hangs #### What happened instead? it hangs ### Operating system Arch Linux with i3wm ### Application version Element version: 1.11.15 Olm version: 3.2.12 ### How did you install the app? official arch repo using pacman ### Homeserver Synapse 1.74 ### Will you send logs? No
1.0
Element Desktop hangs when Desktop Notifications are enabled on i3 wm - ### Steps to reproduce Whenever a message is received Element hangs for a few minutes. It hangs only when Element is not visible or on another desktop when the message is received. After this it works without any issues until the next message is received. When I disable desktop notifications it does not hang. I can reproduce this on at least 2 different machines. ### Outcome #### What did you expect? no hangs #### What happened instead? it hangs ### Operating system Arch Linux with i3wm ### Application version Element version: 1.11.15 Olm version: 3.2.12 ### How did you install the app? official arch repo using pacman ### Homeserver Synapse 1.74 ### Will you send logs? No
defect
element desktop hangs when desktop notifications are enabled on wm steps to reproduce whenever a message is received element hangs for a few minutes it hangs only when element is not visible or on another desktop when the message is received after this it works without any issues until the next message is received when i disable desktop notifications it does not hang i can reproduce this on at least different machines outcome what did you expect no hangs what happened instead it hangs operating system arch linux with application version element version olm version how did you install the app official arch repo using pacman homeserver synapse will you send logs no
1
71,897
23,844,894,920
IssuesEvent
2022-09-06 13:21:05
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
opened
Incorrect CP group leader rebalancing
Type: Defect Team: Core Source: Internal Module: CP Subsystem
It seems that CP group can be intermittently rebalanced incorrectly. I saw it it following scenario: - `cp-member-count=7` - `group-size=3` - 7 members, each member have different priority 1-7 - using 10 CP groups - `METADATA`, `default` and `customGroupX` (where `X` is 0-7) I got following final rebalancing: ``` Current leadership claims: CPMember{uuid=ff23130c-fd16-4f02-b4cb-8f74641f41cf, address=[127.0.0.1]:5703} priority 3 has 0, CPMember{uuid=97510072-2942-4898-98af-c2b576eeee3a, address=[127.0.0.1]:5701} priority 1 has 0, CPMember{uuid=c69ccc48-045a-4168-b44c-f912795f0620, address=[127.0.0.1]:5702} priority 2 has 0, CPMember{uuid=b8016595-7427-448e-bad5-cb5689cd2a8a, address=[127.0.0.1]:5705} priority 5 has 2, CPMember{uuid=2cbd7fd2-b761-4ccc-84fe-df819e99873f, address=[127.0.0.1]:5706} priority 6 has 2, CPMember{uuid=d8d251c5-2ec5-4fc0-a871-07c1208c3b53, address=[127.0.0.1]:5707} priority 7 has 2, CPMember{uuid=7c5870db-70f8-447a-9e64-5f23f11b38e2, address=[127.0.0.1]:5704} priority 4 has 4, leaderships. CPGroup leadership balance is fine, cannot rebalance further... ``` Member with priority 4 is leader of 4 groups, they are following: ``` CP Group Members {groupId: customGroup0(5676), size:3, term:2, logIndex:0} [ CPMember{uuid=97510072-2942-4898-98af-c2b576eeee3a, address=[127.0.0.1]:5701} CPMember{uuid=7c5870db-70f8-447a-9e64-5f23f11b38e2, address=[127.0.0.1]:5704} - LEADER this CPMember{uuid=c69ccc48-045a-4168-b44c-f912795f0620, address=[127.0.0.1]:5702} ] CP Group Members {groupId: customGroup2(18208), size:3, term:1, logIndex:0} [ CPMember{uuid=b8016595-7427-448e-bad5-cb5689cd2a8a, address=[127.0.0.1]:5705} CPMember{uuid=97510072-2942-4898-98af-c2b576eeee3a, address=[127.0.0.1]:5701} CPMember{uuid=7c5870db-70f8-447a-9e64-5f23f11b38e2, address=[127.0.0.1]:5704} - LEADER this ] CP Group Members {groupId: customGroup3(20737), size:3, term:1, logIndex:0} [ CPMember{uuid=97510072-2942-4898-98af-c2b576eeee3a, address=[127.0.0.1]:5701} CPMember{uuid=b8016595-7427-448e-bad5-cb5689cd2a8a, address=[127.0.0.1]:5705} CPMember{uuid=7c5870db-70f8-447a-9e64-5f23f11b38e2, address=[127.0.0.1]:5704} - LEADER this ] CP Group Members {groupId: customGroup4(29282), size:3, term:1, logIndex:0} [ CPMember{uuid=c69ccc48-045a-4168-b44c-f912795f0620, address=[127.0.0.1]:5702} CPMember{uuid=7c5870db-70f8-447a-9e64-5f23f11b38e2, address=[127.0.0.1]:5704} - LEADER this CPMember{uuid=b8016595-7427-448e-bad5-cb5689cd2a8a, address=[127.0.0.1]:5705} ] ``` 3 of those groups contain member with priority 5. This member should overtake leadership of one of those groups. See logs for more details: [wrong_rebalancing.zip](https://github.com/hazelcast/hazelcast/files/9497294/wrong_rebalancing.zip)
1.0
Incorrect CP group leader rebalancing - It seems that CP group can be intermittently rebalanced incorrectly. I saw it it following scenario: - `cp-member-count=7` - `group-size=3` - 7 members, each member have different priority 1-7 - using 10 CP groups - `METADATA`, `default` and `customGroupX` (where `X` is 0-7) I got following final rebalancing: ``` Current leadership claims: CPMember{uuid=ff23130c-fd16-4f02-b4cb-8f74641f41cf, address=[127.0.0.1]:5703} priority 3 has 0, CPMember{uuid=97510072-2942-4898-98af-c2b576eeee3a, address=[127.0.0.1]:5701} priority 1 has 0, CPMember{uuid=c69ccc48-045a-4168-b44c-f912795f0620, address=[127.0.0.1]:5702} priority 2 has 0, CPMember{uuid=b8016595-7427-448e-bad5-cb5689cd2a8a, address=[127.0.0.1]:5705} priority 5 has 2, CPMember{uuid=2cbd7fd2-b761-4ccc-84fe-df819e99873f, address=[127.0.0.1]:5706} priority 6 has 2, CPMember{uuid=d8d251c5-2ec5-4fc0-a871-07c1208c3b53, address=[127.0.0.1]:5707} priority 7 has 2, CPMember{uuid=7c5870db-70f8-447a-9e64-5f23f11b38e2, address=[127.0.0.1]:5704} priority 4 has 4, leaderships. CPGroup leadership balance is fine, cannot rebalance further... ``` Member with priority 4 is leader of 4 groups, they are following: ``` CP Group Members {groupId: customGroup0(5676), size:3, term:2, logIndex:0} [ CPMember{uuid=97510072-2942-4898-98af-c2b576eeee3a, address=[127.0.0.1]:5701} CPMember{uuid=7c5870db-70f8-447a-9e64-5f23f11b38e2, address=[127.0.0.1]:5704} - LEADER this CPMember{uuid=c69ccc48-045a-4168-b44c-f912795f0620, address=[127.0.0.1]:5702} ] CP Group Members {groupId: customGroup2(18208), size:3, term:1, logIndex:0} [ CPMember{uuid=b8016595-7427-448e-bad5-cb5689cd2a8a, address=[127.0.0.1]:5705} CPMember{uuid=97510072-2942-4898-98af-c2b576eeee3a, address=[127.0.0.1]:5701} CPMember{uuid=7c5870db-70f8-447a-9e64-5f23f11b38e2, address=[127.0.0.1]:5704} - LEADER this ] CP Group Members {groupId: customGroup3(20737), size:3, term:1, logIndex:0} [ CPMember{uuid=97510072-2942-4898-98af-c2b576eeee3a, address=[127.0.0.1]:5701} CPMember{uuid=b8016595-7427-448e-bad5-cb5689cd2a8a, address=[127.0.0.1]:5705} CPMember{uuid=7c5870db-70f8-447a-9e64-5f23f11b38e2, address=[127.0.0.1]:5704} - LEADER this ] CP Group Members {groupId: customGroup4(29282), size:3, term:1, logIndex:0} [ CPMember{uuid=c69ccc48-045a-4168-b44c-f912795f0620, address=[127.0.0.1]:5702} CPMember{uuid=7c5870db-70f8-447a-9e64-5f23f11b38e2, address=[127.0.0.1]:5704} - LEADER this CPMember{uuid=b8016595-7427-448e-bad5-cb5689cd2a8a, address=[127.0.0.1]:5705} ] ``` 3 of those groups contain member with priority 5. This member should overtake leadership of one of those groups. See logs for more details: [wrong_rebalancing.zip](https://github.com/hazelcast/hazelcast/files/9497294/wrong_rebalancing.zip)
defect
incorrect cp group leader rebalancing it seems that cp group can be intermittently rebalanced incorrectly i saw it it following scenario cp member count group size members each member have different priority using cp groups metadata default and customgroupx where x is i got following final rebalancing current leadership claims cpmember uuid address priority has cpmember uuid address priority has cpmember uuid address priority has cpmember uuid address priority has cpmember uuid address priority has cpmember uuid address priority has cpmember uuid address priority has leaderships cpgroup leadership balance is fine cannot rebalance further member with priority is leader of groups they are following cp group members groupid size term logindex cpmember uuid address cpmember uuid address leader this cpmember uuid address cp group members groupid size term logindex cpmember uuid address cpmember uuid address cpmember uuid address leader this cp group members groupid size term logindex cpmember uuid address cpmember uuid address cpmember uuid address leader this cp group members groupid size term logindex cpmember uuid address cpmember uuid address leader this cpmember uuid address of those groups contain member with priority this member should overtake leadership of one of those groups see logs for more details
1
7,790
2,610,636,439
IssuesEvent
2015-02-26 21:33:33
alistairreilly/open-ig
https://api.github.com/repos/alistairreilly/open-ig
closed
starting a new game or viewing the intro crashes the game in linux
auto-migrated Priority-Medium Type-Defect
``` Game version: 0.93.350 Operating System: (e.g., Windows 7 x86, Windows XP 64-bit) Ubuntu AMD64 Java runtime version: (run java -version) OpenJDK 6 Installed using the Launcher? (yes, no) yes What steps will reproduce the problem? 1. trying to start a new game or viewing the intro 2. 3. What is the expected output? What do you see instead? I get an error window and the game shuts down Please provide any additional information below. the error window contains the following output: An unexpected error occurred. You should consider submitting an error report via the project issue list: http://code.google.com/p/open-ig/issues/list Please include the following diagnostic information followed by the error stacktrace(s): Java version: 1.6.0_22 Java vendor: Sun Microsystems Inc. (http://java.sun.com/) Java compiler: null (class version: 50.0) Operating system: Linux, amd64, 2.6.38-10-generic Game version: 0.93.350 Command line: [-memonce] Maximum memory: 568 MB Parallelism: 3 ---- Exception in thread "Movie Audio" java.lang.IllegalArgumentException: Master Gain not supported at org.classpath.icedtea.pulseaudio.PulseAudioLine.getControl(PulseAudioLine.java:89) at org.classpath.icedtea.pulseaudio.PulseAudioSourceDataLine.getControl(PulseAudioSourceDataLine.java:51) at hu.openig.screen.MediaPlayer$1.run(MediaPlayer.java:126) at java.lang.Thread.run(Thread.java:679) ``` Original issue reported on code.google.com by `Bruno9...@gmail.com` on 24 Aug 2011 at 3:16
1.0
starting a new game or viewing the intro crashes the game in linux - ``` Game version: 0.93.350 Operating System: (e.g., Windows 7 x86, Windows XP 64-bit) Ubuntu AMD64 Java runtime version: (run java -version) OpenJDK 6 Installed using the Launcher? (yes, no) yes What steps will reproduce the problem? 1. trying to start a new game or viewing the intro 2. 3. What is the expected output? What do you see instead? I get an error window and the game shuts down Please provide any additional information below. the error window contains the following output: An unexpected error occurred. You should consider submitting an error report via the project issue list: http://code.google.com/p/open-ig/issues/list Please include the following diagnostic information followed by the error stacktrace(s): Java version: 1.6.0_22 Java vendor: Sun Microsystems Inc. (http://java.sun.com/) Java compiler: null (class version: 50.0) Operating system: Linux, amd64, 2.6.38-10-generic Game version: 0.93.350 Command line: [-memonce] Maximum memory: 568 MB Parallelism: 3 ---- Exception in thread "Movie Audio" java.lang.IllegalArgumentException: Master Gain not supported at org.classpath.icedtea.pulseaudio.PulseAudioLine.getControl(PulseAudioLine.java:89) at org.classpath.icedtea.pulseaudio.PulseAudioSourceDataLine.getControl(PulseAudioSourceDataLine.java:51) at hu.openig.screen.MediaPlayer$1.run(MediaPlayer.java:126) at java.lang.Thread.run(Thread.java:679) ``` Original issue reported on code.google.com by `Bruno9...@gmail.com` on 24 Aug 2011 at 3:16
defect
starting a new game or viewing the intro crashes the game in linux game version operating system e g windows windows xp bit ubuntu java runtime version run java version openjdk installed using the launcher yes no yes what steps will reproduce the problem trying to start a new game or viewing the intro what is the expected output what do you see instead i get an error window and the game shuts down please provide any additional information below the error window contains the following output an unexpected error occurred you should consider submitting an error report via the project issue list please include the following diagnostic information followed by the error stacktrace s java version java vendor sun microsystems inc java compiler null class version operating system linux generic game version command line maximum memory mb parallelism exception in thread movie audio java lang illegalargumentexception master gain not supported at org classpath icedtea pulseaudio pulseaudioline getcontrol pulseaudioline java at org classpath icedtea pulseaudio pulseaudiosourcedataline getcontrol pulseaudiosourcedataline java at hu openig screen mediaplayer run mediaplayer java at java lang thread run thread java original issue reported on code google com by gmail com on aug at
1
1,776
3,370,125,219
IssuesEvent
2015-11-23 13:52:48
insieme/insieme
https://api.github.com/repos/insieme/insieme
closed
precompiled header mechanism prevent from parallel compilation when fresh compiling
infrastructure
is there a flag to deactivate it? when using -j X, it get link errors like: ``` libinsieme_core.so: undefined reference to `boost::match_results<__gnu_cxx::__normal_iterator<char const*, std::string>, std::allocator<boost::sub_match<__gnu_cxx::__normal_iterator<char const*, std::string> > > >::maybe_assign(boost::match_results<__gnu_cxx::__normal_iterator<char const*, std::string>, std::allocator<boost::sub_match<__gnu_cxx::__normal_iterator<char const*, std::string> > > > const&)' libinsieme_core.so: undefined reference to `boost::re_detail::perl_matcher<__gnu_cxx::__normal_iterator<char const*, std::string>, std::allocator<boost::sub_match<__gnu_cxx::__normal_iterator<char const*, std::string> > >, boost::regex_traits<char, boost::cpp_regex_traits<char> > >::construct_init(boost::basic_regex<char, boost::regex_traits<char, boost::cpp_regex_traits<char> > > const&, boost::regex_constants::_match_flags)' collect2: error: ld returned 1 exit status ``` I guess the some translation unit want to compile before the needed pre-compiled headers are ready. but is just a guess.
1.0
precompiled header mechanism prevent from parallel compilation when fresh compiling - is there a flag to deactivate it? when using -j X, it get link errors like: ``` libinsieme_core.so: undefined reference to `boost::match_results<__gnu_cxx::__normal_iterator<char const*, std::string>, std::allocator<boost::sub_match<__gnu_cxx::__normal_iterator<char const*, std::string> > > >::maybe_assign(boost::match_results<__gnu_cxx::__normal_iterator<char const*, std::string>, std::allocator<boost::sub_match<__gnu_cxx::__normal_iterator<char const*, std::string> > > > const&)' libinsieme_core.so: undefined reference to `boost::re_detail::perl_matcher<__gnu_cxx::__normal_iterator<char const*, std::string>, std::allocator<boost::sub_match<__gnu_cxx::__normal_iterator<char const*, std::string> > >, boost::regex_traits<char, boost::cpp_regex_traits<char> > >::construct_init(boost::basic_regex<char, boost::regex_traits<char, boost::cpp_regex_traits<char> > > const&, boost::regex_constants::_match_flags)' collect2: error: ld returned 1 exit status ``` I guess the some translation unit want to compile before the needed pre-compiled headers are ready. but is just a guess.
non_defect
precompiled header mechanism prevent from parallel compilation when fresh compiling is there a flag to deactivate it when using j x it get link errors like libinsieme core so undefined reference to boost match results std allocator maybe assign boost match results std allocator const libinsieme core so undefined reference to boost re detail perl matcher std allocator boost regex traits construct init boost basic regex const boost regex constants match flags error ld returned exit status i guess the some translation unit want to compile before the needed pre compiled headers are ready but is just a guess
0
27,818
5,398,469,015
IssuesEvent
2017-02-27 17:00:35
FriendsOfPHP/PHP-CS-Fixer
https://api.github.com/repos/FriendsOfPHP/PHP-CS-Fixer
closed
Add: --rules={json} to the README
documentation
IMO it would be nice to add a description in the README about the added option to pass rules configuration as json by CLI .
1.0
Add: --rules={json} to the README - IMO it would be nice to add a description in the README about the added option to pass rules configuration as json by CLI .
non_defect
add rules json to the readme imo it would be nice to add a description in the readme about the added option to pass rules configuration as json by cli
0
681,238
23,302,538,705
IssuesEvent
2022-08-07 14:40:29
SeekyCt/ppcdis
https://api.github.com/repos/SeekyCt/ppcdis
closed
Include generation is quite slow
enhancement high priority
This is possibly due to the binaries being reloaded every single time by each one? Might be worth addding commands to do them in batches
1.0
Include generation is quite slow - This is possibly due to the binaries being reloaded every single time by each one? Might be worth addding commands to do them in batches
non_defect
include generation is quite slow this is possibly due to the binaries being reloaded every single time by each one might be worth addding commands to do them in batches
0
70,038
30,535,186,343
IssuesEvent
2023-07-19 16:48:51
hashicorp/terraform-provider-azurerm
https://api.github.com/repos/hashicorp/terraform-provider-azurerm
closed
DevTest Policies do not seem to apply
bug upstream/microsoft service/devtestlabs v/1.x (legacy)
<!--- Please note the following potential times when an issue might be in Terraform core: * [Configuration Language](https://www.terraform.io/docs/configuration/index.html) or resource ordering issues * [State](https://www.terraform.io/docs/state/index.html) and [State Backend](https://www.terraform.io/docs/backends/index.html) issues * [Provisioner](https://www.terraform.io/docs/provisioners/index.html) issues * [Registry](https://registry.terraform.io/) issues * Spans resources across multiple providers If you are running into one of these scenarios, we recommend opening an issue in the [Terraform core repository](https://github.com/hashicorp/terraform/) instead. ---> <!--- Please keep this note for the community ---> ### Community Note * Please vote on this issue by adding a 👍 [reaction](https://blog.github.com/2016-03-10-add-reactions-to-pull-requests-issues-and-comments/) to the original issue to help the community and maintainers prioritize this request * Please do not leave "+1" or "me too" comments, they generate extra noise for issue followers and do not help prioritize the request * If you are interested in working on this issue or have submitted a pull request, please leave a comment <!--- Thank you for keeping this note for the community ---> ### Terraform Version <!--- Please run `terraform -v` to show the Terraform core version and provider version(s). If you are not running the latest version of Terraform or the provider, please upgrade because your issue may have already been fixed. [Terraform documentation on provider versioning](https://www.terraform.io/docs/configuration/providers.html#provider-versions). ---> terraform -v Terraform v0.11.9 + provider.azurerm v1.17.0 ### Affected Resource(s) <!--- Please list the affected resources and data sources. ---> * azurerm_dev_test_policy ### Terraform Configuration Files <!--- Information about code formatting: https://help.github.com/articles/basic-writing-and-formatting-syntax/#quoting-code ---> ```hcl resource "azurerm_dev_test_lab" "lab" { name = "${lower(var.name)}" location = "${var.location}" resource_group_name = "${var.resource_group_name}" } resource "azurerm_dev_test_policy" "lab_vm_cap" { name = "LabVmCount" policy_set_name = "default" lab_name = "${azurerm_dev_test_lab.lab.name}" resource_group_name = "${azurerm_dev_test_lab.lab.resource_group_name}" threshold = "50" evaluator_type = "MaxValuePolicy" } resource "azurerm_dev_test_policy" "lab_user_vm_cap" { name = "UserOwnedLabVmCount" policy_set_name = "default" lab_name = "${azurerm_dev_test_lab.lab.name}" resource_group_name = "${azurerm_dev_test_lab.lab.resource_group_name}" threshold = "2" evaluator_type = "MaxValuePolicy" } ``` ### Expected Behavior Policies for user VM ownership should be visible in the Azure Portal ### Actual Behavior Changes are reported as applied from CLI, but going in to the portal shows no policies applied to the DevTest Lab ``` module.devtest-lab.azurerm_dev_test_policy.lab_vm_cap: Creation complete after 1s (ID: /subscriptions/c1a2562a-38a4-4712-b919-...policysets/default/policies/labvmcount) module.devtest-lab.azurerm_dev_test_policy.lab_user_vm_cap: Creation complete after 1s (ID: /subscriptions/c1a2562a-38a4-4712-b919-...s/default/policies/userownedlabvmcount) ``` ### Steps to Reproduce 1. Run above configuration with a lab name, resource_group_name, and location 2. `terraform apply`
1.0
DevTest Policies do not seem to apply - <!--- Please note the following potential times when an issue might be in Terraform core: * [Configuration Language](https://www.terraform.io/docs/configuration/index.html) or resource ordering issues * [State](https://www.terraform.io/docs/state/index.html) and [State Backend](https://www.terraform.io/docs/backends/index.html) issues * [Provisioner](https://www.terraform.io/docs/provisioners/index.html) issues * [Registry](https://registry.terraform.io/) issues * Spans resources across multiple providers If you are running into one of these scenarios, we recommend opening an issue in the [Terraform core repository](https://github.com/hashicorp/terraform/) instead. ---> <!--- Please keep this note for the community ---> ### Community Note * Please vote on this issue by adding a 👍 [reaction](https://blog.github.com/2016-03-10-add-reactions-to-pull-requests-issues-and-comments/) to the original issue to help the community and maintainers prioritize this request * Please do not leave "+1" or "me too" comments, they generate extra noise for issue followers and do not help prioritize the request * If you are interested in working on this issue or have submitted a pull request, please leave a comment <!--- Thank you for keeping this note for the community ---> ### Terraform Version <!--- Please run `terraform -v` to show the Terraform core version and provider version(s). If you are not running the latest version of Terraform or the provider, please upgrade because your issue may have already been fixed. [Terraform documentation on provider versioning](https://www.terraform.io/docs/configuration/providers.html#provider-versions). ---> terraform -v Terraform v0.11.9 + provider.azurerm v1.17.0 ### Affected Resource(s) <!--- Please list the affected resources and data sources. ---> * azurerm_dev_test_policy ### Terraform Configuration Files <!--- Information about code formatting: https://help.github.com/articles/basic-writing-and-formatting-syntax/#quoting-code ---> ```hcl resource "azurerm_dev_test_lab" "lab" { name = "${lower(var.name)}" location = "${var.location}" resource_group_name = "${var.resource_group_name}" } resource "azurerm_dev_test_policy" "lab_vm_cap" { name = "LabVmCount" policy_set_name = "default" lab_name = "${azurerm_dev_test_lab.lab.name}" resource_group_name = "${azurerm_dev_test_lab.lab.resource_group_name}" threshold = "50" evaluator_type = "MaxValuePolicy" } resource "azurerm_dev_test_policy" "lab_user_vm_cap" { name = "UserOwnedLabVmCount" policy_set_name = "default" lab_name = "${azurerm_dev_test_lab.lab.name}" resource_group_name = "${azurerm_dev_test_lab.lab.resource_group_name}" threshold = "2" evaluator_type = "MaxValuePolicy" } ``` ### Expected Behavior Policies for user VM ownership should be visible in the Azure Portal ### Actual Behavior Changes are reported as applied from CLI, but going in to the portal shows no policies applied to the DevTest Lab ``` module.devtest-lab.azurerm_dev_test_policy.lab_vm_cap: Creation complete after 1s (ID: /subscriptions/c1a2562a-38a4-4712-b919-...policysets/default/policies/labvmcount) module.devtest-lab.azurerm_dev_test_policy.lab_user_vm_cap: Creation complete after 1s (ID: /subscriptions/c1a2562a-38a4-4712-b919-...s/default/policies/userownedlabvmcount) ``` ### Steps to Reproduce 1. Run above configuration with a lab name, resource_group_name, and location 2. `terraform apply`
non_defect
devtest policies do not seem to apply please note the following potential times when an issue might be in terraform core or resource ordering issues and issues issues issues spans resources across multiple providers if you are running into one of these scenarios we recommend opening an issue in the instead community note please vote on this issue by adding a 👍 to the original issue to help the community and maintainers prioritize this request please do not leave or me too comments they generate extra noise for issue followers and do not help prioritize the request if you are interested in working on this issue or have submitted a pull request please leave a comment terraform version terraform v terraform provider azurerm affected resource s azurerm dev test policy terraform configuration files hcl resource azurerm dev test lab lab name lower var name location var location resource group name var resource group name resource azurerm dev test policy lab vm cap name labvmcount policy set name default lab name azurerm dev test lab lab name resource group name azurerm dev test lab lab resource group name threshold evaluator type maxvaluepolicy resource azurerm dev test policy lab user vm cap name userownedlabvmcount policy set name default lab name azurerm dev test lab lab name resource group name azurerm dev test lab lab resource group name threshold evaluator type maxvaluepolicy expected behavior policies for user vm ownership should be visible in the azure portal actual behavior changes are reported as applied from cli but going in to the portal shows no policies applied to the devtest lab module devtest lab azurerm dev test policy lab vm cap creation complete after id subscriptions policysets default policies labvmcount module devtest lab azurerm dev test policy lab user vm cap creation complete after id subscriptions s default policies userownedlabvmcount steps to reproduce run above configuration with a lab name resource group name and location terraform apply
0
4,613
2,610,133,837
IssuesEvent
2015-02-26 18:42:09
chrsmith/hedgewars
https://api.github.com/repos/chrsmith/hedgewars
closed
AI teleportation bugs
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. create game with AI What is the expected output? What do you see instead? When teleporting, from time to time the AI selects invalid targets (you can hear the 'denied' sound). Sometimes it will select a valid target after some retries, sometimes it will retry until the round ends. Sometimes, it also happens that the AI selects targets (very) high in the air, falling down and dealing damage. What version of the product are you using? On what operating system? development version, revision 3723, GNU/Linux Please provide any additional information below. -- ``` ----- Original issue reported on code.google.com by `alexander.heinlein@web.de` on 10 Aug 2010 at 6:06
1.0
AI teleportation bugs - ``` What steps will reproduce the problem? 1. create game with AI What is the expected output? What do you see instead? When teleporting, from time to time the AI selects invalid targets (you can hear the 'denied' sound). Sometimes it will select a valid target after some retries, sometimes it will retry until the round ends. Sometimes, it also happens that the AI selects targets (very) high in the air, falling down and dealing damage. What version of the product are you using? On what operating system? development version, revision 3723, GNU/Linux Please provide any additional information below. -- ``` ----- Original issue reported on code.google.com by `alexander.heinlein@web.de` on 10 Aug 2010 at 6:06
defect
ai teleportation bugs what steps will reproduce the problem create game with ai what is the expected output what do you see instead when teleporting from time to time the ai selects invalid targets you can hear the denied sound sometimes it will select a valid target after some retries sometimes it will retry until the round ends sometimes it also happens that the ai selects targets very high in the air falling down and dealing damage what version of the product are you using on what operating system development version revision gnu linux please provide any additional information below original issue reported on code google com by alexander heinlein web de on aug at
1
17,144
2,974,603,294
IssuesEvent
2015-07-15 02:16:59
Reimashi/jotai
https://api.github.com/repos/Reimashi/jotai
closed
CPU Temperature incorrectly reported for Atom N270 (too low)
auto-migrated Priority-Medium Type-Defect
``` CPU Temperature is reported as very low, sometimes (at PC startup) even under 0 °C. Based on some experimentation, comparing with HWMonitor Pro, I've found TjMax should be set to 105 for this CPU (instead on 90). Same problem on RealTemp. What version of the product are you using? On what operating system? 0.1.35 on Windows 7 Starter edition (32 bit) Please attach a Report created with "File / Save Report...". Attached report, with CPU Family and ID. ``` Original issue reported on code.google.com by `andreabe...@gmail.com` on 6 Oct 2010 at 9:57 Attachments: * [OpenHardwareMonitor.Report.txt](https://storage.googleapis.com/google-code-attachments/open-hardware-monitor/issue-128/comment-0/OpenHardwareMonitor.Report.txt)
1.0
CPU Temperature incorrectly reported for Atom N270 (too low) - ``` CPU Temperature is reported as very low, sometimes (at PC startup) even under 0 °C. Based on some experimentation, comparing with HWMonitor Pro, I've found TjMax should be set to 105 for this CPU (instead on 90). Same problem on RealTemp. What version of the product are you using? On what operating system? 0.1.35 on Windows 7 Starter edition (32 bit) Please attach a Report created with "File / Save Report...". Attached report, with CPU Family and ID. ``` Original issue reported on code.google.com by `andreabe...@gmail.com` on 6 Oct 2010 at 9:57 Attachments: * [OpenHardwareMonitor.Report.txt](https://storage.googleapis.com/google-code-attachments/open-hardware-monitor/issue-128/comment-0/OpenHardwareMonitor.Report.txt)
defect
cpu temperature incorrectly reported for atom too low cpu temperature is reported as very low sometimes at pc startup even under °c based on some experimentation comparing with hwmonitor pro i ve found tjmax should be set to for this cpu instead on same problem on realtemp what version of the product are you using on what operating system on windows starter edition bit please attach a report created with file save report attached report with cpu family and id original issue reported on code google com by andreabe gmail com on oct at attachments
1
35,901
7,833,637,029
IssuesEvent
2018-06-16 01:07:28
StrikeNP/trac_test
https://api.github.com/repos/StrikeNP/trac_test
closed
Remove SCM_Activation_clubb folder from CLUBB (Trac #705)
Migrated from Trac clubb_src defect raut@uwm.edu
`SCM_Activation_clubb` points to an old checkout of CLUBB. This has caused confusion. Let's remove it! Attachments: Migrated from http://carson.math.uwm.edu/trac/clubb/ticket/705 ```json { "status": "closed", "changetime": "2014-06-17T21:07:19", "description": "`SCM_Activation_clubb` points to an old checkout of CLUBB. This has caused confusion. Let's remove it!", "reporter": "raut@uwm.edu", "cc": "vlarson@uwm.edu", "resolution": "fixed", "_ts": "1403039239982103", "component": "clubb_src", "summary": "Remove SCM_Activation_clubb folder from CLUBB", "priority": "minor", "keywords": "", "time": "2014-06-17T21:06:20", "milestone": "3. Refactor CLUBB", "owner": "raut@uwm.edu", "type": "defect" } ```
1.0
Remove SCM_Activation_clubb folder from CLUBB (Trac #705) - `SCM_Activation_clubb` points to an old checkout of CLUBB. This has caused confusion. Let's remove it! Attachments: Migrated from http://carson.math.uwm.edu/trac/clubb/ticket/705 ```json { "status": "closed", "changetime": "2014-06-17T21:07:19", "description": "`SCM_Activation_clubb` points to an old checkout of CLUBB. This has caused confusion. Let's remove it!", "reporter": "raut@uwm.edu", "cc": "vlarson@uwm.edu", "resolution": "fixed", "_ts": "1403039239982103", "component": "clubb_src", "summary": "Remove SCM_Activation_clubb folder from CLUBB", "priority": "minor", "keywords": "", "time": "2014-06-17T21:06:20", "milestone": "3. Refactor CLUBB", "owner": "raut@uwm.edu", "type": "defect" } ```
defect
remove scm activation clubb folder from clubb trac scm activation clubb points to an old checkout of clubb this has caused confusion let s remove it attachments migrated from json status closed changetime description scm activation clubb points to an old checkout of clubb this has caused confusion let s remove it reporter raut uwm edu cc vlarson uwm edu resolution fixed ts component clubb src summary remove scm activation clubb folder from clubb priority minor keywords time milestone refactor clubb owner raut uwm edu type defect
1
57,118
15,699,661,762
IssuesEvent
2021-03-26 08:49:04
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
opened
Reaction preview bug
T-Defect
### Description When a reaction arrives in DM room to my message, it's prefixed with the contact's name... ![obrazek](https://user-images.githubusercontent.com/15554561/112605069-2e78e900-8e17-11eb-9c7c-bb6501c00af1.png) and when the page is reloaded it's without name prefix... ![obrazek](https://user-images.githubusercontent.com/15554561/112605158-49e3f400-8e17-11eb-9733-1e2546d1e807.png) Feature `feature_roomlist_preview_reactions_dms` is enabled via config file. I would appreciate format of message preview like: `👍 to message "I like it"` and notification counter increased in DMs. ### Steps to reproduce - Send a message to someone in DM - Someone gives a reaction to that message - Reaction preview is preffixed with somebody's name - Reload Element Web page - Reaction preview is not preffixed with somebody's name ### Version information - **Platform**: Element Web For the web app: - **Browser**: Firefox 88b3 - **OS**: Windows 10 - **URL**: private server with Element Web 1.24 rc1
1.0
Reaction preview bug - ### Description When a reaction arrives in DM room to my message, it's prefixed with the contact's name... ![obrazek](https://user-images.githubusercontent.com/15554561/112605069-2e78e900-8e17-11eb-9c7c-bb6501c00af1.png) and when the page is reloaded it's without name prefix... ![obrazek](https://user-images.githubusercontent.com/15554561/112605158-49e3f400-8e17-11eb-9733-1e2546d1e807.png) Feature `feature_roomlist_preview_reactions_dms` is enabled via config file. I would appreciate format of message preview like: `👍 to message "I like it"` and notification counter increased in DMs. ### Steps to reproduce - Send a message to someone in DM - Someone gives a reaction to that message - Reaction preview is preffixed with somebody's name - Reload Element Web page - Reaction preview is not preffixed with somebody's name ### Version information - **Platform**: Element Web For the web app: - **Browser**: Firefox 88b3 - **OS**: Windows 10 - **URL**: private server with Element Web 1.24 rc1
defect
reaction preview bug description when a reaction arrives in dm room to my message it s prefixed with the contact s name and when the page is reloaded it s without name prefix feature feature roomlist preview reactions dms is enabled via config file i would appreciate format of message preview like 👍 to message i like it and notification counter increased in dms steps to reproduce send a message to someone in dm someone gives a reaction to that message reaction preview is preffixed with somebody s name reload element web page reaction preview is not preffixed with somebody s name version information platform element web for the web app browser firefox os windows url private server with element web
1
79,574
28,379,605,182
IssuesEvent
2023-04-13 01:10:54
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
opened
Embedded Hazelcast fails to start up when upgraded from 5.2.2 to 5.2.3
Type: Defect
<!-- Thanks for reporting your issue. Please share with us the following information, to help us resolve your issue quickly and efficiently. --> **Describe the bug** We use Embedded Hazelcast in our services and when we were trying to upgrade Hazelcast to 5.2.3 version, there was an error starting the service. Noticed that service is taking a very long time and not turning into a healthy state which was causing the pods to be terminated by kubernetes. When we turned the logging on noticed that we were getting several kubernetes exceptions . Seems to be related to the new fix related to discovery of the services in kubernetes. We tried using the newly added system property "hazelcast.discovery.public.address.fallback", adding that also did not help in resolving the issue with the startup. Encountered several restarts in kubernetes environment. Greatly appreciate your help on this issue. **Expected behavior** I was expecting the upgrade to 5.2.3 to be seemless. But there seems to be an issue with creating Hazelcast instance. Also was expecting that when we set the newly added property i.e "hazelcast.discovery.public.address.fallback", it should behave exactly as 5.2.2 version which was not happening. **Additional context** Here is the attached log file [hazelcast.txt](https://github.com/hazelcast/hazelcast/files/11217229/hazelcast.txt)
1.0
Embedded Hazelcast fails to start up when upgraded from 5.2.2 to 5.2.3 - <!-- Thanks for reporting your issue. Please share with us the following information, to help us resolve your issue quickly and efficiently. --> **Describe the bug** We use Embedded Hazelcast in our services and when we were trying to upgrade Hazelcast to 5.2.3 version, there was an error starting the service. Noticed that service is taking a very long time and not turning into a healthy state which was causing the pods to be terminated by kubernetes. When we turned the logging on noticed that we were getting several kubernetes exceptions . Seems to be related to the new fix related to discovery of the services in kubernetes. We tried using the newly added system property "hazelcast.discovery.public.address.fallback", adding that also did not help in resolving the issue with the startup. Encountered several restarts in kubernetes environment. Greatly appreciate your help on this issue. **Expected behavior** I was expecting the upgrade to 5.2.3 to be seemless. But there seems to be an issue with creating Hazelcast instance. Also was expecting that when we set the newly added property i.e "hazelcast.discovery.public.address.fallback", it should behave exactly as 5.2.2 version which was not happening. **Additional context** Here is the attached log file [hazelcast.txt](https://github.com/hazelcast/hazelcast/files/11217229/hazelcast.txt)
defect
embedded hazelcast fails to start up when upgraded from to thanks for reporting your issue please share with us the following information to help us resolve your issue quickly and efficiently describe the bug we use embedded hazelcast in our services and when we were trying to upgrade hazelcast to version there was an error starting the service noticed that service is taking a very long time and not turning into a healthy state which was causing the pods to be terminated by kubernetes when we turned the logging on noticed that we were getting several kubernetes exceptions seems to be related to the new fix related to discovery of the services in kubernetes we tried using the newly added system property hazelcast discovery public address fallback adding that also did not help in resolving the issue with the startup encountered several restarts in kubernetes environment greatly appreciate your help on this issue expected behavior i was expecting the upgrade to to be seemless but there seems to be an issue with creating hazelcast instance also was expecting that when we set the newly added property i e hazelcast discovery public address fallback it should behave exactly as version which was not happening additional context here is the attached log file
1
71,993
15,210,129,658
IssuesEvent
2021-02-17 06:52:11
andythinkpower/Proj_02
https://api.github.com/repos/andythinkpower/Proj_02
closed
CVE-2018-5968 (High) detected in jackson-databind-2.9.3.jar - autoclosed
security vulnerability
## CVE-2018-5968 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.3.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: Proj_02/Proj_02/pom.xml</p> <p>Path to vulnerable library: canner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.3/jackson-databind-2.9.3.jar</p> <p> Dependency Hierarchy: - :x: **jackson-databind-2.9.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/andythinkpower/Proj_02/commit/b7c34d42bb108094d60cbbc332155dca1a1f54ad">b7c34d42bb108094d60cbbc332155dca1a1f54ad</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> FasterXML jackson-databind through 2.8.11 and 2.9.x through 2.9.3 allows unauthenticated remote code execution because of an incomplete fix for the CVE-2017-7525 and CVE-2017-17485 deserialization flaws. This is exploitable via two different gadgets that bypass a blacklist. <p>Publish Date: 2018-01-22 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2018-5968>CVE-2018-5968</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="http://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-5968">http://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-5968</a></p> <p>Release Date: 2018-01-22</p> <p>Fix Resolution: 2.8.11.1, 2.9.4</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2018-5968 (High) detected in jackson-databind-2.9.3.jar - autoclosed - ## CVE-2018-5968 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.3.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p> <p>Path to dependency file: Proj_02/Proj_02/pom.xml</p> <p>Path to vulnerable library: canner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.3/jackson-databind-2.9.3.jar</p> <p> Dependency Hierarchy: - :x: **jackson-databind-2.9.3.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/andythinkpower/Proj_02/commit/b7c34d42bb108094d60cbbc332155dca1a1f54ad">b7c34d42bb108094d60cbbc332155dca1a1f54ad</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> FasterXML jackson-databind through 2.8.11 and 2.9.x through 2.9.3 allows unauthenticated remote code execution because of an incomplete fix for the CVE-2017-7525 and CVE-2017-17485 deserialization flaws. This is exploitable via two different gadgets that bypass a blacklist. <p>Publish Date: 2018-01-22 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2018-5968>CVE-2018-5968</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="http://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-5968">http://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-5968</a></p> <p>Release Date: 2018-01-22</p> <p>Fix Resolution: 2.8.11.1, 2.9.4</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve high detected in jackson databind jar autoclosed cve high severity vulnerability vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to dependency file proj proj pom xml path to vulnerable library canner repository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy x jackson databind jar vulnerable library found in head commit a href found in base branch master vulnerability details fasterxml jackson databind through and x through allows unauthenticated remote code execution because of an incomplete fix for the cve and cve deserialization flaws this is exploitable via two different gadgets that bypass a blacklist publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity high privileges required none user interaction none scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with whitesource
0
665,559
22,321,587,028
IssuesEvent
2022-06-14 07:00:05
Skaant/rimarok-2
https://api.github.com/repos/Skaant/rimarok-2
opened
Component : BadgesList
⚡ high priority
Displays an **inline** (must not be use in div, or div should be set inline) list of badges. *Share some characteristics with #25*. ## Props * `badges: { label: string, color: COLORS }[]` You should define a type for `Badge` just before component (no need to export until we need it)
1.0
Component : BadgesList - Displays an **inline** (must not be use in div, or div should be set inline) list of badges. *Share some characteristics with #25*. ## Props * `badges: { label: string, color: COLORS }[]` You should define a type for `Badge` just before component (no need to export until we need it)
non_defect
component badgeslist displays an inline must not be use in div or div should be set inline list of badges share some characteristics with props badges label string color colors you should define a type for badge just before component no need to export until we need it
0
10,580
2,622,174,898
IssuesEvent
2015-03-04 00:16:11
byzhang/leveldb
https://api.github.com/repos/byzhang/leveldb
closed
Allow ${CC} and ${OPT} to be overriden
auto-migrated Priority-Medium Type-Defect
``` Attached is a patch to allow ${CC} and ${OPT} to be overriden. This helps packagers who may want to point CC to a different compiler than g++, or who want to append to OPT. ``` Original issue reported on code.google.com by `jasper.l...@gmail.com` on 18 Aug 2011 at 3:13 Attachments: * [Makefile.patch](https://storage.googleapis.com/google-code-attachments/leveldb/issue-32/comment-0/Makefile.patch)
1.0
Allow ${CC} and ${OPT} to be overriden - ``` Attached is a patch to allow ${CC} and ${OPT} to be overriden. This helps packagers who may want to point CC to a different compiler than g++, or who want to append to OPT. ``` Original issue reported on code.google.com by `jasper.l...@gmail.com` on 18 Aug 2011 at 3:13 Attachments: * [Makefile.patch](https://storage.googleapis.com/google-code-attachments/leveldb/issue-32/comment-0/Makefile.patch)
defect
allow cc and opt to be overriden attached is a patch to allow cc and opt to be overriden this helps packagers who may want to point cc to a different compiler than g or who want to append to opt original issue reported on code google com by jasper l gmail com on aug at attachments
1
179,136
30,122,254,975
IssuesEvent
2023-06-30 16:07:06
cal-itp/services-team
https://api.github.com/repos/cal-itp/services-team
closed
Align Cal-ITP.org styles with MobiMart
design
- [x] Review and match color (special attention to blacks and blues) - [x] Review and match typography - [x] Review and match navigation - [x] Review and match buttons - [x] Review and match footer - [x] Review and ensure mobile UI matches - [x] Create one shared Figma Library file that both sites can pull from
1.0
Align Cal-ITP.org styles with MobiMart - - [x] Review and match color (special attention to blacks and blues) - [x] Review and match typography - [x] Review and match navigation - [x] Review and match buttons - [x] Review and match footer - [x] Review and ensure mobile UI matches - [x] Create one shared Figma Library file that both sites can pull from
non_defect
align cal itp org styles with mobimart review and match color special attention to blacks and blues review and match typography review and match navigation review and match buttons review and match footer review and ensure mobile ui matches create one shared figma library file that both sites can pull from
0
54,320
13,562,552,909
IssuesEvent
2020-09-18 07:05:12
snowplow/snowplow-javascript-tracker
https://api.github.com/repos/snowplow/snowplow-javascript-tracker
opened
ContextGeneratorEvent["event"] shouldn't be typed as SelfDescribingJson
type:defect
**Describe the bug** The first argument of ContextGenerator, `event` does not match the type definition of `SelfDescribingJson`. `SelfDescribingJson` contains properties `data` and `scheme`, but `event` does not. Consequently it implies that both `data` and `schema` exists in the `event` value. But in usage, it does not exist. ![image](https://user-images.githubusercontent.com/8733840/93566523-c658ce80-f9bf-11ea-925f-442377b497d4.png) In actual usage the args.event payload looks more like this: https://github.com/snowplow/snowplow/wiki/snowplow-tracker-protocol#3-snowplow-events ```json { "uid": "aeb1691c5a0ee5a6", "vid": "2", "tid": "508780", "aid": "1", "tv": "js-0.5.2", "e": "se", "se_ca": "ecomm", "se_ac": "add-to-basket", "se_la": "178", "se_pr": "1", "se_va": "14.99" } ``` Reference: https://github.com/snowplow/snowplow-javascript-tracker/blob/abb0d37ee512a5efb9ed0d2e56d50ecd6ae6787e/core/src/contexts.ts#L36-L47 https://github.com/snowplow/snowplow-javascript-tracker/blob/abb0d37ee512a5efb9ed0d2e56d50ecd6ae6787e/core/src/core.ts#L21-L28 **To Reproduce** N/A **Expected behavior** Should `event` be `Record<string, unknown>` instead? **Screenshots** N/A **Desktop (please complete the following information):** N/A **Smartphone (please complete the following information):** N/A **Additional context** N/A
1.0
ContextGeneratorEvent["event"] shouldn't be typed as SelfDescribingJson - **Describe the bug** The first argument of ContextGenerator, `event` does not match the type definition of `SelfDescribingJson`. `SelfDescribingJson` contains properties `data` and `scheme`, but `event` does not. Consequently it implies that both `data` and `schema` exists in the `event` value. But in usage, it does not exist. ![image](https://user-images.githubusercontent.com/8733840/93566523-c658ce80-f9bf-11ea-925f-442377b497d4.png) In actual usage the args.event payload looks more like this: https://github.com/snowplow/snowplow/wiki/snowplow-tracker-protocol#3-snowplow-events ```json { "uid": "aeb1691c5a0ee5a6", "vid": "2", "tid": "508780", "aid": "1", "tv": "js-0.5.2", "e": "se", "se_ca": "ecomm", "se_ac": "add-to-basket", "se_la": "178", "se_pr": "1", "se_va": "14.99" } ``` Reference: https://github.com/snowplow/snowplow-javascript-tracker/blob/abb0d37ee512a5efb9ed0d2e56d50ecd6ae6787e/core/src/contexts.ts#L36-L47 https://github.com/snowplow/snowplow-javascript-tracker/blob/abb0d37ee512a5efb9ed0d2e56d50ecd6ae6787e/core/src/core.ts#L21-L28 **To Reproduce** N/A **Expected behavior** Should `event` be `Record<string, unknown>` instead? **Screenshots** N/A **Desktop (please complete the following information):** N/A **Smartphone (please complete the following information):** N/A **Additional context** N/A
defect
contextgeneratorevent shouldn t be typed as selfdescribingjson describe the bug the first argument of contextgenerator event does not match the type definition of selfdescribingjson selfdescribingjson contains properties data and scheme but event does not consequently it implies that both data and schema exists in the event value but in usage it does not exist in actual usage the args event payload looks more like this json uid vid tid aid tv js e se se ca ecomm se ac add to basket se la se pr se va reference to reproduce n a expected behavior should event be record instead screenshots n a desktop please complete the following information n a smartphone please complete the following information n a additional context n a
1
25,731
4,426,782,414
IssuesEvent
2016-08-16 19:22:19
googlei18n/noto-fonts
https://api.github.com/repos/googlei18n/noto-fonts
closed
Noto Sans Myanmar glyph adjustment for Sgaw Karen
Android Priority-Medium Script-Myanmar Type-Defect
In the Noto Sans Myanmar font (latest version) the DOT below U+1037 is positioned behind the CHA U+1061 character. The correct position is on the left so that the DOT does not collide with the base character. This is for the Sgaw Karen language. Our translators in Myanmar would like to request this change. If approved and changed please let us know so that we can use the updated font. ![cha and dot below](https://cloud.githubusercontent.com/assets/14258071/9877267/b88b8806-5bb3-11e5-991c-3fbf0adc4c2c.jpg)
1.0
Noto Sans Myanmar glyph adjustment for Sgaw Karen - In the Noto Sans Myanmar font (latest version) the DOT below U+1037 is positioned behind the CHA U+1061 character. The correct position is on the left so that the DOT does not collide with the base character. This is for the Sgaw Karen language. Our translators in Myanmar would like to request this change. If approved and changed please let us know so that we can use the updated font. ![cha and dot below](https://cloud.githubusercontent.com/assets/14258071/9877267/b88b8806-5bb3-11e5-991c-3fbf0adc4c2c.jpg)
defect
noto sans myanmar glyph adjustment for sgaw karen in the noto sans myanmar font latest version the dot below u is positioned behind the cha u character the correct position is on the left so that the dot does not collide with the base character this is for the sgaw karen language our translators in myanmar would like to request this change if approved and changed please let us know so that we can use the updated font
1
16,983
2,964,778,547
IssuesEvent
2015-07-10 18:38:56
opendatakit/opendatakit
https://api.github.com/repos/opendatakit/opendatakit
opened
Accessing a Survey within a Survey
2.0 Priority-High Survey Type-Defect
**Steps to reproduce:** - Open Survey with embedded Survey (e.g. Household Survey) - Navigate to add internal Survey page (e.g. House Member) - Click to add the Survey (e.g. Add House Member) **Expected behavior:** Internal Survey is displayed **Observed behavior:** "The requested form is missing: " (the form is downloaded and can be opened itself itself) I'm sure this has something to do with the changes in how tables and forms are referenced.
1.0
Accessing a Survey within a Survey - **Steps to reproduce:** - Open Survey with embedded Survey (e.g. Household Survey) - Navigate to add internal Survey page (e.g. House Member) - Click to add the Survey (e.g. Add House Member) **Expected behavior:** Internal Survey is displayed **Observed behavior:** "The requested form is missing: " (the form is downloaded and can be opened itself itself) I'm sure this has something to do with the changes in how tables and forms are referenced.
defect
accessing a survey within a survey steps to reproduce open survey with embedded survey e g household survey navigate to add internal survey page e g house member click to add the survey e g add house member expected behavior internal survey is displayed observed behavior the requested form is missing the form is downloaded and can be opened itself itself i m sure this has something to do with the changes in how tables and forms are referenced
1
33,830
7,263,267,979
IssuesEvent
2018-02-19 10:13:45
opencaching/opencaching-pl
https://api.github.com/repos/opencaching/opencaching-pl
closed
viewcache description: default css vs tinyMCE
Component_Cache Priority_High Type_Defect
From OCPL forum: > A co się dzieje w z tłem w moich keszach ? np. OP8EL2, OP8CBT? Przedtem było całe jednolite, teraz są okropne paski, które pojawiają się jak się kliknie spację. Można się tego jakoś definitywnie pozbyć? it seems that we have default css for cache description (in viewcache.css): ``` div#viewcache-description { font-family: arial, sans serif; line-height: 1.3em; font-size: 12px; margin-top: 5px;} div#viewcache-description * {max-width: 770px;line-height: 1.3em;font-size: 12px; margin: 0px 0px 0.5em 0em; } ``` Why we have a margin here?
1.0
viewcache description: default css vs tinyMCE - From OCPL forum: > A co się dzieje w z tłem w moich keszach ? np. OP8EL2, OP8CBT? Przedtem było całe jednolite, teraz są okropne paski, które pojawiają się jak się kliknie spację. Można się tego jakoś definitywnie pozbyć? it seems that we have default css for cache description (in viewcache.css): ``` div#viewcache-description { font-family: arial, sans serif; line-height: 1.3em; font-size: 12px; margin-top: 5px;} div#viewcache-description * {max-width: 770px;line-height: 1.3em;font-size: 12px; margin: 0px 0px 0.5em 0em; } ``` Why we have a margin here?
defect
viewcache description default css vs tinymce from ocpl forum a co się dzieje w z tłem w moich keszach np przedtem było całe jednolite teraz są okropne paski które pojawiają się jak się kliknie spację można się tego jakoś definitywnie pozbyć it seems that we have default css for cache description in viewcache css div viewcache description font family arial sans serif line height font size margin top div viewcache description max width line height font size margin why we have a margin here
1
67,453
20,961,613,506
IssuesEvent
2022-03-27 21:49:41
abedmaatalla/sipdroid
https://api.github.com/repos/abedmaatalla/sipdroid
closed
SIpdroid app moves to background
Priority-Medium Type-Defect auto-migrated
``` I initiated call from Sipdroid (Sipdroid version 2.4 beta) 5-6 times repeatedly. but the application hangs for sometime and moves to background. Please Help Logcat is attached: ``` Original issue reported on code.google.com by `jeenaraj...@gmail.com` on 9 Nov 2011 at 11:44 Attachments: - [log2.txt](https://storage.googleapis.com/google-code-attachments/sipdroid/issue-987/comment-0/log2.txt)
1.0
SIpdroid app moves to background - ``` I initiated call from Sipdroid (Sipdroid version 2.4 beta) 5-6 times repeatedly. but the application hangs for sometime and moves to background. Please Help Logcat is attached: ``` Original issue reported on code.google.com by `jeenaraj...@gmail.com` on 9 Nov 2011 at 11:44 Attachments: - [log2.txt](https://storage.googleapis.com/google-code-attachments/sipdroid/issue-987/comment-0/log2.txt)
defect
sipdroid app moves to background i initiated call from sipdroid sipdroid version beta times repeatedly but the application hangs for sometime and moves to background please help logcat is attached original issue reported on code google com by jeenaraj gmail com on nov at attachments
1
167,055
12,990,724,650
IssuesEvent
2020-07-23 01:01:06
ignitionrobotics/ign-physics
https://api.github.com/repos/ignitionrobotics/ign-physics
opened
Jenkins Windows CI is not installing DART
DART tests
Windows CI is currently skipping the dartsim component: ``` -- Could NOT find DART (missing: DART_DIR) -- Looking for DART - not found -- ------------------------------------------- -- BUILD WARNINGS -- Cannot build component [dartsim] - Missing: DART (Components: collision-ode, utils, utils-urdf, CONFIG) -- END BUILD WARNINGS ``` We should make sure DART and its Ignition Physics bindings are installable and runnable on Windows.
1.0
Jenkins Windows CI is not installing DART - Windows CI is currently skipping the dartsim component: ``` -- Could NOT find DART (missing: DART_DIR) -- Looking for DART - not found -- ------------------------------------------- -- BUILD WARNINGS -- Cannot build component [dartsim] - Missing: DART (Components: collision-ode, utils, utils-urdf, CONFIG) -- END BUILD WARNINGS ``` We should make sure DART and its Ignition Physics bindings are installable and runnable on Windows.
non_defect
jenkins windows ci is not installing dart windows ci is currently skipping the dartsim component could not find dart missing dart dir looking for dart not found build warnings cannot build component missing dart components collision ode utils utils urdf config end build warnings we should make sure dart and its ignition physics bindings are installable and runnable on windows
0