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
1k
labels
stringlengths
4
1.38k
body
stringlengths
1
262k
index
stringclasses
16 values
text_combine
stringlengths
96
262k
label
stringclasses
2 values
text
stringlengths
96
252k
binary_label
int64
0
1
267,784
8,392,835,158
IssuesEvent
2018-10-09 18:45:44
Polymer/lit-html
https://api.github.com/repos/Polymer/lit-html
opened
Add commit hook to RenderOptions
Area: Security Priority: Critical Status: Accepted Type: Enhancement
As requested in #271, we need sanitization hooks. We recently introduced `RenderOptions` to `render()` that can flow to all Parts when they're instantiated by a `TemplateProcessor`. Via `RenderOptions` we can pass in a "commit" hook that all Parts will call too in the commit phase. For reference, @mikesamuel's requirements for the hooks: 1. The value prior to any coercion to a string 2. The attribute and/or property name if any 3. The element if any -- <input type> != <script type> 4. If being substituted into a text node, the parent context -- Is it being substituted into a <script type=text/javascript>? Some questions to answer about the hooks: - Should it be in the `setValue()` or `commit()` phase, or both? Since directives run in the commit phase, a hook would need to go after directives run to see the final value. - Should the attribute/property hook be in `AttributePart#commit()` or `AttributeComitter#commit()`? `AttributeComitter#commit()` is where we know all of the literal string and expression values. - Directives can convert the types of values. - They could stringify them, which violates (1), _but_ lit-html sets `textContent` in text-bindings, so those are generally safe. I think that attribute sanitization generally needs the string value too, expect when allowing `SafeHTML` values to pass through. Directives should just not convert those to strings. - They can convert _from_ strings, and generally do unsafe things. `unsafeHTML` does this by converting strings to nodes. In a security sensitive environment, such directives need to be disallowed. If the hook is in `AttributePart#commit()`, the change will look like this: ```ts export class AttributePart implements Part { // ... commit() { while (isDirective(this.value)) { const directive = this.value; this.value = noChange; directive(this); } if (this.value === noChange) { return; } // Here's the hook: if (typeof this.options.commitCallback === 'function') { this.options.commitCallback(this); } this.committer.commit(); } } ``` The hook will have access to the value via `part.value`, and the element and attribute name via `part.committer.name`, `part.committer.element`. If the hook is in `AttributeComitter#commit()`, the change will look like: ```ts export class AttributeCommitter { // ... commit(): void { if (this.dirty) { // Here's the hook: if (typeof this.options.commitCallback === 'function') { this.options.commitCallback(this); } this.dirty = false; this.element.setAttribute(this.name, this._getValue()); } } } ``` The hook will have access to the element and attribute name via `commiter.name` and `commiter.element`, and the strings and values via `commiter.strings`, and `commiter.values`. The problem here is a commit hook doesn't always receive a Part - it might receive a NodePart, BooleanAttributePart, EventPart, or AttributeCommiter or PropertyCommiter. That inconsistency might not be so bad though? cc @mikesamuel for feedback.
1.0
Add commit hook to RenderOptions - As requested in #271, we need sanitization hooks. We recently introduced `RenderOptions` to `render()` that can flow to all Parts when they're instantiated by a `TemplateProcessor`. Via `RenderOptions` we can pass in a "commit" hook that all Parts will call too in the commit phase. For reference, @mikesamuel's requirements for the hooks: 1. The value prior to any coercion to a string 2. The attribute and/or property name if any 3. The element if any -- <input type> != <script type> 4. If being substituted into a text node, the parent context -- Is it being substituted into a <script type=text/javascript>? Some questions to answer about the hooks: - Should it be in the `setValue()` or `commit()` phase, or both? Since directives run in the commit phase, a hook would need to go after directives run to see the final value. - Should the attribute/property hook be in `AttributePart#commit()` or `AttributeComitter#commit()`? `AttributeComitter#commit()` is where we know all of the literal string and expression values. - Directives can convert the types of values. - They could stringify them, which violates (1), _but_ lit-html sets `textContent` in text-bindings, so those are generally safe. I think that attribute sanitization generally needs the string value too, expect when allowing `SafeHTML` values to pass through. Directives should just not convert those to strings. - They can convert _from_ strings, and generally do unsafe things. `unsafeHTML` does this by converting strings to nodes. In a security sensitive environment, such directives need to be disallowed. If the hook is in `AttributePart#commit()`, the change will look like this: ```ts export class AttributePart implements Part { // ... commit() { while (isDirective(this.value)) { const directive = this.value; this.value = noChange; directive(this); } if (this.value === noChange) { return; } // Here's the hook: if (typeof this.options.commitCallback === 'function') { this.options.commitCallback(this); } this.committer.commit(); } } ``` The hook will have access to the value via `part.value`, and the element and attribute name via `part.committer.name`, `part.committer.element`. If the hook is in `AttributeComitter#commit()`, the change will look like: ```ts export class AttributeCommitter { // ... commit(): void { if (this.dirty) { // Here's the hook: if (typeof this.options.commitCallback === 'function') { this.options.commitCallback(this); } this.dirty = false; this.element.setAttribute(this.name, this._getValue()); } } } ``` The hook will have access to the element and attribute name via `commiter.name` and `commiter.element`, and the strings and values via `commiter.strings`, and `commiter.values`. The problem here is a commit hook doesn't always receive a Part - it might receive a NodePart, BooleanAttributePart, EventPart, or AttributeCommiter or PropertyCommiter. That inconsistency might not be so bad though? cc @mikesamuel for feedback.
priority
add commit hook to renderoptions as requested in we need sanitization hooks we recently introduced renderoptions to render that can flow to all parts when they re instantiated by a templateprocessor via renderoptions we can pass in a commit hook that all parts will call too in the commit phase for reference mikesamuel s requirements for the hooks the value prior to any coercion to a string the attribute and or property name if any the element if any if being substituted into a text node the parent context is it being substituted into a some questions to answer about the hooks should it be in the setvalue or commit phase or both since directives run in the commit phase a hook would need to go after directives run to see the final value should the attribute property hook be in attributepart commit or attributecomitter commit attributecomitter commit is where we know all of the literal string and expression values directives can convert the types of values they could stringify them which violates but lit html sets textcontent in text bindings so those are generally safe i think that attribute sanitization generally needs the string value too expect when allowing safehtml values to pass through directives should just not convert those to strings they can convert from strings and generally do unsafe things unsafehtml does this by converting strings to nodes in a security sensitive environment such directives need to be disallowed if the hook is in attributepart commit the change will look like this ts export class attributepart implements part commit while isdirective this value const directive this value this value nochange directive this if this value nochange return here s the hook if typeof this options commitcallback function this options commitcallback this this committer commit the hook will have access to the value via part value and the element and attribute name via part committer name part committer element if the hook is in attributecomitter commit the change will look like ts export class attributecommitter commit void if this dirty here s the hook if typeof this options commitcallback function this options commitcallback this this dirty false this element setattribute this name this getvalue the hook will have access to the element and attribute name via commiter name and commiter element and the strings and values via commiter strings and commiter values the problem here is a commit hook doesn t always receive a part it might receive a nodepart booleanattributepart eventpart or attributecommiter or propertycommiter that inconsistency might not be so bad though cc mikesamuel for feedback
1
153,512
24,138,392,115
IssuesEvent
2022-09-21 13:10:33
WordPress/gutenberg
https://api.github.com/repos/WordPress/gutenberg
closed
Improve UX for nesting navigation items via drag / drop
Needs Design Feedback [Feature] Navigation Screen
## What problem does this address? The existing Navigation screen allows you to drag items horizontally in order to nest them. This isnt supported by the new screen even in the "List view" (which is accessible via the Nav block toolbar itself). ## What is your proposed solution? Either implement a similar drag to indent UX or a new control in the block toolbar to allow items to be nested (a bit like how you can nest bullet lists in MS-Word or Google docs). ## Screenshot https://user-images.githubusercontent.com/444434/130451241-ce62d151-b4b9-41a8-bcd0-7b1eca4e7204.mp4
1.0
Improve UX for nesting navigation items via drag / drop - ## What problem does this address? The existing Navigation screen allows you to drag items horizontally in order to nest them. This isnt supported by the new screen even in the "List view" (which is accessible via the Nav block toolbar itself). ## What is your proposed solution? Either implement a similar drag to indent UX or a new control in the block toolbar to allow items to be nested (a bit like how you can nest bullet lists in MS-Word or Google docs). ## Screenshot https://user-images.githubusercontent.com/444434/130451241-ce62d151-b4b9-41a8-bcd0-7b1eca4e7204.mp4
non_priority
improve ux for nesting navigation items via drag drop what problem does this address the existing navigation screen allows you to drag items horizontally in order to nest them this isnt supported by the new screen even in the list view which is accessible via the nav block toolbar itself what is your proposed solution either implement a similar drag to indent ux or a new control in the block toolbar to allow items to be nested a bit like how you can nest bullet lists in ms word or google docs screenshot
0
97,199
3,985,938,151
IssuesEvent
2016-05-08 07:45:20
dpetrova/QA-LibraryManager
https://api.github.com/repos/dpetrova/QA-LibraryManager
opened
Broken application when add autor with empty first and last name
priority:high severity:high type:bug
Environment: Google Chrome v.49.0.2623.112 m (64-bit); Windows 8.1 Description: in SRS the first and last names are mandatory, but when they leave empty it results in broken application Steps to reproduce: 1. Go to the login page [http://192.168.111.66:9966/library/{username}/users/login](url) 2. Log in with valid administrator credentials 3.Click "Authors" tab in the navigation bar 4.Click button "Add new author" 5.Leave First name, Last name and Birth date fields empty 6.Click "Submit" button Expected result: - error box with suitable error message for empty mandatory fields Actual result: - broken application with server error HTTP Status 400 ![image](https://cloud.githubusercontent.com/assets/10564240/15096613/9822fe4a-1509-11e6-9998-961bce9b41bb.png)
1.0
Broken application when add autor with empty first and last name - Environment: Google Chrome v.49.0.2623.112 m (64-bit); Windows 8.1 Description: in SRS the first and last names are mandatory, but when they leave empty it results in broken application Steps to reproduce: 1. Go to the login page [http://192.168.111.66:9966/library/{username}/users/login](url) 2. Log in with valid administrator credentials 3.Click "Authors" tab in the navigation bar 4.Click button "Add new author" 5.Leave First name, Last name and Birth date fields empty 6.Click "Submit" button Expected result: - error box with suitable error message for empty mandatory fields Actual result: - broken application with server error HTTP Status 400 ![image](https://cloud.githubusercontent.com/assets/10564240/15096613/9822fe4a-1509-11e6-9998-961bce9b41bb.png)
priority
broken application when add autor with empty first and last name environment google chrome v m bit windows description in srs the first and last names are mandatory but when they leave empty it results in broken application steps to reproduce go to the login page url log in with valid administrator credentials click authors tab in the navigation bar click button add new author leave first name last name and birth date fields empty click submit button expected result error box with suitable error message for empty mandatory fields actual result broken application with server error http status
1
273,218
23,738,873,325
IssuesEvent
2022-08-31 10:33:19
cockroachdb/cockroach
https://api.github.com/repos/cockroachdb/cockroach
opened
roachtest: follower-reads/survival=region/locality=regional/reads=bounded-staleness failed
C-test-failure O-robot O-roachtest branch-master release-blocker
roachtest.follower-reads/survival=region/locality=regional/reads=bounded-staleness [failed](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Nightlies_RoachtestNightlyGceBazel/6300492?buildTab=log) with [artifacts](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Nightlies_RoachtestNightlyGceBazel/6300492?buildTab=artifacts#/follower-reads/survival=region/locality=regional/reads=bounded-staleness) on master @ [448352ce4ed71a58e7701e82c786dd5152498310](https://github.com/cockroachdb/cockroach/commits/448352ce4ed71a58e7701e82c786dd5152498310): ``` test artifacts and logs in: /artifacts/follower-reads/survival=region/locality=regional/reads=bounded-staleness/run_1 follower_reads.go:767,follower_reads.go:379,follower_reads.go:73,test_runner.go:897: too many intervals with more than 2 nodes with low follower read ratios: 5 intervals > 4 threshold. Bad intervals: interval 10:23:40-10:23:50: n1 ratio: 1.256 n2 ratio: 0.601 n3 ratio: 0.573 n4 ratio: 1.000 n5 ratio: 0.421 n6 ratio: 1.000 interval 10:24:00-10:24:10: n1 ratio: 0.881 n2 ratio: 0.000 n3 ratio: 0.000 n4 ratio: 1.000 n5 ratio: 1.000 n6 ratio: 1.000 interval 10:24:10-10:24:20: n1 ratio: 0.000 n2 ratio: 0.142 n3 ratio: 0.618 n4 ratio: 1.003 n5 ratio: 1.000 n6 ratio: 1.000 interval 10:25:20-10:25:30: n1 ratio: 0.000 n2 ratio: 0.720 n3 ratio: 0.284 n4 ratio: 1.000 n5 ratio: 1.013 n6 ratio: 1.000 interval 10:26:40-10:26:50: n1 ratio: 0.178 n2 ratio: 0.000 n3 ratio: 0.592 n4 ratio: 1.000 n5 ratio: 1.000 n6 ratio: 1.000 ``` <p>Parameters: <code>ROACHTEST_cloud=gce</code> , <code>ROACHTEST_cpu=4</code> , <code>ROACHTEST_ssd=0</code> </p> <details><summary>Help</summary> <p> See: [roachtest README](https://github.com/cockroachdb/cockroach/blob/master/pkg/cmd/roachtest/README.md) See: [How To Investigate \(internal\)](https://cockroachlabs.atlassian.net/l/c/SSSBr8c7) </p> </details> /cc @cockroachdb/kv-triage <sub> [This test on roachdash](https://roachdash.crdb.dev/?filter=status:open%20t:.*follower-reads/survival=region/locality=regional/reads=bounded-staleness.*&sort=title+created&display=lastcommented+project) | [Improve this report!](https://github.com/cockroachdb/cockroach/tree/master/pkg/cmd/internal/issues) </sub>
2.0
roachtest: follower-reads/survival=region/locality=regional/reads=bounded-staleness failed - roachtest.follower-reads/survival=region/locality=regional/reads=bounded-staleness [failed](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Nightlies_RoachtestNightlyGceBazel/6300492?buildTab=log) with [artifacts](https://teamcity.cockroachdb.com/buildConfiguration/Cockroach_Nightlies_RoachtestNightlyGceBazel/6300492?buildTab=artifacts#/follower-reads/survival=region/locality=regional/reads=bounded-staleness) on master @ [448352ce4ed71a58e7701e82c786dd5152498310](https://github.com/cockroachdb/cockroach/commits/448352ce4ed71a58e7701e82c786dd5152498310): ``` test artifacts and logs in: /artifacts/follower-reads/survival=region/locality=regional/reads=bounded-staleness/run_1 follower_reads.go:767,follower_reads.go:379,follower_reads.go:73,test_runner.go:897: too many intervals with more than 2 nodes with low follower read ratios: 5 intervals > 4 threshold. Bad intervals: interval 10:23:40-10:23:50: n1 ratio: 1.256 n2 ratio: 0.601 n3 ratio: 0.573 n4 ratio: 1.000 n5 ratio: 0.421 n6 ratio: 1.000 interval 10:24:00-10:24:10: n1 ratio: 0.881 n2 ratio: 0.000 n3 ratio: 0.000 n4 ratio: 1.000 n5 ratio: 1.000 n6 ratio: 1.000 interval 10:24:10-10:24:20: n1 ratio: 0.000 n2 ratio: 0.142 n3 ratio: 0.618 n4 ratio: 1.003 n5 ratio: 1.000 n6 ratio: 1.000 interval 10:25:20-10:25:30: n1 ratio: 0.000 n2 ratio: 0.720 n3 ratio: 0.284 n4 ratio: 1.000 n5 ratio: 1.013 n6 ratio: 1.000 interval 10:26:40-10:26:50: n1 ratio: 0.178 n2 ratio: 0.000 n3 ratio: 0.592 n4 ratio: 1.000 n5 ratio: 1.000 n6 ratio: 1.000 ``` <p>Parameters: <code>ROACHTEST_cloud=gce</code> , <code>ROACHTEST_cpu=4</code> , <code>ROACHTEST_ssd=0</code> </p> <details><summary>Help</summary> <p> See: [roachtest README](https://github.com/cockroachdb/cockroach/blob/master/pkg/cmd/roachtest/README.md) See: [How To Investigate \(internal\)](https://cockroachlabs.atlassian.net/l/c/SSSBr8c7) </p> </details> /cc @cockroachdb/kv-triage <sub> [This test on roachdash](https://roachdash.crdb.dev/?filter=status:open%20t:.*follower-reads/survival=region/locality=regional/reads=bounded-staleness.*&sort=title+created&display=lastcommented+project) | [Improve this report!](https://github.com/cockroachdb/cockroach/tree/master/pkg/cmd/internal/issues) </sub>
non_priority
roachtest follower reads survival region locality regional reads bounded staleness failed roachtest follower reads survival region locality regional reads bounded staleness with on master test artifacts and logs in artifacts follower reads survival region locality regional reads bounded staleness run follower reads go follower reads go follower reads go test runner go too many intervals with more than nodes with low follower read ratios intervals threshold bad intervals interval ratio ratio ratio ratio ratio ratio interval ratio ratio ratio ratio ratio ratio interval ratio ratio ratio ratio ratio ratio interval ratio ratio ratio ratio ratio ratio interval ratio ratio ratio ratio ratio ratio parameters roachtest cloud gce roachtest cpu roachtest ssd help see see cc cockroachdb kv triage
0
628,455
19,986,501,978
IssuesEvent
2022-01-30 18:45:14
iluwatar/java-design-patterns
https://api.github.com/repos/iluwatar/java-design-patterns
closed
Event Aggregator pattern can be made more granular with emitting notification to specific observers
status: under construction epic: pattern type: enhancement info: good first issue resolution: fixed priority: normal
The current implementation of the event -aggregator source code chooses to notify all the observers whenever an event source emits an event. This is can be made more granular with letting the subscriber subscribe with the aggregator for a specific type of event and then ONLY it should be notified in case , such an event is emitted. I would like to contribute a working version of these example, may be a PR if this issue is discussed.
1.0
Event Aggregator pattern can be made more granular with emitting notification to specific observers - The current implementation of the event -aggregator source code chooses to notify all the observers whenever an event source emits an event. This is can be made more granular with letting the subscriber subscribe with the aggregator for a specific type of event and then ONLY it should be notified in case , such an event is emitted. I would like to contribute a working version of these example, may be a PR if this issue is discussed.
priority
event aggregator pattern can be made more granular with emitting notification to specific observers the current implementation of the event aggregator source code chooses to notify all the observers whenever an event source emits an event this is can be made more granular with letting the subscriber subscribe with the aggregator for a specific type of event and then only it should be notified in case such an event is emitted i would like to contribute a working version of these example may be a pr if this issue is discussed
1
214,143
7,267,228,594
IssuesEvent
2018-02-20 03:25:26
ppy/osu-web
https://api.github.com/repos/ppy/osu-web
closed
osu!website is stuck in the loading mode
bug high priority
![](https://puu.sh/zp4KZ/7b0692c1ff.png) 1. Get into profile 2. Try to change the tab order 3. Wait for the verification overlay to appear And now i'm not really sure about new steps 4. I changed the browser tab/Wait a bit 5. The verification overlay will disappear and the website will be stuck in the loading mode
1.0
osu!website is stuck in the loading mode - ![](https://puu.sh/zp4KZ/7b0692c1ff.png) 1. Get into profile 2. Try to change the tab order 3. Wait for the verification overlay to appear And now i'm not really sure about new steps 4. I changed the browser tab/Wait a bit 5. The verification overlay will disappear and the website will be stuck in the loading mode
priority
osu website is stuck in the loading mode get into profile try to change the tab order wait for the verification overlay to appear and now i m not really sure about new steps i changed the browser tab wait a bit the verification overlay will disappear and the website will be stuck in the loading mode
1
362,871
10,733,004,853
IssuesEvent
2019-10-28 23:40:09
acl-services/paprika
https://api.github.com/repos/acl-services/paprika
closed
Popover – Self-aware Repositioning
Bug 🐞 Medium Priority →
#### Problem Sometimes the content of a Popover will change due to an asynchronous event (like lazy-loading data) while the Popover is open, and the size of the Popover.Content will be updated, but the position will not. #### Suggested Solution Use a `useLayoutEffect` hook, with a dependency on `children` that will reposition the Popover.
1.0
Popover – Self-aware Repositioning - #### Problem Sometimes the content of a Popover will change due to an asynchronous event (like lazy-loading data) while the Popover is open, and the size of the Popover.Content will be updated, but the position will not. #### Suggested Solution Use a `useLayoutEffect` hook, with a dependency on `children` that will reposition the Popover.
priority
popover – self aware repositioning problem sometimes the content of a popover will change due to an asynchronous event like lazy loading data while the popover is open and the size of the popover content will be updated but the position will not suggested solution use a uselayouteffect hook with a dependency on children that will reposition the popover
1
410,469
11,992,027,674
IssuesEvent
2020-04-08 09:23:44
nextcloud/mail
https://api.github.com/repos/nextcloud/mail
closed
Replying to HTML message in plain text misses > characters
3. to review bug feature parity priority
I’m getting an HTML mail and reply in plain text only. The mail looks like this for example: ``` Hello, this is a message. ``` ## Expected When I reply or forward, the message is prefilled into the field like this: ``` "Name" name@example.com – 20. Februar 2020 12:15 > Hello, > > this is a message. ``` ## What actually happens There are no `>` characters at all which would separate the original message from my reply: ``` "Name" name@example.com – 20. Februar 2020 12:15 Hello, this is a message. ``` Setting to priority as this makes replying to HTML mails very cumbersome. <bountysource-plugin> --- Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/89234094-replying-to-html-message-in-plain-text-misses-characters?utm_campaign=plugin&utm_content=tracker%2F44154351&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F44154351&utm_medium=issues&utm_source=github). </bountysource-plugin>
1.0
Replying to HTML message in plain text misses > characters - I’m getting an HTML mail and reply in plain text only. The mail looks like this for example: ``` Hello, this is a message. ``` ## Expected When I reply or forward, the message is prefilled into the field like this: ``` "Name" name@example.com – 20. Februar 2020 12:15 > Hello, > > this is a message. ``` ## What actually happens There are no `>` characters at all which would separate the original message from my reply: ``` "Name" name@example.com – 20. Februar 2020 12:15 Hello, this is a message. ``` Setting to priority as this makes replying to HTML mails very cumbersome. <bountysource-plugin> --- Want to back this issue? **[Post a bounty on it!](https://www.bountysource.com/issues/89234094-replying-to-html-message-in-plain-text-misses-characters?utm_campaign=plugin&utm_content=tracker%2F44154351&utm_medium=issues&utm_source=github)** We accept bounties via [Bountysource](https://www.bountysource.com/?utm_campaign=plugin&utm_content=tracker%2F44154351&utm_medium=issues&utm_source=github). </bountysource-plugin>
priority
replying to html message in plain text misses characters i’m getting an html mail and reply in plain text only the mail looks like this for example hello this is a message expected when i reply or forward the message is prefilled into the field like this name name example com – februar hello this is a message what actually happens there are no characters at all which would separate the original message from my reply name name example com – februar hello this is a message setting to priority as this makes replying to html mails very cumbersome want to back this issue we accept bounties via
1
203,380
15,879,758,074
IssuesEvent
2021-04-09 12:53:15
Kimyechan/DivingProject-BackEnd
https://api.github.com/repos/Kimyechan/DivingProject-BackEnd
closed
[문서] 유저부분 문서화 부분 생략됨 (?)
bug documentation
테스트 코드를 돌려도 유저 관련 API 도큐먼트 부분만 생략됨. 기존에 사용하던 api 양식으로 참조 가능하므로 우선순위는 낮아도 됨. 강사권한 추가 양식 보려다가 발견! > 유저 생성 No snippets found for operation::signUp > 유저 로그인 No snippets found for operation::signIn > 강사 권한 및 강사 정보 추가 No snippets found for operation::sign-addInstructorRole > 토큰 재발급 No snippets found for operation::refresh > 유저 로그아웃 No snippets found for operation::logout
1.0
[문서] 유저부분 문서화 부분 생략됨 (?) - 테스트 코드를 돌려도 유저 관련 API 도큐먼트 부분만 생략됨. 기존에 사용하던 api 양식으로 참조 가능하므로 우선순위는 낮아도 됨. 강사권한 추가 양식 보려다가 발견! > 유저 생성 No snippets found for operation::signUp > 유저 로그인 No snippets found for operation::signIn > 강사 권한 및 강사 정보 추가 No snippets found for operation::sign-addInstructorRole > 토큰 재발급 No snippets found for operation::refresh > 유저 로그아웃 No snippets found for operation::logout
non_priority
유저부분 문서화 부분 생략됨 테스트 코드를 돌려도 유저 관련 api 도큐먼트 부분만 생략됨 기존에 사용하던 api 양식으로 참조 가능하므로 우선순위는 낮아도 됨 강사권한 추가 양식 보려다가 발견 유저 생성 no snippets found for operation signup 유저 로그인 no snippets found for operation signin 강사 권한 및 강사 정보 추가 no snippets found for operation sign addinstructorrole 토큰 재발급 no snippets found for operation refresh 유저 로그아웃 no snippets found for operation logout
0
586,323
17,575,188,428
IssuesEvent
2021-08-15 13:22:06
InFacts/srt_cmms_frontend
https://api.github.com/repos/InFacts/srt_cmms_frontend
closed
Item Master Data must fix ชนิดอุปกรณ์เป็น Item
Low Priority
<img width="1018" alt="Screen Shot 2563-06-25 at 03 40 20" src="https://user-images.githubusercontent.com/34050939/85625430-a30ad580-b695-11ea-972e-1578faa3a866.png">
1.0
Item Master Data must fix ชนิดอุปกรณ์เป็น Item - <img width="1018" alt="Screen Shot 2563-06-25 at 03 40 20" src="https://user-images.githubusercontent.com/34050939/85625430-a30ad580-b695-11ea-972e-1578faa3a866.png">
priority
item master data must fix ชนิดอุปกรณ์เป็น item img width alt screen shot at src
1
56,873
6,530,738,128
IssuesEvent
2017-08-30 16:03:46
mautic/mautic
https://api.github.com/repos/mautic/mautic
closed
Sugar/Suite Integration doesn't push; it only pulls
Bug Ready To Test
What type of report is this: | Q | A | ---| --- | Bug report? | Y | Feature request? | | Enhancement? | ## Description: When issuing the console command './console mautic:integration:synccontacts --integration=Sugarcrm' the integration with SuiteCRM successfully pulls new/changed contacts from the CRM. HOWEVER, when new contacts are created in Mautic, nothing is pushed to CRM, (although the options to pull and push are selected in the integration). All appropriate fields are mapped. ## If a bug: | Q | A | --- | --- | Mautic version | 2.9.1 (also doesn't work in 2.9.0) | PHP version | 7.0.19-1+deb.sury.org~trusty+1 ### Steps to reproduce: 1. Set up the SugarCRM integration for Suite (using Sugar 6 options) 2. Add/edit contact in Suite to test 3. Add new contact to Mautic 4. run console mautic:integration:synccontacts --integration=Sugarcrm 5. Sync from crm to Mautic works, from Mautic to CRM does not ### Log errors: No applicable log entries. Feedback from console command when run is; Push activity timeline to Sugarcrm mautic object Number of contacts processed: 0
1.0
Sugar/Suite Integration doesn't push; it only pulls - What type of report is this: | Q | A | ---| --- | Bug report? | Y | Feature request? | | Enhancement? | ## Description: When issuing the console command './console mautic:integration:synccontacts --integration=Sugarcrm' the integration with SuiteCRM successfully pulls new/changed contacts from the CRM. HOWEVER, when new contacts are created in Mautic, nothing is pushed to CRM, (although the options to pull and push are selected in the integration). All appropriate fields are mapped. ## If a bug: | Q | A | --- | --- | Mautic version | 2.9.1 (also doesn't work in 2.9.0) | PHP version | 7.0.19-1+deb.sury.org~trusty+1 ### Steps to reproduce: 1. Set up the SugarCRM integration for Suite (using Sugar 6 options) 2. Add/edit contact in Suite to test 3. Add new contact to Mautic 4. run console mautic:integration:synccontacts --integration=Sugarcrm 5. Sync from crm to Mautic works, from Mautic to CRM does not ### Log errors: No applicable log entries. Feedback from console command when run is; Push activity timeline to Sugarcrm mautic object Number of contacts processed: 0
non_priority
sugar suite integration doesn t push it only pulls what type of report is this q a bug report y feature request enhancement description when issuing the console command console mautic integration synccontacts integration sugarcrm the integration with suitecrm successfully pulls new changed contacts from the crm however when new contacts are created in mautic nothing is pushed to crm although the options to pull and push are selected in the integration all appropriate fields are mapped if a bug q a mautic version also doesn t work in php version deb sury org trusty steps to reproduce set up the sugarcrm integration for suite using sugar options add edit contact in suite to test add new contact to mautic run console mautic integration synccontacts integration sugarcrm sync from crm to mautic works from mautic to crm does not log errors no applicable log entries feedback from console command when run is push activity timeline to sugarcrm mautic object number of contacts processed
0
113,416
11,802,063,179
IssuesEvent
2020-03-18 20:45:45
JoseJuan81/kanban-board-dl
https://api.github.com/repos/JoseJuan81/kanban-board-dl
opened
Actualizar Readme
documentation
***Descripción*** Actualizar el archivo README.md con las instrucciones del componente
1.0
Actualizar Readme - ***Descripción*** Actualizar el archivo README.md con las instrucciones del componente
non_priority
actualizar readme descripción actualizar el archivo readme md con las instrucciones del componente
0
9,589
2,906,600,938
IssuesEvent
2015-06-19 11:14:00
IBM-Watson/design-library
https://api.github.com/repos/IBM-Watson/design-library
opened
Add Developer Certificate of Origin requirements to Contributing
copy design guide
As per our legal team, we need to add a link to the [Developer Certificate of Origin](http://elinux.org/Developer_Certificate_Of_Origin) and require that all PRs include the user to sign off with `DCO 1.1 Signed-off-by: John Doe <john.doe@hisdomain.com>`
1.0
Add Developer Certificate of Origin requirements to Contributing - As per our legal team, we need to add a link to the [Developer Certificate of Origin](http://elinux.org/Developer_Certificate_Of_Origin) and require that all PRs include the user to sign off with `DCO 1.1 Signed-off-by: John Doe <john.doe@hisdomain.com>`
non_priority
add developer certificate of origin requirements to contributing as per our legal team we need to add a link to the and require that all prs include the user to sign off with dco signed off by john doe
0
564,403
16,725,043,848
IssuesEvent
2021-06-10 12:01:44
NetApp/harvest
https://api.github.com/repos/NetApp/harvest
closed
Ensure collectors and pollers recover panics
bug priority/P0 status/done
Code review collectors and pollers to make sure they recover from all panics Related to Martin Möbius's message on slack > I have an issue that the pollers just stop running without any log output. Any ideas how to troubleshoot that? > Happens after running for some days * [ ] Add more unit tests to cover panics in poller/collectors * [x] Include more longevity testing in lab that monitors for this * [ ] Update [Troubleshooting](https://github.com/NetApp/harvest/wiki/Troubleshooting-Harvest) to include details
1.0
Ensure collectors and pollers recover panics - Code review collectors and pollers to make sure they recover from all panics Related to Martin Möbius's message on slack > I have an issue that the pollers just stop running without any log output. Any ideas how to troubleshoot that? > Happens after running for some days * [ ] Add more unit tests to cover panics in poller/collectors * [x] Include more longevity testing in lab that monitors for this * [ ] Update [Troubleshooting](https://github.com/NetApp/harvest/wiki/Troubleshooting-Harvest) to include details
priority
ensure collectors and pollers recover panics code review collectors and pollers to make sure they recover from all panics related to martin möbius s message on slack i have an issue that the pollers just stop running without any log output any ideas how to troubleshoot that happens after running for some days add more unit tests to cover panics in poller collectors include more longevity testing in lab that monitors for this update to include details
1
451,599
32,035,405,159
IssuesEvent
2023-09-22 15:00:36
In-Data-We-Trust/IDWT-All-Things-SQL-And-Python-And-Code
https://api.github.com/repos/In-Data-We-Trust/IDWT-All-Things-SQL-And-Python-And-Code
closed
Create an understanding of FPL data and create a python notebook to engineer it into Azure
Research documentation
## Useful Articles https://medium.com/analytics-vidhya/getting-started-with-fantasy-premier-league-data-56d3b9be8c32 ## Steps to be taken 1. Understand Data available in API - Pick any Data API to test 2. Create a data pipeline to store data in Azure SQL Database 3. Once known, design a data model and key metrics 4. Build data pipelines and monitor 5. Create a AI use case to improve my FPL team
1.0
Create an understanding of FPL data and create a python notebook to engineer it into Azure - ## Useful Articles https://medium.com/analytics-vidhya/getting-started-with-fantasy-premier-league-data-56d3b9be8c32 ## Steps to be taken 1. Understand Data available in API - Pick any Data API to test 2. Create a data pipeline to store data in Azure SQL Database 3. Once known, design a data model and key metrics 4. Build data pipelines and monitor 5. Create a AI use case to improve my FPL team
non_priority
create an understanding of fpl data and create a python notebook to engineer it into azure useful articles steps to be taken understand data available in api pick any data api to test create a data pipeline to store data in azure sql database once known design a data model and key metrics build data pipelines and monitor create a ai use case to improve my fpl team
0
164,091
6,219,314,413
IssuesEvent
2017-07-09 12:30:49
OperationCode/operationcode_backend
https://api.github.com/repos/OperationCode/operationcode_backend
opened
Endpoint for membership statistics
Priority: High Status: Available Type: Feature
# Feature ## Why is this feature being added? I'd like to be able to query our database to know exactly how many users we have, and what locations we have the most members in. This also enables us to do some interesting visualizations in the frontend. ## What should your feature do? * Query user database for number of users. * Query user database for number of users by location.
1.0
Endpoint for membership statistics - # Feature ## Why is this feature being added? I'd like to be able to query our database to know exactly how many users we have, and what locations we have the most members in. This also enables us to do some interesting visualizations in the frontend. ## What should your feature do? * Query user database for number of users. * Query user database for number of users by location.
priority
endpoint for membership statistics feature why is this feature being added i d like to be able to query our database to know exactly how many users we have and what locations we have the most members in this also enables us to do some interesting visualizations in the frontend what should your feature do query user database for number of users query user database for number of users by location
1
397,120
11,723,845,548
IssuesEvent
2020-03-10 09:52:10
kubeflow/pipelines
https://api.github.com/repos/kubeflow/pipelines
closed
[Frontend] Tensorboard might need some extra time to boot
area/frontend priority/p1 status/triaged
With the latest fix (#2441 ) to re-enable tensorboard visualization, after the open tensorboard button is enabled, if the user click it immediately they'll be hit by 504. They have to wait for ~5 secs until TB really boot up. Shall we add a sentence just telling the user keep refreshing in [viewer](https://github.com/kubeflow/pipelines/blob/master/frontend/src/components/viewers/Tensorboard.tsx)?
1.0
[Frontend] Tensorboard might need some extra time to boot - With the latest fix (#2441 ) to re-enable tensorboard visualization, after the open tensorboard button is enabled, if the user click it immediately they'll be hit by 504. They have to wait for ~5 secs until TB really boot up. Shall we add a sentence just telling the user keep refreshing in [viewer](https://github.com/kubeflow/pipelines/blob/master/frontend/src/components/viewers/Tensorboard.tsx)?
priority
tensorboard might need some extra time to boot with the latest fix to re enable tensorboard visualization after the open tensorboard button is enabled if the user click it immediately they ll be hit by they have to wait for secs until tb really boot up shall we add a sentence just telling the user keep refreshing in
1
90,305
18,106,955,182
IssuesEvent
2021-09-22 20:15:18
StanfordBioinformatics/pulsar_lims
https://api.github.com/repos/StanfordBioinformatics/pulsar_lims
closed
ENCODE data submission: bulk-atacseq for SREQ-415 and SREQ-381
ENCODE submission: Bulk Atac Notification done Task Generator
Hi Tao, Could you upload those experiments to ENCODE please? This is all bulk ATAC. Thanks, Annika
1.0
ENCODE data submission: bulk-atacseq for SREQ-415 and SREQ-381 - Hi Tao, Could you upload those experiments to ENCODE please? This is all bulk ATAC. Thanks, Annika
non_priority
encode data submission bulk atacseq for sreq and sreq hi tao could you upload those experiments to encode please this is all bulk atac thanks annika
0
104,715
22,748,348,259
IssuesEvent
2022-07-07 11:07:24
Onelinerhub/onelinerhub
https://api.github.com/repos/Onelinerhub/onelinerhub
closed
Short solution needed: "How to join data frames based on column" (python-pandas)
help wanted good first issue code python-pandas
Please help us write most modern and shortest code solution for this issue: **How to join data frames based on column** (technology: [python-pandas](https://onelinerhub.com/python-pandas)) ### Fast way Just write the code solution in the comments. ### Prefered way 1. Create pull request with a new code file inside [inbox folder](https://github.com/Onelinerhub/onelinerhub/tree/main/inbox). 2. Don't forget to use comments to make solution explained. 3. Link to this issue in comments of pull request.
1.0
Short solution needed: "How to join data frames based on column" (python-pandas) - Please help us write most modern and shortest code solution for this issue: **How to join data frames based on column** (technology: [python-pandas](https://onelinerhub.com/python-pandas)) ### Fast way Just write the code solution in the comments. ### Prefered way 1. Create pull request with a new code file inside [inbox folder](https://github.com/Onelinerhub/onelinerhub/tree/main/inbox). 2. Don't forget to use comments to make solution explained. 3. Link to this issue in comments of pull request.
non_priority
short solution needed how to join data frames based on column python pandas please help us write most modern and shortest code solution for this issue how to join data frames based on column technology fast way just write the code solution in the comments prefered way create pull request with a new code file inside don t forget to use comments to make solution explained link to this issue in comments of pull request
0
1,797
3,122,219,430
IssuesEvent
2015-09-06 10:24:06
junkdog/artemis-odb
https://api.github.com/repos/junkdog/artemis-odb
closed
@PooledWeaver native gwt support.
enhancement Performance
Quick google shows it might be useful. Attempt manual benchmark, bring @PooledWeaver to GWT if proven correct.
True
@PooledWeaver native gwt support. - Quick google shows it might be useful. Attempt manual benchmark, bring @PooledWeaver to GWT if proven correct.
non_priority
pooledweaver native gwt support quick google shows it might be useful attempt manual benchmark bring pooledweaver to gwt if proven correct
0
146,974
19,476,095,627
IssuesEvent
2021-12-24 12:39:27
sewace/PhaseShift
https://api.github.com/repos/sewace/PhaseShift
opened
CVE-2021-23343 (High) detected in path-parse-1.0.6.tgz
security vulnerability
## CVE-2021-23343 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>path-parse-1.0.6.tgz</b></p></summary> <p>Node.js path.parse() ponyfill</p> <p>Library home page: <a href="https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz">https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz</a></p> <p>Path to dependency file: PhaseShift/package.json</p> <p>Path to vulnerable library: PhaseShift/node_modules/path-parse/package.json</p> <p> Dependency Hierarchy: - babel-preset-expo-5.2.0.tgz (Root Library) - core-7.5.5.tgz - resolve-1.11.1.tgz - :x: **path-parse-1.0.6.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/sewace/PhaseShift/commit/4fed7911a2622b8cefac707597cba1816054a701">4fed7911a2622b8cefac707597cba1816054a701</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> All versions of package path-parse are vulnerable to Regular Expression Denial of Service (ReDoS) via splitDeviceRe, splitTailRe, and splitPathRe regular expressions. ReDoS exhibits polynomial worst-case time complexity. <p>Publish Date: 2021-05-04 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-23343>CVE-2021-23343</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/jbgutierrez/path-parse/issues/8">https://github.com/jbgutierrez/path-parse/issues/8</a></p> <p>Release Date: 2021-05-04</p> <p>Fix Resolution: path-parse - 1.0.7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2021-23343 (High) detected in path-parse-1.0.6.tgz - ## CVE-2021-23343 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>path-parse-1.0.6.tgz</b></p></summary> <p>Node.js path.parse() ponyfill</p> <p>Library home page: <a href="https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz">https://registry.npmjs.org/path-parse/-/path-parse-1.0.6.tgz</a></p> <p>Path to dependency file: PhaseShift/package.json</p> <p>Path to vulnerable library: PhaseShift/node_modules/path-parse/package.json</p> <p> Dependency Hierarchy: - babel-preset-expo-5.2.0.tgz (Root Library) - core-7.5.5.tgz - resolve-1.11.1.tgz - :x: **path-parse-1.0.6.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/sewace/PhaseShift/commit/4fed7911a2622b8cefac707597cba1816054a701">4fed7911a2622b8cefac707597cba1816054a701</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> All versions of package path-parse are vulnerable to Regular Expression Denial of Service (ReDoS) via splitDeviceRe, splitTailRe, and splitPathRe regular expressions. ReDoS exhibits polynomial worst-case time complexity. <p>Publish Date: 2021-05-04 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-23343>CVE-2021-23343</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/jbgutierrez/path-parse/issues/8">https://github.com/jbgutierrez/path-parse/issues/8</a></p> <p>Release Date: 2021-05-04</p> <p>Fix Resolution: path-parse - 1.0.7</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
cve high detected in path parse tgz cve high severity vulnerability vulnerable library path parse tgz node js path parse ponyfill library home page a href path to dependency file phaseshift package json path to vulnerable library phaseshift node modules path parse package json dependency hierarchy babel preset expo tgz root library core tgz resolve tgz x path parse tgz vulnerable library found in head commit a href found in base branch master vulnerability details all versions of package path parse are vulnerable to regular expression denial of service redos via splitdevicere splittailre and splitpathre regular expressions redos exhibits polynomial worst case time complexity publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution path parse step up your open source security game with whitesource
0
755,646
26,435,086,616
IssuesEvent
2023-01-15 09:32:21
aquasecurity/trivy-operator
https://api.github.com/repos/aquasecurity/trivy-operator
closed
Add scanned resource name & kind as labels to metrics
good first issue kind/feature priority/backlog target/kubernetes
Hey folks 👋🏼 I think it would be very useful if the resource name and kind would be added to the metrics as labels. currently we have the `name` label (which is the vuln report name) and it may or may not have the details of the resource name, since they are sometimes replaced by a hash if the name is too long. having these extra labels would be very useful to be able to do join queries to get additional information on the affected resource.
1.0
Add scanned resource name & kind as labels to metrics - Hey folks 👋🏼 I think it would be very useful if the resource name and kind would be added to the metrics as labels. currently we have the `name` label (which is the vuln report name) and it may or may not have the details of the resource name, since they are sometimes replaced by a hash if the name is too long. having these extra labels would be very useful to be able to do join queries to get additional information on the affected resource.
priority
add scanned resource name kind as labels to metrics hey folks 👋🏼 i think it would be very useful if the resource name and kind would be added to the metrics as labels currently we have the name label which is the vuln report name and it may or may not have the details of the resource name since they are sometimes replaced by a hash if the name is too long having these extra labels would be very useful to be able to do join queries to get additional information on the affected resource
1
20,678
27,350,280,632
IssuesEvent
2023-02-27 09:05:33
bitfocus/companion-module-requests
https://api.github.com/repos/bitfocus/companion-module-requests
opened
Extron IPCP Pro...
NOT YET PROCESSED
- [ ] **I have researched the list of existing Companion modules and requests and have determined this has not yet been requested** The name of the device, hardware, or software you would like to control: IPCP PRO What you would like to be able to make it do from Companion: I want to send strings over ethernet which i can "read" (condition) with a monitor in Global Configurator plus/pro. As action I want to contral all others. Direct links or attachments to the ethernet control protocol or API: https://media.extron.com/public/download/files/userman/68-2961-01_F_Extron_Ctrl_NetworkPortsnLicenses.pdf https://media.extron.com/public/download/files/userman/68-2438-01_L_IPCP_Pro_UG.pdf
1.0
Extron IPCP Pro... - - [ ] **I have researched the list of existing Companion modules and requests and have determined this has not yet been requested** The name of the device, hardware, or software you would like to control: IPCP PRO What you would like to be able to make it do from Companion: I want to send strings over ethernet which i can "read" (condition) with a monitor in Global Configurator plus/pro. As action I want to contral all others. Direct links or attachments to the ethernet control protocol or API: https://media.extron.com/public/download/files/userman/68-2961-01_F_Extron_Ctrl_NetworkPortsnLicenses.pdf https://media.extron.com/public/download/files/userman/68-2438-01_L_IPCP_Pro_UG.pdf
non_priority
extron ipcp pro i have researched the list of existing companion modules and requests and have determined this has not yet been requested the name of the device hardware or software you would like to control ipcp pro what you would like to be able to make it do from companion i want to send strings over ethernet which i can read condition with a monitor in global configurator plus pro as action i want to contral all others direct links or attachments to the ethernet control protocol or api
0
188,785
14,475,434,897
IssuesEvent
2020-12-10 01:37:01
cockroachdb/cockroach
https://api.github.com/repos/cockroachdb/cockroach
opened
cli: Example_demo_locality failed
C-test-failure O-robot branch-master
[(cli).Example_demo_locality failed](https://teamcity.cockroachdb.com/viewLog.html?buildId=2508859&tab=buildLog) on [master@f2984786c7e1a53151e8f81bf9365181f1c6c645](https://github.com/cockroachdb/cockroach/commits/f2984786c7e1a53151e8f81bf9365181f1c6c645): Fatal error: ``` panic: logging already active; first used at: ``` Stack: ``` goroutine 1227222 [running]: runtime/debug.Stack(0x8, 0x1, 0x8) /usr/local/go/src/runtime/debug/stack.go:24 +0x9f github.com/cockroachdb/cockroach/pkg/util/log.setActive() /go/src/github.com/cockroachdb/cockroach/pkg/util/log/clog.go:400 +0x9b github.com/cockroachdb/cockroach/pkg/util/log.(*loggerT).outputLogEntry(0xc002d789e0, 0x1, 0x164f3658f4d9c04f, 0x12b9d6, 0x6c2d3e1, 0x32, 0xa75, 0xc005137180, 0x20, 0xc005387dc0, ...) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/clog.go:232 +0xb0 github.com/cockroachdb/cockroach/pkg/util/log.logfDepth(0x4ff1e80, 0xc0045bdd40, 0x3, 0x300000001, 0x434180f, 0x2, 0xc006f67ae0, 0x1, 0x1) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/channels.go:50 +0x17e github.com/cockroachdb/cockroach/pkg/util/log.loggerStorage.InfofDepth(...) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/log_channels_generated.go:1016 github.com/cockroachdb/cockroach/pkg/storage.pebbleLogger.Infof(...) /go/src/github.com/cockroachdb/cockroach/pkg/storage/pebble.go:404 github.com/cockroachdb/pebble.MakeLoggingEventListener.func10(0x93, 0xc005387da6, 0xa, 0xb2, 0x0, 0x0) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/event.go:540 +0xed github.com/cockroachdb/pebble.(*DB).deleteObsoleteFile(0xc0060a1c00, 0x2, 0x93, 0xc005387da6, 0xa, 0xb2) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2677 +0x252 github.com/cockroachdb/pebble.(*DB).paceAndDeleteObsoleteFiles(0xc0060a1c00, 0x93, 0xc0051623c0, 0x5, 0x8) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2624 +0x1a5 created by github.com/cockroachdb/pebble.(*DB).doDeleteObsoleteFiles /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2600 +0xa3f [recovered] panic: logging already active; first used at: goroutine 1227222 [running]: runtime/debug.Stack(0x8, 0x1, 0x8) /usr/local/go/src/runtime/debug/stack.go:24 +0x9f github.com/cockroachdb/cockroach/pkg/util/log.setActive() /go/src/github.com/cockroachdb/cockroach/pkg/util/log/clog.go:400 +0x9b github.com/cockroachdb/cockroach/pkg/util/log.(*loggerT).outputLogEntry(0xc002d789e0, 0x1, 0x164f3658f4d9c04f, 0x12b9d6, 0x6c2d3e1, 0x32, 0xa75, 0xc005137180, 0x20, 0xc005387dc0, ...) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/clog.go:232 +0xb0 github.com/cockroachdb/cockroach/pkg/util/log.logfDepth(0x4ff1e80, 0xc0045bdd40, 0x3, 0x300000001, 0x434180f, 0x2, 0xc006f67ae0, 0x1, 0x1) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/channels.go:50 +0x17e github.com/cockroachdb/cockroach/pkg/util/log.loggerStorage.InfofDepth(...) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/log_channels_generated.go:1016 github.com/cockroachdb/cockroach/pkg/storage.pebbleLogger.Infof(...) /go/src/github.com/cockroachdb/cockroach/pkg/storage/pebble.go:404 github.com/cockroachdb/pebble.MakeLoggingEventListener.func10(0x93, 0xc005387da6, 0xa, 0xb2, 0x0, 0x0) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/event.go:540 +0xed github.com/cockroachdb/pebble.(*DB).deleteObsoleteFile(0xc0060a1c00, 0x2, 0x93, 0xc005387da6, 0xa, 0xb2) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2677 +0x252 github.com/cockroachdb/pebble.(*DB).paceAndDeleteObsoleteFiles(0xc0060a1c00, 0x93, 0xc0051623c0, 0x5, 0x8) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2624 +0x1a5 created by github.com/cockroachdb/pebble.(*DB).doDeleteObsoleteFiles /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2600 +0xa3f ``` <details><summary>Log preceding fatal error</summary><p> ``` === RUN Example_demo_locality [demo --nodes 3 -e select node_id, locality from crdb_internal.gossip_nodes order by node_id] [demo --nodes 9 -e select node_id, locality from crdb_internal.gossip_nodes order by node_id] --- FAIL: Example_demo_locality (12.09s) ``` </p></details> <details><summary>More</summary><p> Parameters: - GOFLAGS=-json ``` make stressrace TESTS=Example_demo_locality PKG=./pkg/cli TESTTIMEOUT=5m STRESSFLAGS='-timeout 5m' 2>&1 ``` [See this test on roachdash](https://roachdash.crdb.dev/?filter=status%3Aopen+t%3A.%2AExample_demo_locality.%2A&sort=title&restgroup=false&display=lastcommented+project) <sub>powered by [pkg/cmd/internal/issues](https://github.com/cockroachdb/cockroach/tree/master/pkg/cmd/internal/issues)</sub></p></details>
1.0
cli: Example_demo_locality failed - [(cli).Example_demo_locality failed](https://teamcity.cockroachdb.com/viewLog.html?buildId=2508859&tab=buildLog) on [master@f2984786c7e1a53151e8f81bf9365181f1c6c645](https://github.com/cockroachdb/cockroach/commits/f2984786c7e1a53151e8f81bf9365181f1c6c645): Fatal error: ``` panic: logging already active; first used at: ``` Stack: ``` goroutine 1227222 [running]: runtime/debug.Stack(0x8, 0x1, 0x8) /usr/local/go/src/runtime/debug/stack.go:24 +0x9f github.com/cockroachdb/cockroach/pkg/util/log.setActive() /go/src/github.com/cockroachdb/cockroach/pkg/util/log/clog.go:400 +0x9b github.com/cockroachdb/cockroach/pkg/util/log.(*loggerT).outputLogEntry(0xc002d789e0, 0x1, 0x164f3658f4d9c04f, 0x12b9d6, 0x6c2d3e1, 0x32, 0xa75, 0xc005137180, 0x20, 0xc005387dc0, ...) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/clog.go:232 +0xb0 github.com/cockroachdb/cockroach/pkg/util/log.logfDepth(0x4ff1e80, 0xc0045bdd40, 0x3, 0x300000001, 0x434180f, 0x2, 0xc006f67ae0, 0x1, 0x1) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/channels.go:50 +0x17e github.com/cockroachdb/cockroach/pkg/util/log.loggerStorage.InfofDepth(...) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/log_channels_generated.go:1016 github.com/cockroachdb/cockroach/pkg/storage.pebbleLogger.Infof(...) /go/src/github.com/cockroachdb/cockroach/pkg/storage/pebble.go:404 github.com/cockroachdb/pebble.MakeLoggingEventListener.func10(0x93, 0xc005387da6, 0xa, 0xb2, 0x0, 0x0) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/event.go:540 +0xed github.com/cockroachdb/pebble.(*DB).deleteObsoleteFile(0xc0060a1c00, 0x2, 0x93, 0xc005387da6, 0xa, 0xb2) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2677 +0x252 github.com/cockroachdb/pebble.(*DB).paceAndDeleteObsoleteFiles(0xc0060a1c00, 0x93, 0xc0051623c0, 0x5, 0x8) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2624 +0x1a5 created by github.com/cockroachdb/pebble.(*DB).doDeleteObsoleteFiles /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2600 +0xa3f [recovered] panic: logging already active; first used at: goroutine 1227222 [running]: runtime/debug.Stack(0x8, 0x1, 0x8) /usr/local/go/src/runtime/debug/stack.go:24 +0x9f github.com/cockroachdb/cockroach/pkg/util/log.setActive() /go/src/github.com/cockroachdb/cockroach/pkg/util/log/clog.go:400 +0x9b github.com/cockroachdb/cockroach/pkg/util/log.(*loggerT).outputLogEntry(0xc002d789e0, 0x1, 0x164f3658f4d9c04f, 0x12b9d6, 0x6c2d3e1, 0x32, 0xa75, 0xc005137180, 0x20, 0xc005387dc0, ...) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/clog.go:232 +0xb0 github.com/cockroachdb/cockroach/pkg/util/log.logfDepth(0x4ff1e80, 0xc0045bdd40, 0x3, 0x300000001, 0x434180f, 0x2, 0xc006f67ae0, 0x1, 0x1) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/channels.go:50 +0x17e github.com/cockroachdb/cockroach/pkg/util/log.loggerStorage.InfofDepth(...) /go/src/github.com/cockroachdb/cockroach/pkg/util/log/log_channels_generated.go:1016 github.com/cockroachdb/cockroach/pkg/storage.pebbleLogger.Infof(...) /go/src/github.com/cockroachdb/cockroach/pkg/storage/pebble.go:404 github.com/cockroachdb/pebble.MakeLoggingEventListener.func10(0x93, 0xc005387da6, 0xa, 0xb2, 0x0, 0x0) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/event.go:540 +0xed github.com/cockroachdb/pebble.(*DB).deleteObsoleteFile(0xc0060a1c00, 0x2, 0x93, 0xc005387da6, 0xa, 0xb2) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2677 +0x252 github.com/cockroachdb/pebble.(*DB).paceAndDeleteObsoleteFiles(0xc0060a1c00, 0x93, 0xc0051623c0, 0x5, 0x8) /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2624 +0x1a5 created by github.com/cockroachdb/pebble.(*DB).doDeleteObsoleteFiles /go/src/github.com/cockroachdb/cockroach/vendor/github.com/cockroachdb/pebble/compaction.go:2600 +0xa3f ``` <details><summary>Log preceding fatal error</summary><p> ``` === RUN Example_demo_locality [demo --nodes 3 -e select node_id, locality from crdb_internal.gossip_nodes order by node_id] [demo --nodes 9 -e select node_id, locality from crdb_internal.gossip_nodes order by node_id] --- FAIL: Example_demo_locality (12.09s) ``` </p></details> <details><summary>More</summary><p> Parameters: - GOFLAGS=-json ``` make stressrace TESTS=Example_demo_locality PKG=./pkg/cli TESTTIMEOUT=5m STRESSFLAGS='-timeout 5m' 2>&1 ``` [See this test on roachdash](https://roachdash.crdb.dev/?filter=status%3Aopen+t%3A.%2AExample_demo_locality.%2A&sort=title&restgroup=false&display=lastcommented+project) <sub>powered by [pkg/cmd/internal/issues](https://github.com/cockroachdb/cockroach/tree/master/pkg/cmd/internal/issues)</sub></p></details>
non_priority
cli example demo locality failed on fatal error panic logging already active first used at stack goroutine runtime debug stack usr local go src runtime debug stack go github com cockroachdb cockroach pkg util log setactive go src github com cockroachdb cockroach pkg util log clog go github com cockroachdb cockroach pkg util log loggert outputlogentry go src github com cockroachdb cockroach pkg util log clog go github com cockroachdb cockroach pkg util log logfdepth go src github com cockroachdb cockroach pkg util log channels go github com cockroachdb cockroach pkg util log loggerstorage infofdepth go src github com cockroachdb cockroach pkg util log log channels generated go github com cockroachdb cockroach pkg storage pebblelogger infof go src github com cockroachdb cockroach pkg storage pebble go github com cockroachdb pebble makeloggingeventlistener go src github com cockroachdb cockroach vendor github com cockroachdb pebble event go github com cockroachdb pebble db deleteobsoletefile go src github com cockroachdb cockroach vendor github com cockroachdb pebble compaction go github com cockroachdb pebble db paceanddeleteobsoletefiles go src github com cockroachdb cockroach vendor github com cockroachdb pebble compaction go created by github com cockroachdb pebble db dodeleteobsoletefiles go src github com cockroachdb cockroach vendor github com cockroachdb pebble compaction go panic logging already active first used at goroutine runtime debug stack usr local go src runtime debug stack go github com cockroachdb cockroach pkg util log setactive go src github com cockroachdb cockroach pkg util log clog go github com cockroachdb cockroach pkg util log loggert outputlogentry go src github com cockroachdb cockroach pkg util log clog go github com cockroachdb cockroach pkg util log logfdepth go src github com cockroachdb cockroach pkg util log channels go github com cockroachdb cockroach pkg util log loggerstorage infofdepth go src github com cockroachdb cockroach pkg util log log channels generated go github com cockroachdb cockroach pkg storage pebblelogger infof go src github com cockroachdb cockroach pkg storage pebble go github com cockroachdb pebble makeloggingeventlistener go src github com cockroachdb cockroach vendor github com cockroachdb pebble event go github com cockroachdb pebble db deleteobsoletefile go src github com cockroachdb cockroach vendor github com cockroachdb pebble compaction go github com cockroachdb pebble db paceanddeleteobsoletefiles go src github com cockroachdb cockroach vendor github com cockroachdb pebble compaction go created by github com cockroachdb pebble db dodeleteobsoletefiles go src github com cockroachdb cockroach vendor github com cockroachdb pebble compaction go log preceding fatal error run example demo locality fail example demo locality more parameters goflags json make stressrace tests example demo locality pkg pkg cli testtimeout stressflags timeout powered by
0
1,214
2,509,108,689
IssuesEvent
2015-01-13 10:58:12
akvo/akvo-flow
https://api.github.com/repos/akvo/akvo-flow
opened
GeoJSON display on dashboard
1 - New Feature 3 - UI priority 1
With the implementation of issue https://github.com/akvo/akvo-flow-mobile/issues/236, the dashboard will receive GeoJSON information in questions answers. The Dashboard needs a way to meaningfully display this data. Proposed solution: 1) in a list of answers, when geojson data is present, a link is shown 'show on map'. When the user clicks this, a panel slides out which displays the geojson data on a small map. 2) on the map, when a user clicks on a marker, the geojson of that point, if present, is displayed.
1.0
GeoJSON display on dashboard - With the implementation of issue https://github.com/akvo/akvo-flow-mobile/issues/236, the dashboard will receive GeoJSON information in questions answers. The Dashboard needs a way to meaningfully display this data. Proposed solution: 1) in a list of answers, when geojson data is present, a link is shown 'show on map'. When the user clicks this, a panel slides out which displays the geojson data on a small map. 2) on the map, when a user clicks on a marker, the geojson of that point, if present, is displayed.
priority
geojson display on dashboard with the implementation of issue the dashboard will receive geojson information in questions answers the dashboard needs a way to meaningfully display this data proposed solution in a list of answers when geojson data is present a link is shown show on map when the user clicks this a panel slides out which displays the geojson data on a small map on the map when a user clicks on a marker the geojson of that point if present is displayed
1
776,229
27,252,490,938
IssuesEvent
2023-02-22 09:11:36
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.duolingo.com - see bug description
browser-firefox priority-important engine-gecko bugbug-reopened
<!-- @browser: Firefox 110.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/95.0.4638.54 Safari/537.36 --> <!-- @reported_with: unknown --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/118387 --> **URL**: https://www.duolingo.com/ **Browser / Version**: Firefox 110.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Opera **Problem type**: Something else **Description**: As soon as I updated to firefox 110, duolingo log in started giving "wrong password" error. This only happens with firefox 110 when I try to log into duolingo. It is not a password issue. Using the same login password I do not have any trouble logging into duolingo on other browsers, or firefox 109.0. **Steps to Reproduce**: As soon as I updated to firefox 110, duolingo log in started giving "wrong password" error. This only happens with firefox 110 when I try to log into duolingo. It is not a password issue. Using the same login password I do not have any trouble logging into duolingo on other browsers, or firefox 109.0. I tried with all cookies allowed, all cookies history cache deleted etc etc etc. I always get "wrong password" when I try to log into Duolingo on Firefox 110.0. I don't seem to have trouble with other websites that require a login (yahoomail etc.) <details> <summary>Browser Configuration</summary> <ul> <li>None</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.duolingo.com - see bug description - <!-- @browser: Firefox 110.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/95.0.4638.54 Safari/537.36 --> <!-- @reported_with: unknown --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/118387 --> **URL**: https://www.duolingo.com/ **Browser / Version**: Firefox 110.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Opera **Problem type**: Something else **Description**: As soon as I updated to firefox 110, duolingo log in started giving "wrong password" error. This only happens with firefox 110 when I try to log into duolingo. It is not a password issue. Using the same login password I do not have any trouble logging into duolingo on other browsers, or firefox 109.0. **Steps to Reproduce**: As soon as I updated to firefox 110, duolingo log in started giving "wrong password" error. This only happens with firefox 110 when I try to log into duolingo. It is not a password issue. Using the same login password I do not have any trouble logging into duolingo on other browsers, or firefox 109.0. I tried with all cookies allowed, all cookies history cache deleted etc etc etc. I always get "wrong password" when I try to log into Duolingo on Firefox 110.0. I don't seem to have trouble with other websites that require a login (yahoomail etc.) <details> <summary>Browser Configuration</summary> <ul> <li>None</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
see bug description url browser version firefox operating system windows tested another browser yes opera problem type something else description as soon as i updated to firefox duolingo log in started giving wrong password error this only happens with firefox when i try to log into duolingo it is not a password issue using the same login password i do not have any trouble logging into duolingo on other browsers or firefox steps to reproduce as soon as i updated to firefox duolingo log in started giving wrong password error this only happens with firefox when i try to log into duolingo it is not a password issue using the same login password i do not have any trouble logging into duolingo on other browsers or firefox i tried with all cookies allowed all cookies history cache deleted etc etc etc i always get wrong password when i try to log into duolingo on firefox i don t seem to have trouble with other websites that require a login yahoomail etc browser configuration none from with ❤️
1
284,733
24,619,744,252
IssuesEvent
2022-10-15 19:22:58
CakeWP/block-options
https://api.github.com/repos/CakeWP/block-options
opened
The “editorskit-empty-to-spacer” plugin has encountered an error (1.34.1)
wordpress-support needs-testing
## Support Hello, I just updated to 1.34.1 and intermittently, while in the editor interface of a post or page, will see a red banner saying: **“The “editorskit-empty-to-spacer” plugin has encountered an error and cannot be rendered.”** Image: [http://snpy.in/PxJkKs](http://snpy.in/PxJkKs) I’m not sure what this is about and can’t see anything for sure wrong with the front end. Appreciate any input. ## Details - **Support Author**: small_fork - **Support Link**: https://wordpress.org/support/topic/the-editorskit-empty-to-spacer-plugin-has-encountered-an-error-1-34-1/ - **Latest Activity**: 21 minutes ago - **Spinup Sandbox Site**: https://tastewp.com/new/?pre-installed-plugin-slug=block-options **Note:** This support issue is created automatically via GitHub action.
1.0
The “editorskit-empty-to-spacer” plugin has encountered an error (1.34.1) - ## Support Hello, I just updated to 1.34.1 and intermittently, while in the editor interface of a post or page, will see a red banner saying: **“The “editorskit-empty-to-spacer” plugin has encountered an error and cannot be rendered.”** Image: [http://snpy.in/PxJkKs](http://snpy.in/PxJkKs) I’m not sure what this is about and can’t see anything for sure wrong with the front end. Appreciate any input. ## Details - **Support Author**: small_fork - **Support Link**: https://wordpress.org/support/topic/the-editorskit-empty-to-spacer-plugin-has-encountered-an-error-1-34-1/ - **Latest Activity**: 21 minutes ago - **Spinup Sandbox Site**: https://tastewp.com/new/?pre-installed-plugin-slug=block-options **Note:** This support issue is created automatically via GitHub action.
non_priority
the “editorskit empty to spacer” plugin has encountered an error support hello i just updated to and intermittently while in the editor interface of a post or page will see a red banner saying “the “editorskit empty to spacer” plugin has encountered an error and cannot be rendered ” image i’m not sure what this is about and can’t see anything for sure wrong with the front end appreciate any input details support author small fork support link latest activity minutes ago spinup sandbox site note this support issue is created automatically via github action
0
172,161
6,499,842,620
IssuesEvent
2017-08-22 23:49:49
bethlakshmi/GBE2
https://api.github.com/repos/bethlakshmi/GBE2
opened
"Special" menu not showing up
bug High Priority
I used /admin to add user mspanu to a bunch of privileged groups (schedule mavens, volunteer reviewer and coordinator, etc.) and I also made her "staff". The Special Menu doesn't show up... we created a stage persona in case that somehow was an issue but no luck.
1.0
"Special" menu not showing up - I used /admin to add user mspanu to a bunch of privileged groups (schedule mavens, volunteer reviewer and coordinator, etc.) and I also made her "staff". The Special Menu doesn't show up... we created a stage persona in case that somehow was an issue but no luck.
priority
special menu not showing up i used admin to add user mspanu to a bunch of privileged groups schedule mavens volunteer reviewer and coordinator etc and i also made her staff the special menu doesn t show up we created a stage persona in case that somehow was an issue but no luck
1
13,290
8,409,368,682
IssuesEvent
2018-10-12 07:03:33
virtual-labs/problem-solving-iiith
https://api.github.com/repos/virtual-labs/problem-solving-iiith
closed
QA_Problem-Solving_Quizzes_Factorials
Category :Functionality Category :Usability Developed by:IIIT Hyd Open-edx-Issue QA-bugs Severity :S1 Status :Open
Defect Description : In the Quizzes page of the Factorials experiment, the answers that are selected once are not getting unselected once we refresh the page or once we try to take the experiment again. Instead the database should be cleared once we try to re-take the quiz and the user should be able to navigate to a fresh quiz page. Actual Result : In the Quizzes page of the Factorials experiment, the answers that are selected once are not getting unselected once we refresh the page or once we try to take the experiment again. Environment : OS: Windows 7, Ubuntu-16.04, Centos-6 Browsers: Firefox-42.0,Chrome-47.0,chromium-45.0 Bandwidth : 100Mbps Hardware Configuration:8GBRAM, Processor:i5 Attachment: ![qa_openedx_ps_i35](https://cloud.githubusercontent.com/assets/13479177/25846660/3da0066a-34d0-11e7-8a34-cd1c438be0b5.png)
True
QA_Problem-Solving_Quizzes_Factorials - Defect Description : In the Quizzes page of the Factorials experiment, the answers that are selected once are not getting unselected once we refresh the page or once we try to take the experiment again. Instead the database should be cleared once we try to re-take the quiz and the user should be able to navigate to a fresh quiz page. Actual Result : In the Quizzes page of the Factorials experiment, the answers that are selected once are not getting unselected once we refresh the page or once we try to take the experiment again. Environment : OS: Windows 7, Ubuntu-16.04, Centos-6 Browsers: Firefox-42.0,Chrome-47.0,chromium-45.0 Bandwidth : 100Mbps Hardware Configuration:8GBRAM, Processor:i5 Attachment: ![qa_openedx_ps_i35](https://cloud.githubusercontent.com/assets/13479177/25846660/3da0066a-34d0-11e7-8a34-cd1c438be0b5.png)
non_priority
qa problem solving quizzes factorials defect description in the quizzes page of the factorials experiment the answers that are selected once are not getting unselected once we refresh the page or once we try to take the experiment again instead the database should be cleared once we try to re take the quiz and the user should be able to navigate to a fresh quiz page actual result in the quizzes page of the factorials experiment the answers that are selected once are not getting unselected once we refresh the page or once we try to take the experiment again environment os windows ubuntu centos browsers firefox chrome chromium bandwidth hardware configuration processor attachment
0
3,573
2,538,761,122
IssuesEvent
2015-01-27 10:04:34
newca12/gapt
https://api.github.com/repos/newca12/gapt
closed
Method "containsQuantifiers" is unaware of defined symbols
1 star bug Component-CERes imported Milestone-Release3.0 Priority-Medium
_From [bruno...@gmail.com](https://code.google.com/u/105016684496602932564/) on August 30, 2011 14:36:14_ This issue was created by revision r795 . Method "containsQuantifiers" is unaware of defined symbols that might hide some quantifiers. Therefore it may return "false", when in fact the answer should be "true". This affects the correctness of the extraction of structs and clause sets ignoring propositional cuts. _Original issue: http://code.google.com/p/gapt/issues/detail?id=164_
1.0
Method "containsQuantifiers" is unaware of defined symbols - _From [bruno...@gmail.com](https://code.google.com/u/105016684496602932564/) on August 30, 2011 14:36:14_ This issue was created by revision r795 . Method "containsQuantifiers" is unaware of defined symbols that might hide some quantifiers. Therefore it may return "false", when in fact the answer should be "true". This affects the correctness of the extraction of structs and clause sets ignoring propositional cuts. _Original issue: http://code.google.com/p/gapt/issues/detail?id=164_
priority
method containsquantifiers is unaware of defined symbols from on august this issue was created by revision method containsquantifiers is unaware of defined symbols that might hide some quantifiers therefore it may return false when in fact the answer should be true this affects the correctness of the extraction of structs and clause sets ignoring propositional cuts original issue
1
218,385
16,760,255,438
IssuesEvent
2021-06-13 16:32:59
bounswe/2021SpringGroup10
https://api.github.com/repos/bounswe/2021SpringGroup10
closed
Writing project description
Priority: High Status: Pending Type: Documentation
Write project description for milestone2 as described in the given documentation in the moodle
1.0
Writing project description - Write project description for milestone2 as described in the given documentation in the moodle
non_priority
writing project description write project description for as described in the given documentation in the moodle
0
328,381
28,117,209,316
IssuesEvent
2023-03-31 11:43:19
elastic/kibana
https://api.github.com/repos/elastic/kibana
closed
Failing test: Jest Integration Tests.src/plugins/files/server/routes/integration_tests - File HTTP API find names
failed-test needs-team
A test failed on a tracked branch ``` Error: Unable to read snapshot manifest: Internal Server Error <?xml version='1.0' encoding='UTF-8'?><Error><Code>InternalError</Code><Message>We encountered an internal error. Please try again.</Message><Details>AMJxxAvIufxAUmzh9LCkPQpCGg3lQXdMox3AA81kG4a5ilXZeowi+sALreC8QCDxraq4GUu5/iw6CVsFGT+Fq9wHjsNVWb0sUN2FWMrNtS2fK8lJJekqWCVE86zQbUWJ8CvyTIitBsFd</Details></Error> at getArtifactSpecForSnapshot (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/artifact.ts:151:11) at runMicrotasks (<anonymous>) at processTicksAndRejections (node:internal/process/task_queues:96:5) at Function.getSnapshot (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/artifact.ts:194:26) at downloadSnapshot (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/install/install_snapshot.ts:43:20) at installSnapshot (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/install/install_snapshot.ts:70:28) at /var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/cluster.js:101:31 at /var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-tooling-log/src/tooling_log.ts:84:18 at Cluster.installSnapshot (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/cluster.js:100:12) at TestCluster.start (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-test/src/es/test_es_cluster.ts:220:24) at startES (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/core/test-helpers/core-test-helpers-kbn-server/src/create_root.ts:268:7) at setupIntegrationEnvironment (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/src/plugins/files/server/test_utils/setup_integration_environment.ts:85:20) at Object.<anonymous> (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/src/plugins/files/server/routes/integration_tests/routes.test.ts:22:19) ``` First failure: [CI Build - main](https://buildkite.com/elastic/kibana-on-merge/builds/28476#01872f0c-2836-4113-ad6e-954d8d472f5c) <!-- kibanaCiData = {"failed-test":{"test.class":"Jest Integration Tests.src/plugins/files/server/routes/integration_tests","test.name":"File HTTP API find names","test.failCount":1}} -->
1.0
Failing test: Jest Integration Tests.src/plugins/files/server/routes/integration_tests - File HTTP API find names - A test failed on a tracked branch ``` Error: Unable to read snapshot manifest: Internal Server Error <?xml version='1.0' encoding='UTF-8'?><Error><Code>InternalError</Code><Message>We encountered an internal error. Please try again.</Message><Details>AMJxxAvIufxAUmzh9LCkPQpCGg3lQXdMox3AA81kG4a5ilXZeowi+sALreC8QCDxraq4GUu5/iw6CVsFGT+Fq9wHjsNVWb0sUN2FWMrNtS2fK8lJJekqWCVE86zQbUWJ8CvyTIitBsFd</Details></Error> at getArtifactSpecForSnapshot (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/artifact.ts:151:11) at runMicrotasks (<anonymous>) at processTicksAndRejections (node:internal/process/task_queues:96:5) at Function.getSnapshot (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/artifact.ts:194:26) at downloadSnapshot (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/install/install_snapshot.ts:43:20) at installSnapshot (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/install/install_snapshot.ts:70:28) at /var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/cluster.js:101:31 at /var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-tooling-log/src/tooling_log.ts:84:18 at Cluster.installSnapshot (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-es/src/cluster.js:100:12) at TestCluster.start (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/kbn-test/src/es/test_es_cluster.ts:220:24) at startES (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/packages/core/test-helpers/core-test-helpers-kbn-server/src/create_root.ts:268:7) at setupIntegrationEnvironment (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/src/plugins/files/server/test_utils/setup_integration_environment.ts:85:20) at Object.<anonymous> (/var/lib/buildkite-agent/builds/kb-n2-4-spot-a56a6fe843560bb5/elastic/kibana-on-merge/kibana/src/plugins/files/server/routes/integration_tests/routes.test.ts:22:19) ``` First failure: [CI Build - main](https://buildkite.com/elastic/kibana-on-merge/builds/28476#01872f0c-2836-4113-ad6e-954d8d472f5c) <!-- kibanaCiData = {"failed-test":{"test.class":"Jest Integration Tests.src/plugins/files/server/routes/integration_tests","test.name":"File HTTP API find names","test.failCount":1}} -->
non_priority
failing test jest integration tests src plugins files server routes integration tests file http api find names a test failed on a tracked branch error unable to read snapshot manifest internal server error internalerror we encountered an internal error please try again at getartifactspecforsnapshot var lib buildkite agent builds kb spot elastic kibana on merge kibana packages kbn es src artifact ts at runmicrotasks at processticksandrejections node internal process task queues at function getsnapshot var lib buildkite agent builds kb spot elastic kibana on merge kibana packages kbn es src artifact ts at downloadsnapshot var lib buildkite agent builds kb spot elastic kibana on merge kibana packages kbn es src install install snapshot ts at installsnapshot var lib buildkite agent builds kb spot elastic kibana on merge kibana packages kbn es src install install snapshot ts at var lib buildkite agent builds kb spot elastic kibana on merge kibana packages kbn es src cluster js at var lib buildkite agent builds kb spot elastic kibana on merge kibana packages kbn tooling log src tooling log ts at cluster installsnapshot var lib buildkite agent builds kb spot elastic kibana on merge kibana packages kbn es src cluster js at testcluster start var lib buildkite agent builds kb spot elastic kibana on merge kibana packages kbn test src es test es cluster ts at startes var lib buildkite agent builds kb spot elastic kibana on merge kibana packages core test helpers core test helpers kbn server src create root ts at setupintegrationenvironment var lib buildkite agent builds kb spot elastic kibana on merge kibana src plugins files server test utils setup integration environment ts at object var lib buildkite agent builds kb spot elastic kibana on merge kibana src plugins files server routes integration tests routes test ts first failure
0
723,337
24,893,718,684
IssuesEvent
2022-10-28 14:07:55
CS3219-AY2223S1/cs3219-project-ay2223s1-g42
https://api.github.com/repos/CS3219-AY2223S1/cs3219-project-ay2223s1-g42
closed
feat: cache question summaries and content
backend priority:low
Due to the limitations of PlanetScale, we have a limited number of reads, even though its high (1 billion). Considering how the backend resolves queries (get difficulty/topicSlug/topicTag accordingly), it feels like there are a bunch of "unnecessary" reads being done. We can alleviate this in 2 ways: 1. Optimise the DB calls, or * Potentially lots of work, may or may not yield any rewards 2. Use a cache and make the API calls from there * Cache updates from PlanetScale by the hour (gets updated values)
1.0
feat: cache question summaries and content - Due to the limitations of PlanetScale, we have a limited number of reads, even though its high (1 billion). Considering how the backend resolves queries (get difficulty/topicSlug/topicTag accordingly), it feels like there are a bunch of "unnecessary" reads being done. We can alleviate this in 2 ways: 1. Optimise the DB calls, or * Potentially lots of work, may or may not yield any rewards 2. Use a cache and make the API calls from there * Cache updates from PlanetScale by the hour (gets updated values)
priority
feat cache question summaries and content due to the limitations of planetscale we have a limited number of reads even though its high billion considering how the backend resolves queries get difficulty topicslug topictag accordingly it feels like there are a bunch of unnecessary reads being done we can alleviate this in ways optimise the db calls or potentially lots of work may or may not yield any rewards use a cache and make the api calls from there cache updates from planetscale by the hour gets updated values
1
106,388
9,126,605,117
IssuesEvent
2019-02-24 22:49:41
coin-or-tools/BuildTools
https://api.github.com/repos/coin-or-tools/BuildTools
closed
COIN_HAS_BLAS possibly uses a wrong path to .MakeOk
bug configuration tests major
Issue created by migration from Trac. Original creator: tautschn Original creation time: 2007-03-03 17:19:05 Assignee: @andrea5w Version: 0.5 Bonmin/ThirdParty/Lapack uses the COIN_HAS_BLAS macro, which may test for the file Blas/.MakeOk ; however, it does so using ../ThirdParty/Blas/.MakeOk, which is inappropriate as it would refer to Bonmin/ThirdParty/ThirdParty/Blas/.MakeOk. Either Lapack is not allowed to use that macro or the macro must be written in a more generic way. Best, Michael
1.0
COIN_HAS_BLAS possibly uses a wrong path to .MakeOk - Issue created by migration from Trac. Original creator: tautschn Original creation time: 2007-03-03 17:19:05 Assignee: @andrea5w Version: 0.5 Bonmin/ThirdParty/Lapack uses the COIN_HAS_BLAS macro, which may test for the file Blas/.MakeOk ; however, it does so using ../ThirdParty/Blas/.MakeOk, which is inappropriate as it would refer to Bonmin/ThirdParty/ThirdParty/Blas/.MakeOk. Either Lapack is not allowed to use that macro or the macro must be written in a more generic way. Best, Michael
non_priority
coin has blas possibly uses a wrong path to makeok issue created by migration from trac original creator tautschn original creation time assignee version bonmin thirdparty lapack uses the coin has blas macro which may test for the file blas makeok however it does so using thirdparty blas makeok which is inappropriate as it would refer to bonmin thirdparty thirdparty blas makeok either lapack is not allowed to use that macro or the macro must be written in a more generic way best michael
0
364,860
10,774,145,774
IssuesEvent
2019-11-03 02:34:19
RobotLocomotion/drake
https://api.github.com/repos/RobotLocomotion/drake
opened
pydrake.math.RotationMatrix is missing binding for ToAxisAngle
configuration: python priority: medium team: dynamics type: cleanup
Students in the MIT manipulation class just ran into this missing binding...
1.0
pydrake.math.RotationMatrix is missing binding for ToAxisAngle - Students in the MIT manipulation class just ran into this missing binding...
priority
pydrake math rotationmatrix is missing binding for toaxisangle students in the mit manipulation class just ran into this missing binding
1
350,037
31,847,834,122
IssuesEvent
2023-09-14 21:32:20
uselagoon/lagoon
https://api.github.com/repos/uselagoon/lagoon
closed
E2E tests should init it's own test data
6-images-testing
Any data that needs to exist in the `api` before running the E2E ansible tests should be added at test runtime and NOT as part of the `api-data-watcher-pusher`.
1.0
E2E tests should init it's own test data - Any data that needs to exist in the `api` before running the E2E ansible tests should be added at test runtime and NOT as part of the `api-data-watcher-pusher`.
non_priority
tests should init it s own test data any data that needs to exist in the api before running the ansible tests should be added at test runtime and not as part of the api data watcher pusher
0
333,087
10,115,248,068
IssuesEvent
2019-07-30 21:15:08
linkerd/linkerd2
https://api.github.com/repos/linkerd/linkerd2
closed
proxy: Tap server must only accept incoming connections from controller
area/proxy area/tap priority/P1 wontfix
The proxy's tap server must only accept TLS connections from the linkerd-controller. If the `l5d-client-id` is not the identity of the linkerd-controller, then the connection should be refused. The following (subject to change) are requirements for this: **Behavior** * [ ] The proxy config needs a new variable who's value is the expected TLS identity of the controller; this would be set when a proxy is injected like the rest of the config values. * [ ] `fn serve_tap` should be passed this expected identity so that it can assert equality for each incoming connection * [ ] If the expected identity does not equal the `session.peer_identity()`, we should not make a new service (we may wan to log here as well) **Testing** * [ ] #2598: We should test incoming client connections over TLS and this issue will add the functionality required for testing this * [ ] We also may want to test incoming client connections over TLS from discovery similar to [here](https://github.com/linkerd/linkerd2-proxy/blob/61db2e77a247f7b0235b67581f60e8a92f8543cb/tests/discovery.rs#L897-L898)
1.0
proxy: Tap server must only accept incoming connections from controller - The proxy's tap server must only accept TLS connections from the linkerd-controller. If the `l5d-client-id` is not the identity of the linkerd-controller, then the connection should be refused. The following (subject to change) are requirements for this: **Behavior** * [ ] The proxy config needs a new variable who's value is the expected TLS identity of the controller; this would be set when a proxy is injected like the rest of the config values. * [ ] `fn serve_tap` should be passed this expected identity so that it can assert equality for each incoming connection * [ ] If the expected identity does not equal the `session.peer_identity()`, we should not make a new service (we may wan to log here as well) **Testing** * [ ] #2598: We should test incoming client connections over TLS and this issue will add the functionality required for testing this * [ ] We also may want to test incoming client connections over TLS from discovery similar to [here](https://github.com/linkerd/linkerd2-proxy/blob/61db2e77a247f7b0235b67581f60e8a92f8543cb/tests/discovery.rs#L897-L898)
priority
proxy tap server must only accept incoming connections from controller the proxy s tap server must only accept tls connections from the linkerd controller if the client id is not the identity of the linkerd controller then the connection should be refused the following subject to change are requirements for this behavior the proxy config needs a new variable who s value is the expected tls identity of the controller this would be set when a proxy is injected like the rest of the config values fn serve tap should be passed this expected identity so that it can assert equality for each incoming connection if the expected identity does not equal the session peer identity we should not make a new service we may wan to log here as well testing we should test incoming client connections over tls and this issue will add the functionality required for testing this we also may want to test incoming client connections over tls from discovery similar to
1
441,193
12,709,338,926
IssuesEvent
2020-06-23 12:11:50
sodafoundation/delfin
https://api.github.com/repos/sodafoundation/delfin
closed
Installer update for project name change to delfin
High Priority Optimization-CleanUp
**Issue/Feature Description:** Installer to be updated based on the updated project name as 'delfin' from 'sim' Change only the needed part to delfin. Wherever the functionality related names are used, please continue to use soda infrastructure manager. **Why this issue to fixed / feature is needed(give scenarios or use cases):** Update to latest info **How to reproduce, in case of a bug:** NA
1.0
Installer update for project name change to delfin - **Issue/Feature Description:** Installer to be updated based on the updated project name as 'delfin' from 'sim' Change only the needed part to delfin. Wherever the functionality related names are used, please continue to use soda infrastructure manager. **Why this issue to fixed / feature is needed(give scenarios or use cases):** Update to latest info **How to reproduce, in case of a bug:** NA
priority
installer update for project name change to delfin issue feature description installer to be updated based on the updated project name as delfin from sim change only the needed part to delfin wherever the functionality related names are used please continue to use soda infrastructure manager why this issue to fixed feature is needed give scenarios or use cases update to latest info how to reproduce in case of a bug na
1
5,649
28,491,631,890
IssuesEvent
2023-04-18 11:39:50
OpenRefine/OpenRefine
https://api.github.com/repos/OpenRefine/OpenRefine
closed
Standardize ordering of Java modifiers
enhancement maintainability CI/CD
This is issue is very low and the main idea is to emphasis clean code. i know we might overlook but its much vital in organisation code of conduct cc @antoine2711 @wetneb
True
Standardize ordering of Java modifiers - This is issue is very low and the main idea is to emphasis clean code. i know we might overlook but its much vital in organisation code of conduct cc @antoine2711 @wetneb
non_priority
standardize ordering of java modifiers this is issue is very low and the main idea is to emphasis clean code i know we might overlook but its much vital in organisation code of conduct cc wetneb
0
632,407
20,195,613,688
IssuesEvent
2022-02-11 10:22:25
fli-iam/shanoir-ng
https://api.github.com/repos/fli-iam/shanoir-ng
opened
[Import] Subject list loading time in import context can lead to unlogical state
bug subject import production user priority
This happened with the ICAN/UCAN studies. ICAN studies has a lot of subjects. When importing a dataset, the import context automatically choose a study (ICAN) and a study card -> This leads to the subjects loading. If we change the study while the subjects loading is not finished, a new study (UCAN) / study card is selected, then UCAN subjects are loaded BEFORE the first request ends. -> The subjects of the first study are then displayed with the second study -> That leads to an un-logical error. (and import can no longer be OK) How to correct this ?
1.0
[Import] Subject list loading time in import context can lead to unlogical state - This happened with the ICAN/UCAN studies. ICAN studies has a lot of subjects. When importing a dataset, the import context automatically choose a study (ICAN) and a study card -> This leads to the subjects loading. If we change the study while the subjects loading is not finished, a new study (UCAN) / study card is selected, then UCAN subjects are loaded BEFORE the first request ends. -> The subjects of the first study are then displayed with the second study -> That leads to an un-logical error. (and import can no longer be OK) How to correct this ?
priority
subject list loading time in import context can lead to unlogical state this happened with the ican ucan studies ican studies has a lot of subjects when importing a dataset the import context automatically choose a study ican and a study card this leads to the subjects loading if we change the study while the subjects loading is not finished a new study ucan study card is selected then ucan subjects are loaded before the first request ends the subjects of the first study are then displayed with the second study that leads to an un logical error and import can no longer be ok how to correct this
1
195,409
14,728,572,957
IssuesEvent
2021-01-06 10:08:22
github-vet/rangeloop-pointer-findings
https://api.github.com/repos/github-vet/rangeloop-pointer-findings
closed
treeverse/lakeFS: export/tasks_generator_test.go; 6 LoC
fresh test tiny
Found a possible issue in [treeverse/lakeFS](https://www.github.com/treeverse/lakeFS) at [export/tasks_generator_test.go](https://github.com/treeverse/lakeFS/blob/4aed34c44b3e5d229a254a94fe3f832fe13dee9f/export/tasks_generator_test.go#L170-L175) Below is the message reported by the analyzer for this snippet of code. Beware that the analyzer only reports the first issue it finds, so please do not limit your consideration to the contents of the below message. > [Click here to see the code in its original context.](https://github.com/treeverse/lakeFS/blob/4aed34c44b3e5d229a254a94fe3f832fe13dee9f/export/tasks_generator_test.go#L170-L175) <details> <summary>Click here to show the 6 line(s) of Go which triggered the analyzer.</summary> ```go for _, t := range tasks { if pred(&t) { c := t ret = append(ret, &c) } } ``` </details> <details> <summary>Click here to show extra information the analyzer produced.</summary> ``` No path was found through the callgraph that could lead to a function which writes a pointer argument. No path was found through the callgraph that could lead to a function which passes a pointer to third-party code. root signature {pred 1} was not found in the callgraph; reference was passed directly to third-party code ``` </details> Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket: See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information. commit ID: 4aed34c44b3e5d229a254a94fe3f832fe13dee9f
1.0
treeverse/lakeFS: export/tasks_generator_test.go; 6 LoC - Found a possible issue in [treeverse/lakeFS](https://www.github.com/treeverse/lakeFS) at [export/tasks_generator_test.go](https://github.com/treeverse/lakeFS/blob/4aed34c44b3e5d229a254a94fe3f832fe13dee9f/export/tasks_generator_test.go#L170-L175) Below is the message reported by the analyzer for this snippet of code. Beware that the analyzer only reports the first issue it finds, so please do not limit your consideration to the contents of the below message. > [Click here to see the code in its original context.](https://github.com/treeverse/lakeFS/blob/4aed34c44b3e5d229a254a94fe3f832fe13dee9f/export/tasks_generator_test.go#L170-L175) <details> <summary>Click here to show the 6 line(s) of Go which triggered the analyzer.</summary> ```go for _, t := range tasks { if pred(&t) { c := t ret = append(ret, &c) } } ``` </details> <details> <summary>Click here to show extra information the analyzer produced.</summary> ``` No path was found through the callgraph that could lead to a function which writes a pointer argument. No path was found through the callgraph that could lead to a function which passes a pointer to third-party code. root signature {pred 1} was not found in the callgraph; reference was passed directly to third-party code ``` </details> Leave a reaction on this issue to contribute to the project by classifying this instance as a **Bug** :-1:, **Mitigated** :+1:, or **Desirable Behavior** :rocket: See the descriptions of the classifications [here](https://github.com/github-vet/rangeclosure-findings#how-can-i-help) for more information. commit ID: 4aed34c44b3e5d229a254a94fe3f832fe13dee9f
non_priority
treeverse lakefs export tasks generator test go loc found a possible issue in at below is the message reported by the analyzer for this snippet of code beware that the analyzer only reports the first issue it finds so please do not limit your consideration to the contents of the below message click here to show the line s of go which triggered the analyzer go for t range tasks if pred t c t ret append ret c click here to show extra information the analyzer produced no path was found through the callgraph that could lead to a function which writes a pointer argument no path was found through the callgraph that could lead to a function which passes a pointer to third party code root signature pred was not found in the callgraph reference was passed directly to third party code leave a reaction on this issue to contribute to the project by classifying this instance as a bug mitigated or desirable behavior rocket see the descriptions of the classifications for more information commit id
0
781,249
27,429,480,853
IssuesEvent
2023-03-01 23:27:29
bireme/ods3-best-practices
https://api.github.com/repos/bireme/ods3-best-practices
reopened
Filtro según Call
task priority 2
Estimado Wilson, Continuando con la lista de prioridades, en segundo lugar hemos establecido la incorporación de: - Una lista controlada para Calls for Submissions - La readecuación del campo para detallar los Calls for Submissions en el submission form principal - La visualización del Call como metadato de las submissions - La opción para filtrar las submissions según el Call en el dashboard del Secretariat y Reviewers. Por favor encuentra todos los detalles en el documento adjunto: [P2 - Filtro.docx](https://github.com/bireme/ods3-best-practices/files/10760639/P2.-.Filtro.docx) Estamos a la orden para cualquier duda o aclaración que necesites. Atentamente, Augusto/Isabella/Jessica
1.0
Filtro según Call - Estimado Wilson, Continuando con la lista de prioridades, en segundo lugar hemos establecido la incorporación de: - Una lista controlada para Calls for Submissions - La readecuación del campo para detallar los Calls for Submissions en el submission form principal - La visualización del Call como metadato de las submissions - La opción para filtrar las submissions según el Call en el dashboard del Secretariat y Reviewers. Por favor encuentra todos los detalles en el documento adjunto: [P2 - Filtro.docx](https://github.com/bireme/ods3-best-practices/files/10760639/P2.-.Filtro.docx) Estamos a la orden para cualquier duda o aclaración que necesites. Atentamente, Augusto/Isabella/Jessica
priority
filtro según call estimado wilson continuando con la lista de prioridades en segundo lugar hemos establecido la incorporación de una lista controlada para calls for submissions la readecuación del campo para detallar los calls for submissions en el submission form principal la visualización del call como metadato de las submissions la opción para filtrar las submissions según el call en el dashboard del secretariat y reviewers por favor encuentra todos los detalles en el documento adjunto estamos a la orden para cualquier duda o aclaración que necesites atentamente augusto isabella jessica
1
4,751
2,872,666,226
IssuesEvent
2015-06-08 13:22:38
mesosphere/kubernetes-mesos
https://api.github.com/repos/mesosphere/kubernetes-mesos
opened
upstream PR: documentation updates
documentation integration/k8s priority/P0
David has made a number of suggestions for improvement w/ respect to the docs: - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875208 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875226 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875227 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875228 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875234 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875237 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875239 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875243 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875246 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875256 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#issuecomment-109802201
1.0
upstream PR: documentation updates - David has made a number of suggestions for improvement w/ respect to the docs: - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875208 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875226 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875227 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875228 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875234 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875237 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875239 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875243 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875246 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#discussion-diff-31875256 - [ ] https://github.com/GoogleCloudPlatform/kubernetes/pull/8882#issuecomment-109802201
non_priority
upstream pr documentation updates david has made a number of suggestions for improvement w respect to the docs
0
65,015
16,089,116,572
IssuesEvent
2021-04-26 14:42:47
rust-lang/cargo
https://api.github.com/repos/rust-lang/cargo
closed
Rustdoc fingerprinting issues
A-rebuild-detection C-bug Command-doc
#8640 has been causing some problems with rustbuild (see https://github.com/rust-lang/rust/issues/83914 and https://github.com/rust-lang/rust/pull/83530#issuecomment-813522824). It was reverted in beta (#8640) to give more time to figure out some solutions. Some possible ideas: 1. Use rustdoc's `--resource-suffix` flag to force the common resources to use different filenames instead of deleting the the directory. I have concerns about this approach, as it may cause resource files to accumulate (when different versions are used), and may cause confusion if different packages are documented independently with different versions (the search indexes won't be shared, `crates.js` may be out of sync, etc.). 2. Only delete the `doc` directory if the fingerprint *changes*. Don't delete the doc directory if the fingerprint is missing. 3. Only delete existing files in the `doc` directory, and ignore any hidden files (don't delete the directory itself). I'm leaning towards option 2, though I'm uncertain if it solves the problems (needs testing). cc @CPerezz and @jyn514, if you maybe have other ideas or thoughts.
1.0
Rustdoc fingerprinting issues - #8640 has been causing some problems with rustbuild (see https://github.com/rust-lang/rust/issues/83914 and https://github.com/rust-lang/rust/pull/83530#issuecomment-813522824). It was reverted in beta (#8640) to give more time to figure out some solutions. Some possible ideas: 1. Use rustdoc's `--resource-suffix` flag to force the common resources to use different filenames instead of deleting the the directory. I have concerns about this approach, as it may cause resource files to accumulate (when different versions are used), and may cause confusion if different packages are documented independently with different versions (the search indexes won't be shared, `crates.js` may be out of sync, etc.). 2. Only delete the `doc` directory if the fingerprint *changes*. Don't delete the doc directory if the fingerprint is missing. 3. Only delete existing files in the `doc` directory, and ignore any hidden files (don't delete the directory itself). I'm leaning towards option 2, though I'm uncertain if it solves the problems (needs testing). cc @CPerezz and @jyn514, if you maybe have other ideas or thoughts.
non_priority
rustdoc fingerprinting issues has been causing some problems with rustbuild see and it was reverted in beta to give more time to figure out some solutions some possible ideas use rustdoc s resource suffix flag to force the common resources to use different filenames instead of deleting the the directory i have concerns about this approach as it may cause resource files to accumulate when different versions are used and may cause confusion if different packages are documented independently with different versions the search indexes won t be shared crates js may be out of sync etc only delete the doc directory if the fingerprint changes don t delete the doc directory if the fingerprint is missing only delete existing files in the doc directory and ignore any hidden files don t delete the directory itself i m leaning towards option though i m uncertain if it solves the problems needs testing cc cperezz and if you maybe have other ideas or thoughts
0
194,083
15,396,797,668
IssuesEvent
2021-03-03 21:10:13
antoinezanardi/werewolves-assistant-api
https://api.github.com/repos/antoinezanardi/werewolves-assistant-api
closed
Add Player Deaths section in APIDoc
documentation
In APIDoc, in the footer, add the `Player Deaths` section which list all player deaths possible in the game. The list must contain for each death: - Source - Cause - Target(s) - Description
1.0
Add Player Deaths section in APIDoc - In APIDoc, in the footer, add the `Player Deaths` section which list all player deaths possible in the game. The list must contain for each death: - Source - Cause - Target(s) - Description
non_priority
add player deaths section in apidoc in apidoc in the footer add the player deaths section which list all player deaths possible in the game the list must contain for each death source cause target s description
0
422,813
12,287,485,670
IssuesEvent
2020-05-09 12:25:47
googleapis/elixir-google-api
https://api.github.com/repos/googleapis/elixir-google-api
opened
Synthesis failed for LifeSciences
api: lifesciences autosynth failure priority: p1 type: bug
Hello! Autosynth couldn't regenerate LifeSciences. :broken_heart: Here's the output from running `synth.py`: ``` 2020-05-09 05:15:29 [INFO] logs will be written to: /tmpfs/src/github/synthtool/logs/googleapis/elixir-google-api 2020-05-09 05:15:29,924 autosynth > logs will be written to: /tmpfs/src/github/synthtool/logs/googleapis/elixir-google-api Switched to branch 'autosynth-lifesciences' 2020-05-09 05:15:31 [INFO] Running synthtool 2020-05-09 05:15:31,544 autosynth > Running synthtool 2020-05-09 05:15:31 [INFO] ['/tmpfs/src/github/synthtool/env/bin/python3', '-m', 'synthtool', '--metadata', 'clients/life_sciences/synth.metadata', 'synth.py', '--'] 2020-05-09 05:15:31,545 autosynth > ['/tmpfs/src/github/synthtool/env/bin/python3', '-m', 'synthtool', '--metadata', 'clients/life_sciences/synth.metadata', 'synth.py', '--'] 2020-05-09 05:15:31,757 synthtool > Executing /home/kbuilder/.cache/synthtool/elixir-google-api/synth.py. On branch autosynth-lifesciences nothing to commit, working tree clean 2020-05-09 05:15:31,884 synthtool > Cloning https://github.com/googleapis/elixir-google-api.git. 2020-05-09 05:15:32,514 synthtool > Running: docker run --rm -v/home/kbuilder/.cache/synthtool/elixir-google-api:/workspace -v/var/run/docker.sock:/var/run/docker.sock -e USER_GROUP=1000:1000 -w /workspace gcr.io/cloud-devrel-public-resources/elixir19 scripts/generate_client.sh LifeSciences 2020-05-09 05:15:38,261 synthtool > No files in sources /home/kbuilder/.cache/synthtool/elixir-google-api/clients were copied. Does the source contain files? Traceback (most recent call last): File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 193, in _run_module_as_main "__main__", mod_spec) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 85, in _run_code exec(code, run_globals) File "/tmpfs/src/github/synthtool/synthtool/__main__.py", line 102, in <module> main() File "/tmpfs/src/github/synthtool/env/lib/python3.6/site-packages/click/core.py", line 829, in __call__ return self.main(*args, **kwargs) File "/tmpfs/src/github/synthtool/env/lib/python3.6/site-packages/click/core.py", line 782, in main rv = self.invoke(ctx) File "/tmpfs/src/github/synthtool/env/lib/python3.6/site-packages/click/core.py", line 1066, in invoke return ctx.invoke(self.callback, **ctx.params) File "/tmpfs/src/github/synthtool/env/lib/python3.6/site-packages/click/core.py", line 610, in invoke return callback(*args, **kwargs) File "/tmpfs/src/github/synthtool/synthtool/__main__.py", line 94, in main spec.loader.exec_module(synth_module) # type: ignore File "/tmpfs/src/github/synthtool/synthtool/metadata.py", line 180, in __exit__ write(self.metadata_file_path) File "/tmpfs/src/github/synthtool/synthtool/metadata.py", line 112, in write with open(outfile, "w") as fh: FileNotFoundError: [Errno 2] No such file or directory: 'clients/life_sciences/synth.metadata' 2020-05-09 05:15:38 [ERROR] Synthesis failed 2020-05-09 05:15:38,289 autosynth > Synthesis failed Traceback (most recent call last): File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 193, in _run_module_as_main "__main__", mod_spec) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 85, in _run_code exec(code, run_globals) File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 599, in <module> main() File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 471, in main return _inner_main(temp_dir) File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 549, in _inner_main ).synthesize(base_synth_log_path) File "/tmpfs/src/github/synthtool/autosynth/synthesizer.py", line 118, in synthesize synth_proc.check_returncode() # Raise an exception. File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/subprocess.py", line 389, in check_returncode self.stderr) subprocess.CalledProcessError: Command '['/tmpfs/src/github/synthtool/env/bin/python3', '-m', 'synthtool', '--metadata', 'clients/life_sciences/synth.metadata', 'synth.py', '--', 'LifeSciences']' returned non-zero exit status 1. ``` Google internal developers can see the full log [here](https://sponge/11ff3741-9158-4831-8681-fff828f77e1a).
1.0
Synthesis failed for LifeSciences - Hello! Autosynth couldn't regenerate LifeSciences. :broken_heart: Here's the output from running `synth.py`: ``` 2020-05-09 05:15:29 [INFO] logs will be written to: /tmpfs/src/github/synthtool/logs/googleapis/elixir-google-api 2020-05-09 05:15:29,924 autosynth > logs will be written to: /tmpfs/src/github/synthtool/logs/googleapis/elixir-google-api Switched to branch 'autosynth-lifesciences' 2020-05-09 05:15:31 [INFO] Running synthtool 2020-05-09 05:15:31,544 autosynth > Running synthtool 2020-05-09 05:15:31 [INFO] ['/tmpfs/src/github/synthtool/env/bin/python3', '-m', 'synthtool', '--metadata', 'clients/life_sciences/synth.metadata', 'synth.py', '--'] 2020-05-09 05:15:31,545 autosynth > ['/tmpfs/src/github/synthtool/env/bin/python3', '-m', 'synthtool', '--metadata', 'clients/life_sciences/synth.metadata', 'synth.py', '--'] 2020-05-09 05:15:31,757 synthtool > Executing /home/kbuilder/.cache/synthtool/elixir-google-api/synth.py. On branch autosynth-lifesciences nothing to commit, working tree clean 2020-05-09 05:15:31,884 synthtool > Cloning https://github.com/googleapis/elixir-google-api.git. 2020-05-09 05:15:32,514 synthtool > Running: docker run --rm -v/home/kbuilder/.cache/synthtool/elixir-google-api:/workspace -v/var/run/docker.sock:/var/run/docker.sock -e USER_GROUP=1000:1000 -w /workspace gcr.io/cloud-devrel-public-resources/elixir19 scripts/generate_client.sh LifeSciences 2020-05-09 05:15:38,261 synthtool > No files in sources /home/kbuilder/.cache/synthtool/elixir-google-api/clients were copied. Does the source contain files? Traceback (most recent call last): File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 193, in _run_module_as_main "__main__", mod_spec) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 85, in _run_code exec(code, run_globals) File "/tmpfs/src/github/synthtool/synthtool/__main__.py", line 102, in <module> main() File "/tmpfs/src/github/synthtool/env/lib/python3.6/site-packages/click/core.py", line 829, in __call__ return self.main(*args, **kwargs) File "/tmpfs/src/github/synthtool/env/lib/python3.6/site-packages/click/core.py", line 782, in main rv = self.invoke(ctx) File "/tmpfs/src/github/synthtool/env/lib/python3.6/site-packages/click/core.py", line 1066, in invoke return ctx.invoke(self.callback, **ctx.params) File "/tmpfs/src/github/synthtool/env/lib/python3.6/site-packages/click/core.py", line 610, in invoke return callback(*args, **kwargs) File "/tmpfs/src/github/synthtool/synthtool/__main__.py", line 94, in main spec.loader.exec_module(synth_module) # type: ignore File "/tmpfs/src/github/synthtool/synthtool/metadata.py", line 180, in __exit__ write(self.metadata_file_path) File "/tmpfs/src/github/synthtool/synthtool/metadata.py", line 112, in write with open(outfile, "w") as fh: FileNotFoundError: [Errno 2] No such file or directory: 'clients/life_sciences/synth.metadata' 2020-05-09 05:15:38 [ERROR] Synthesis failed 2020-05-09 05:15:38,289 autosynth > Synthesis failed Traceback (most recent call last): File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 193, in _run_module_as_main "__main__", mod_spec) File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/runpy.py", line 85, in _run_code exec(code, run_globals) File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 599, in <module> main() File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 471, in main return _inner_main(temp_dir) File "/tmpfs/src/github/synthtool/autosynth/synth.py", line 549, in _inner_main ).synthesize(base_synth_log_path) File "/tmpfs/src/github/synthtool/autosynth/synthesizer.py", line 118, in synthesize synth_proc.check_returncode() # Raise an exception. File "/home/kbuilder/.pyenv/versions/3.6.9/lib/python3.6/subprocess.py", line 389, in check_returncode self.stderr) subprocess.CalledProcessError: Command '['/tmpfs/src/github/synthtool/env/bin/python3', '-m', 'synthtool', '--metadata', 'clients/life_sciences/synth.metadata', 'synth.py', '--', 'LifeSciences']' returned non-zero exit status 1. ``` Google internal developers can see the full log [here](https://sponge/11ff3741-9158-4831-8681-fff828f77e1a).
priority
synthesis failed for lifesciences hello autosynth couldn t regenerate lifesciences broken heart here s the output from running synth py logs will be written to tmpfs src github synthtool logs googleapis elixir google api autosynth logs will be written to tmpfs src github synthtool logs googleapis elixir google api switched to branch autosynth lifesciences running synthtool autosynth running synthtool autosynth synthtool executing home kbuilder cache synthtool elixir google api synth py on branch autosynth lifesciences nothing to commit working tree clean synthtool cloning synthtool running docker run rm v home kbuilder cache synthtool elixir google api workspace v var run docker sock var run docker sock e user group w workspace gcr io cloud devrel public resources scripts generate client sh lifesciences synthtool no files in sources home kbuilder cache synthtool elixir google api clients were copied does the source contain files traceback most recent call last file home kbuilder pyenv versions lib runpy py line in run module as main main mod spec file home kbuilder pyenv versions lib runpy py line in run code exec code run globals file tmpfs src github synthtool synthtool main py line in main file tmpfs src github synthtool env lib site packages click core py line in call return self main args kwargs file tmpfs src github synthtool env lib site packages click core py line in main rv self invoke ctx file tmpfs src github synthtool env lib site packages click core py line in invoke return ctx invoke self callback ctx params file tmpfs src github synthtool env lib site packages click core py line in invoke return callback args kwargs file tmpfs src github synthtool synthtool main py line in main spec loader exec module synth module type ignore file tmpfs src github synthtool synthtool metadata py line in exit write self metadata file path file tmpfs src github synthtool synthtool metadata py line in write with open outfile w as fh filenotfounderror no such file or directory clients life sciences synth metadata synthesis failed autosynth synthesis failed traceback most recent call last file home kbuilder pyenv versions lib runpy py line in run module as main main mod spec file home kbuilder pyenv versions lib runpy py line in run code exec code run globals file tmpfs src github synthtool autosynth synth py line in main file tmpfs src github synthtool autosynth synth py line in main return inner main temp dir file tmpfs src github synthtool autosynth synth py line in inner main synthesize base synth log path file tmpfs src github synthtool autosynth synthesizer py line in synthesize synth proc check returncode raise an exception file home kbuilder pyenv versions lib subprocess py line in check returncode self stderr subprocess calledprocesserror command returned non zero exit status google internal developers can see the full log
1
530,401
15,422,481,677
IssuesEvent
2021-03-05 14:27:00
JSTOR-Labs/plant-humanities
https://api.github.com/repos/JSTOR-Labs/plant-humanities
closed
Wikidata popup "View Source" link -- live or disabled?
need for launch priority 1
Should the "View Source" link direct users to the appropriate Wikipedia page? It currently redirects to a blank page. ![Screen Shot 2021-03-04 at 9 43 08 AM](https://user-images.githubusercontent.com/67124996/109980795-46ed5c00-7cce-11eb-9797-ad0d708fbda0.png)
1.0
Wikidata popup "View Source" link -- live or disabled? - Should the "View Source" link direct users to the appropriate Wikipedia page? It currently redirects to a blank page. ![Screen Shot 2021-03-04 at 9 43 08 AM](https://user-images.githubusercontent.com/67124996/109980795-46ed5c00-7cce-11eb-9797-ad0d708fbda0.png)
priority
wikidata popup view source link live or disabled should the view source link direct users to the appropriate wikipedia page it currently redirects to a blank page
1
1,289
14,633,290,720
IssuesEvent
2020-12-24 01:23:13
emmamei/cdkey
https://api.github.com/repos/emmamei/cdkey
closed
Remove afk from statistics
reliabilityfix simplification
Remove afk from statistic messages - if afk is removed (issue #592) then there is no need to report it. Auto AFK will be disabled by use of text box, and user set afk will no longer exist. This should be an easy fix.
True
Remove afk from statistics - Remove afk from statistic messages - if afk is removed (issue #592) then there is no need to report it. Auto AFK will be disabled by use of text box, and user set afk will no longer exist. This should be an easy fix.
non_priority
remove afk from statistics remove afk from statistic messages if afk is removed issue then there is no need to report it auto afk will be disabled by use of text box and user set afk will no longer exist this should be an easy fix
0
753,928
26,367,666,420
IssuesEvent
2023-01-11 17:51:08
crytic/slither
https://api.github.com/repos/crytic/slither
closed
Incorrect IR conversion with top level type
bug High Priority ir
Slither on `dev` (https://github.com/crytic/slither/tree/53238600a1ad3b119b26d752460dcfeea75dd20c) crashes on: ```solidity type MyType is uint256; library MyLib { using A for MyType; using B for uint; function a() internal returns(uint){ MyType myvar = MyType.wrap(4); return MyType.unwrap(myvar.b()).c(); } } library A { function b(MyType e) public returns(MyType){ return MyType.wrap(3); } } library B { function c(uint e) public returns(uint){ return 345; } } ```
1.0
Incorrect IR conversion with top level type - Slither on `dev` (https://github.com/crytic/slither/tree/53238600a1ad3b119b26d752460dcfeea75dd20c) crashes on: ```solidity type MyType is uint256; library MyLib { using A for MyType; using B for uint; function a() internal returns(uint){ MyType myvar = MyType.wrap(4); return MyType.unwrap(myvar.b()).c(); } } library A { function b(MyType e) public returns(MyType){ return MyType.wrap(3); } } library B { function c(uint e) public returns(uint){ return 345; } } ```
priority
incorrect ir conversion with top level type slither on dev crashes on solidity type mytype is library mylib using a for mytype using b for uint function a internal returns uint mytype myvar mytype wrap return mytype unwrap myvar b c library a function b mytype e public returns mytype return mytype wrap library b function c uint e public returns uint return
1
134,298
10,889,451,075
IssuesEvent
2019-11-18 18:16:26
pytorch/pytorch
https://api.github.com/repos/pytorch/pytorch
closed
test_multi_py_udf_remote rpc test is flay
high priority module: rpc topic: flaky-tests triage review triaged
## 🐛 Bug `test_multi_py_udf_remote` is flaky. Example failure: https://app.circleci.com/jobs/github/pytorch/pytorch/3454576. This is again the timeout issue that we've been seeing on numerous flaky tests. cc @ezyang @gchanan @zou3519 @jerryzh168 @pietern @mrshenli @pritamdamania87 @zhaojuanmao @satgera @gqchen @aazzolini @rohan-varma @xush6528
1.0
test_multi_py_udf_remote rpc test is flay - ## 🐛 Bug `test_multi_py_udf_remote` is flaky. Example failure: https://app.circleci.com/jobs/github/pytorch/pytorch/3454576. This is again the timeout issue that we've been seeing on numerous flaky tests. cc @ezyang @gchanan @zou3519 @jerryzh168 @pietern @mrshenli @pritamdamania87 @zhaojuanmao @satgera @gqchen @aazzolini @rohan-varma @xush6528
non_priority
test multi py udf remote rpc test is flay 🐛 bug test multi py udf remote is flaky example failure this is again the timeout issue that we ve been seeing on numerous flaky tests cc ezyang gchanan pietern mrshenli zhaojuanmao satgera gqchen aazzolini rohan varma
0
261,952
8,248,229,950
IssuesEvent
2018-09-11 17:49:10
CypherpunkArmory/UserLAnd
https://api.github.com/repos/CypherpunkArmory/UserLAnd
closed
Known Issue: connectbot timer and disconnect recognition
duplicate low priority
Hello all, This issue is not strictly related to UserLAnd, however if anyone could please confirm that they are running into a similar or identical issue it would be greatly appreciated. When switching back from the ssh terminal to connectbot's UI, the timer indicator in seconds/minutes seems to have inconsistent times and I am unsure as to what the timer is referencing. At one point I received the message "Never connected before" even though a numerical value was given before then. On top of these, I have also run into difficulty getting connectbot to register when the ssh server disconnects, and the indicator icon does not seem to register this and maintains it is connected. This was being tested on Android running 7.0 with the latest UserLAnd and connectbot builds. I have already filed an issue on connectbot's github repo, so filing a separate one is not necessary for the time being. If anyone could please take the time to see if they are running into a similar issue, it would be sincerely appreciated. Thank you all very much, -Adam
1.0
Known Issue: connectbot timer and disconnect recognition - Hello all, This issue is not strictly related to UserLAnd, however if anyone could please confirm that they are running into a similar or identical issue it would be greatly appreciated. When switching back from the ssh terminal to connectbot's UI, the timer indicator in seconds/minutes seems to have inconsistent times and I am unsure as to what the timer is referencing. At one point I received the message "Never connected before" even though a numerical value was given before then. On top of these, I have also run into difficulty getting connectbot to register when the ssh server disconnects, and the indicator icon does not seem to register this and maintains it is connected. This was being tested on Android running 7.0 with the latest UserLAnd and connectbot builds. I have already filed an issue on connectbot's github repo, so filing a separate one is not necessary for the time being. If anyone could please take the time to see if they are running into a similar issue, it would be sincerely appreciated. Thank you all very much, -Adam
priority
known issue connectbot timer and disconnect recognition hello all this issue is not strictly related to userland however if anyone could please confirm that they are running into a similar or identical issue it would be greatly appreciated when switching back from the ssh terminal to connectbot s ui the timer indicator in seconds minutes seems to have inconsistent times and i am unsure as to what the timer is referencing at one point i received the message never connected before even though a numerical value was given before then on top of these i have also run into difficulty getting connectbot to register when the ssh server disconnects and the indicator icon does not seem to register this and maintains it is connected this was being tested on android running with the latest userland and connectbot builds i have already filed an issue on connectbot s github repo so filing a separate one is not necessary for the time being if anyone could please take the time to see if they are running into a similar issue it would be sincerely appreciated thank you all very much adam
1
616,226
19,296,771,326
IssuesEvent
2021-12-12 18:13:36
AZielski/symmetrical-carnival
https://api.github.com/repos/AZielski/symmetrical-carnival
closed
End details of trash
frontend priority:Medium
- Add qrcode with use of https://github.com/cheprasov/ts-react-qrcode - Generate qrcode with use of trash id and url address - Add axios connection to /trash?guid={guid} guid for sample data = e371685c-9d44-4f56-a0f8-e06d96eb465a
1.0
End details of trash - - Add qrcode with use of https://github.com/cheprasov/ts-react-qrcode - Generate qrcode with use of trash id and url address - Add axios connection to /trash?guid={guid} guid for sample data = e371685c-9d44-4f56-a0f8-e06d96eb465a
priority
end details of trash add qrcode with use of generate qrcode with use of trash id and url address add axios connection to trash guid guid guid for sample data
1
364,305
10,761,971,152
IssuesEvent
2019-10-31 22:07:49
JuezUN/INGInious
https://api.github.com/repos/JuezUN/INGInious
closed
Move buttons on Task files - Task editor
Change request Course Administration Frontend Medium Priority
In the 'Task files' tab while editing a task, the buttons 'create a new file' and 'Upload a file' should go on the top the page as the list of files gets larger every time you create/add a file, so you need to go to the bottom having to scroll all the way down every time. Moving them to the top may make the buttons easier to use. ![image](https://user-images.githubusercontent.com/22863695/48518038-4d721400-e836-11e8-8565-411d139aa95a.png)
1.0
Move buttons on Task files - Task editor - In the 'Task files' tab while editing a task, the buttons 'create a new file' and 'Upload a file' should go on the top the page as the list of files gets larger every time you create/add a file, so you need to go to the bottom having to scroll all the way down every time. Moving them to the top may make the buttons easier to use. ![image](https://user-images.githubusercontent.com/22863695/48518038-4d721400-e836-11e8-8565-411d139aa95a.png)
priority
move buttons on task files task editor in the task files tab while editing a task the buttons create a new file and upload a file should go on the top the page as the list of files gets larger every time you create add a file so you need to go to the bottom having to scroll all the way down every time moving them to the top may make the buttons easier to use
1
332,879
10,112,266,008
IssuesEvent
2019-07-30 14:23:40
dmwm/WMCore
https://api.github.com/repos/dmwm/WMCore
closed
JobStatusLite crash with codec can't encode char
BUG Medium Priority WMAgent WMAgent Crash
Error message is ``` 'ascii' codec can't encode character u'\u2018' in position 1424: ordinal not in range(128) ``` even though the source code is defining the `utf-8` codec. In addition to that, it has the `ignore` value, which I'd expect to skip anything that can't be decoded... Full traceback as follows: ``` 2019-04-15 04:45:52,072:139744026318592:ERROR:SimpleCondorPlugin:No job report for job with id 5058715 and gridid 95267.128 2019-04-15 04:45:52,152:139744026318592:ERROR:SimpleCondorPlugin:No job report for job with id 5182715 and gridid 95964.25 2019-04-15 04:45:52,156:139744026318592:ERROR:BossAirAPI:Exception while completing jobs! 'ascii' codec can't encode character u'\u2018' in position 1424: ordinal not in range(128) 2019-04-15 04:45:58,932:139744026318592:ERROR:BaseWorkerThread:Error in worker algorithm (1): Backtrace: <WMCore.BossAir.StatusPoller.StatusPoller object at 0x7f18b1a0a490> <@========== WMException Start ==========@> Exception Class: BossAirException Message: Exception while completing jobs! 'ascii' codec can't encode character u'\u2018' in position 1424: ordinal not in range(128) ModuleName : WMCore.BossAir.BossAirAPI MethodName : _complete ClassInstance : None FileName : /data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/BossAirAPI.py ClassName : None LineNumber : 534 ErrorNr : 0 Traceback: File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/BossAirAPI.py", line 526, in _complete self.plugins[plugin].complete(jobsToComplete[plugin]) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/Plugins/SimpleCondorPlugin.py", line 324, in complete condorReport.addError(exitType, exitCode, exitType, logOutput) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/FwkJobReport/Report.py", line 568, in addError errDetails.details = errorDetails.decode('utf-8', 'ignore') File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/external/python/2.7.13-comp/lib/python2.7/encodings/utf_8.py", line 16, in decode return codecs.utf_8_decode(input, errors, True) <@---------- WMException End ----------@> File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/WorkerThreads/BaseWorkerThread.py", line 182, in __call__ tSpent, results, _ = algorithmWithDBExceptionHandler(parameters) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/Database/DBExceptionHandler.py", line 35, in wrapper return f(*args, **kwargs) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/Utils/Timers.py", line 24, in wrapper res = func(*arg, **kw) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/StatusPoller.py", line 68, in algorithm self.checkStatus() File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/StatusPoller.py", line 92, in checkStatus runningJobs = self.bossAir.track() File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/BossAirAPI.py", line 494, in track self._complete(jobs=jobsToComplete) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/BossAirAPI.py", line 534, in _complete raise BossAirException(msg) ```
1.0
JobStatusLite crash with codec can't encode char - Error message is ``` 'ascii' codec can't encode character u'\u2018' in position 1424: ordinal not in range(128) ``` even though the source code is defining the `utf-8` codec. In addition to that, it has the `ignore` value, which I'd expect to skip anything that can't be decoded... Full traceback as follows: ``` 2019-04-15 04:45:52,072:139744026318592:ERROR:SimpleCondorPlugin:No job report for job with id 5058715 and gridid 95267.128 2019-04-15 04:45:52,152:139744026318592:ERROR:SimpleCondorPlugin:No job report for job with id 5182715 and gridid 95964.25 2019-04-15 04:45:52,156:139744026318592:ERROR:BossAirAPI:Exception while completing jobs! 'ascii' codec can't encode character u'\u2018' in position 1424: ordinal not in range(128) 2019-04-15 04:45:58,932:139744026318592:ERROR:BaseWorkerThread:Error in worker algorithm (1): Backtrace: <WMCore.BossAir.StatusPoller.StatusPoller object at 0x7f18b1a0a490> <@========== WMException Start ==========@> Exception Class: BossAirException Message: Exception while completing jobs! 'ascii' codec can't encode character u'\u2018' in position 1424: ordinal not in range(128) ModuleName : WMCore.BossAir.BossAirAPI MethodName : _complete ClassInstance : None FileName : /data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/BossAirAPI.py ClassName : None LineNumber : 534 ErrorNr : 0 Traceback: File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/BossAirAPI.py", line 526, in _complete self.plugins[plugin].complete(jobsToComplete[plugin]) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/Plugins/SimpleCondorPlugin.py", line 324, in complete condorReport.addError(exitType, exitCode, exitType, logOutput) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/FwkJobReport/Report.py", line 568, in addError errDetails.details = errorDetails.decode('utf-8', 'ignore') File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/external/python/2.7.13-comp/lib/python2.7/encodings/utf_8.py", line 16, in decode return codecs.utf_8_decode(input, errors, True) <@---------- WMException End ----------@> File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/WorkerThreads/BaseWorkerThread.py", line 182, in __call__ tSpent, results, _ = algorithmWithDBExceptionHandler(parameters) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/Database/DBExceptionHandler.py", line 35, in wrapper return f(*args, **kwargs) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/Utils/Timers.py", line 24, in wrapper res = func(*arg, **kw) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/StatusPoller.py", line 68, in algorithm self.checkStatus() File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/StatusPoller.py", line 92, in checkStatus runningJobs = self.bossAir.track() File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/BossAirAPI.py", line 494, in track self._complete(jobs=jobsToComplete) File "/data/srv/wmagent/v1.1.20.patch3/sw/slc7_amd64_gcc630/cms/wmagent/1.1.20.patch3/lib/python2.7/site-packages/WMCore/BossAir/BossAirAPI.py", line 534, in _complete raise BossAirException(msg) ```
priority
jobstatuslite crash with codec can t encode char error message is ascii codec can t encode character u in position ordinal not in range even though the source code is defining the utf codec in addition to that it has the ignore value which i d expect to skip anything that can t be decoded full traceback as follows error simplecondorplugin no job report for job with id and gridid error simplecondorplugin no job report for job with id and gridid error bossairapi exception while completing jobs ascii codec can t encode character u in position ordinal not in range error baseworkerthread error in worker algorithm backtrace exception class bossairexception message exception while completing jobs ascii codec can t encode character u in position ordinal not in range modulename wmcore bossair bossairapi methodname complete classinstance none filename data srv wmagent sw cms wmagent lib site packages wmcore bossair bossairapi py classname none linenumber errornr traceback file data srv wmagent sw cms wmagent lib site packages wmcore bossair bossairapi py line in complete self plugins complete jobstocomplete file data srv wmagent sw cms wmagent lib site packages wmcore bossair plugins simplecondorplugin py line in complete condorreport adderror exittype exitcode exittype logoutput file data srv wmagent sw cms wmagent lib site packages wmcore fwkjobreport report py line in adderror errdetails details errordetails decode utf ignore file data srv wmagent sw external python comp lib encodings utf py line in decode return codecs utf decode input errors true file data srv wmagent sw cms wmagent lib site packages wmcore workerthreads baseworkerthread py line in call tspent results algorithmwithdbexceptionhandler parameters file data srv wmagent sw cms wmagent lib site packages wmcore database dbexceptionhandler py line in wrapper return f args kwargs file data srv wmagent sw cms wmagent lib site packages utils timers py line in wrapper res func arg kw file data srv wmagent sw cms wmagent lib site packages wmcore bossair statuspoller py line in algorithm self checkstatus file data srv wmagent sw cms wmagent lib site packages wmcore bossair statuspoller py line in checkstatus runningjobs self bossair track file data srv wmagent sw cms wmagent lib site packages wmcore bossair bossairapi py line in track self complete jobs jobstocomplete file data srv wmagent sw cms wmagent lib site packages wmcore bossair bossairapi py line in complete raise bossairexception msg
1
42,264
10,925,524,623
IssuesEvent
2019-11-22 12:44:41
primefaces/primeng
https://api.github.com/repos/primefaces/primeng
reopened
Calendar Receives Keyboard Focus
defect
Reported By PRO User; > On blur, when the date picker is removed from the DOM, there is a split second when the user’s keyboard focus is on the first focusable element within the date picker.


1.0
Calendar Receives Keyboard Focus - Reported By PRO User; > On blur, when the date picker is removed from the DOM, there is a split second when the user’s keyboard focus is on the first focusable element within the date picker.


non_priority
calendar receives keyboard focus reported by pro user on blur when the date picker is removed from the dom there is a split second when the user’s keyboard focus is on the first focusable element within the date picker 


0
302,390
9,257,829,327
IssuesEvent
2019-03-17 10:42:52
CorsixTH/CorsixTH
https://api.github.com/repos/CorsixTH/CorsixTH
closed
Missing cursor on find Theme Hospital screen
Priority-Critical Type-Regression
#### Describe the issue Missing cursor icon when selecting the Theme Hospital directory (initial run). #### Steps to Reproduce 1. Ensure config file does not point to Theme Hospital directory 2. Launch #### Expected Behavior File browser with cursor to navigate #### System Information 27651bb Arch Linux x86_64 CD
1.0
Missing cursor on find Theme Hospital screen - #### Describe the issue Missing cursor icon when selecting the Theme Hospital directory (initial run). #### Steps to Reproduce 1. Ensure config file does not point to Theme Hospital directory 2. Launch #### Expected Behavior File browser with cursor to navigate #### System Information 27651bb Arch Linux x86_64 CD
priority
missing cursor on find theme hospital screen describe the issue missing cursor icon when selecting the theme hospital directory initial run steps to reproduce ensure config file does not point to theme hospital directory launch expected behavior file browser with cursor to navigate system information arch linux cd
1
434,590
12,520,497,746
IssuesEvent
2020-06-03 15:57:25
DigitalExcellence/dex-backend
https://api.github.com/repos/DigitalExcellence/dex-backend
closed
Return only user properties when actually needed
input wanted priority
We need to be careful with returning users when requesting for example all projects. I recommend we look into all endpoints and check carefully what we are returning. In some cases only an ID would be sufficient to return, in others we do need a name. I noticed we are returning email addresses when calling 'Get all projects" or "Project Detail" page. There might be more endpoints that are accessible by Guests / Registered users that are able to get information that they should not be able to see so easily. What needs to be done? 1. Go over all endpoints that return something from a users 2. Check if it's actually needed to return the information about the user in that endpoint 3. If necessary, make the appropriate changes to only return the information needed Might need to discuss this a little bit more, perhaps Guests should not be able to see the user's email and Registered users should be able to? Github has a setting for this in the profile section where you can control who sees your email (guest vs registered users). What does @DigitalExcellence/backend think?
1.0
Return only user properties when actually needed - We need to be careful with returning users when requesting for example all projects. I recommend we look into all endpoints and check carefully what we are returning. In some cases only an ID would be sufficient to return, in others we do need a name. I noticed we are returning email addresses when calling 'Get all projects" or "Project Detail" page. There might be more endpoints that are accessible by Guests / Registered users that are able to get information that they should not be able to see so easily. What needs to be done? 1. Go over all endpoints that return something from a users 2. Check if it's actually needed to return the information about the user in that endpoint 3. If necessary, make the appropriate changes to only return the information needed Might need to discuss this a little bit more, perhaps Guests should not be able to see the user's email and Registered users should be able to? Github has a setting for this in the profile section where you can control who sees your email (guest vs registered users). What does @DigitalExcellence/backend think?
priority
return only user properties when actually needed we need to be careful with returning users when requesting for example all projects i recommend we look into all endpoints and check carefully what we are returning in some cases only an id would be sufficient to return in others we do need a name i noticed we are returning email addresses when calling get all projects or project detail page there might be more endpoints that are accessible by guests registered users that are able to get information that they should not be able to see so easily what needs to be done go over all endpoints that return something from a users check if it s actually needed to return the information about the user in that endpoint if necessary make the appropriate changes to only return the information needed might need to discuss this a little bit more perhaps guests should not be able to see the user s email and registered users should be able to github has a setting for this in the profile section where you can control who sees your email guest vs registered users what does digitalexcellence backend think
1
81,113
15,603,081,320
IssuesEvent
2021-03-19 01:09:14
xlizaluizax/smart-spruce
https://api.github.com/repos/xlizaluizax/smart-spruce
opened
CVE-2021-26540 (Medium) detected in sanitize-html-1.20.0.tgz
security vulnerability
## CVE-2021-26540 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>sanitize-html-1.20.0.tgz</b></p></summary> <p>Clean up user-submitted HTML, preserving whitelisted elements and whitelisted attributes on a per-element basis</p> <p>Library home page: <a href="https://registry.npmjs.org/sanitize-html/-/sanitize-html-1.20.0.tgz">https://registry.npmjs.org/sanitize-html/-/sanitize-html-1.20.0.tgz</a></p> <p>Path to dependency file: smart-spruce/package.json</p> <p>Path to vulnerable library: smart-spruce/node_modules/sanitize-html/package.json</p> <p> Dependency Hierarchy: - gatsby-transformer-remark-2.3.8.tgz (Root Library) - :x: **sanitize-html-1.20.0.tgz** (Vulnerable Library) <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Apostrophe Technologies sanitize-html before 2.3.2 does not properly validate the hostnames set by the "allowedIframeHostnames" option when the "allowIframeRelativeUrls" is set to true, which allows attackers to bypass hostname whitelist for iframe element, related using an src value that starts with "/\\example.com". <p>Publish Date: 2021-02-08 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-26540>CVE-2021-26540</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.3</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2021-26540">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2021-26540</a></p> <p>Release Date: 2021-02-08</p> <p>Fix Resolution: 2.3.2</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2021-26540 (Medium) detected in sanitize-html-1.20.0.tgz - ## CVE-2021-26540 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>sanitize-html-1.20.0.tgz</b></p></summary> <p>Clean up user-submitted HTML, preserving whitelisted elements and whitelisted attributes on a per-element basis</p> <p>Library home page: <a href="https://registry.npmjs.org/sanitize-html/-/sanitize-html-1.20.0.tgz">https://registry.npmjs.org/sanitize-html/-/sanitize-html-1.20.0.tgz</a></p> <p>Path to dependency file: smart-spruce/package.json</p> <p>Path to vulnerable library: smart-spruce/node_modules/sanitize-html/package.json</p> <p> Dependency Hierarchy: - gatsby-transformer-remark-2.3.8.tgz (Root Library) - :x: **sanitize-html-1.20.0.tgz** (Vulnerable Library) <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Apostrophe Technologies sanitize-html before 2.3.2 does not properly validate the hostnames set by the "allowedIframeHostnames" option when the "allowIframeRelativeUrls" is set to true, which allows attackers to bypass hostname whitelist for iframe element, related using an src value that starts with "/\\example.com". <p>Publish Date: 2021-02-08 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-26540>CVE-2021-26540</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.3</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2021-26540">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2021-26540</a></p> <p>Release Date: 2021-02-08</p> <p>Fix Resolution: 2.3.2</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
cve medium detected in sanitize html tgz cve medium severity vulnerability vulnerable library sanitize html tgz clean up user submitted html preserving whitelisted elements and whitelisted attributes on a per element basis library home page a href path to dependency file smart spruce package json path to vulnerable library smart spruce node modules sanitize html package json dependency hierarchy gatsby transformer remark tgz root library x sanitize html tgz vulnerable library found in base branch master vulnerability details apostrophe technologies sanitize html before does not properly validate the hostnames set by the allowediframehostnames option when the allowiframerelativeurls is set to true which allows attackers to bypass hostname whitelist for iframe element related using an src value that starts with example com publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with whitesource
0
616,676
19,309,514,322
IssuesEvent
2021-12-13 14:56:14
oncokb/oncokb
https://api.github.com/repos/oncokb/oncokb
opened
Inspect the impact of the log4j bug
high priority
The recently log4j security issue has widely affected the industry, we need to exam how mush impact on our system. The following is a good read https://www.fastly.com/blog/digging-deeper-into-log4shell-0day-rce-exploit-found-in-log4j
1.0
Inspect the impact of the log4j bug - The recently log4j security issue has widely affected the industry, we need to exam how mush impact on our system. The following is a good read https://www.fastly.com/blog/digging-deeper-into-log4shell-0day-rce-exploit-found-in-log4j
priority
inspect the impact of the bug the recently security issue has widely affected the industry we need to exam how mush impact on our system the following is a good read
1
281,855
8,700,433,456
IssuesEvent
2018-12-05 08:43:38
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.oculus.com - site is not usable
browser-firefox priority-normal
<!-- @browser: Firefox 65.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:65.0) Gecko/20100101 Firefox/65.0 --> <!-- @reported_with: desktop-reporter --> **URL**: https://www.oculus.com/rift/setup/ **Browser / Version**: Firefox 65.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes **Problem type**: Site is not usable **Description**: Main body isn't visible. **Steps to Reproduce**: Turn off FF tracking protection, turn off extensions, remove the proxy configuration. [![Screenshot Description](https://webcompat.com/uploads/2018/12/16476243-5f4b-49d5-adb5-1358ac5452f6-thumb.jpeg)](https://webcompat.com/uploads/2018/12/16476243-5f4b-49d5-adb5-1358ac5452f6.jpeg) <details> <summary>Browser Configuration</summary> <ul> <li>mixed active content blocked: false</li><li>image.mem.shared: true</li><li>buildID: 20181204151509</li><li>tracking content blocked: true (basic)</li><li>gfx.webrender.blob-images: true</li><li>hasTouchScreen: false</li><li>mixed passive content blocked: false</li><li>gfx.webrender.enabled: false</li><li>gfx.webrender.all: false</li><li>channel: aurora</li> </ul> <p>Console Messages:</p> <pre> [u'[console.timeStamp(t_start) https://www.oculus.com/rift/setup/:3:1207]', u'[JavaScript Warning: "The resource at https://connect.facebook.net/en_US/fbevents.js was blocked because content blocking is enabled." {file: "https://www.oculus.com/rift/setup/" line: 0}]', u'[JavaScript Warning: "Loading failed for the <script> with source https://connect.facebook.net/en_US/fbevents.js." {file: "https://www.oculus.com/rift/setup/" line: 1}]', u'[JavaScript Warning: "Content Security Policy: Ignoring x-frame-options because of frame-ancestors directive."]', u'[JavaScript Warning: "The resource at https://connect.facebook.net/en_US/sdk.js was blocked because content blocking is enabled." {file: "https://www.oculus.com/rift/setup/" line: 0}]', u'[JavaScript Warning: "Loading failed for the <script> with source https://connect.facebook.net/en_US/sdk.js." {file: "https://www.oculus.com/rift/setup/" line: 1}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://www.oculus.com/rift/setup/" line: 0}]', u'[console.timeStamp(t_domcontent) https://www.oculus.com/rift/setup/:3:1207]', u'[console.timeStamp(t_tti) https://www.oculus.com/rift/setup/:3:1207]', u'[JavaScript Warning: "The resource at https://www.google-analytics.com/analytics.js was blocked because content blocking is enabled." {file: "https://www.oculus.com/rift/setup/" line: 0}]', u'[JavaScript Warning: "Loading failed for the <script> with source https://www.google-analytics.com/analytics.js." {file: "https://www.oculus.com/rift/setup/" line: 1}]', u'[console.error(ErrorUtils caught an error: "The operation is insecure.". Subsequent errors won\'t be logged; see https://fburl.com/debugjs.) https://static.xx.fbcdn.net/rsrc.php/v3/y3/r/FF90y4Lbncb.js:55:6201]', u'[console.timeStamp(t_prehooks) https://www.oculus.com/rift/setup/:3:1207]', u'[console.timeStamp(t_hooks) https://www.oculus.com/rift/setup/:3:1207]', u'[JavaScript Warning: "Content Security Policy: Ignoring x-frame-options because of frame-ancestors directive."]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 2}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 45}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 33}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 33}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 13}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 33}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 13}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "The resource at https://www.googletagmanager.com/gtag/js?id=AW-861461161 was blocked because content blocking is enabled." {file: "https://www.oculus.com/rift/setup/" line: 0}]', u'[JavaScript Warning: "Loading failed for the <script> with source https://www.googletagmanager.com/gtag/js?id=AW-861461161." {file: "https://www.fbsbx.com/tealium/?env=prod" line: 1}]', u'[JavaScript Warning: "Content Security Policy: Ignoring x-frame-options because of frame-ancestors directive."]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://bat.bing.com/bat.js" line: 1}]', u'[console.timeStamp(t_layout) https://www.oculus.com/rift/setup/:3:1207]', u'[console.timeStamp(perf_trace {"name": "e2e", "parent": "PageEvents.BIGPIPE_ONLOAD"}) https://static.xx.fbcdn.net/rsrc.php/v3/y3/r/FF90y4Lbncb.js:118:2787]', u'[console.timeStamp(t_paint) https://www.oculus.com/rift/setup/:3:1207]'] </pre> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.oculus.com - site is not usable - <!-- @browser: Firefox 65.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:65.0) Gecko/20100101 Firefox/65.0 --> <!-- @reported_with: desktop-reporter --> **URL**: https://www.oculus.com/rift/setup/ **Browser / Version**: Firefox 65.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes **Problem type**: Site is not usable **Description**: Main body isn't visible. **Steps to Reproduce**: Turn off FF tracking protection, turn off extensions, remove the proxy configuration. [![Screenshot Description](https://webcompat.com/uploads/2018/12/16476243-5f4b-49d5-adb5-1358ac5452f6-thumb.jpeg)](https://webcompat.com/uploads/2018/12/16476243-5f4b-49d5-adb5-1358ac5452f6.jpeg) <details> <summary>Browser Configuration</summary> <ul> <li>mixed active content blocked: false</li><li>image.mem.shared: true</li><li>buildID: 20181204151509</li><li>tracking content blocked: true (basic)</li><li>gfx.webrender.blob-images: true</li><li>hasTouchScreen: false</li><li>mixed passive content blocked: false</li><li>gfx.webrender.enabled: false</li><li>gfx.webrender.all: false</li><li>channel: aurora</li> </ul> <p>Console Messages:</p> <pre> [u'[console.timeStamp(t_start) https://www.oculus.com/rift/setup/:3:1207]', u'[JavaScript Warning: "The resource at https://connect.facebook.net/en_US/fbevents.js was blocked because content blocking is enabled." {file: "https://www.oculus.com/rift/setup/" line: 0}]', u'[JavaScript Warning: "Loading failed for the <script> with source https://connect.facebook.net/en_US/fbevents.js." {file: "https://www.oculus.com/rift/setup/" line: 1}]', u'[JavaScript Warning: "Content Security Policy: Ignoring x-frame-options because of frame-ancestors directive."]', u'[JavaScript Warning: "The resource at https://connect.facebook.net/en_US/sdk.js was blocked because content blocking is enabled." {file: "https://www.oculus.com/rift/setup/" line: 0}]', u'[JavaScript Warning: "Loading failed for the <script> with source https://connect.facebook.net/en_US/sdk.js." {file: "https://www.oculus.com/rift/setup/" line: 1}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://www.oculus.com/rift/setup/" line: 0}]', u'[console.timeStamp(t_domcontent) https://www.oculus.com/rift/setup/:3:1207]', u'[console.timeStamp(t_tti) https://www.oculus.com/rift/setup/:3:1207]', u'[JavaScript Warning: "The resource at https://www.google-analytics.com/analytics.js was blocked because content blocking is enabled." {file: "https://www.oculus.com/rift/setup/" line: 0}]', u'[JavaScript Warning: "Loading failed for the <script> with source https://www.google-analytics.com/analytics.js." {file: "https://www.oculus.com/rift/setup/" line: 1}]', u'[console.error(ErrorUtils caught an error: "The operation is insecure.". Subsequent errors won\'t be logged; see https://fburl.com/debugjs.) https://static.xx.fbcdn.net/rsrc.php/v3/y3/r/FF90y4Lbncb.js:55:6201]', u'[console.timeStamp(t_prehooks) https://www.oculus.com/rift/setup/:3:1207]', u'[console.timeStamp(t_hooks) https://www.oculus.com/rift/setup/:3:1207]', u'[JavaScript Warning: "Content Security Policy: Ignoring x-frame-options because of frame-ancestors directive."]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 2}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 45}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 33}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 33}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 13}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 33}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 13}]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://tags.tiqcdn.com/utag/facebook/oculus/prod/utag.js" line: 17}]', u'[JavaScript Warning: "The resource at https://www.googletagmanager.com/gtag/js?id=AW-861461161 was blocked because content blocking is enabled." {file: "https://www.oculus.com/rift/setup/" line: 0}]', u'[JavaScript Warning: "Loading failed for the <script> with source https://www.googletagmanager.com/gtag/js?id=AW-861461161." {file: "https://www.fbsbx.com/tealium/?env=prod" line: 1}]', u'[JavaScript Warning: "Content Security Policy: Ignoring x-frame-options because of frame-ancestors directive."]', u'[JavaScript Warning: "Request to access cookie or storage on https://www.fbsbx.com/tealium/?env=prod was blocked because we are blocking all third-party storage access requests and content blocking is enabled." {file: "https://bat.bing.com/bat.js" line: 1}]', u'[console.timeStamp(t_layout) https://www.oculus.com/rift/setup/:3:1207]', u'[console.timeStamp(perf_trace {"name": "e2e", "parent": "PageEvents.BIGPIPE_ONLOAD"}) https://static.xx.fbcdn.net/rsrc.php/v3/y3/r/FF90y4Lbncb.js:118:2787]', u'[console.timeStamp(t_paint) https://www.oculus.com/rift/setup/:3:1207]'] </pre> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
site is not usable url browser version firefox operating system windows tested another browser yes problem type site is not usable description main body isn t visible steps to reproduce turn off ff tracking protection turn off extensions remove the proxy configuration browser configuration mixed active content blocked false image mem shared true buildid tracking content blocked true basic gfx webrender blob images true hastouchscreen false mixed passive content blocked false gfx webrender enabled false gfx webrender all false channel aurora console messages u u u u u u u u u u u u u u u u u u u u u u u u u u u u u u u u u u from with ❤️
1
18,090
5,567,343,415
IssuesEvent
2017-03-27 03:06:28
373-CMU-PDS/Competency_Assessment
https://api.github.com/repos/373-CMU-PDS/Competency_Assessment
closed
Create Resource Model
models status:code-review status:in-progress testing
- Fields - paradigm_id - category_id - title - link - 100% test coverage
1.0
Create Resource Model - - Fields - paradigm_id - category_id - title - link - 100% test coverage
non_priority
create resource model fields paradigm id category id title link test coverage
0
277,384
30,633,606,280
IssuesEvent
2023-07-24 16:04:43
dotnet/aspnetcore
https://api.github.com/repos/dotnet/aspnetcore
closed
Move aspnetcore to leverage JsonWebToken and JsonWebTokenHandler
area-security api-approved NativeAOT
## Background and Motivation Improvements in `JsonWebToken` and `JsonWebTokenHandler` have been made in `Microsoft.IdentityModel`, which include a 30% performance improvement over `JwtSecurityToken` which is currently used in ASP.NET today. In later versions of Microsoft.IdentityModel 7.x (before .NET8 RC1), we will enable AOT support by having fully trimmable assemblies in `Microsoft.IdentityModel` and remove the dependency of Newtonsoft, enabling a smaller dll for AOT. `Microsoft.IdentityModel` offers two generations of JSON web token (JWT) handling, which are in two assemblies: - `System.IdentityModel.Tokens.Jwt` is the old generation. Notable types are `JwtSecurityToken` and `JwtSecurityTokenHandler`. This is the assembly currently used by ASP.NET Core. - `Microsoft.IdentityModel.Tokens.JsonWebToken` is the next generation. It offers `JsonWebToken` and `JsonWebTokenHandler` with: - Improved performance (30%) - Better resilience: IdentityModel will fetch and maintain the OIDC metadata and uses its last known good state (repair item from March 2020 outage) - Defense in depth: IdentityModel provides additional [AAD key issuer validation](https://github.com/AzureAD/azure-activedirectory-identitymodel-extensions-for-dotnet/issues/2134) protection - Support for async token validation, returning a `TokenValidationResult` rather than throwing `Microsoft.IdentityModel` also has two abstractions for Token Handlers: - `ISecurityTokenValidator` is the old generation. - `TokenHandler` (abstract class) is the next generation and offers asynchronous token validation. The following assemblies have a dependency on `JwtSecurityToken`, or `JwtSecurityTokenHandler`: - `Microsoft.AspNetCore.Authentication.JwtBearer`, - `Microsoft.AspNetCore.Authentication.OpenIdConnect`, - `Microsoft.AspNetCore.Authentication.WsFederation`, - `Microsoft.AspNetCore.Authentication` ## Proposed API We introduce a new boolean, `UseTokenHandlers`, in the JwtBearer and WsFederation options to enable developers to decide whether the access token validation will be done with the new `TokenHandlers` (more performant, resilient and async) or with the legacy `SecurityTokenValidators`. We also expose the list of `TokenHandlers` used to validate the token. Developers can decide to add their own `TokenHandlers` (token type) for each protocol (JwtBearer/WsFed). By default `JwtBearerOptions.TokenHandlers` contains an instance of the `JsonWebTokenHandler` and `WsFederationOptions.TokenHandlers` contains handlers for SAML1, SAML2, and `JsonWebTokenHandler`. [PR for reference](https://github.com/dotnet/aspnetcore/pull/48966) Additions in `JwtBearer`: ```diff namespace Microsoft.AspNetCore.Authentication.JwtBearer; public class JwtBearerOptions: AuthenticationSchemeOptions { + public IList<TokenHandler> TokenHandlers { get; } + public bool UseTokenHandlers { get; set; } = true; } ``` Additions in `WsFederation`: ```diff namespace Microsoft.AspNetCore.Authentication.WsFederation; public class WsFederationOptions: RemoteAuthenticationOptions { + public IList<TokenHandler> TokenHandlers { get; } + public bool UseTokenHandlers { get; set; } = true; } ``` Additions in `OpenIdConnect`: We introduce a new boolean, `UseTokenHandler`, in the OpenIdConnect options to enable developers to decide whether the ID token validation will be done with the new `TokenHandler` (more performant, resilient and async) or with the legacy `SecurityTokenValidator`. [PR for reference](https://github.com/dotnet/aspnetcore/pull/49333) ```diff namespace Microsoft.AspNetCore.Authentication.OpenIdConnect; public class OpenIdConnectOptions: RemoteAuthenticationOptions { + public TokenHandler TokenHandler { get; } + public bool UseTokenHandler { get; set; } = true; + public bool MapInboundClaimsTokenHandler {get; set;} } ``` ## Usage Examples By default, ASP.NET Core in .NET 8 uses the new TokenHandler. If a developer wants to use the legacy validators, they can set `UseTokenHandlers = false`. ```csharp services.Configure<JwtBearerOptions>(JwtBearerDefault.AuthenticationScheme, options => { options.UseTokenHandlers = false; }); ``` If a developer wants to have their own TokenHandler, they can add it to the list of TokenHandlers: ```csharp services.Configure<JwtBearerOptions>(JwtBearerDefault.AuthenticationScheme, options => { options.TokenHandlers.Add( new MyTokenHandler()); }); ``` ## Alternative Designs Alternative designs were discussed with @Tratcher, @eerhardt, @halter73 . We went with Option A_1, but the alternatives discussed were: **Option A_1**: Have the same assemblies as today with a dual dependency on System.IdentityModel.Tokens.Jwt and Microsoft.IdentityModel.Tokens.JsonWebToken, and offer both interfaces (Jwt for compatibility, whereas the processing is done with JsonWebToken). In practice, note that the Jwt Wilson assembly already depends on the JsonWebToken Wilson assembly, so there would not be any additional dependencies than today. Additionally, to leverage the new generation of Wilson assemblies without breaking changes, both ISecurityTokenValidator and TokenHandler members would have to be in ASP.NET core’s surface area. Validation would need to be done on the options such that when using a new generation of Jwt classes, the new generation of the TokenHandlers would also need be used. **Option A_2**: Duplicate the current ASP.NET Core assemblies, and have a new generation (let’s name them Microsoft.AspNetCore.Authentication.JwtBearer2. Microsoft.AspNetCore.Authentication.OpenIdConnect2, Microsoft.AspNetCore.Authentication.WsFederation2, Microsoft.AspNetCore.Authentication2 for now, until we have a better name), and have these new generation depend only on JsonWebToken, and only expose these concepts. Letting the old generation leverage only Jwt. Additionally, these new assemblies would only rely on TokenHandler and drop support for ISecurityTokenValidator In practice, we could, for this Option A2, use the same codebase, but add the files of the old projects as links in the new project, with conditional projects) **Option A_3**: Breaking changes in ASP.NET to rely only on the Microsoft.IdentityModel.Tokens.JsonWebToken assembly for Jwts and only TokenHandler for token handler abstractions. In practice, these breaking changes should only affect users that leverage the extensibility features. We need to understand how large of a population this would affect. Also gathering customer feedback in the [GitHub discussion](https://github.com/AzureAD/azure-activedirectory-identitymodel-extensions-for-dotnet/discussions/2092) in Microsoft.IdentityModel repo and the two above mentioned PRs. ## Risks When setting `UseTokenHandlers` or `UseTokenHandler` to `true`, the SecurityToken passed in the context of the TokenValidated event needs to be downcast to JsonWebToken instead of JwtSecurityToken for users who were already doing this, which is not a common scenario, but for more advanced users. Mitigation for the risk is to have an implicit operator. Initial feedback on 7.0.0-preview of Microsoft.IdentityModel from [@kevinchalet](https://github.com/AzureAD/azure-activedirectory-identitymodel-extensions-for-dotnet/discussions/2092#discussioncomment-6440820): "FYI, I tested the 7.0.0-preview packages with OpenIddict and haven't seen any particular regression. Good job"
True
Move aspnetcore to leverage JsonWebToken and JsonWebTokenHandler - ## Background and Motivation Improvements in `JsonWebToken` and `JsonWebTokenHandler` have been made in `Microsoft.IdentityModel`, which include a 30% performance improvement over `JwtSecurityToken` which is currently used in ASP.NET today. In later versions of Microsoft.IdentityModel 7.x (before .NET8 RC1), we will enable AOT support by having fully trimmable assemblies in `Microsoft.IdentityModel` and remove the dependency of Newtonsoft, enabling a smaller dll for AOT. `Microsoft.IdentityModel` offers two generations of JSON web token (JWT) handling, which are in two assemblies: - `System.IdentityModel.Tokens.Jwt` is the old generation. Notable types are `JwtSecurityToken` and `JwtSecurityTokenHandler`. This is the assembly currently used by ASP.NET Core. - `Microsoft.IdentityModel.Tokens.JsonWebToken` is the next generation. It offers `JsonWebToken` and `JsonWebTokenHandler` with: - Improved performance (30%) - Better resilience: IdentityModel will fetch and maintain the OIDC metadata and uses its last known good state (repair item from March 2020 outage) - Defense in depth: IdentityModel provides additional [AAD key issuer validation](https://github.com/AzureAD/azure-activedirectory-identitymodel-extensions-for-dotnet/issues/2134) protection - Support for async token validation, returning a `TokenValidationResult` rather than throwing `Microsoft.IdentityModel` also has two abstractions for Token Handlers: - `ISecurityTokenValidator` is the old generation. - `TokenHandler` (abstract class) is the next generation and offers asynchronous token validation. The following assemblies have a dependency on `JwtSecurityToken`, or `JwtSecurityTokenHandler`: - `Microsoft.AspNetCore.Authentication.JwtBearer`, - `Microsoft.AspNetCore.Authentication.OpenIdConnect`, - `Microsoft.AspNetCore.Authentication.WsFederation`, - `Microsoft.AspNetCore.Authentication` ## Proposed API We introduce a new boolean, `UseTokenHandlers`, in the JwtBearer and WsFederation options to enable developers to decide whether the access token validation will be done with the new `TokenHandlers` (more performant, resilient and async) or with the legacy `SecurityTokenValidators`. We also expose the list of `TokenHandlers` used to validate the token. Developers can decide to add their own `TokenHandlers` (token type) for each protocol (JwtBearer/WsFed). By default `JwtBearerOptions.TokenHandlers` contains an instance of the `JsonWebTokenHandler` and `WsFederationOptions.TokenHandlers` contains handlers for SAML1, SAML2, and `JsonWebTokenHandler`. [PR for reference](https://github.com/dotnet/aspnetcore/pull/48966) Additions in `JwtBearer`: ```diff namespace Microsoft.AspNetCore.Authentication.JwtBearer; public class JwtBearerOptions: AuthenticationSchemeOptions { + public IList<TokenHandler> TokenHandlers { get; } + public bool UseTokenHandlers { get; set; } = true; } ``` Additions in `WsFederation`: ```diff namespace Microsoft.AspNetCore.Authentication.WsFederation; public class WsFederationOptions: RemoteAuthenticationOptions { + public IList<TokenHandler> TokenHandlers { get; } + public bool UseTokenHandlers { get; set; } = true; } ``` Additions in `OpenIdConnect`: We introduce a new boolean, `UseTokenHandler`, in the OpenIdConnect options to enable developers to decide whether the ID token validation will be done with the new `TokenHandler` (more performant, resilient and async) or with the legacy `SecurityTokenValidator`. [PR for reference](https://github.com/dotnet/aspnetcore/pull/49333) ```diff namespace Microsoft.AspNetCore.Authentication.OpenIdConnect; public class OpenIdConnectOptions: RemoteAuthenticationOptions { + public TokenHandler TokenHandler { get; } + public bool UseTokenHandler { get; set; } = true; + public bool MapInboundClaimsTokenHandler {get; set;} } ``` ## Usage Examples By default, ASP.NET Core in .NET 8 uses the new TokenHandler. If a developer wants to use the legacy validators, they can set `UseTokenHandlers = false`. ```csharp services.Configure<JwtBearerOptions>(JwtBearerDefault.AuthenticationScheme, options => { options.UseTokenHandlers = false; }); ``` If a developer wants to have their own TokenHandler, they can add it to the list of TokenHandlers: ```csharp services.Configure<JwtBearerOptions>(JwtBearerDefault.AuthenticationScheme, options => { options.TokenHandlers.Add( new MyTokenHandler()); }); ``` ## Alternative Designs Alternative designs were discussed with @Tratcher, @eerhardt, @halter73 . We went with Option A_1, but the alternatives discussed were: **Option A_1**: Have the same assemblies as today with a dual dependency on System.IdentityModel.Tokens.Jwt and Microsoft.IdentityModel.Tokens.JsonWebToken, and offer both interfaces (Jwt for compatibility, whereas the processing is done with JsonWebToken). In practice, note that the Jwt Wilson assembly already depends on the JsonWebToken Wilson assembly, so there would not be any additional dependencies than today. Additionally, to leverage the new generation of Wilson assemblies without breaking changes, both ISecurityTokenValidator and TokenHandler members would have to be in ASP.NET core’s surface area. Validation would need to be done on the options such that when using a new generation of Jwt classes, the new generation of the TokenHandlers would also need be used. **Option A_2**: Duplicate the current ASP.NET Core assemblies, and have a new generation (let’s name them Microsoft.AspNetCore.Authentication.JwtBearer2. Microsoft.AspNetCore.Authentication.OpenIdConnect2, Microsoft.AspNetCore.Authentication.WsFederation2, Microsoft.AspNetCore.Authentication2 for now, until we have a better name), and have these new generation depend only on JsonWebToken, and only expose these concepts. Letting the old generation leverage only Jwt. Additionally, these new assemblies would only rely on TokenHandler and drop support for ISecurityTokenValidator In practice, we could, for this Option A2, use the same codebase, but add the files of the old projects as links in the new project, with conditional projects) **Option A_3**: Breaking changes in ASP.NET to rely only on the Microsoft.IdentityModel.Tokens.JsonWebToken assembly for Jwts and only TokenHandler for token handler abstractions. In practice, these breaking changes should only affect users that leverage the extensibility features. We need to understand how large of a population this would affect. Also gathering customer feedback in the [GitHub discussion](https://github.com/AzureAD/azure-activedirectory-identitymodel-extensions-for-dotnet/discussions/2092) in Microsoft.IdentityModel repo and the two above mentioned PRs. ## Risks When setting `UseTokenHandlers` or `UseTokenHandler` to `true`, the SecurityToken passed in the context of the TokenValidated event needs to be downcast to JsonWebToken instead of JwtSecurityToken for users who were already doing this, which is not a common scenario, but for more advanced users. Mitigation for the risk is to have an implicit operator. Initial feedback on 7.0.0-preview of Microsoft.IdentityModel from [@kevinchalet](https://github.com/AzureAD/azure-activedirectory-identitymodel-extensions-for-dotnet/discussions/2092#discussioncomment-6440820): "FYI, I tested the 7.0.0-preview packages with OpenIddict and haven't seen any particular regression. Good job"
non_priority
move aspnetcore to leverage jsonwebtoken and jsonwebtokenhandler background and motivation improvements in jsonwebtoken and jsonwebtokenhandler have been made in microsoft identitymodel which include a performance improvement over jwtsecuritytoken which is currently used in asp net today in later versions of microsoft identitymodel x before we will enable aot support by having fully trimmable assemblies in microsoft identitymodel and remove the dependency of newtonsoft enabling a smaller dll for aot microsoft identitymodel offers two generations of json web token jwt handling which are in two assemblies system identitymodel tokens jwt is the old generation notable types are jwtsecuritytoken and jwtsecuritytokenhandler this is the assembly currently used by asp net core microsoft identitymodel tokens jsonwebtoken is the next generation it offers jsonwebtoken and jsonwebtokenhandler with improved performance better resilience identitymodel will fetch and maintain the oidc metadata and uses its last known good state repair item from march outage defense in depth identitymodel provides additional protection support for async token validation returning a tokenvalidationresult rather than throwing microsoft identitymodel also has two abstractions for token handlers isecuritytokenvalidator is the old generation tokenhandler abstract class is the next generation and offers asynchronous token validation the following assemblies have a dependency on jwtsecuritytoken or jwtsecuritytokenhandler microsoft aspnetcore authentication jwtbearer microsoft aspnetcore authentication openidconnect microsoft aspnetcore authentication wsfederation microsoft aspnetcore authentication proposed api we introduce a new boolean usetokenhandlers in the jwtbearer and wsfederation options to enable developers to decide whether the access token validation will be done with the new tokenhandlers more performant resilient and async or with the legacy securitytokenvalidators we also expose the list of tokenhandlers used to validate the token developers can decide to add their own tokenhandlers token type for each protocol jwtbearer wsfed by default jwtbeareroptions tokenhandlers contains an instance of the jsonwebtokenhandler and wsfederationoptions tokenhandlers contains handlers for and jsonwebtokenhandler additions in jwtbearer diff namespace microsoft aspnetcore authentication jwtbearer public class jwtbeareroptions authenticationschemeoptions public ilist tokenhandlers get public bool usetokenhandlers get set true additions in wsfederation diff namespace microsoft aspnetcore authentication wsfederation public class wsfederationoptions remoteauthenticationoptions public ilist tokenhandlers get public bool usetokenhandlers get set true additions in openidconnect we introduce a new boolean usetokenhandler in the openidconnect options to enable developers to decide whether the id token validation will be done with the new tokenhandler more performant resilient and async or with the legacy securitytokenvalidator diff namespace microsoft aspnetcore authentication openidconnect public class openidconnectoptions remoteauthenticationoptions public tokenhandler tokenhandler get public bool usetokenhandler get set true public bool mapinboundclaimstokenhandler get set usage examples by default asp net core in net uses the new tokenhandler if a developer wants to use the legacy validators they can set usetokenhandlers false csharp services configure jwtbearerdefault authenticationscheme options options usetokenhandlers false if a developer wants to have their own tokenhandler they can add it to the list of tokenhandlers csharp services configure jwtbearerdefault authenticationscheme options options tokenhandlers add new mytokenhandler alternative designs alternative designs were discussed with tratcher eerhardt we went with option a but the alternatives discussed were option a have the same assemblies as today with a dual dependency on system identitymodel tokens jwt and microsoft identitymodel tokens jsonwebtoken and offer both interfaces jwt for compatibility whereas the processing is done with jsonwebtoken in practice note that the jwt wilson assembly already depends on the jsonwebtoken wilson assembly so there would not be any additional dependencies than today additionally to leverage the new generation of wilson assemblies without breaking changes both isecuritytokenvalidator and tokenhandler members would have to be in asp net core’s surface area validation would need to be done on the options such that when using a new generation of jwt classes the new generation of the tokenhandlers would also need be used option a duplicate the current asp net core assemblies and have a new generation let’s name them microsoft aspnetcore authentication microsoft aspnetcore authentication microsoft aspnetcore authentication microsoft aspnetcore for now until we have a better name and have these new generation depend only on jsonwebtoken and only expose these concepts letting the old generation leverage only jwt additionally these new assemblies would only rely on tokenhandler and drop support for isecuritytokenvalidator in practice we could for this option use the same codebase but add the files of the old projects as links in the new project with conditional projects option a breaking changes in asp net to rely only on the microsoft identitymodel tokens jsonwebtoken assembly for jwts and only tokenhandler for token handler abstractions in practice these breaking changes should only affect users that leverage the extensibility features we need to understand how large of a population this would affect also gathering customer feedback in the in microsoft identitymodel repo and the two above mentioned prs risks when setting usetokenhandlers or usetokenhandler to true the securitytoken passed in the context of the tokenvalidated event needs to be downcast to jsonwebtoken instead of jwtsecuritytoken for users who were already doing this which is not a common scenario but for more advanced users mitigation for the risk is to have an implicit operator initial feedback on preview of microsoft identitymodel from fyi i tested the preview packages with openiddict and haven t seen any particular regression good job
0
8,163
3,143,602,855
IssuesEvent
2015-09-14 08:16:31
gearpump/gearpump
https://api.github.com/repos/gearpump/gearpump
closed
[HA] Application jar file is not HA
documentation storage
If application master and Gearpump Master are on a same physical machine, when the machine is down, the application may not recover properly. Although we persistent the application state across the Masters, the AppJar only contains the LocalJarStore by default, which contains the url of the application jar file. So if the Master is down, the jar file is not reachable anymore.
1.0
[HA] Application jar file is not HA - If application master and Gearpump Master are on a same physical machine, when the machine is down, the application may not recover properly. Although we persistent the application state across the Masters, the AppJar only contains the LocalJarStore by default, which contains the url of the application jar file. So if the Master is down, the jar file is not reachable anymore.
non_priority
application jar file is not ha if application master and gearpump master are on a same physical machine when the machine is down the application may not recover properly although we persistent the application state across the masters the appjar only contains the localjarstore by default which contains the url of the application jar file so if the master is down the jar file is not reachable anymore
0
25,629
2,683,869,549
IssuesEvent
2015-03-28 12:08:05
ConEmu/old-issues
https://api.github.com/repos/ConEmu/old-issues
closed
ConEmu20100213: выгрузка плагина ConEmu
2–5 stars bug imported Priority-Medium
_From [cca...@gmail.com](https://code.google.com/u/115607388065392232035/) on February 16, 2010 09:40:15_ Версия ОС: WinXP Pro sp3 rus x86 Версия FAR: Far2 b1373 x86 где-то между ConEmu091206 и ConEmu100116 поломалась выгрузка плагина командой unload: в случае присутствия плагина Right Click Menu Activator v0.62 от 05.05.2005 да, я знаю, функционал есть в ConEmu . я оставил этот плагин на те случаи, когда запускается чистый Фар. проблема не аноящая, и за плагин я не цепляюсь, но Фар впадает в прострацию, а это уже не хорошо. примерно такое окошко выдается при попытке выгрузки: ╔═════════════ Internal error ══════════════╗ ║ Exception occurred: ║ ║ "Access violation (read from 0x00EE384C)" ║ ║ Exception address: 0x00EE384C in module: ║ ║ C:\Program Files\Far2\Far.exe ║ ╟───────────────────────────────────────────╢ ║ FAR Manager will be terminated! ║ ║ OK ║ ╚═══════════════════════════════════════════╝ после некоторых непредсказуемо хаотических нажиманий клавиш окошко может поменяться на примерно такое: ╔═════════════ Internal error ═════════════╗ ║ Exception occurred: ║ ║ "Access violation (write to 0x00000001)" ║ ║ Exception address: 0x00EE3853 in module: ║ ║ C:\Program Files\Far2\Far.exe ║ ╟──────────────────────────────────────────╢ ║ FAR Manager will be terminated! ║ ║ OK ║ ╚══════════════════════════════════════════╝ offtopic: окошко c write (второе) прорисовывается некорректно (само на один символ уже, а его тень располагается так, как если бы окно было нормального размера), скорее всего это баг в Фаре. но перспектива описать баг фартиму представляется мутной. может быть при случае ты глянул сам или объяснил фартиму на понятном им языке... _Original issue: http://code.google.com/p/conemu-maximus5/issues/detail?id=190_
1.0
ConEmu20100213: выгрузка плагина ConEmu - _From [cca...@gmail.com](https://code.google.com/u/115607388065392232035/) on February 16, 2010 09:40:15_ Версия ОС: WinXP Pro sp3 rus x86 Версия FAR: Far2 b1373 x86 где-то между ConEmu091206 и ConEmu100116 поломалась выгрузка плагина командой unload: в случае присутствия плагина Right Click Menu Activator v0.62 от 05.05.2005 да, я знаю, функционал есть в ConEmu . я оставил этот плагин на те случаи, когда запускается чистый Фар. проблема не аноящая, и за плагин я не цепляюсь, но Фар впадает в прострацию, а это уже не хорошо. примерно такое окошко выдается при попытке выгрузки: ╔═════════════ Internal error ══════════════╗ ║ Exception occurred: ║ ║ "Access violation (read from 0x00EE384C)" ║ ║ Exception address: 0x00EE384C in module: ║ ║ C:\Program Files\Far2\Far.exe ║ ╟───────────────────────────────────────────╢ ║ FAR Manager will be terminated! ║ ║ OK ║ ╚═══════════════════════════════════════════╝ после некоторых непредсказуемо хаотических нажиманий клавиш окошко может поменяться на примерно такое: ╔═════════════ Internal error ═════════════╗ ║ Exception occurred: ║ ║ "Access violation (write to 0x00000001)" ║ ║ Exception address: 0x00EE3853 in module: ║ ║ C:\Program Files\Far2\Far.exe ║ ╟──────────────────────────────────────────╢ ║ FAR Manager will be terminated! ║ ║ OK ║ ╚══════════════════════════════════════════╝ offtopic: окошко c write (второе) прорисовывается некорректно (само на один символ уже, а его тень располагается так, как если бы окно было нормального размера), скорее всего это баг в Фаре. но перспектива описать баг фартиму представляется мутной. может быть при случае ты глянул сам или объяснил фартиму на понятном им языке... _Original issue: http://code.google.com/p/conemu-maximus5/issues/detail?id=190_
priority
выгрузка плагина conemu from on february версия ос winxp pro rus версия far где то между и поломалась выгрузка плагина командой unload в случае присутствия плагина right click menu activator от да я знаю функционал есть в conemu я оставил этот плагин на те случаи когда запускается чистый фар проблема не аноящая и за плагин я не цепляюсь но фар впадает в прострацию а это уже не хорошо примерно такое окошко выдается при попытке выгрузки ╔═════════════ internal error ══════════════╗ ║ exception occurred ║ ║ access violation read from ║ ║ exception address in module ║ ║ c program files far exe ║ ╟───────────────────────────────────────────╢ ║ far manager will be terminated ║ ║ ok ║ ╚═══════════════════════════════════════════╝ после некоторых непредсказуемо хаотических нажиманий клавиш окошко может поменяться на примерно такое ╔═════════════ internal error ═════════════╗ ║ exception occurred ║ ║ access violation write to ║ ║ exception address in module ║ ║ c program files far exe ║ ╟──────────────────────────────────────────╢ ║ far manager will be terminated ║ ║ ok ║ ╚══════════════════════════════════════════╝ offtopic окошко c write второе прорисовывается некорректно само на один символ уже а его тень располагается так как если бы окно было нормального размера скорее всего это баг в фаре но перспектива описать баг фартиму представляется мутной может быть при случае ты глянул сам или объяснил фартиму на понятном им языке original issue
1
9,298
2,615,143,390
IssuesEvent
2015-03-01 06:18:43
chrsmith/html5rocks
https://api.github.com/repos/chrsmith/html5rocks
closed
Slideshow manifest missing
auto-migrated Priority-Medium Type-Defect
``` The slideshow includes the following manifest in the code: <html manifest="/html5/src/slides_manifest.php"> However this URL (http://slides.html5rocks.com/html5/src/slides_manifest.php) doesn't appear to exist. ``` Original issue reported on code.google.com by `marcu...@gmail.com` on 23 Jun 2010 at 9:21
1.0
Slideshow manifest missing - ``` The slideshow includes the following manifest in the code: <html manifest="/html5/src/slides_manifest.php"> However this URL (http://slides.html5rocks.com/html5/src/slides_manifest.php) doesn't appear to exist. ``` Original issue reported on code.google.com by `marcu...@gmail.com` on 23 Jun 2010 at 9:21
non_priority
slideshow manifest missing the slideshow includes the following manifest in the code however this url doesn t appear to exist original issue reported on code google com by marcu gmail com on jun at
0
63,329
6,842,488,824
IssuesEvent
2017-11-12 02:22:51
MajkiIT/polish-ads-filter
https://api.github.com/repos/MajkiIT/polish-ads-filter
closed
lexlabor.pl
reguły gotowe/testowanie social filters
http://lexlabor.pl/ Social Facebook przycisk: `||lexlabor.pl/templates/gfx/cech/facebook.png` ![](https://s3.dodajfote.pl/2017/11/11/lex331ce3146ab29759.png)
1.0
lexlabor.pl - http://lexlabor.pl/ Social Facebook przycisk: `||lexlabor.pl/templates/gfx/cech/facebook.png` ![](https://s3.dodajfote.pl/2017/11/11/lex331ce3146ab29759.png)
non_priority
lexlabor pl social facebook przycisk lexlabor pl templates gfx cech facebook png
0
450,603
13,017,058,430
IssuesEvent
2020-07-26 10:18:55
amrit3701/FreeCAD-Reinforcement
https://api.github.com/repos/amrit3701/FreeCAD-Reinforcement
opened
Auto calculate rebars in stricture when adding/deleting rebar with that structure as host
low-priority
As suggested [here](https://forum.freecadweb.org/viewtopic.php?f=23&t=44580&p=419093#p419257) by @amrit3701 > When a user created new rebars after creating a drawing, there should be a document observer which will automatically add rebars to views. Or, why not you directly linked Views to the Structure element rather than linking its rebars and with this, we don't need any document observer.
1.0
Auto calculate rebars in stricture when adding/deleting rebar with that structure as host - As suggested [here](https://forum.freecadweb.org/viewtopic.php?f=23&t=44580&p=419093#p419257) by @amrit3701 > When a user created new rebars after creating a drawing, there should be a document observer which will automatically add rebars to views. Or, why not you directly linked Views to the Structure element rather than linking its rebars and with this, we don't need any document observer.
priority
auto calculate rebars in stricture when adding deleting rebar with that structure as host as suggested by when a user created new rebars after creating a drawing there should be a document observer which will automatically add rebars to views or why not you directly linked views to the structure element rather than linking its rebars and with this we don t need any document observer
1
151,227
19,648,683,147
IssuesEvent
2022-01-10 02:18:29
mattdanielbrown/eleventy-simple-site
https://api.github.com/repos/mattdanielbrown/eleventy-simple-site
opened
CVE-2019-6284 (Medium) detected in node-sass-4.14.1.tgz
security vulnerability
## CVE-2019-6284 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>node-sass-4.14.1.tgz</b></p></summary> <p>Wrapper around libsass</p> <p>Library home page: <a href="https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz">https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz</a></p> <p>Path to dependency file: /package.json</p> <p>Path to vulnerable library: /node_modules/node-sass/package.json</p> <p> Dependency Hierarchy: - eleventy-plugin-sass-1.1.1.tgz (Root Library) - gulp-sass-4.1.0.tgz - :x: **node-sass-4.14.1.tgz** (Vulnerable Library) <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> In LibSass 3.5.5, a heap-based buffer over-read exists in Sass::Prelexer::alternatives in prelexer.hpp. <p>Publish Date: 2019-01-14 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-6284>CVE-2019-6284</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: 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/sass/libsass/releases/tag/3.6.0">https://github.com/sass/libsass/releases/tag/3.6.0</a></p> <p>Release Date: 2020-08-24</p> <p>Fix Resolution: libsass - 3.6.0</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2019-6284 (Medium) detected in node-sass-4.14.1.tgz - ## CVE-2019-6284 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>node-sass-4.14.1.tgz</b></p></summary> <p>Wrapper around libsass</p> <p>Library home page: <a href="https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz">https://registry.npmjs.org/node-sass/-/node-sass-4.14.1.tgz</a></p> <p>Path to dependency file: /package.json</p> <p>Path to vulnerable library: /node_modules/node-sass/package.json</p> <p> Dependency Hierarchy: - eleventy-plugin-sass-1.1.1.tgz (Root Library) - gulp-sass-4.1.0.tgz - :x: **node-sass-4.14.1.tgz** (Vulnerable Library) <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> In LibSass 3.5.5, a heap-based buffer over-read exists in Sass::Prelexer::alternatives in prelexer.hpp. <p>Publish Date: 2019-01-14 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-6284>CVE-2019-6284</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: 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/sass/libsass/releases/tag/3.6.0">https://github.com/sass/libsass/releases/tag/3.6.0</a></p> <p>Release Date: 2020-08-24</p> <p>Fix Resolution: libsass - 3.6.0</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_priority
cve medium detected in node sass tgz cve medium severity vulnerability vulnerable library node sass tgz wrapper around libsass library home page a href path to dependency file package json path to vulnerable library node modules node sass package json dependency hierarchy eleventy plugin sass tgz root library gulp sass tgz x node sass tgz vulnerable library found in base branch master vulnerability details in libsass a heap based buffer over read exists in sass prelexer alternatives in prelexer hpp publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope unchanged impact metrics confidentiality impact 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 libsass step up your open source security game with whitesource
0
474,121
13,653,056,915
IssuesEvent
2020-09-27 10:46:11
AY2021S1-CS2103T-W10-2/tp
https://api.github.com/repos/AY2021S1-CS2103T-W10-2/tp
closed
As a new user, I can easily find the ingredients I have
priority.Medium type.Story
so that I can save time looking for ingredients
1.0
As a new user, I can easily find the ingredients I have - so that I can save time looking for ingredients
priority
as a new user i can easily find the ingredients i have so that i can save time looking for ingredients
1
223,421
17,599,405,217
IssuesEvent
2021-08-17 09:53:44
Tencent/bk-ci
https://api.github.com/repos/Tencent/bk-ci
closed
feat: Final Stage允许被取消
stage/uat stage/test kind/enhancement area/ci/backend test/passed uat/passed priority/critical-urgent
Final 本义是 最后一定会执行的,并且不可以被取消。 但在实际的运行场景下,用户希望 - 排队的流水线实质还未进入任何调度资源相关的操作,并不需要处理Final相关逻辑,所以不需要执行Final - Final下的构建环境的各种问题,用户希望Final能被提前取消掉 #3138
2.0
feat: Final Stage允许被取消 - Final 本义是 最后一定会执行的,并且不可以被取消。 但在实际的运行场景下,用户希望 - 排队的流水线实质还未进入任何调度资源相关的操作,并不需要处理Final相关逻辑,所以不需要执行Final - Final下的构建环境的各种问题,用户希望Final能被提前取消掉 #3138
non_priority
feat final stage允许被取消 final 本义是 最后一定会执行的,并且不可以被取消。 但在实际的运行场景下,用户希望 排队的流水线实质还未进入任何调度资源相关的操作,并不需要处理final相关逻辑,所以不需要执行final final下的构建环境的各种问题,用户希望final能被提前取消掉
0
744,018
25,924,132,423
IssuesEvent
2022-12-16 01:46:39
internetarchive/openlibrary
https://api.github.com/repos/internetarchive/openlibrary
closed
Stripping ISBN of unwanted characters instead of giving an error
Priority: 3 Lead: @mekarpeles
ISBNs can be inserted in two locations. One is when adding a book, the other is when editing a book. The desired format is int(10) and int(13) for ISBN-10 and ISBN-13. When adding an ISBN from https://openlibrary.org/books/add there is a limited plausibility check and unwanted characters can be added. When adding an ISBN from /edit there is a limited check for the format int(10) and int(13). Since ISBNs more commonly come in the format like eISBN 10: 1-4405-9702-2 or eISBN 13: 978-1-4405-9702-2 it would be very convinient to strip not only leading and trailing whitespaces but also dashes instead of letting the user do it manually before inserting. Just a usability thing, not extremely important.
1.0
Stripping ISBN of unwanted characters instead of giving an error - ISBNs can be inserted in two locations. One is when adding a book, the other is when editing a book. The desired format is int(10) and int(13) for ISBN-10 and ISBN-13. When adding an ISBN from https://openlibrary.org/books/add there is a limited plausibility check and unwanted characters can be added. When adding an ISBN from /edit there is a limited check for the format int(10) and int(13). Since ISBNs more commonly come in the format like eISBN 10: 1-4405-9702-2 or eISBN 13: 978-1-4405-9702-2 it would be very convinient to strip not only leading and trailing whitespaces but also dashes instead of letting the user do it manually before inserting. Just a usability thing, not extremely important.
priority
stripping isbn of unwanted characters instead of giving an error isbns can be inserted in two locations one is when adding a book the other is when editing a book the desired format is int and int for isbn and isbn when adding an isbn from there is a limited plausibility check and unwanted characters can be added when adding an isbn from edit there is a limited check for the format int and int since isbns more commonly come in the format like eisbn or eisbn it would be very convinient to strip not only leading and trailing whitespaces but also dashes instead of letting the user do it manually before inserting just a usability thing not extremely important
1
788,131
27,743,914,147
IssuesEvent
2023-03-15 15:51:54
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.youtube.com - design is broken
status-needsinfo browser-firefox priority-critical engine-gecko
<!-- @browser: Firefox 113.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:109.0) Gecko/20100101 Firefox/113.0 --> <!-- @reported_with: desktop-reporter --> **URL**: https://www.youtube.com/watch?v=SN8nTQiWOYY **Browser / Version**: Firefox 113.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Edge **Problem type**: Design is broken **Description**: Items not fully visible **Steps to Reproduce**: controls on youtube player disappear when video starts playing <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2023/3/e742c099-2783-451e-a7c3-85f59c572571.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20230315092641</li><li>channel: nightly</li><li>hasTouchScreen: true</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2023/3/1dec5c4f-bc27-41f4-a49e-a68bce1011f3) _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.youtube.com - design is broken - <!-- @browser: Firefox 113.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:109.0) Gecko/20100101 Firefox/113.0 --> <!-- @reported_with: desktop-reporter --> **URL**: https://www.youtube.com/watch?v=SN8nTQiWOYY **Browser / Version**: Firefox 113.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Edge **Problem type**: Design is broken **Description**: Items not fully visible **Steps to Reproduce**: controls on youtube player disappear when video starts playing <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2023/3/e742c099-2783-451e-a7c3-85f59c572571.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20230315092641</li><li>channel: nightly</li><li>hasTouchScreen: true</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2023/3/1dec5c4f-bc27-41f4-a49e-a68bce1011f3) _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
design is broken url browser version firefox operating system windows tested another browser yes edge problem type design is broken description items not fully visible steps to reproduce controls on youtube player disappear when video starts playing view the screenshot img alt screenshot src browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel nightly hastouchscreen true mixed active content blocked false mixed passive content blocked false tracking content blocked false from with ❤️
1
438,084
30,623,938,157
IssuesEvent
2023-07-24 10:08:03
wasp-lang/wasp
https://api.github.com/repos/wasp-lang/wasp
closed
Add section about custom domains to Fly deployment docs
documentation deployment
We have had a few people ask about how to setup custom domains on Fly. It would probably be good to have a section on this. In it, we can show: - what `flyctl` command to run to add a custom domain - remind them to update their server `WASP_WEB_CLIENT_URL` envar to the new URL - anything else that needs to be done
1.0
Add section about custom domains to Fly deployment docs - We have had a few people ask about how to setup custom domains on Fly. It would probably be good to have a section on this. In it, we can show: - what `flyctl` command to run to add a custom domain - remind them to update their server `WASP_WEB_CLIENT_URL` envar to the new URL - anything else that needs to be done
non_priority
add section about custom domains to fly deployment docs we have had a few people ask about how to setup custom domains on fly it would probably be good to have a section on this in it we can show what flyctl command to run to add a custom domain remind them to update their server wasp web client url envar to the new url anything else that needs to be done
0
253,478
8,056,629,842
IssuesEvent
2018-08-02 13:18:11
AtlasOfLivingAustralia/biocache-service
https://api.github.com/repos/AtlasOfLivingAustralia/biocache-service
closed
Fields which are not stored in the index are missing in offline downloads
bug priority-high
The requirement to use ``download.solr.only=true`` is causing offline downloads which require fields which are not stored in the index to omit the fields during the download process. The offline downloads feature is a core requirement for biocache-service and this must be fixed urgently.
1.0
Fields which are not stored in the index are missing in offline downloads - The requirement to use ``download.solr.only=true`` is causing offline downloads which require fields which are not stored in the index to omit the fields during the download process. The offline downloads feature is a core requirement for biocache-service and this must be fixed urgently.
priority
fields which are not stored in the index are missing in offline downloads the requirement to use download solr only true is causing offline downloads which require fields which are not stored in the index to omit the fields during the download process the offline downloads feature is a core requirement for biocache service and this must be fixed urgently
1
814,096
30,487,063,024
IssuesEvent
2023-07-18 03:45:45
arwes/arwes
https://api.github.com/repos/arwes/arwes
closed
Update Figure frame
complexity: medium type: refactor package: core priority: medium
**RELATES TO #87** ---- The `Figure` component uses a simple frame created with CSS styles. This layout can be simplified and optimized since it was not polished enough. - [ ] Update `Figure` frame elements styles and animations.
1.0
Update Figure frame - **RELATES TO #87** ---- The `Figure` component uses a simple frame created with CSS styles. This layout can be simplified and optimized since it was not polished enough. - [ ] Update `Figure` frame elements styles and animations.
priority
update figure frame relates to the figure component uses a simple frame created with css styles this layout can be simplified and optimized since it was not polished enough update figure frame elements styles and animations
1
174,722
6,542,696,879
IssuesEvent
2017-09-02 11:17:56
MartinLoeper/KAMP-DSL
https://api.github.com/repos/MartinLoeper/KAMP-DSL
closed
Causing Entities - New Language Feature
Priority 2 todo
I recognised that we need a language feature for the causing entities. We cannot assume that a rule consistent of A -> B -> C has either B nor A as causing entity for C. The user may decide on his own whether to choose A or B. We observe this in BPArchitectureModelLookup#lookUpEntryLevelSystemCallsWithParameterOfTypes which is written in KAMP-DSL as follows: ``` rule lookUpEntryLevelSystemCallsWithParameterOfTypes: pcm::DataType <- pcm::OperationSignature[returnType__OperationSignature] <- pcm::EntryLevelSystemCall[operationSignature__EntryLevelSystemCall]; ``` In this rule, the author chose to select DataType as causing entity.
1.0
Causing Entities - New Language Feature - I recognised that we need a language feature for the causing entities. We cannot assume that a rule consistent of A -> B -> C has either B nor A as causing entity for C. The user may decide on his own whether to choose A or B. We observe this in BPArchitectureModelLookup#lookUpEntryLevelSystemCallsWithParameterOfTypes which is written in KAMP-DSL as follows: ``` rule lookUpEntryLevelSystemCallsWithParameterOfTypes: pcm::DataType <- pcm::OperationSignature[returnType__OperationSignature] <- pcm::EntryLevelSystemCall[operationSignature__EntryLevelSystemCall]; ``` In this rule, the author chose to select DataType as causing entity.
priority
causing entities new language feature i recognised that we need a language feature for the causing entities we cannot assume that a rule consistent of a b c has either b nor a as causing entity for c the user may decide on his own whether to choose a or b we observe this in bparchitecturemodellookup lookupentrylevelsystemcallswithparameteroftypes which is written in kamp dsl as follows rule lookupentrylevelsystemcallswithparameteroftypes pcm datatype pcm operationsignature pcm entrylevelsystemcall in this rule the author chose to select datatype as causing entity
1
459,889
13,200,897,307
IssuesEvent
2020-08-14 09:06:25
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
serviceonline.bihar.gov.in - site is not usable
browser-firefox engine-gecko priority-normal
<!-- @browser: Firefox 78.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:78.0) Gecko/20100101 Firefox/78.0 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/56623 --> **URL**: https://serviceonline.bihar.gov.in/renderApplicationForm.do?serviceId=4630003&UUID=04067e3e-15bc-4e33-a860-e398e5faf895&grievDefined=0&serviceLinkRequired=No&directService=true&userLoggedIn=N&tempId=751&source=CTZN&OWASP_CSRFTOKEN=12IX-8WUB-UAO9-CO6E-A1BU-KO5C-XOZY-UQ4S **Browser / Version**: Firefox 78.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Internet Explorer **Problem type**: Site is not usable **Description**: Missing items **Steps to Reproduce**: all time this website show same problem.its not shows all district name and other <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2020/8/fc92060f-8f59-4535-ba12-a288bf7460c5.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20200616235426</li><li>channel: beta</li><li>hasTouchScreen: false</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2020/8/1353f7ba-5350-42e1-8dac-1ca1303ffda3) Submitted in the name of `@nitypatel6` _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
serviceonline.bihar.gov.in - site is not usable - <!-- @browser: Firefox 78.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:78.0) Gecko/20100101 Firefox/78.0 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/56623 --> **URL**: https://serviceonline.bihar.gov.in/renderApplicationForm.do?serviceId=4630003&UUID=04067e3e-15bc-4e33-a860-e398e5faf895&grievDefined=0&serviceLinkRequired=No&directService=true&userLoggedIn=N&tempId=751&source=CTZN&OWASP_CSRFTOKEN=12IX-8WUB-UAO9-CO6E-A1BU-KO5C-XOZY-UQ4S **Browser / Version**: Firefox 78.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Internet Explorer **Problem type**: Site is not usable **Description**: Missing items **Steps to Reproduce**: all time this website show same problem.its not shows all district name and other <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2020/8/fc92060f-8f59-4535-ba12-a288bf7460c5.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20200616235426</li><li>channel: beta</li><li>hasTouchScreen: false</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2020/8/1353f7ba-5350-42e1-8dac-1ca1303ffda3) Submitted in the name of `@nitypatel6` _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
serviceonline bihar gov in site is not usable url browser version firefox operating system windows tested another browser yes internet explorer problem type site is not usable description missing items steps to reproduce all time this website show same problem its not shows all district name and other view the screenshot img alt screenshot src browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel beta hastouchscreen false mixed active content blocked false mixed passive content blocked false tracking content blocked false submitted in the name of from with ❤️
1
239,488
19,899,681,815
IssuesEvent
2022-01-25 05:58:59
status-im/nimbus-eth1
https://api.github.com/repos/status-im/nimbus-eth1
opened
Flaky test: Portal State - Random node lookup from each node.
tests Portal Network
```text [Suite] Portal testnet tests [OK] Discv5 - RoutingTableInfo at start [OK] Discv5 - Random node lookup from each node [OK] Portal State - RoutingTableInfo at start {"code":-32000,"message":"portal_state_lookupEnr raised an exception","data":"Record not found in DHT lookup."} /home/runner/work/nimbus-eth1/nimbus-eth1/fluffy/scripts/test_portal_testnet.nim(114, 16): Check failed: enr == nodeInfo.nodeENR enr was (0) nodeInfo.nodeENR was (1, id: "v4", ip: 127.0.0.10, secp256k1: 0x0365DD989C9B9B74DA568EE572585BE6E9151E7C18F515CEE37E7749204A873BB6, udp: 9009) {"code":-32000,"message":"portal_state_lookupEnr raised an exception","data":"Record not found in DHT lookup."} /home/runner/work/nimbus-eth1/nimbus-eth1/fluffy/scripts/test_portal_testnet.nim(114, 16): Check failed: enr == nodeInfo.nodeENR enr was (0) nodeInfo.nodeENR was (1, id: "v4", ip: 127.0.0.8, secp256k1: 0x026DB3F86661F6F5A626EFBD70CE245A9332E2B0F4E467B6ECC3A4EC9FAB38A023, udp: 9007) {"code":-32000,"message":"portal_state_lookupEnr raised an exception","data":"Record not found in DHT lookup."} /home/runner/work/nimbus-eth1/nimbus-eth1/fluffy/scripts/test_portal_testnet.nim(114, 16): Check failed: enr == nodeInfo.nodeENR enr was (0) nodeInfo.nodeENR was (1, id: "v4", ip: 127.0.0.10, secp256k1: 0x0365DD989C9B9B74DA568EE572585BE6E9151E7C18F515CEE37E7749204A873BB6, udp: 9009) [FAILED] Portal State - Random node lookup from each node [OK] Portal History - RoutingTableInfo at start [OK] Portal History - Random node lookup from each node Error: Process completed with exit code 1. ``` It fails in different configuration at different time: linux-i386: https://github.com/status-im/nimbus-eth1/runs/4932202504?check_suite_focus=true macos-amd64: https://github.com/status-im/nimbus-eth1/runs/4914514536?check_suite_focus=true
1.0
Flaky test: Portal State - Random node lookup from each node. - ```text [Suite] Portal testnet tests [OK] Discv5 - RoutingTableInfo at start [OK] Discv5 - Random node lookup from each node [OK] Portal State - RoutingTableInfo at start {"code":-32000,"message":"portal_state_lookupEnr raised an exception","data":"Record not found in DHT lookup."} /home/runner/work/nimbus-eth1/nimbus-eth1/fluffy/scripts/test_portal_testnet.nim(114, 16): Check failed: enr == nodeInfo.nodeENR enr was (0) nodeInfo.nodeENR was (1, id: "v4", ip: 127.0.0.10, secp256k1: 0x0365DD989C9B9B74DA568EE572585BE6E9151E7C18F515CEE37E7749204A873BB6, udp: 9009) {"code":-32000,"message":"portal_state_lookupEnr raised an exception","data":"Record not found in DHT lookup."} /home/runner/work/nimbus-eth1/nimbus-eth1/fluffy/scripts/test_portal_testnet.nim(114, 16): Check failed: enr == nodeInfo.nodeENR enr was (0) nodeInfo.nodeENR was (1, id: "v4", ip: 127.0.0.8, secp256k1: 0x026DB3F86661F6F5A626EFBD70CE245A9332E2B0F4E467B6ECC3A4EC9FAB38A023, udp: 9007) {"code":-32000,"message":"portal_state_lookupEnr raised an exception","data":"Record not found in DHT lookup."} /home/runner/work/nimbus-eth1/nimbus-eth1/fluffy/scripts/test_portal_testnet.nim(114, 16): Check failed: enr == nodeInfo.nodeENR enr was (0) nodeInfo.nodeENR was (1, id: "v4", ip: 127.0.0.10, secp256k1: 0x0365DD989C9B9B74DA568EE572585BE6E9151E7C18F515CEE37E7749204A873BB6, udp: 9009) [FAILED] Portal State - Random node lookup from each node [OK] Portal History - RoutingTableInfo at start [OK] Portal History - Random node lookup from each node Error: Process completed with exit code 1. ``` It fails in different configuration at different time: linux-i386: https://github.com/status-im/nimbus-eth1/runs/4932202504?check_suite_focus=true macos-amd64: https://github.com/status-im/nimbus-eth1/runs/4914514536?check_suite_focus=true
non_priority
flaky test portal state random node lookup from each node text portal testnet tests routingtableinfo at start random node lookup from each node portal state routingtableinfo at start code message portal state lookupenr raised an exception data record not found in dht lookup home runner work nimbus nimbus fluffy scripts test portal testnet nim check failed enr nodeinfo nodeenr enr was nodeinfo nodeenr was id ip udp code message portal state lookupenr raised an exception data record not found in dht lookup home runner work nimbus nimbus fluffy scripts test portal testnet nim check failed enr nodeinfo nodeenr enr was nodeinfo nodeenr was id ip udp code message portal state lookupenr raised an exception data record not found in dht lookup home runner work nimbus nimbus fluffy scripts test portal testnet nim check failed enr nodeinfo nodeenr enr was nodeinfo nodeenr was id ip udp portal state random node lookup from each node portal history routingtableinfo at start portal history random node lookup from each node error process completed with exit code it fails in different configuration at different time linux macos
0
231,156
25,490,704,390
IssuesEvent
2022-11-27 02:17:24
temporalio/samples-java
https://api.github.com/repos/temporalio/samples-java
closed
jackson-bom-2.13.4.20221013.pom: 1 vulnerabilities (highest severity is: 6.5) - autoclosed
security vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-bom-2.13.4.20221013.pom</b></p></summary> <p></p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/org.yaml/snakeyaml/1.31/cf26b7b05fef01e7bec00cb88ab4feeeba743e12/snakeyaml-1.31.jar</p> <p> <p>Found in HEAD commit: <a href="https://github.com/temporalio/samples-java/commit/2a25bc291a9dc0b83b81cfcd2d1a5709d81de6bc">2a25bc291a9dc0b83b81cfcd2d1a5709d81de6bc</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (jackson-bom version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2022-38752](https://www.mend.io/vulnerability-database/CVE-2022-38752) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.5 | snakeyaml-1.31.jar | Transitive | N/A* | &#10060; | <p>*For some transitive vulnerabilities, there is no version of direct dependency with a fix. Check the section "Details" below to see if there is a version of transitive dependency where vulnerability is fixed.</p> ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2022-38752</summary> ### Vulnerable Library - <b>snakeyaml-1.31.jar</b></p> <p>YAML 1.1 parser and emitter for Java</p> <p>Library home page: <a href="https://bitbucket.org/snakeyaml/snakeyaml">https://bitbucket.org/snakeyaml/snakeyaml</a></p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/org.yaml/snakeyaml/1.31/cf26b7b05fef01e7bec00cb88ab4feeeba743e12/snakeyaml-1.31.jar</p> <p> Dependency Hierarchy: - jackson-bom-2.13.4.20221013.pom (Root Library) - jackson-dataformat-yaml-2.13.4.jar - :x: **snakeyaml-1.31.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/temporalio/samples-java/commit/2a25bc291a9dc0b83b81cfcd2d1a5709d81de6bc">2a25bc291a9dc0b83b81cfcd2d1a5709d81de6bc</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> Using snakeYAML to parse untrusted YAML files may be vulnerable to Denial of Service attacks (DOS). If the parser is running on user supplied input, an attacker may supply content that causes the parser to crash by stack-overflow. <p>Publish Date: 2022-09-05 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-38752>CVE-2022-38752</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/advisories/GHSA-9w3m-gqgf-c4p9">https://github.com/advisories/GHSA-9w3m-gqgf-c4p9</a></p> <p>Release Date: 2022-09-05</p> <p>Fix Resolution: org.yaml:snakeyaml:1.32 </p> </p> <p></p> </details>
True
jackson-bom-2.13.4.20221013.pom: 1 vulnerabilities (highest severity is: 6.5) - autoclosed - <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-bom-2.13.4.20221013.pom</b></p></summary> <p></p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/org.yaml/snakeyaml/1.31/cf26b7b05fef01e7bec00cb88ab4feeeba743e12/snakeyaml-1.31.jar</p> <p> <p>Found in HEAD commit: <a href="https://github.com/temporalio/samples-java/commit/2a25bc291a9dc0b83b81cfcd2d1a5709d81de6bc">2a25bc291a9dc0b83b81cfcd2d1a5709d81de6bc</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (jackson-bom version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2022-38752](https://www.mend.io/vulnerability-database/CVE-2022-38752) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.5 | snakeyaml-1.31.jar | Transitive | N/A* | &#10060; | <p>*For some transitive vulnerabilities, there is no version of direct dependency with a fix. Check the section "Details" below to see if there is a version of transitive dependency where vulnerability is fixed.</p> ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2022-38752</summary> ### Vulnerable Library - <b>snakeyaml-1.31.jar</b></p> <p>YAML 1.1 parser and emitter for Java</p> <p>Library home page: <a href="https://bitbucket.org/snakeyaml/snakeyaml">https://bitbucket.org/snakeyaml/snakeyaml</a></p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/org.yaml/snakeyaml/1.31/cf26b7b05fef01e7bec00cb88ab4feeeba743e12/snakeyaml-1.31.jar</p> <p> Dependency Hierarchy: - jackson-bom-2.13.4.20221013.pom (Root Library) - jackson-dataformat-yaml-2.13.4.jar - :x: **snakeyaml-1.31.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/temporalio/samples-java/commit/2a25bc291a9dc0b83b81cfcd2d1a5709d81de6bc">2a25bc291a9dc0b83b81cfcd2d1a5709d81de6bc</a></p> <p>Found in base branch: <b>main</b></p> </p> <p></p> ### Vulnerability Details <p> Using snakeYAML to parse untrusted YAML files may be vulnerable to Denial of Service attacks (DOS). If the parser is running on user supplied input, an attacker may supply content that causes the parser to crash by stack-overflow. <p>Publish Date: 2022-09-05 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-38752>CVE-2022-38752</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://github.com/advisories/GHSA-9w3m-gqgf-c4p9">https://github.com/advisories/GHSA-9w3m-gqgf-c4p9</a></p> <p>Release Date: 2022-09-05</p> <p>Fix Resolution: org.yaml:snakeyaml:1.32 </p> </p> <p></p> </details>
non_priority
jackson bom pom vulnerabilities highest severity is autoclosed vulnerable library jackson bom pom path to dependency file build gradle path to vulnerable library home wss scanner gradle caches modules files org yaml snakeyaml snakeyaml jar found in head commit a href vulnerabilities cve severity cvss dependency type fixed in jackson bom version remediation available medium snakeyaml jar transitive n a for some transitive vulnerabilities there is no version of direct dependency with a fix check the section details below to see if there is a version of transitive dependency where vulnerability is fixed details cve vulnerable library snakeyaml jar yaml parser and emitter for java library home page a href path to dependency file build gradle path to vulnerable library home wss scanner gradle caches modules files org yaml snakeyaml snakeyaml jar dependency hierarchy jackson bom pom root library jackson dataformat yaml jar x snakeyaml jar vulnerable library found in head commit a href found in base branch main vulnerability details using snakeyaml to parse untrusted yaml files may be vulnerable to denial of service attacks dos if the parser is running on user supplied input an attacker may supply content that causes the parser to crash by stack overflow publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required low user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution org yaml snakeyaml
0
596,169
18,099,147,612
IssuesEvent
2021-09-22 12:31:37
siteorigin/siteorigin-panels
https://api.github.com/repos/siteorigin/siteorigin-panels
closed
Use Active Callback
enhancement priority-3
I was wondering if it's possible to add a active_callback to a field. I want the field 'responsive_desktop' only to be displayed when the checkbox of field 'display_always' is unchecked. Is that possible? I've tried the following: ``` $fields['display_always'] = array( 'name' => __('Display always', 'siteorigin-panels'), 'type' => 'checkbox', 'group' => 'dynamic_display', 'description' => __('Always show block', 'siteorigin-panels'), 'priority' => 5, 'default' => true, ); function always_callback( $fields ) { if ( $fields->manager->get_setting('display_always')->value() == '1' ) { return false; } else { return true; } } $fields['responsive_desktop'] = array( 'name' => __('Responsive', 'siteorigin-panels'), 'type' => 'checkbox', 'label' => __('Desktop', 'siteorigin-panels'), 'group' => 'dynamic_display', 'priority' => 20, 'active_callback' => 'always_callback', ); ```
1.0
Use Active Callback - I was wondering if it's possible to add a active_callback to a field. I want the field 'responsive_desktop' only to be displayed when the checkbox of field 'display_always' is unchecked. Is that possible? I've tried the following: ``` $fields['display_always'] = array( 'name' => __('Display always', 'siteorigin-panels'), 'type' => 'checkbox', 'group' => 'dynamic_display', 'description' => __('Always show block', 'siteorigin-panels'), 'priority' => 5, 'default' => true, ); function always_callback( $fields ) { if ( $fields->manager->get_setting('display_always')->value() == '1' ) { return false; } else { return true; } } $fields['responsive_desktop'] = array( 'name' => __('Responsive', 'siteorigin-panels'), 'type' => 'checkbox', 'label' => __('Desktop', 'siteorigin-panels'), 'group' => 'dynamic_display', 'priority' => 20, 'active_callback' => 'always_callback', ); ```
priority
use active callback i was wondering if it s possible to add a active callback to a field i want the field responsive desktop only to be displayed when the checkbox of field display always is unchecked is that possible i ve tried the following fields array name display always siteorigin panels type checkbox group dynamic display description always show block siteorigin panels priority default true function always callback fields if fields manager get setting display always value return false else return true fields array name responsive siteorigin panels type checkbox label desktop siteorigin panels group dynamic display priority active callback always callback
1
336,152
10,172,329,855
IssuesEvent
2019-08-08 10:24:44
epam/cloud-pipeline
https://api.github.com/repos/epam/cloud-pipeline
closed
Web GUI shall not display "Autopause ON/OFF" for the cluster runs
kind/enhancement priority/high state/verify sys/gui
Related to #557 If the cluster is configured (no matter "Static" or "Autoscaled") - we shall not display `Auto pause: Enabled/Disabled` in the **Launch Form** for the `On-Demand` node type Verify that everything works for all supported Cloud Providers
1.0
Web GUI shall not display "Autopause ON/OFF" for the cluster runs - Related to #557 If the cluster is configured (no matter "Static" or "Autoscaled") - we shall not display `Auto pause: Enabled/Disabled` in the **Launch Form** for the `On-Demand` node type Verify that everything works for all supported Cloud Providers
priority
web gui shall not display autopause on off for the cluster runs related to if the cluster is configured no matter static or autoscaled we shall not display auto pause enabled disabled in the launch form for the on demand node type verify that everything works for all supported cloud providers
1
778,695
27,325,324,439
IssuesEvent
2023-02-25 01:19:55
asastats/channel
https://api.github.com/repos/asastats/channel
closed
Add Humble's ALGO-BD farm
feature high priority addressed
By UncleDooom in [Discord](https://discord.com/channels/906917846754418770/910524302531649566/1078775563348611143): Any chance we can add this humble farm? https://app.humble.sh/farm?id=1046082453 HumbleSwap Approachable DeFi I doubt many people need it, but it would help me out Application ID:
1.0
Add Humble's ALGO-BD farm - By UncleDooom in [Discord](https://discord.com/channels/906917846754418770/910524302531649566/1078775563348611143): Any chance we can add this humble farm? https://app.humble.sh/farm?id=1046082453 HumbleSwap Approachable DeFi I doubt many people need it, but it would help me out Application ID:
priority
add humble s algo bd farm by uncledooom in any chance we can add this humble farm humbleswap approachable defi i doubt many people need it but it would help me out application id
1
89,869
8,216,247,489
IssuesEvent
2018-09-05 08:40:34
dwyl/hq
https://api.github.com/repos/dwyl/hq
closed
Research & Development Tax relief
T1d T4h dependency finance please-test priority-2
The original issue for this was opened 14 October 2016 https://github.com/dwyl/hq/issues/112 but there is a huge amount of `noise` and unhelpful back and forth in there (which are available for reference if anyone is interested). https://www.gov.uk/guidance/corporation-tax-research-and-development-rd-relief ### Context We met with the consultants a three times over the last year, opting to deal with FY15/16 and FY16/17 simultaneously and determined the criteria necessary https://github.com/dwyl/hq/issues/112#issuecomment-346693484 ## Tasks + [x] Define criteria https://github.com/dwyl/hq/issues/112#issuecomment-346693484 + [x] Receive, review, question and sign contracts with consultants + [x] Meet with consultants to agree projects which fall into this bracket + [x] Receive spreadsheet and info from consultants + [x] First pass of data for all projects, including estimated costs FY15/16 + [x] Development costs + [x] Operations costs + [x] First pass of data for all projects, including estimated costs FY16/17 + [x] Development costs + [x] Operations costs + [x] Review data + [x] Email spreadsheet to consultants for review + [x] Email accounts, tax computations and CT600 tax returns for FY15/16 & FY16/17 + [x] Fill out projects spreadsheet + [x] Consultants to send draft of tax relief paperwork + [x] File for tax relief + [x] Receive decision on R&D tax relief + [x] Check & reconcile money received from HMRC against invoices from consultants
1.0
Research & Development Tax relief - The original issue for this was opened 14 October 2016 https://github.com/dwyl/hq/issues/112 but there is a huge amount of `noise` and unhelpful back and forth in there (which are available for reference if anyone is interested). https://www.gov.uk/guidance/corporation-tax-research-and-development-rd-relief ### Context We met with the consultants a three times over the last year, opting to deal with FY15/16 and FY16/17 simultaneously and determined the criteria necessary https://github.com/dwyl/hq/issues/112#issuecomment-346693484 ## Tasks + [x] Define criteria https://github.com/dwyl/hq/issues/112#issuecomment-346693484 + [x] Receive, review, question and sign contracts with consultants + [x] Meet with consultants to agree projects which fall into this bracket + [x] Receive spreadsheet and info from consultants + [x] First pass of data for all projects, including estimated costs FY15/16 + [x] Development costs + [x] Operations costs + [x] First pass of data for all projects, including estimated costs FY16/17 + [x] Development costs + [x] Operations costs + [x] Review data + [x] Email spreadsheet to consultants for review + [x] Email accounts, tax computations and CT600 tax returns for FY15/16 & FY16/17 + [x] Fill out projects spreadsheet + [x] Consultants to send draft of tax relief paperwork + [x] File for tax relief + [x] Receive decision on R&D tax relief + [x] Check & reconcile money received from HMRC against invoices from consultants
non_priority
research development tax relief the original issue for this was opened october but there is a huge amount of noise and unhelpful back and forth in there which are available for reference if anyone is interested context we met with the consultants a three times over the last year opting to deal with and simultaneously and determined the criteria necessary tasks define criteria receive review question and sign contracts with consultants meet with consultants to agree projects which fall into this bracket receive spreadsheet and info from consultants first pass of data for all projects including estimated costs development costs operations costs first pass of data for all projects including estimated costs development costs operations costs review data email spreadsheet to consultants for review email accounts tax computations and tax returns for fill out projects spreadsheet consultants to send draft of tax relief paperwork file for tax relief receive decision on r d tax relief check reconcile money received from hmrc against invoices from consultants
0
83,500
3,636,433,489
IssuesEvent
2016-02-12 03:19:54
OregonCore/OregonCore
https://api.github.com/repos/OregonCore/OregonCore
closed
[Research] SPELL_EFFECT_SUMMON
Category: Spells Priority: Low
This is research into EffectMiscValueB. **EffectMiscValueB = 41** Non combat critter pet **EffectMiscValueB = 61** Seems to do with summons that despawn after a certain duration. **EffectMiscValueB = 63** Totems/Wards. **EffectMiscValueB = 65** This is for summons that you have sight bound too on spawn. Eye Of Kil'Rog, Steam Tonk Controller etc. **EffectMiscValueB = 81** Use BasePoints as Health, See ID: 38304
1.0
[Research] SPELL_EFFECT_SUMMON - This is research into EffectMiscValueB. **EffectMiscValueB = 41** Non combat critter pet **EffectMiscValueB = 61** Seems to do with summons that despawn after a certain duration. **EffectMiscValueB = 63** Totems/Wards. **EffectMiscValueB = 65** This is for summons that you have sight bound too on spawn. Eye Of Kil'Rog, Steam Tonk Controller etc. **EffectMiscValueB = 81** Use BasePoints as Health, See ID: 38304
priority
spell effect summon this is research into effectmiscvalueb effectmiscvalueb non combat critter pet effectmiscvalueb seems to do with summons that despawn after a certain duration effectmiscvalueb totems wards effectmiscvalueb this is for summons that you have sight bound too on spawn eye of kil rog steam tonk controller etc effectmiscvalueb use basepoints as health see id
1
76,741
21,563,012,761
IssuesEvent
2022-05-01 12:58:42
haskell/cabal
https://api.github.com/repos/haskell/cabal
closed
ghc-options applies to all dependencies, not just local packages
type: enhancement cabal-install: nix-local-build attention: pr-welcome
With traditional build, I would use ``` cabal build --ghc-option=-ddump-simpl ``` If I try the same with `new-build`, it starts to rebuild every single dependency; presumably because it considers the compiler flags for all dependencies to have changed. I tried to do ``` packages: ingest.cabal profiling: True executable-profiling: True constraints: Cabal >= 1.24 program-options ghc-options: -fprof-auto package ingest ghc-options: -ddump-simpl -ddump-to-file ``` but although it doesn't complain about the `ghc-options` inside the `package` section, it doesn't seem to take it into account either; no dump files get created. What is the right approach? ---- **edit by @23Skidoo:** [Currently recommended workaround](https://github.com/haskell/cabal/issues/3883#issuecomment-505394322) is to add a `cabal.project` that enables `ghc-options` for each package separately: ``` package foo ghc-options: -Werror package bar ghc-options: -Werror ``` Cabal's own CI uses this approach.
1.0
ghc-options applies to all dependencies, not just local packages - With traditional build, I would use ``` cabal build --ghc-option=-ddump-simpl ``` If I try the same with `new-build`, it starts to rebuild every single dependency; presumably because it considers the compiler flags for all dependencies to have changed. I tried to do ``` packages: ingest.cabal profiling: True executable-profiling: True constraints: Cabal >= 1.24 program-options ghc-options: -fprof-auto package ingest ghc-options: -ddump-simpl -ddump-to-file ``` but although it doesn't complain about the `ghc-options` inside the `package` section, it doesn't seem to take it into account either; no dump files get created. What is the right approach? ---- **edit by @23Skidoo:** [Currently recommended workaround](https://github.com/haskell/cabal/issues/3883#issuecomment-505394322) is to add a `cabal.project` that enables `ghc-options` for each package separately: ``` package foo ghc-options: -Werror package bar ghc-options: -Werror ``` Cabal's own CI uses this approach.
non_priority
ghc options applies to all dependencies not just local packages with traditional build i would use cabal build ghc option ddump simpl if i try the same with new build it starts to rebuild every single dependency presumably because it considers the compiler flags for all dependencies to have changed i tried to do packages ingest cabal profiling true executable profiling true constraints cabal program options ghc options fprof auto package ingest ghc options ddump simpl ddump to file but although it doesn t complain about the ghc options inside the package section it doesn t seem to take it into account either no dump files get created what is the right approach edit by is to add a cabal project that enables ghc options for each package separately package foo ghc options werror package bar ghc options werror cabal s own ci uses this approach
0
579,156
17,173,911,068
IssuesEvent
2021-07-15 09:01:47
WowRarity/Rarity
https://api.github.com/repos/WowRarity/Rarity
closed
Investigate potential issue with collection method
Complexity: Moderate Module: Core Priority: Normal Status: In Progress Type: Bug
Earlier today I tried to add one of the two new mounts that require X amount of item Y to obtain. I am pretty sure I added all the thingys correctly, but I am unable to get any recorded attempts. What be the issue he wonders. My belief is that one need to use `collectedItemId` to set the Y item to collect, and `chance` to set the amount X. Mount: https://ptr.wowhead.com/item=186651/dusklight-razorwing Code: https://gist.github.com/godejord/07000be473f83814912cd909291b2d4f
1.0
Investigate potential issue with collection method - Earlier today I tried to add one of the two new mounts that require X amount of item Y to obtain. I am pretty sure I added all the thingys correctly, but I am unable to get any recorded attempts. What be the issue he wonders. My belief is that one need to use `collectedItemId` to set the Y item to collect, and `chance` to set the amount X. Mount: https://ptr.wowhead.com/item=186651/dusklight-razorwing Code: https://gist.github.com/godejord/07000be473f83814912cd909291b2d4f
priority
investigate potential issue with collection method earlier today i tried to add one of the two new mounts that require x amount of item y to obtain i am pretty sure i added all the thingys correctly but i am unable to get any recorded attempts what be the issue he wonders my belief is that one need to use collecteditemid to set the y item to collect and chance to set the amount x mount code
1
534,481
15,624,356,159
IssuesEvent
2021-03-21 01:57:17
fernandoadriano/fernando_adriano_machado_JAMStackAlura
https://api.github.com/repos/fernandoadriano/fernando_adriano_machado_JAMStackAlura
closed
Transformar MenuItem em link e colocar ponteiro do Mouse
priority:2 - low type:enhancement
Fazer com que os itens de menu apresentem um ponteiro adequado para ser clicado
1.0
Transformar MenuItem em link e colocar ponteiro do Mouse - Fazer com que os itens de menu apresentem um ponteiro adequado para ser clicado
priority
transformar menuitem em link e colocar ponteiro do mouse fazer com que os itens de menu apresentem um ponteiro adequado para ser clicado
1
290,905
8,914,844,829
IssuesEvent
2019-01-19 00:02:25
WCGA/Marine-Planner
https://api.github.com/repos/WCGA/Marine-Planner
closed
REST map service GetFeatureInfo capability broken
P97 enhancement high priority
Currently, it appears that Marine Planner no longer supports REST map service "identify" on click. Feature requested by multiple users. Worked prior to the debris layers being added. I removed the WMS portion of this issue because that is a separate enhancement.
1.0
REST map service GetFeatureInfo capability broken - Currently, it appears that Marine Planner no longer supports REST map service "identify" on click. Feature requested by multiple users. Worked prior to the debris layers being added. I removed the WMS portion of this issue because that is a separate enhancement.
priority
rest map service getfeatureinfo capability broken currently it appears that marine planner no longer supports rest map service identify on click feature requested by multiple users worked prior to the debris layers being added i removed the wms portion of this issue because that is a separate enhancement
1
254,834
27,430,957,338
IssuesEvent
2023-03-02 01:15:40
RG4421/openedr
https://api.github.com/repos/RG4421/openedr
reopened
CVE-2016-9427 (High) detected in multiple libraries
security vulnerability
## CVE-2016-9427 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b></p></summary> <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> Integer overflow vulnerability in bdwgc before 2016-09-27 allows attackers to cause client of bdwgc denial of service (heap buffer overflow crash) and possibly execute arbitrary code via huge allocation. <p>Publish Date: 2016-12-12 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2016-9427>CVE-2016-9427</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://nvd.nist.gov/vuln/detail/CVE-2016-9427">https://nvd.nist.gov/vuln/detail/CVE-2016-9427</a></p> <p>Release Date: 2016-12-12</p> <p>Fix Resolution: v7.2h</p> </p> </details> <p></p>
True
CVE-2016-9427 (High) detected in multiple libraries - ## CVE-2016-9427 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b>, <b>boostboost_1_72_0-bin-msvc-all-32-64</b></p></summary> <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> Integer overflow vulnerability in bdwgc before 2016-09-27 allows attackers to cause client of bdwgc denial of service (heap buffer overflow crash) and possibly execute arbitrary code via huge allocation. <p>Publish Date: 2016-12-12 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2016-9427>CVE-2016-9427</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://nvd.nist.gov/vuln/detail/CVE-2016-9427">https://nvd.nist.gov/vuln/detail/CVE-2016-9427</a></p> <p>Release Date: 2016-12-12</p> <p>Fix Resolution: v7.2h</p> </p> </details> <p></p>
non_priority
cve high detected in multiple libraries cve high severity vulnerability vulnerable libraries boostboost bin msvc all boostboost bin msvc all boostboost bin msvc all boostboost bin msvc all boostboost bin msvc all boostboost bin msvc all boostboost bin msvc all boostboost bin msvc all vulnerability details integer overflow vulnerability in bdwgc before allows attackers to cause client of bdwgc denial of service heap buffer overflow crash and possibly execute arbitrary code via huge allocation 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
0
37,602
8,329,098,932
IssuesEvent
2018-09-27 04:38:29
masteroy/algorithm
https://api.github.com/repos/masteroy/algorithm
closed
[LeetCode] 1. Two Sum
Easy LeetCode
Given an array of integers, return indices of the two numbers such that they add up to a specific target. You may assume that each input would have exactly one solution, and you may not use the same element twice. **Example:** ``` Given nums = [2, 7, 11, 15], target = 9, Because nums[0] + nums[1] = 2 + 7 = 9, return [0, 1]. ```
1.0
[LeetCode] 1. Two Sum - Given an array of integers, return indices of the two numbers such that they add up to a specific target. You may assume that each input would have exactly one solution, and you may not use the same element twice. **Example:** ``` Given nums = [2, 7, 11, 15], target = 9, Because nums[0] + nums[1] = 2 + 7 = 9, return [0, 1]. ```
non_priority
two sum given an array of integers return indices of the two numbers such that they add up to a specific target you may assume that each input would have exactly one solution and you may not use the same element twice example given nums target because nums nums return
0
180,389
6,649,173,279
IssuesEvent
2017-09-28 12:17:18
GeekyAnts/NativeBase
https://api.github.com/repos/GeekyAnts/NativeBase
closed
Issue with Fab and Toast after update to 2.2.1
awaiting response bug high priority
I updated from 2.1.5 to 2.2.1 and have two bugs now: Toast ist not working like here: https://github.com/GeekyAnts/NativeBase/issues/836#issuecomment-317072372 and FAB backgroundColor is not changing. It is always `blue`. ``` {Platform.OS != 'ios' && <Fab active={this.state.fabactive} direction="up" containerStyle={{ marginLeft: 0, marginBottom: 0 }} style={{ backgroundColor: '#4CAF50' }} position="bottomRight" onPress={() => this.setState({ fabactive: !this.state.fabactive })}> <Ionicons name="md-more" /> <Button style={{ backgroundColor: '#FFFFFF' }} onPress={this.logout.bind(this)}> <Ionicons name="md-log-out" /> </Button> <Button style={{ backgroundColor: '#FFFFFF' }} onPress={() => Linking.openURL('mailto:daniel.bischoff@heinekingmedia.de?subject=Feedback%20zur%20Mittagessen-App')}> <Ionicons name="md-mail" /> </Button> </Fab> } ``` Am i missing something? Same with 2.3.0. ``` "native-base": "^2.3.0", "react": "16.0.0-alpha.12", "react-native": "https://github.com/expo/react-native/archive/sdk-19.0.0.tar.gz", ```
1.0
Issue with Fab and Toast after update to 2.2.1 - I updated from 2.1.5 to 2.2.1 and have two bugs now: Toast ist not working like here: https://github.com/GeekyAnts/NativeBase/issues/836#issuecomment-317072372 and FAB backgroundColor is not changing. It is always `blue`. ``` {Platform.OS != 'ios' && <Fab active={this.state.fabactive} direction="up" containerStyle={{ marginLeft: 0, marginBottom: 0 }} style={{ backgroundColor: '#4CAF50' }} position="bottomRight" onPress={() => this.setState({ fabactive: !this.state.fabactive })}> <Ionicons name="md-more" /> <Button style={{ backgroundColor: '#FFFFFF' }} onPress={this.logout.bind(this)}> <Ionicons name="md-log-out" /> </Button> <Button style={{ backgroundColor: '#FFFFFF' }} onPress={() => Linking.openURL('mailto:daniel.bischoff@heinekingmedia.de?subject=Feedback%20zur%20Mittagessen-App')}> <Ionicons name="md-mail" /> </Button> </Fab> } ``` Am i missing something? Same with 2.3.0. ``` "native-base": "^2.3.0", "react": "16.0.0-alpha.12", "react-native": "https://github.com/expo/react-native/archive/sdk-19.0.0.tar.gz", ```
priority
issue with fab and toast after update to i updated from to and have two bugs now toast ist not working like here and fab backgroundcolor is not changing it is always blue platform os ios fab active this state fabactive direction up containerstyle marginleft marginbottom style backgroundcolor position bottomright onpress this setstate fabactive this state fabactive linking openurl mailto daniel bischoff heinekingmedia de subject feedback app am i missing something same with native base react alpha react native
1
40,407
20,825,794,678
IssuesEvent
2022-03-18 20:41:32
mapbox/mapbox-gl-js
https://api.github.com/repos/mapbox/mapbox-gl-js
closed
Rendering issues when antialias is enabled with terrain in iOS devices with 15.4 and M1 Macs with latest Safari
bug :lady_beetle: performance :zap: environment-specific :desktop_computer: release blocker :no_entry: 3d :triangular_ruler:
<!-- Hello! Thanks for contributing. For the fastest response and resolution, please: - Make the issue title a succinct but specific description of the unexpected behavior. Bad: "Map rotation is broken". Good: "map.setBearing(...) throws a TypeError for negative values" - Include a link to a minimal demonstration of the bug. We recommend using https://jsbin.com. - Ensure you can reproduce the bug using the latest release. - Check the console for relevant errors and warnings - Only post to report a bug. For feature requests, please use https://github.com/mapbox/mapbox-gl-js/issues/new?template=Feature_request.md instead. Direct all other questions to https://stackoverflow.com/questions/tagged/mapbox-gl-js --> **mapbox-gl-js version**: Latest on main branch **browser**: Safari 15.4, FireFox and Chrome on iPhone 12 Pro with 15.4 iOS ### Steps to Trigger Behavior 1. Download iOS 15.4 2. open debug/threejs-antenna.html 3. Note immediate flickering of sky layer and severe performance issues with zooming or panning the map. ### Expected Behavior No severe rendering issues should be noted. No flickering. Tested also with iPhone 11 with 14.6 iOS and iPhone 12 with 15.1 iOS, and MacBook Pro with Monterey 12.3 and they did not exhibit any issues. ### Actual Behavior When tested with iOS 15.4 on iPhone 12 Pro, severe rendering issues were noted on this testing page. See screen recording. https://user-images.githubusercontent.com/42715836/158452806-c17361c9-b9ad-4c5f-b948-d7395fb8f37b.MP4
True
Rendering issues when antialias is enabled with terrain in iOS devices with 15.4 and M1 Macs with latest Safari - <!-- Hello! Thanks for contributing. For the fastest response and resolution, please: - Make the issue title a succinct but specific description of the unexpected behavior. Bad: "Map rotation is broken". Good: "map.setBearing(...) throws a TypeError for negative values" - Include a link to a minimal demonstration of the bug. We recommend using https://jsbin.com. - Ensure you can reproduce the bug using the latest release. - Check the console for relevant errors and warnings - Only post to report a bug. For feature requests, please use https://github.com/mapbox/mapbox-gl-js/issues/new?template=Feature_request.md instead. Direct all other questions to https://stackoverflow.com/questions/tagged/mapbox-gl-js --> **mapbox-gl-js version**: Latest on main branch **browser**: Safari 15.4, FireFox and Chrome on iPhone 12 Pro with 15.4 iOS ### Steps to Trigger Behavior 1. Download iOS 15.4 2. open debug/threejs-antenna.html 3. Note immediate flickering of sky layer and severe performance issues with zooming or panning the map. ### Expected Behavior No severe rendering issues should be noted. No flickering. Tested also with iPhone 11 with 14.6 iOS and iPhone 12 with 15.1 iOS, and MacBook Pro with Monterey 12.3 and they did not exhibit any issues. ### Actual Behavior When tested with iOS 15.4 on iPhone 12 Pro, severe rendering issues were noted on this testing page. See screen recording. https://user-images.githubusercontent.com/42715836/158452806-c17361c9-b9ad-4c5f-b948-d7395fb8f37b.MP4
non_priority
rendering issues when antialias is enabled with terrain in ios devices with and macs with latest safari hello thanks for contributing for the fastest response and resolution please make the issue title a succinct but specific description of the unexpected behavior bad map rotation is broken good map setbearing throws a typeerror for negative values include a link to a minimal demonstration of the bug we recommend using ensure you can reproduce the bug using the latest release check the console for relevant errors and warnings only post to report a bug for feature requests please use instead direct all other questions to mapbox gl js version latest on main branch browser safari firefox and chrome on iphone pro with ios steps to trigger behavior download ios open debug threejs antenna html note immediate flickering of sky layer and severe performance issues with zooming or panning the map expected behavior no severe rendering issues should be noted no flickering tested also with iphone with ios and iphone with ios and macbook pro with monterey and they did not exhibit any issues actual behavior when tested with ios on iphone pro severe rendering issues were noted on this testing page see screen recording
0
492,831
14,221,006,452
IssuesEvent
2020-11-17 15:11:54
kubeflow/manifests
https://api.github.com/repos/kubeflow/manifests
reopened
What to do about dynamic creation of admission hooks and other resources?
area/engprod area/enterprise_readiness area/kfctl area/manifest kind/feature lifecycle/stale priority/p1
Misconfigured or misbehaving webhooks are an ongoing source of problems see: * kubeflow/kubeflow#4808 * kubeflow/kfserving#568 * kubeflow/katib#1261 In kubeflow/manifests#1213 we started adding testing to verify that webhooks are well behaved. However, this only works if an application configures webhooks explicitly as part of its kustomize package. We have at least two applications (katib, and kfserving) in which the webhooks are dynamically and automatically created. This has a couple disadvantages 1. Operator doesn't know beforehand what resources will be created 1. Operator has no way to customize the webhooks if needed 1. Controllers need sufficient RBAC permissions to create webhooks Should we recommend or require that all applications support at least optionally explicit creation of their webhooks and provide YAML resources to do so? Should we enforce that by adding tests similar to kubeflow/manifests#1213 to disallow RBAC permissions to create webhooks? /cc @andreyvelich @johnugeorge @ellistarn @yuzisun @cliveseldon @animeshsingh
1.0
What to do about dynamic creation of admission hooks and other resources? - Misconfigured or misbehaving webhooks are an ongoing source of problems see: * kubeflow/kubeflow#4808 * kubeflow/kfserving#568 * kubeflow/katib#1261 In kubeflow/manifests#1213 we started adding testing to verify that webhooks are well behaved. However, this only works if an application configures webhooks explicitly as part of its kustomize package. We have at least two applications (katib, and kfserving) in which the webhooks are dynamically and automatically created. This has a couple disadvantages 1. Operator doesn't know beforehand what resources will be created 1. Operator has no way to customize the webhooks if needed 1. Controllers need sufficient RBAC permissions to create webhooks Should we recommend or require that all applications support at least optionally explicit creation of their webhooks and provide YAML resources to do so? Should we enforce that by adding tests similar to kubeflow/manifests#1213 to disallow RBAC permissions to create webhooks? /cc @andreyvelich @johnugeorge @ellistarn @yuzisun @cliveseldon @animeshsingh
priority
what to do about dynamic creation of admission hooks and other resources misconfigured or misbehaving webhooks are an ongoing source of problems see kubeflow kubeflow kubeflow kfserving kubeflow katib in kubeflow manifests we started adding testing to verify that webhooks are well behaved however this only works if an application configures webhooks explicitly as part of its kustomize package we have at least two applications katib and kfserving in which the webhooks are dynamically and automatically created this has a couple disadvantages operator doesn t know beforehand what resources will be created operator has no way to customize the webhooks if needed controllers need sufficient rbac permissions to create webhooks should we recommend or require that all applications support at least optionally explicit creation of their webhooks and provide yaml resources to do so should we enforce that by adding tests similar to kubeflow manifests to disallow rbac permissions to create webhooks cc andreyvelich johnugeorge ellistarn yuzisun cliveseldon animeshsingh
1
678,281
23,191,320,254
IssuesEvent
2022-08-01 12:54:58
dodona-edu/dodona
https://api.github.com/repos/dodona-edu/dodona
closed
Restructure README to guide people to bin/server command
student chore low priority
yes but this also starts the workers, which will only work if the steps later in the readme are applied (And running `rails s` as the line below says won't work without a manual run of `bin/rake css:build`) But maybe we should restructure it a bit and guide people to the `bin/server` command before explaining all the separate commands _Originally posted by @jorg-vr in https://github.com/dodona-edu/dodona/issues/3365#issuecomment-1033908216_
1.0
Restructure README to guide people to bin/server command - yes but this also starts the workers, which will only work if the steps later in the readme are applied (And running `rails s` as the line below says won't work without a manual run of `bin/rake css:build`) But maybe we should restructure it a bit and guide people to the `bin/server` command before explaining all the separate commands _Originally posted by @jorg-vr in https://github.com/dodona-edu/dodona/issues/3365#issuecomment-1033908216_
priority
restructure readme to guide people to bin server command yes but this also starts the workers which will only work if the steps later in the readme are applied and running rails s as the line below says won t work without a manual run of bin rake css build but maybe we should restructure it a bit and guide people to the bin server command before explaining all the separate commands originally posted by jorg vr in
1
329,149
24,209,904,993
IssuesEvent
2022-09-25 18:51:43
ICEI-PUC-Minas-PMV-ADS/pmv-ads-2022-2-e2-proj-int-t9-gestor-os
https://api.github.com/repos/ICEI-PUC-Minas-PMV-ADS/pmv-ads-2022-2-e2-proj-int-t9-gestor-os
opened
Criação do wireframe demonstrando a utilização da aplicação
documentation
Construção do wireframe em andamento. Disponível em https://app.uizard.io/p/c54734e5
1.0
Criação do wireframe demonstrando a utilização da aplicação - Construção do wireframe em andamento. Disponível em https://app.uizard.io/p/c54734e5
non_priority
criação do wireframe demonstrando a utilização da aplicação construção do wireframe em andamento disponível em
0
181,282
14,858,965,904
IssuesEvent
2021-01-18 17:38:02
sparklemotion/nokogiri
https://api.github.com/repos/sparklemotion/nokogiri
closed
RFC: convert to use `yard` for documentation
topic/documentation
We're already using `yard` to generate the docs at https://nokogiri.org/rdoc/index.html, but we're not taking advantage of some of yard's features (like the ability to embed mixin methods, e.g., `Searchable` in `Node` and `NodeSet`), and we're certainly not using yard syntax (e.g., all the `call-seq` annotations that we currently use are ignored). So I'm thinking it would be best to convert the doc formatting to be yard-compatible markdown, and eliminate rdoc format entirely from the codebase. I'd love to hear comments on this proposal. Note to future self: try using https://github.com/postmodern/hoe-yard to drive some of this; and then have the `nokogiri.org` docs task just call nokogiri's own rake task for the site generation.
1.0
RFC: convert to use `yard` for documentation - We're already using `yard` to generate the docs at https://nokogiri.org/rdoc/index.html, but we're not taking advantage of some of yard's features (like the ability to embed mixin methods, e.g., `Searchable` in `Node` and `NodeSet`), and we're certainly not using yard syntax (e.g., all the `call-seq` annotations that we currently use are ignored). So I'm thinking it would be best to convert the doc formatting to be yard-compatible markdown, and eliminate rdoc format entirely from the codebase. I'd love to hear comments on this proposal. Note to future self: try using https://github.com/postmodern/hoe-yard to drive some of this; and then have the `nokogiri.org` docs task just call nokogiri's own rake task for the site generation.
non_priority
rfc convert to use yard for documentation we re already using yard to generate the docs at but we re not taking advantage of some of yard s features like the ability to embed mixin methods e g searchable in node and nodeset and we re certainly not using yard syntax e g all the call seq annotations that we currently use are ignored so i m thinking it would be best to convert the doc formatting to be yard compatible markdown and eliminate rdoc format entirely from the codebase i d love to hear comments on this proposal note to future self try using to drive some of this and then have the nokogiri org docs task just call nokogiri s own rake task for the site generation
0
614,907
19,192,582,182
IssuesEvent
2021-12-06 03:49:32
SSWConsulting/SSW.SophieBot
https://api.github.com/repos/SSWConsulting/SSW.SophieBot
closed
✨ Query - Show calendar for Brendan
feature Sprint 12 Priority: high Sprint 13
<!-- These comments automatically delete --> <!-- **Tip:** Delete parts that are not relevant --> <!-- Next to Cc:, @ mention users who should be in the loop --> Cc: @jernejk @AttackOnMorty <!-- add intended user next to **Hi** --> ### Pain <!-- Explain the pain you are experiencing --> From @jernejk's feedback, > What is Jason's agenda? We need to support asking someone's agenda. Related to [https://github.com/SSWConsulting/SSW.SophieBot/issues/139#issuecomment-952501546](https://github.com/SSWConsulting/SSW.SophieBot/issues/139#issuecomment-952501546) ### Tasks <!--Add GitHub tasks--> - [x] Query - - "What is Jason's agenda?" - "Show Jason's Bookings" - "What's Jean's next booking?" ### Screenshots <!-- If applicable, add screenshots to help explain your problem. --> ![image](https://user-images.githubusercontent.com/16027480/140092350-457a8b17-c6e5-48fb-8108-1810297855aa.png) **Figure: Refer to response from the old bot** Thanks!
1.0
✨ Query - Show calendar for Brendan - <!-- These comments automatically delete --> <!-- **Tip:** Delete parts that are not relevant --> <!-- Next to Cc:, @ mention users who should be in the loop --> Cc: @jernejk @AttackOnMorty <!-- add intended user next to **Hi** --> ### Pain <!-- Explain the pain you are experiencing --> From @jernejk's feedback, > What is Jason's agenda? We need to support asking someone's agenda. Related to [https://github.com/SSWConsulting/SSW.SophieBot/issues/139#issuecomment-952501546](https://github.com/SSWConsulting/SSW.SophieBot/issues/139#issuecomment-952501546) ### Tasks <!--Add GitHub tasks--> - [x] Query - - "What is Jason's agenda?" - "Show Jason's Bookings" - "What's Jean's next booking?" ### Screenshots <!-- If applicable, add screenshots to help explain your problem. --> ![image](https://user-images.githubusercontent.com/16027480/140092350-457a8b17-c6e5-48fb-8108-1810297855aa.png) **Figure: Refer to response from the old bot** Thanks!
priority
✨ query show calendar for brendan cc jernejk attackonmorty pain from jernejk s feedback what is jason s agenda we need to support asking someone s agenda related to tasks query what is jason s agenda show jason s bookings what s jean s next booking screenshots figure refer to response from the old bot thanks
1
697,770
23,952,371,769
IssuesEvent
2022-09-12 12:36:06
OHIF/Viewers
https://api.github.com/repos/OHIF/Viewers
closed
exponential backoff and retry after 500 error
Community: Report :bug: Awaiting Reproduction Triage :white_flag: IDC:priority
As discussed in IDC slack. the proxy server is auto-scaling and sometimes returns 500 errors. We should take this as an indication that the server needs time to scale and we should not re-issue the request right away. Might use a package like this: https://www.npmjs.com/package/retry
1.0
exponential backoff and retry after 500 error - As discussed in IDC slack. the proxy server is auto-scaling and sometimes returns 500 errors. We should take this as an indication that the server needs time to scale and we should not re-issue the request right away. Might use a package like this: https://www.npmjs.com/package/retry
priority
exponential backoff and retry after error as discussed in idc slack the proxy server is auto scaling and sometimes returns errors we should take this as an indication that the server needs time to scale and we should not re issue the request right away might use a package like this
1
140,595
5,412,872,615
IssuesEvent
2017-03-01 15:31:57
stats4sd/wordcloud-app
https://api.github.com/repos/stats4sd/wordcloud-app
opened
Setup capacity to download the data / results
Impact-Medium Priority-High Size-Small Type-feature
This could either be within the app or part of the Shiny dashboard
1.0
Setup capacity to download the data / results - This could either be within the app or part of the Shiny dashboard
priority
setup capacity to download the data results this could either be within the app or part of the shiny dashboard
1
125,724
10,351,028,105
IssuesEvent
2019-09-05 05:28:11
nspcc-dev/neo-go
https://api.github.com/repos/nspcc-dev/neo-go
opened
"could not create levelDB chain" during testing
test
Our CI failed for #352 with ``` --- FAIL: TestSize (0.00s) Error Trace: blockchain_test.go:179 blockchain_test.go:185 blockchain_test.go:161 Error: Received unexpected error: resource temporarily unavailable Test: TestSize Messages: could not create levelDB chain ``` The other one looks like this: ``` --- FAIL: TestHandler (0.00s) Error Trace: server_test.go:249 Error: Received unexpected error: resource temporarily unavailable Test: TestHandler Messages: could not create levelDB chain FAIL ``` All of this has nothing to do with the changes made to the code, something is wrong with tests (races of some kind?).
1.0
"could not create levelDB chain" during testing - Our CI failed for #352 with ``` --- FAIL: TestSize (0.00s) Error Trace: blockchain_test.go:179 blockchain_test.go:185 blockchain_test.go:161 Error: Received unexpected error: resource temporarily unavailable Test: TestSize Messages: could not create levelDB chain ``` The other one looks like this: ``` --- FAIL: TestHandler (0.00s) Error Trace: server_test.go:249 Error: Received unexpected error: resource temporarily unavailable Test: TestHandler Messages: could not create levelDB chain FAIL ``` All of this has nothing to do with the changes made to the code, something is wrong with tests (races of some kind?).
non_priority
could not create leveldb chain during testing our ci failed for with fail testsize error trace blockchain test go blockchain test go blockchain test go error received unexpected error resource temporarily unavailable test testsize messages could not create leveldb chain the other one looks like this fail testhandler error trace server test go error received unexpected error resource temporarily unavailable test testhandler messages could not create leveldb chain fail all of this has nothing to do with the changes made to the code something is wrong with tests races of some kind
0