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
855
labels
stringlengths
4
721
body
stringlengths
1
261k
index
stringclasses
13 values
text_combine
stringlengths
96
261k
label
stringclasses
2 values
text
stringlengths
96
240k
binary_label
int64
0
1
763,800
26,775,151,965
IssuesEvent
2023-01-31 16:37:43
FEniCS/dolfinx
https://api.github.com/repos/FEniCS/dolfinx
closed
[BUG]: Mixed Poisson fails with RT
bug high-priority
### How to reproduce the bug The following script produces a constant pressure solution `p_h` when running with RT element for the flux. Replacing RT with BDM gives the expected result. ### Minimal Example (Python) ```Python from mpi4py import MPI import dolfinx import numpy as np import ufl from dolfinx.fem import (Function, FunctionSpace, dirichletbc, locate_dofs_topological) from dolfinx.fem.petsc import LinearProblem from dolfinx.mesh import create_unit_square, locate_entities_boundary from ufl import (FiniteElement, Measure, MixedElement, TestFunctions, TrialFunctions, div, inner) from ufl.geometry import SpatialCoordinate domain = create_unit_square(MPI.COMM_WORLD, 32, 32) Q_el = FiniteElement("RT", domain.ufl_cell(), 1) P_el = FiniteElement("DG", domain.ufl_cell(), 0) U_el = MixedElement([Q_el, P_el]) U = FunctionSpace(domain, U_el) q, p = TrialFunctions(U) q_t, p_t = TestFunctions(U) def boundary_top(x): return np.isclose(x[1], 1.0) def boundary_bottom(x): return np.isclose(x[1], 0.0) fdim = domain.topology.dim - 1 facets_top = locate_entities_boundary(domain, fdim, boundary_top) facets_bottom = locate_entities_boundary(domain, fdim, boundary_bottom) Q, _ = U.sub(0).collapse() blocked_dofs_up = locate_dofs_topological((U.sub(0), Q), fdim, facets_top) blocked_dofs_down = locate_dofs_topological((U.sub(0), Q), fdim, facets_bottom) def f1(x): values = np.zeros((2, x.shape[1])) values[1, :] = np.sin(5 * x[0]) return values def f2(x): values = np.zeros((2, x.shape[1])) values[1, :] = -np.sin(5 * x[0]) return values f_h1 = Function(Q) f_h1.interpolate(f1) f_h2 = Function(Q) f_h2.interpolate(f2) bc_up = dirichletbc(f_h1, blocked_dofs_up, U.sub(0)) bc_down = dirichletbc(f_h2, blocked_dofs_down, U.sub(0)) bcs = [bc_up, bc_down] x = SpatialCoordinate(domain) f = 10.0 * ufl.exp(-((x[0] - 0.5) * (x[0] - 0.5) + (x[1] - 0.5) * (x[1] - 0.5)) / 0.02) dx = Measure("dx", domain) a = inner(q, q_t) * dx + inner(p, div(q_t)) * dx + inner(div(q), p_t) * dx L = - inner(f, p_t) * dx problem = LinearProblem(a, L, bcs=bcs, petsc_options={"ksp_type": "preonly", "pc_type": "lu", "pc_factor_mat_solver_type": "mumps"}) u_h = problem.solve() # Create Functions and scatter x solution p_h = u_h.sub(1).collapse() with dolfinx.io.XDMFFile(MPI.COMM_WORLD, "p.xdmf", "w") as file: file.write_mesh(domain) file.write_function(p_h) ``` ### Output (Python) _No response_ ### Version main branch ### DOLFINx git commit v0.6.0 ### Installation Docker and macOS install. ### Additional information _No response_
1.0
[BUG]: Mixed Poisson fails with RT - ### How to reproduce the bug The following script produces a constant pressure solution `p_h` when running with RT element for the flux. Replacing RT with BDM gives the expected result. ### Minimal Example (Python) ```Python from mpi4py import MPI import dolfinx import numpy as np import ufl from dolfinx.fem import (Function, FunctionSpace, dirichletbc, locate_dofs_topological) from dolfinx.fem.petsc import LinearProblem from dolfinx.mesh import create_unit_square, locate_entities_boundary from ufl import (FiniteElement, Measure, MixedElement, TestFunctions, TrialFunctions, div, inner) from ufl.geometry import SpatialCoordinate domain = create_unit_square(MPI.COMM_WORLD, 32, 32) Q_el = FiniteElement("RT", domain.ufl_cell(), 1) P_el = FiniteElement("DG", domain.ufl_cell(), 0) U_el = MixedElement([Q_el, P_el]) U = FunctionSpace(domain, U_el) q, p = TrialFunctions(U) q_t, p_t = TestFunctions(U) def boundary_top(x): return np.isclose(x[1], 1.0) def boundary_bottom(x): return np.isclose(x[1], 0.0) fdim = domain.topology.dim - 1 facets_top = locate_entities_boundary(domain, fdim, boundary_top) facets_bottom = locate_entities_boundary(domain, fdim, boundary_bottom) Q, _ = U.sub(0).collapse() blocked_dofs_up = locate_dofs_topological((U.sub(0), Q), fdim, facets_top) blocked_dofs_down = locate_dofs_topological((U.sub(0), Q), fdim, facets_bottom) def f1(x): values = np.zeros((2, x.shape[1])) values[1, :] = np.sin(5 * x[0]) return values def f2(x): values = np.zeros((2, x.shape[1])) values[1, :] = -np.sin(5 * x[0]) return values f_h1 = Function(Q) f_h1.interpolate(f1) f_h2 = Function(Q) f_h2.interpolate(f2) bc_up = dirichletbc(f_h1, blocked_dofs_up, U.sub(0)) bc_down = dirichletbc(f_h2, blocked_dofs_down, U.sub(0)) bcs = [bc_up, bc_down] x = SpatialCoordinate(domain) f = 10.0 * ufl.exp(-((x[0] - 0.5) * (x[0] - 0.5) + (x[1] - 0.5) * (x[1] - 0.5)) / 0.02) dx = Measure("dx", domain) a = inner(q, q_t) * dx + inner(p, div(q_t)) * dx + inner(div(q), p_t) * dx L = - inner(f, p_t) * dx problem = LinearProblem(a, L, bcs=bcs, petsc_options={"ksp_type": "preonly", "pc_type": "lu", "pc_factor_mat_solver_type": "mumps"}) u_h = problem.solve() # Create Functions and scatter x solution p_h = u_h.sub(1).collapse() with dolfinx.io.XDMFFile(MPI.COMM_WORLD, "p.xdmf", "w") as file: file.write_mesh(domain) file.write_function(p_h) ``` ### Output (Python) _No response_ ### Version main branch ### DOLFINx git commit v0.6.0 ### Installation Docker and macOS install. ### Additional information _No response_
priority
mixed poisson fails with rt how to reproduce the bug the following script produces a constant pressure solution p h when running with rt element for the flux replacing rt with bdm gives the expected result minimal example python python from import mpi import dolfinx import numpy as np import ufl from dolfinx fem import function functionspace dirichletbc locate dofs topological from dolfinx fem petsc import linearproblem from dolfinx mesh import create unit square locate entities boundary from ufl import finiteelement measure mixedelement testfunctions trialfunctions div inner from ufl geometry import spatialcoordinate domain create unit square mpi comm world q el finiteelement rt domain ufl cell p el finiteelement dg domain ufl cell u el mixedelement u functionspace domain u el q p trialfunctions u q t p t testfunctions u def boundary top x return np isclose x def boundary bottom x return np isclose x fdim domain topology dim facets top locate entities boundary domain fdim boundary top facets bottom locate entities boundary domain fdim boundary bottom q u sub collapse blocked dofs up locate dofs topological u sub q fdim facets top blocked dofs down locate dofs topological u sub q fdim facets bottom def x values np zeros x shape values np sin x return values def x values np zeros x shape values np sin x return values f function q f interpolate f function q f interpolate bc up dirichletbc f blocked dofs up u sub bc down dirichletbc f blocked dofs down u sub bcs x spatialcoordinate domain f ufl exp x x x x dx measure dx domain a inner q q t dx inner p div q t dx inner div q p t dx l inner f p t dx problem linearproblem a l bcs bcs petsc options ksp type preonly pc type lu pc factor mat solver type mumps u h problem solve create functions and scatter x solution p h u h sub collapse with dolfinx io xdmffile mpi comm world p xdmf w as file file write mesh domain file write function p h output python no response version main branch dolfinx git commit installation docker and macos install additional information no response
1
240,196
7,800,609,547
IssuesEvent
2018-06-09 11:35:01
tine20/Tine-2.0-Open-Source-Groupware-and-CRM
https://api.github.com/repos/tine20/Tine-2.0-Open-Source-Groupware-and-CRM
closed
0010421: could not delete resource if resource container already got deleted
Bug Calendar Mantis high priority
**Reported by pschuele on 3 Nov 2014 15:09** **Version:** Koriander (2014.09.2) could not delete resource if resource container already got deleted
1.0
0010421: could not delete resource if resource container already got deleted - **Reported by pschuele on 3 Nov 2014 15:09** **Version:** Koriander (2014.09.2) could not delete resource if resource container already got deleted
priority
could not delete resource if resource container already got deleted reported by pschuele on nov version koriander could not delete resource if resource container already got deleted
1
798,273
28,242,116,202
IssuesEvent
2023-04-06 08:01:37
umajho/dicexp
https://api.github.com/repos/umajho/dicexp
closed
执行限制
kind:feature priority:high scope:@dicexp/executing
可以考虑的限制有: - 时间 - 总步骤数(或者类似 “气” 的东西) - 最大深度(作用域层数) - 产出的值的数量 有些操作比较昂贵(比如引入 `bigint` 后的指数操作,不会止步于无限),判断是否超出限制时应该注意切成多块。 限制时间:表达式在 worker 中求值,超时时尝试软性中断(在中断处造成 RuntimeError,用以溯源),没有响应则硬性中断(步骤全无,只剩一个 RuntimeError)。
1.0
执行限制 - 可以考虑的限制有: - 时间 - 总步骤数(或者类似 “气” 的东西) - 最大深度(作用域层数) - 产出的值的数量 有些操作比较昂贵(比如引入 `bigint` 后的指数操作,不会止步于无限),判断是否超出限制时应该注意切成多块。 限制时间:表达式在 worker 中求值,超时时尝试软性中断(在中断处造成 RuntimeError,用以溯源),没有响应则硬性中断(步骤全无,只剩一个 RuntimeError)。
priority
执行限制 可以考虑的限制有: 时间 总步骤数(或者类似 “气” 的东西) 最大深度(作用域层数) 产出的值的数量 有些操作比较昂贵(比如引入 bigint 后的指数操作,不会止步于无限),判断是否超出限制时应该注意切成多块。 限制时间:表达式在 worker 中求值,超时时尝试软性中断(在中断处造成 runtimeerror,用以溯源),没有响应则硬性中断(步骤全无,只剩一个 runtimeerror)。
1
461,175
13,224,660,246
IssuesEvent
2020-08-17 19:35:05
inverse-inc/packetfence
https://api.github.com/repos/inverse-inc/packetfence
opened
SmartZone web-auth deauth doesn't work for reg->unreg
Priority: High Type: Bug
**Describe the bug** The web-auth deauth in the SmartZone module checks the connection type which changes once we receive the RADIUS request when the login is triggered. That means that going from reg to unreg uses RADIUS instead of the HTTP northbound interface. Issue is here: https://github.com/inverse-inc/packetfence/blob/9c583e6d5c6f993cca04391d145e58dd899bc66d/lib/pf/Switch/Ruckus/SmartZone.pm#L99 A simple solution would be to always force the usage of the northbound API if we pick the deauth method HTTP and still be hybrid when its RADIUS.
1.0
SmartZone web-auth deauth doesn't work for reg->unreg - **Describe the bug** The web-auth deauth in the SmartZone module checks the connection type which changes once we receive the RADIUS request when the login is triggered. That means that going from reg to unreg uses RADIUS instead of the HTTP northbound interface. Issue is here: https://github.com/inverse-inc/packetfence/blob/9c583e6d5c6f993cca04391d145e58dd899bc66d/lib/pf/Switch/Ruckus/SmartZone.pm#L99 A simple solution would be to always force the usage of the northbound API if we pick the deauth method HTTP and still be hybrid when its RADIUS.
priority
smartzone web auth deauth doesn t work for reg unreg describe the bug the web auth deauth in the smartzone module checks the connection type which changes once we receive the radius request when the login is triggered that means that going from reg to unreg uses radius instead of the http northbound interface issue is here a simple solution would be to always force the usage of the northbound api if we pick the deauth method http and still be hybrid when its radius
1
590,990
17,792,645,352
IssuesEvent
2021-08-31 18:03:13
OneCommunityGlobal/HighestGoodNetworkApp
https://api.github.com/repos/OneCommunityGlobal/HighestGoodNetworkApp
closed
Updated formatting for weekly summaries reports
feature request high priority
Jae: Please make the number blue and bold when “Total Valid Weekly Summaries:” = 8 It is currently red: Please make the emailed version look like the online version: * Please make the number blue and bold when “Total Valid Weekly Summaries:” = 8 * If logged hours were less than committed, please make that show as red so it is obvious.
1.0
Updated formatting for weekly summaries reports - Jae: Please make the number blue and bold when “Total Valid Weekly Summaries:” = 8 It is currently red: Please make the emailed version look like the online version: * Please make the number blue and bold when “Total Valid Weekly Summaries:” = 8 * If logged hours were less than committed, please make that show as red so it is obvious.
priority
updated formatting for weekly summaries reports jae please make the number blue and bold when “total valid weekly summaries ” it is currently red please make the emailed version look like the online version please make the number blue and bold when “total valid weekly summaries ” if logged hours were less than committed please make that show as red so it is obvious
1
452,547
13,055,555,427
IssuesEvent
2020-07-30 02:02:37
kubesphere/kubesphere
https://api.github.com/repos/kubesphere/kubesphere
closed
custom platform role permission denied
area/iam kind/bug kind/need-to-verify priority/high
**Describe the Bug** A custom role with acount view access, log in the user `p-tester8` and got the following error ![Screen Shot 2020-07-29 at 11 00 13 AM](https://user-images.githubusercontent.com/28859385/88751827-08694f00-d18b-11ea-9615-062279b7a93d.png) **Versions Used** KubeSphere: 3.0.0-dev
1.0
custom platform role permission denied - **Describe the Bug** A custom role with acount view access, log in the user `p-tester8` and got the following error ![Screen Shot 2020-07-29 at 11 00 13 AM](https://user-images.githubusercontent.com/28859385/88751827-08694f00-d18b-11ea-9615-062279b7a93d.png) **Versions Used** KubeSphere: 3.0.0-dev
priority
custom platform role permission denied describe the bug a custom role with acount view access log in the user p and got the following error versions used kubesphere dev
1
682,986
23,365,095,277
IssuesEvent
2022-08-10 14:45:51
ctm/mb2-doc
https://api.github.com/repos/ctm/mb2-doc
opened
Quick update to BARGE mailing list
high priority easy business T3F
Send email to the BARGE list concerning the T3F raise. Things to mention: first raise is leveling-up bootstrap, liquidity preference, limits to what I can say, unfortunate need for money before the raise, …
1.0
Quick update to BARGE mailing list - Send email to the BARGE list concerning the T3F raise. Things to mention: first raise is leveling-up bootstrap, liquidity preference, limits to what I can say, unfortunate need for money before the raise, …
priority
quick update to barge mailing list send email to the barge list concerning the raise things to mention first raise is leveling up bootstrap liquidity preference limits to what i can say unfortunate need for money before the raise hellip
1
538,616
15,773,729,655
IssuesEvent
2021-03-31 23:49:03
Language-Mapping/language-map
https://api.github.com/repos/Language-Mapping/language-map
opened
Neighborhoods panels: Share btns + fix auto-zoom on load
effort: 3:3rd_place_medal: (high):3rd_place_medal: focus: :gear: functionality:gear: priority: 0 (wishlist) type: :bug: bug:bug: type: :sparkles: enhancement:sparkles:
from #225 - [ ] support auto zoom on initial page load when starting from something like /Explore/Neighborhood/Astoria. - [ ] Share btns if we have to (???). Was my idea in the SOW, but we've also added 1k tasks to it, so my vote is making it optional in favor of the other massive tasks i created for myself. Not to mention it's kinda useless unless i fix the auto-zoom on load. if i can get auto zoom working on load after A LITTLE more effort, time permitting, i'll do the shares too. already put ages into it though, so probably best later...
1.0
Neighborhoods panels: Share btns + fix auto-zoom on load - from #225 - [ ] support auto zoom on initial page load when starting from something like /Explore/Neighborhood/Astoria. - [ ] Share btns if we have to (???). Was my idea in the SOW, but we've also added 1k tasks to it, so my vote is making it optional in favor of the other massive tasks i created for myself. Not to mention it's kinda useless unless i fix the auto-zoom on load. if i can get auto zoom working on load after A LITTLE more effort, time permitting, i'll do the shares too. already put ages into it though, so probably best later...
priority
neighborhoods panels share btns fix auto zoom on load from support auto zoom on initial page load when starting from something like explore neighborhood astoria share btns if we have to was my idea in the sow but we ve also added tasks to it so my vote is making it optional in favor of the other massive tasks i created for myself not to mention it s kinda useless unless i fix the auto zoom on load if i can get auto zoom working on load after a little more effort time permitting i ll do the shares too already put ages into it though so probably best later
1
523,549
15,184,717,827
IssuesEvent
2021-02-15 09:57:44
enso-org/ide
https://api.github.com/repos/enso-org/ide
opened
Slider component
Category: GUI Difficulty: Hard Priority: High Type: Enhancement
### Summary * highly configurable * ability to show caption with slider value. * configurable minimum and maximum value. * an option for disable jumping: clicking should not move the slider - only click and move. * an option for scrolling under minimum or over maximum value. * an option for adjusting min/max value when under/overscrolling. * add option for making slider as a range slider (drag either end of slider to resize it (extending range) or in the middle to move it). With option to block resizing. * Configured by FRP endpoints. ### Value * To use on nodes * Sliders in visualizations. ### Specification ### Acceptance Criteria & Test Cases A debug scene with various slider configurations.
1.0
Slider component - ### Summary * highly configurable * ability to show caption with slider value. * configurable minimum and maximum value. * an option for disable jumping: clicking should not move the slider - only click and move. * an option for scrolling under minimum or over maximum value. * an option for adjusting min/max value when under/overscrolling. * add option for making slider as a range slider (drag either end of slider to resize it (extending range) or in the middle to move it). With option to block resizing. * Configured by FRP endpoints. ### Value * To use on nodes * Sliders in visualizations. ### Specification ### Acceptance Criteria & Test Cases A debug scene with various slider configurations.
priority
slider component summary highly configurable ability to show caption with slider value configurable minimum and maximum value an option for disable jumping clicking should not move the slider only click and move an option for scrolling under minimum or over maximum value an option for adjusting min max value when under overscrolling add option for making slider as a range slider drag either end of slider to resize it extending range or in the middle to move it with option to block resizing configured by frp endpoints value to use on nodes sliders in visualizations specification acceptance criteria test cases a debug scene with various slider configurations
1
6,982
2,596,220,946
IssuesEvent
2015-02-20 19:13:34
Araq/Nim
https://api.github.com/repos/Araq/Nim
closed
From macros: Error: unhandled exception: sons is not accessible
High Priority VM
Reproducable with: import macros macro pushStacktraceOff(): stmt = result = newStmtList() result.add(newNimNode(nnkPragma).add(newIdentNode("push").add(newNimNode(nnkExprColonExpr).add(newIdentNode("stacktrace"), newIdentNode("off"))))) pushStacktraceOff() Error: nim.nim(92) nim nim.nim(56) handleCmdLine main.nim(251) mainCommand main.nim(62) commandCompileToC modules.nim(203) compileProject modules.nim(151) compileModule passes.nim(193) processModule passes.nim(137) processTopLevelStmt sem.nim(454) myProcess sem.nim(428) semStmtAndGenerateGenerics semstmts.nim(1333) semStmt semexprs.nim(890) semExprNoType semexprs.nim(2068) semExpr semexprs.nim(874) semDirectOp semexprs.nim(857) afterCallActions sem.nim(362) semMacroExpr vm.nim(1470) evalMacroCall vm.nim(1090) rawExecute ast.nim(981) add Error: unhandled exception: sons is not accessible [FieldError] Original intent: {.push stacktrace: off.}
1.0
From macros: Error: unhandled exception: sons is not accessible - Reproducable with: import macros macro pushStacktraceOff(): stmt = result = newStmtList() result.add(newNimNode(nnkPragma).add(newIdentNode("push").add(newNimNode(nnkExprColonExpr).add(newIdentNode("stacktrace"), newIdentNode("off"))))) pushStacktraceOff() Error: nim.nim(92) nim nim.nim(56) handleCmdLine main.nim(251) mainCommand main.nim(62) commandCompileToC modules.nim(203) compileProject modules.nim(151) compileModule passes.nim(193) processModule passes.nim(137) processTopLevelStmt sem.nim(454) myProcess sem.nim(428) semStmtAndGenerateGenerics semstmts.nim(1333) semStmt semexprs.nim(890) semExprNoType semexprs.nim(2068) semExpr semexprs.nim(874) semDirectOp semexprs.nim(857) afterCallActions sem.nim(362) semMacroExpr vm.nim(1470) evalMacroCall vm.nim(1090) rawExecute ast.nim(981) add Error: unhandled exception: sons is not accessible [FieldError] Original intent: {.push stacktrace: off.}
priority
from macros error unhandled exception sons is not accessible reproducable with import macros macro pushstacktraceoff stmt result newstmtlist result add newnimnode nnkpragma add newidentnode push add newnimnode nnkexprcolonexpr add newidentnode stacktrace newidentnode off pushstacktraceoff error nim nim nim nim nim handlecmdline main nim maincommand main nim commandcompiletoc modules nim compileproject modules nim compilemodule passes nim processmodule passes nim processtoplevelstmt sem nim myprocess sem nim semstmtandgenerategenerics semstmts nim semstmt semexprs nim semexprnotype semexprs nim semexpr semexprs nim semdirectop semexprs nim aftercallactions sem nim semmacroexpr vm nim evalmacrocall vm nim rawexecute ast nim add error unhandled exception sons is not accessible original intent push stacktrace off
1
138,120
5,328,264,286
IssuesEvent
2017-02-15 11:31:30
JiscRDSS/rdss-canonical-data-model
https://api.github.com/repos/JiscRDSS/rdss-canonical-data-model
closed
Project properties
alpha pilot feedback 1 priority:High recommendation
Project Group should not be compulsory: There might be projects by one person
1.0
Project properties - Project Group should not be compulsory: There might be projects by one person
priority
project properties project group should not be compulsory there might be projects by one person
1
16,892
2,615,126,026
IssuesEvent
2015-03-01 05:54:18
chrsmith/google-api-java-client
https://api.github.com/repos/chrsmith/google-api-java-client
closed
Create a sample that demonstrates media upload and download
auto-migrated Milestone-Version1.12.0 Priority-High Type-Sample
``` Create a sample that demonstrates media upload and download using the Drive API. ``` Original issue reported on code.google.com by `rmis...@google.com` on 30 Apr 2012 at 3:18
1.0
Create a sample that demonstrates media upload and download - ``` Create a sample that demonstrates media upload and download using the Drive API. ``` Original issue reported on code.google.com by `rmis...@google.com` on 30 Apr 2012 at 3:18
priority
create a sample that demonstrates media upload and download create a sample that demonstrates media upload and download using the drive api original issue reported on code google com by rmis google com on apr at
1
94,419
3,925,517,790
IssuesEvent
2016-04-22 19:17:05
ualbertalib/HydraNorth
https://api.github.com/repos/ualbertalib/HydraNorth
closed
Generate a sitemap for Google Scholar
priority:high size:TBD
We need to generate a sitemap to help with our Google Scholar indexing efforts.
1.0
Generate a sitemap for Google Scholar - We need to generate a sitemap to help with our Google Scholar indexing efforts.
priority
generate a sitemap for google scholar we need to generate a sitemap to help with our google scholar indexing efforts
1
36,239
2,797,346,002
IssuesEvent
2015-05-12 13:23:12
CenterForOpenScience/osf.io
https://api.github.com/repos/CenterForOpenScience/osf.io
closed
[Staging & Production] SHARE: Graph index of providers does not equal total number of results
Bug: Production discuss Priority - High
## Steps 1. Go to osf.io/share 2. Enter ' * ' in to the search query so that all results for all providers are reported 3. Hover over the graph, go to the far right side. 4. Take note of the total number of events reported under the search bar ## Expected The total number of events is equal to the total of each of the provider events for all results for all providers ## Actual The numbers are not equal. ![ghpic](https://cloud.githubusercontent.com/assets/9381062/6869524/3d97f244-d46b-11e4-837c-3b99b6add3c0.jpg) ![screen shot 2015-03-27 at 9 52 11 am](https://cloud.githubusercontent.com/assets/9381062/6869533/4d0a8250-d46b-11e4-8cf6-0393385eba64.png)
1.0
[Staging & Production] SHARE: Graph index of providers does not equal total number of results - ## Steps 1. Go to osf.io/share 2. Enter ' * ' in to the search query so that all results for all providers are reported 3. Hover over the graph, go to the far right side. 4. Take note of the total number of events reported under the search bar ## Expected The total number of events is equal to the total of each of the provider events for all results for all providers ## Actual The numbers are not equal. ![ghpic](https://cloud.githubusercontent.com/assets/9381062/6869524/3d97f244-d46b-11e4-837c-3b99b6add3c0.jpg) ![screen shot 2015-03-27 at 9 52 11 am](https://cloud.githubusercontent.com/assets/9381062/6869533/4d0a8250-d46b-11e4-8cf6-0393385eba64.png)
priority
share graph index of providers does not equal total number of results steps go to osf io share enter in to the search query so that all results for all providers are reported hover over the graph go to the far right side take note of the total number of events reported under the search bar expected the total number of events is equal to the total of each of the provider events for all results for all providers actual the numbers are not equal
1
448,432
12,950,702,389
IssuesEvent
2020-07-19 14:12:09
GiftForGood/website
https://api.github.com/repos/GiftForGood/website
closed
View a specific Post for NPO
c.UserStory m.MVP priority.High
# User Story <!-- https://github.com/GiftForGood/website/issues?q=is%3Aissue+label%3Ac.UserStory --> ## Describe the user story in detail. As a NPO, I want to view a specific post so that I can see more details about the post.
1.0
View a specific Post for NPO - # User Story <!-- https://github.com/GiftForGood/website/issues?q=is%3Aissue+label%3Ac.UserStory --> ## Describe the user story in detail. As a NPO, I want to view a specific post so that I can see more details about the post.
priority
view a specific post for npo user story describe the user story in detail as a npo i want to view a specific post so that i can see more details about the post
1
531,390
15,496,757,401
IssuesEvent
2021-03-11 03:17:13
napari/napari
https://api.github.com/repos/napari/napari
closed
Settings manager may need to handle edge case where loaded data is None
bug high priority
## 🐛 Bug Looks like the settings manager `_load` method may need to handle the case where `safe_load` returns `None`. I don't yet have a reproducible example... but I'm working on some stuff that is crashing napari a lot :joy:, so maybe settings aren't getting written correctly at close? and during one of my runs I got this traceback: ```pytb File "/Users/talley/Desktop/t.py", line 45, in <module> import napari File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/__init__.py", line 22, in <module> from ._event_loop import gui_qt, run File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/_event_loop.py", line 2, in <module> from ._qt.qt_event_loop import gui_qt, run File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/_qt/__init__.py", line 41, in <module> from .qt_main_window import Window File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/_qt/qt_main_window.py", line 30, in <module> from ..utils.settings import SETTINGS File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/utils/settings/__init__.py", line 5, in <module> from ._manager import SETTINGS File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/utils/settings/_manager.py", line 177, in <module> SETTINGS = SettingsManager() File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/utils/settings/_manager.py", line 66, in __init__ self._load() File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/utils/settings/_manager.py", line 115, in _load for section, model_data in data.items(): AttributeError: 'NoneType' object has no attribute 'items' ```
1.0
Settings manager may need to handle edge case where loaded data is None - ## 🐛 Bug Looks like the settings manager `_load` method may need to handle the case where `safe_load` returns `None`. I don't yet have a reproducible example... but I'm working on some stuff that is crashing napari a lot :joy:, so maybe settings aren't getting written correctly at close? and during one of my runs I got this traceback: ```pytb File "/Users/talley/Desktop/t.py", line 45, in <module> import napari File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/__init__.py", line 22, in <module> from ._event_loop import gui_qt, run File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/_event_loop.py", line 2, in <module> from ._qt.qt_event_loop import gui_qt, run File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/_qt/__init__.py", line 41, in <module> from .qt_main_window import Window File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/_qt/qt_main_window.py", line 30, in <module> from ..utils.settings import SETTINGS File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/utils/settings/__init__.py", line 5, in <module> from ._manager import SETTINGS File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/utils/settings/_manager.py", line 177, in <module> SETTINGS = SettingsManager() File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/utils/settings/_manager.py", line 66, in __init__ self._load() File "/Users/talley/Dropbox (HMS)/Python/forks/napari/napari/utils/settings/_manager.py", line 115, in _load for section, model_data in data.items(): AttributeError: 'NoneType' object has no attribute 'items' ```
priority
settings manager may need to handle edge case where loaded data is none 🐛 bug looks like the settings manager load method may need to handle the case where safe load returns none i don t yet have a reproducible example but i m working on some stuff that is crashing napari a lot joy so maybe settings aren t getting written correctly at close and during one of my runs i got this traceback pytb file users talley desktop t py line in import napari file users talley dropbox hms python forks napari napari init py line in from event loop import gui qt run file users talley dropbox hms python forks napari napari event loop py line in from qt qt event loop import gui qt run file users talley dropbox hms python forks napari napari qt init py line in from qt main window import window file users talley dropbox hms python forks napari napari qt qt main window py line in from utils settings import settings file users talley dropbox hms python forks napari napari utils settings init py line in from manager import settings file users talley dropbox hms python forks napari napari utils settings manager py line in settings settingsmanager file users talley dropbox hms python forks napari napari utils settings manager py line in init self load file users talley dropbox hms python forks napari napari utils settings manager py line in load for section model data in data items attributeerror nonetype object has no attribute items
1
728,657
25,087,679,642
IssuesEvent
2022-11-08 02:00:07
microsoft/fluentui
https://api.github.com/repos/microsoft/fluentui
closed
[Bug]: Slider doesn't work correctly on iPad(iOS)
Type: Bug :bug: Priority 1: High Status: No Recent Activity Resolution: Can't Repro Component: Slider Needs: Author Feedback Fluent UI react (v8)
### Library React / v8 (@fluentui/react) ### System Info ```shell System: OS: Windows 10 10.0.22000 CPU: (8) x64 Intel(R) Core(TM) i7-10610U CPU @ 1.80GHz Memory: 5.25 GB / 15.76 GB Browsers: Edge: Spartan (44.22000.120.0), Chromium (101.0.1210.32) Internet Explorer: 11.0.22000.120 ``` ### Are you reporting Accessibility issue? _No response_ ### Reproduction https://codepen.io/xachit/pen/yLvNoyY ### Bug Description ## Actual Behavior The Slider should increment/decrement with the smallest step size and the expected direction ## Expected Behavior On iOS the slider return back to the previous value when slider is moved to next step value. https://user-images.githubusercontent.com/6224197/166701155-dc514dfa-49a0-40b2-8f31-2f9040772176.mov ### Logs _No response_ ### Requested priority Blocking ### Products/sites affected Microsoft Whiteboard ### Are you willing to submit a PR to fix? no ### Validations - [X] Check that there isn't already an issue that reports the same bug to avoid creating a duplicate. - [X] The provided reproduction is a minimal reproducible example of the bug.
1.0
[Bug]: Slider doesn't work correctly on iPad(iOS) - ### Library React / v8 (@fluentui/react) ### System Info ```shell System: OS: Windows 10 10.0.22000 CPU: (8) x64 Intel(R) Core(TM) i7-10610U CPU @ 1.80GHz Memory: 5.25 GB / 15.76 GB Browsers: Edge: Spartan (44.22000.120.0), Chromium (101.0.1210.32) Internet Explorer: 11.0.22000.120 ``` ### Are you reporting Accessibility issue? _No response_ ### Reproduction https://codepen.io/xachit/pen/yLvNoyY ### Bug Description ## Actual Behavior The Slider should increment/decrement with the smallest step size and the expected direction ## Expected Behavior On iOS the slider return back to the previous value when slider is moved to next step value. https://user-images.githubusercontent.com/6224197/166701155-dc514dfa-49a0-40b2-8f31-2f9040772176.mov ### Logs _No response_ ### Requested priority Blocking ### Products/sites affected Microsoft Whiteboard ### Are you willing to submit a PR to fix? no ### Validations - [X] Check that there isn't already an issue that reports the same bug to avoid creating a duplicate. - [X] The provided reproduction is a minimal reproducible example of the bug.
priority
slider doesn t work correctly on ipad ios library react fluentui react system info shell system os windows cpu intel r core tm cpu memory gb gb browsers edge spartan chromium internet explorer are you reporting accessibility issue no response reproduction bug description actual behavior the slider should increment decrement with the smallest step size and the expected direction expected behavior on ios the slider return back to the previous value when slider is moved to next step value logs no response requested priority blocking products sites affected microsoft whiteboard are you willing to submit a pr to fix no validations check that there isn t already an issue that reports the same bug to avoid creating a duplicate the provided reproduction is a minimal reproducible example of the bug
1
46,106
2,947,710,161
IssuesEvent
2015-07-05 11:56:11
pufexi/multiorder
https://api.github.com/repos/pufexi/multiorder
closed
Moznost uprav bez prihlaseni
bug high priority
Deje se takova vec sednu ke kompu a mam jeste stare expirovane prihlaseni, udelam upravu, napise mi to, ze jsem byl kvuli 2h necinnosti odhlasen a ze uprava byla dokoncena. Takze v zasade kdo ma spravny link, muze delat upravy i bez prihlaseni. Neni to blbe? :-)
1.0
Moznost uprav bez prihlaseni - Deje se takova vec sednu ke kompu a mam jeste stare expirovane prihlaseni, udelam upravu, napise mi to, ze jsem byl kvuli 2h necinnosti odhlasen a ze uprava byla dokoncena. Takze v zasade kdo ma spravny link, muze delat upravy i bez prihlaseni. Neni to blbe? :-)
priority
moznost uprav bez prihlaseni deje se takova vec sednu ke kompu a mam jeste stare expirovane prihlaseni udelam upravu napise mi to ze jsem byl kvuli necinnosti odhlasen a ze uprava byla dokoncena takze v zasade kdo ma spravny link muze delat upravy i bez prihlaseni neni to blbe
1
464,225
13,308,276,355
IssuesEvent
2020-08-26 00:29:04
googleinterns/bazel-rules-fuzzing
https://api.github.com/repos/googleinterns/bazel-rules-fuzzing
closed
Update the cc_fuzz_test() rule with dictionary support
feature high priority
The support should include both (a) feeding the merged dictionary file to the fuzz target, for running, and (b) setting up a regression test (maybe a `sh_test`) to fail in case the dictionary file is broken for some reason (invalid format, etc.)
1.0
Update the cc_fuzz_test() rule with dictionary support - The support should include both (a) feeding the merged dictionary file to the fuzz target, for running, and (b) setting up a regression test (maybe a `sh_test`) to fail in case the dictionary file is broken for some reason (invalid format, etc.)
priority
update the cc fuzz test rule with dictionary support the support should include both a feeding the merged dictionary file to the fuzz target for running and b setting up a regression test maybe a sh test to fail in case the dictionary file is broken for some reason invalid format etc
1
744,518
25,946,629,315
IssuesEvent
2022-12-17 02:50:36
restarone/violet_rails
https://api.github.com/repos/restarone/violet_rails
closed
email threading is broken
bug high priority
**Describe the bug** When a user receives email on their subdomain, emails that shouldn't be part of 1 thread are pushed into the same thread <img width="1728" alt="Screen Shot 2022-11-16 at 8 00 57 AM" src="https://user-images.githubusercontent.com/35935196/202187292-59a74473-f7be-430b-a5b1-6c7ef2d2b090.png"> **To Reproduce** Steps to reproduce the behavior: 1. Send yourself 2 emails from discord or notion 2. both emails are in 1 thread when they should be in 2 separate threads **Expected behavior** 2 separate threads should be created
1.0
email threading is broken - **Describe the bug** When a user receives email on their subdomain, emails that shouldn't be part of 1 thread are pushed into the same thread <img width="1728" alt="Screen Shot 2022-11-16 at 8 00 57 AM" src="https://user-images.githubusercontent.com/35935196/202187292-59a74473-f7be-430b-a5b1-6c7ef2d2b090.png"> **To Reproduce** Steps to reproduce the behavior: 1. Send yourself 2 emails from discord or notion 2. both emails are in 1 thread when they should be in 2 separate threads **Expected behavior** 2 separate threads should be created
priority
email threading is broken describe the bug when a user receives email on their subdomain emails that shouldn t be part of thread are pushed into the same thread img width alt screen shot at am src to reproduce steps to reproduce the behavior send yourself emails from discord or notion both emails are in thread when they should be in separate threads expected behavior separate threads should be created
1
453,321
13,067,837,021
IssuesEvent
2020-07-31 01:44:06
ION28/BLUESPAWN
https://api.github.com/repos/ION28/BLUESPAWN
opened
Address failing Atomic Red Team Tests
difficulty/hard lang/c++ mode/hunt platform/client priority/high
[copied from Discord] T1562.004 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1562.004/T1562.004.md --> our hunt looks for some registry configurations in the fw that an attacker could use. our hunt is not yet robust enough to be able to properly analyze fw configuration (which is some stuff ART looks for). Probably a decent amount of work to pass this test T1547.005 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1547.005/T1547.005.md ---> should be an easyish one to fix. Need to correct the arg of the SSP dll to point to an actual DLL on disk (just use a DLL from another ART test). right now the value ART test adds doesn't reference a real file so it's going to fail. Might need to add a copy command to put this dll into system32 T1546.015 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1546.015/T1546.015.md ---> ART looks for very specific COM hijack that we currently don't support. 3rd tests sets a process scoped env variable which might be hard to catch currently, but first two tests should be easy T1546.012 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1546.012/T1546.012.md ---> NEED TO INVESTIGATE THIS ONE, we should have code that catches this already in there T1546.011 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1546.011/T1546.011.md ---> failing 1/3 tests it seems, might be due to it not creating a duplication detection object T1136.001 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1136.001/T1136.001.md ----> current code relies on event logs for user creation and this doesn't always work well
1.0
Address failing Atomic Red Team Tests - [copied from Discord] T1562.004 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1562.004/T1562.004.md --> our hunt looks for some registry configurations in the fw that an attacker could use. our hunt is not yet robust enough to be able to properly analyze fw configuration (which is some stuff ART looks for). Probably a decent amount of work to pass this test T1547.005 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1547.005/T1547.005.md ---> should be an easyish one to fix. Need to correct the arg of the SSP dll to point to an actual DLL on disk (just use a DLL from another ART test). right now the value ART test adds doesn't reference a real file so it's going to fail. Might need to add a copy command to put this dll into system32 T1546.015 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1546.015/T1546.015.md ---> ART looks for very specific COM hijack that we currently don't support. 3rd tests sets a process scoped env variable which might be hard to catch currently, but first two tests should be easy T1546.012 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1546.012/T1546.012.md ---> NEED TO INVESTIGATE THIS ONE, we should have code that catches this already in there T1546.011 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1546.011/T1546.011.md ---> failing 1/3 tests it seems, might be due to it not creating a duplication detection object T1136.001 - https://github.com/redcanaryco/atomic-red-team/blob/master/atomics/T1136.001/T1136.001.md ----> current code relies on event logs for user creation and this doesn't always work well
priority
address failing atomic red team tests our hunt looks for some registry configurations in the fw that an attacker could use our hunt is not yet robust enough to be able to properly analyze fw configuration which is some stuff art looks for probably a decent amount of work to pass this test should be an easyish one to fix need to correct the arg of the ssp dll to point to an actual dll on disk just use a dll from another art test right now the value art test adds doesn t reference a real file so it s going to fail might need to add a copy command to put this dll into art looks for very specific com hijack that we currently don t support tests sets a process scoped env variable which might be hard to catch currently but first two tests should be easy need to investigate this one we should have code that catches this already in there failing tests it seems might be due to it not creating a duplication detection object current code relies on event logs for user creation and this doesn t always work well
1
34,028
2,774,558,323
IssuesEvent
2015-05-04 09:56:17
AsociacionDrupalES/DrupalCampEs
https://api.github.com/repos/AsociacionDrupalES/DrupalCampEs
opened
Error al editar un item de menu
help wanted High Priority
When user try to edit an item menu, the system shows the following error: ![selection_723](https://cloud.githubusercontent.com/assets/14607/7451736/7102b108-f254-11e4-87e7-29abcf4ab746.png)
1.0
Error al editar un item de menu - When user try to edit an item menu, the system shows the following error: ![selection_723](https://cloud.githubusercontent.com/assets/14607/7451736/7102b108-f254-11e4-87e7-29abcf4ab746.png)
priority
error al editar un item de menu when user try to edit an item menu the system shows the following error
1
804,101
29,390,141,995
IssuesEvent
2023-05-30 00:49:04
TimerTiTi/backend
https://api.github.com/repos/TimerTiTi/backend
opened
BusinessException Class 및 Exception Handler 구현
✈ feature priority: high ⭐⭐⭐
<!-- [제목] title (개발소요 예상시간) ex) 소셜 로그인 기능 추가 (3h) --> ## Background 비즈니스 로직에서 발생하는 예외를 의미하는 최상위 클래스를 생성한다. 비즈니스 예외를 포함한 여러 가지 예외를 한 곳에서 처리하는 글로벌 핸들러를 구현한다. ## AC | Given | When | Then | |:--------|:------|:------| | | | 비즈니스 로직에서 발생하는 예외를 의미하는 최상위 클래스를 생성한다. | | 비즈니스 로직이 수행될 때 | 예외가 발생하면 | Global Exception Handler가 예외를 처리한다. | ## In scope - BusinessException Class 생성 - Exception Handler 구현 (아래 예외들에 대한 핸들러를 구현한다.) - BusinessException - ConstraintViolationException - MethodArgumentNotValidException - BindException - MissingServletRequestParameterException - MissingServletRequestPartException - MethodArgumentTypeMismatchException - HttpMessageNotReadableException - HttpRequestMethodNotSupportedException - Exception ## Out of Scope - 위에 기재된 Exception을 제외한 나머지 Exception에 대한 핸들러 구현
1.0
BusinessException Class 및 Exception Handler 구현 - <!-- [제목] title (개발소요 예상시간) ex) 소셜 로그인 기능 추가 (3h) --> ## Background 비즈니스 로직에서 발생하는 예외를 의미하는 최상위 클래스를 생성한다. 비즈니스 예외를 포함한 여러 가지 예외를 한 곳에서 처리하는 글로벌 핸들러를 구현한다. ## AC | Given | When | Then | |:--------|:------|:------| | | | 비즈니스 로직에서 발생하는 예외를 의미하는 최상위 클래스를 생성한다. | | 비즈니스 로직이 수행될 때 | 예외가 발생하면 | Global Exception Handler가 예외를 처리한다. | ## In scope - BusinessException Class 생성 - Exception Handler 구현 (아래 예외들에 대한 핸들러를 구현한다.) - BusinessException - ConstraintViolationException - MethodArgumentNotValidException - BindException - MissingServletRequestParameterException - MissingServletRequestPartException - MethodArgumentTypeMismatchException - HttpMessageNotReadableException - HttpRequestMethodNotSupportedException - Exception ## Out of Scope - 위에 기재된 Exception을 제외한 나머지 Exception에 대한 핸들러 구현
priority
businessexception class 및 exception handler 구현 title 개발소요 예상시간 ex 소셜 로그인 기능 추가 background 비즈니스 로직에서 발생하는 예외를 의미하는 최상위 클래스를 생성한다 비즈니스 예외를 포함한 여러 가지 예외를 한 곳에서 처리하는 글로벌 핸들러를 구현한다 ac given when then 비즈니스 로직에서 발생하는 예외를 의미하는 최상위 클래스를 생성한다 비즈니스 로직이 수행될 때 예외가 발생하면 global exception handler가 예외를 처리한다 in scope businessexception class 생성 exception handler 구현 아래 예외들에 대한 핸들러를 구현한다 businessexception constraintviolationexception methodargumentnotvalidexception bindexception missingservletrequestparameterexception missingservletrequestpartexception methodargumenttypemismatchexception httpmessagenotreadableexception httprequestmethodnotsupportedexception exception out of scope 위에 기재된 exception을 제외한 나머지 exception에 대한 핸들러 구현
1
717,963
24,698,173,410
IssuesEvent
2022-10-19 13:35:34
AY2223S1-CS2113-W12-1/tp
https://api.github.com/repos/AY2223S1-CS2113-W12-1/tp
closed
Things to do for v1.5
type.Task priority.High severity.High
## All - Add javaDoc to all files (all) ## Bui - Storage for User/Item/Transaction (2 people) - Bui Get all data from file and save to 3 lists when starting the program, and overwrite all data in the files with updated lists. I think we should not edit the files along the way, it's too complicated ## Jing wei - Find transaction by status (rcm use Java stream) (1 person) - Jing wei find-tx /s finished find-tx /s unfinished Exception when status is wrong ## Jorelle - Find method for User/Item by keyword (rcm use Java stream) (1 person) - Jorelle find-user /k [keyword] find-item /k [keyword] Exception when keyword is empty ## Yixiang - Sort item (use Java stream) (1 person) sort-items /mode <optional: hl or lh> /min <optional: double> /max / <optional: double> Exception when mode is unrecognizable (different from “hl” or “lh”) When min is higher than max When min and max are in wrong format When args are empty When min or max is less than 0 Note: hl is from high to low, lh is from low to high ## Winston - Update price and number of days to loan update-item /i itemID /p price update-tx /t transactionId /d newDuration - Use item ID as well instead of just item name, so more than 1 person can loan the same item
1.0
Things to do for v1.5 - ## All - Add javaDoc to all files (all) ## Bui - Storage for User/Item/Transaction (2 people) - Bui Get all data from file and save to 3 lists when starting the program, and overwrite all data in the files with updated lists. I think we should not edit the files along the way, it's too complicated ## Jing wei - Find transaction by status (rcm use Java stream) (1 person) - Jing wei find-tx /s finished find-tx /s unfinished Exception when status is wrong ## Jorelle - Find method for User/Item by keyword (rcm use Java stream) (1 person) - Jorelle find-user /k [keyword] find-item /k [keyword] Exception when keyword is empty ## Yixiang - Sort item (use Java stream) (1 person) sort-items /mode <optional: hl or lh> /min <optional: double> /max / <optional: double> Exception when mode is unrecognizable (different from “hl” or “lh”) When min is higher than max When min and max are in wrong format When args are empty When min or max is less than 0 Note: hl is from high to low, lh is from low to high ## Winston - Update price and number of days to loan update-item /i itemID /p price update-tx /t transactionId /d newDuration - Use item ID as well instead of just item name, so more than 1 person can loan the same item
priority
things to do for all add javadoc to all files all bui storage for user item transaction people bui get all data from file and save to lists when starting the program and overwrite all data in the files with updated lists i think we should not edit the files along the way it s too complicated jing wei find transaction by status rcm use java stream person jing wei find tx s finished find tx s unfinished exception when status is wrong jorelle find method for user item by keyword rcm use java stream person jorelle find user k find item k exception when keyword is empty yixiang sort item use java stream person sort items mode min max exception when mode is unrecognizable different from “hl” or “lh” when min is higher than max when min and max are in wrong format when args are empty when min or max is less than note hl is from high to low lh is from low to high winston update price and number of days to loan update item i itemid p price update tx t transactionid d newduration use item id as well instead of just item name so more than person can loan the same item
1
526,202
15,283,472,497
IssuesEvent
2021-02-23 10:54:23
enso-org/ide
https://api.github.com/repos/enso-org/ide
opened
RUSTSEC-2020-0060: futures_task::waker may cause a use-after-free if used on a type that isn't 'static
Category: BaseGL Category: Controllers Category: GUI Priority: High Type: Bug
### What did you do? Run `cargo audit` ### What did you expect to see? No security advisories. ### What did you see instead? ``` Crate: futures-task Version: 0.3.5 Title: futures_task::waker may cause a use-after-free if used on a type that isn't 'static Date: 2020-09-04 ID: RUSTSEC-2020-0060 URL: https://rustsec.org/advisories/RUSTSEC-2020-0060 Solution: Upgrade to >=0.3.6 Dependency tree: futures-task 0.3.5 ├── futures-util 0.3.5 │ ├── reqwest 0.10.8 │ │ ├── parser 0.1.0 │ │ │ ├── span-tree 0.1.0 │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ └── ide-view 0.1.0 │ │ │ │ │ └── ide 0.1.0 │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ ├── ide 0.1.0 │ │ │ │ └── enso-span-tree-example 0.1.0 │ │ │ ├── ide-view 0.1.0 │ │ │ └── ide 0.1.0 │ │ ├── ensogl-build-utilities 0.1.0 │ │ │ ├── parser 0.1.0 │ │ │ ├── ensogl-text-msdf-sys 0.1.0 │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ ├── ide 0.1.0 │ │ │ │ ├── ensogl-text 0.1.0 │ │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ │ ├── ide 0.1.0 │ │ │ │ │ ├── ensogl-gui-components 0.1.0 │ │ │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ │ │ ├── ide 0.1.0 │ │ │ │ │ │ └── ensogl-examples 0.1.0 │ │ │ │ │ │ └── ide 0.1.0 │ │ │ │ │ ├── ensogl-examples 0.1.0 │ │ │ │ │ └── ensogl 0.1.0 │ │ │ │ │ ├── web-test 0.1.0 │ │ │ │ │ │ └── ensogl-core 0.1.0 │ │ │ │ │ │ ├── ensogl-theme 0.1.0 │ │ │ │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ │ │ │ ├── ide 0.1.0 │ │ │ │ │ │ │ ├── ensogl-text 0.1.0 │ │ │ │ │ │ │ ├── ensogl-gui-components 0.1.0 │ │ │ │ │ │ │ └── ensogl-examples 0.1.0 │ │ │ │ │ │ ├── ensogl-text 0.1.0 │ │ │ │ │ │ ├── ensogl-gui-components 0.1.0 │ │ │ │ │ │ ├── ensogl-examples 0.1.0 │ │ │ │ │ │ └── ensogl 0.1.0 │ │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ │ ├── ide 0.1.0 │ │ │ │ │ └── enso-args 0.1.0 │ │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ └── ide 0.1.0 │ │ │ │ ├── ensogl-examples 0.1.0 │ │ │ │ └── ensogl-core 0.1.0 │ │ │ ├── ensogl-text-embedded-fonts 0.1.0 │ │ │ │ ├── ensogl-text-msdf-sys 0.1.0 │ │ │ │ ├── ensogl-text 0.1.0 │ │ │ │ └── ensogl-core 0.1.0 │ │ │ └── enso-protocol 0.1.0 │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ ├── ide-view 0.1.0 │ │ │ └── ide 0.1.0 │ │ └── enso-protocol 0.1.0 │ ├── hyper 0.13.8 │ │ ├── reqwest 0.10.8 │ │ └── hyper-tls 0.4.3 │ │ └── reqwest 0.10.8 │ ├── h2 0.2.6 │ │ └── hyper 0.13.8 │ ├── futures-executor 0.3.5 │ │ └── futures 0.3.5 │ │ ├── utils 0.1.0 │ │ │ ├── span-tree 0.1.0 │ │ │ ├── parser 0.1.0 │ │ │ ├── json-rpc 0.1.0 │ │ │ │ ├── ide 0.1.0 │ │ │ │ └── enso-protocol 0.1.0 │ │ │ ├── ide 0.1.0 │ │ │ ├── enso-protocol 0.1.0 │ │ │ └── ast 0.1.0 │ │ │ ├── span-tree 0.1.0 │ │ │ ├── parser 0.1.0 │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ ├── ide-view 0.1.0 │ │ │ ├── ide 0.1.0 │ │ │ └── enso-span-tree-example 0.1.0 │ │ ├── parser 0.1.0 │ │ ├── json-rpc 0.1.0 │ │ ├── ide 0.1.0 │ │ ├── flo_stream 0.4.0 │ │ │ └── ide 0.1.0 │ │ ├── ensogl-text-msdf-sys 0.1.0 │ │ └── enso-protocol 0.1.0 │ └── futures 0.3.5 ├── futures-executor 0.3.5 └── futures 0.3.5 ``` ### Enso Version develop ### Additional notes 07927e1a14bc843c91a6c63cc4067ad7bc8c00eb
1.0
RUSTSEC-2020-0060: futures_task::waker may cause a use-after-free if used on a type that isn't 'static - ### What did you do? Run `cargo audit` ### What did you expect to see? No security advisories. ### What did you see instead? ``` Crate: futures-task Version: 0.3.5 Title: futures_task::waker may cause a use-after-free if used on a type that isn't 'static Date: 2020-09-04 ID: RUSTSEC-2020-0060 URL: https://rustsec.org/advisories/RUSTSEC-2020-0060 Solution: Upgrade to >=0.3.6 Dependency tree: futures-task 0.3.5 ├── futures-util 0.3.5 │ ├── reqwest 0.10.8 │ │ ├── parser 0.1.0 │ │ │ ├── span-tree 0.1.0 │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ └── ide-view 0.1.0 │ │ │ │ │ └── ide 0.1.0 │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ ├── ide 0.1.0 │ │ │ │ └── enso-span-tree-example 0.1.0 │ │ │ ├── ide-view 0.1.0 │ │ │ └── ide 0.1.0 │ │ ├── ensogl-build-utilities 0.1.0 │ │ │ ├── parser 0.1.0 │ │ │ ├── ensogl-text-msdf-sys 0.1.0 │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ ├── ide 0.1.0 │ │ │ │ ├── ensogl-text 0.1.0 │ │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ │ ├── ide 0.1.0 │ │ │ │ │ ├── ensogl-gui-components 0.1.0 │ │ │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ │ │ ├── ide 0.1.0 │ │ │ │ │ │ └── ensogl-examples 0.1.0 │ │ │ │ │ │ └── ide 0.1.0 │ │ │ │ │ ├── ensogl-examples 0.1.0 │ │ │ │ │ └── ensogl 0.1.0 │ │ │ │ │ ├── web-test 0.1.0 │ │ │ │ │ │ └── ensogl-core 0.1.0 │ │ │ │ │ │ ├── ensogl-theme 0.1.0 │ │ │ │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ │ │ │ ├── ide 0.1.0 │ │ │ │ │ │ │ ├── ensogl-text 0.1.0 │ │ │ │ │ │ │ ├── ensogl-gui-components 0.1.0 │ │ │ │ │ │ │ └── ensogl-examples 0.1.0 │ │ │ │ │ │ ├── ensogl-text 0.1.0 │ │ │ │ │ │ ├── ensogl-gui-components 0.1.0 │ │ │ │ │ │ ├── ensogl-examples 0.1.0 │ │ │ │ │ │ └── ensogl 0.1.0 │ │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ ├── ide-view 0.1.0 │ │ │ │ │ ├── ide 0.1.0 │ │ │ │ │ └── enso-args 0.1.0 │ │ │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ │ │ └── ide 0.1.0 │ │ │ │ ├── ensogl-examples 0.1.0 │ │ │ │ └── ensogl-core 0.1.0 │ │ │ ├── ensogl-text-embedded-fonts 0.1.0 │ │ │ │ ├── ensogl-text-msdf-sys 0.1.0 │ │ │ │ ├── ensogl-text 0.1.0 │ │ │ │ └── ensogl-core 0.1.0 │ │ │ └── enso-protocol 0.1.0 │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ ├── ide-view 0.1.0 │ │ │ └── ide 0.1.0 │ │ └── enso-protocol 0.1.0 │ ├── hyper 0.13.8 │ │ ├── reqwest 0.10.8 │ │ └── hyper-tls 0.4.3 │ │ └── reqwest 0.10.8 │ ├── h2 0.2.6 │ │ └── hyper 0.13.8 │ ├── futures-executor 0.3.5 │ │ └── futures 0.3.5 │ │ ├── utils 0.1.0 │ │ │ ├── span-tree 0.1.0 │ │ │ ├── parser 0.1.0 │ │ │ ├── json-rpc 0.1.0 │ │ │ │ ├── ide 0.1.0 │ │ │ │ └── enso-protocol 0.1.0 │ │ │ ├── ide 0.1.0 │ │ │ ├── enso-protocol 0.1.0 │ │ │ └── ast 0.1.0 │ │ │ ├── span-tree 0.1.0 │ │ │ ├── parser 0.1.0 │ │ │ ├── ide-view-graph-editor 0.1.0 │ │ │ ├── ide-view 0.1.0 │ │ │ ├── ide 0.1.0 │ │ │ └── enso-span-tree-example 0.1.0 │ │ ├── parser 0.1.0 │ │ ├── json-rpc 0.1.0 │ │ ├── ide 0.1.0 │ │ ├── flo_stream 0.4.0 │ │ │ └── ide 0.1.0 │ │ ├── ensogl-text-msdf-sys 0.1.0 │ │ └── enso-protocol 0.1.0 │ └── futures 0.3.5 ├── futures-executor 0.3.5 └── futures 0.3.5 ``` ### Enso Version develop ### Additional notes 07927e1a14bc843c91a6c63cc4067ad7bc8c00eb
priority
rustsec futures task waker may cause a use after free if used on a type that isn t static what did you do run cargo audit what did you expect to see no security advisories what did you see instead crate futures task version title futures task waker may cause a use after free if used on a type that isn t static date id rustsec url solution upgrade to dependency tree futures task ├── futures util │ ├── reqwest │ │ ├── parser │ │ │ ├── span tree │ │ │ │ ├── ide view graph editor │ │ │ │ │ └── ide view │ │ │ │ │ └── ide │ │ │ │ ├── ide view │ │ │ │ ├── ide │ │ │ │ └── enso span tree example │ │ │ ├── ide view │ │ │ └── ide │ │ ├── ensogl build utilities │ │ │ ├── parser │ │ │ ├── ensogl text msdf sys │ │ │ │ ├── ide view graph editor │ │ │ │ ├── ide view │ │ │ │ ├── ide │ │ │ │ ├── ensogl text │ │ │ │ │ ├── ide view graph editor │ │ │ │ │ ├── ide view │ │ │ │ │ ├── ide │ │ │ │ │ ├── ensogl gui components │ │ │ │ │ │ ├── ide view graph editor │ │ │ │ │ │ ├── ide view │ │ │ │ │ │ ├── ide │ │ │ │ │ │ └── ensogl examples │ │ │ │ │ │ └── ide │ │ │ │ │ ├── ensogl examples │ │ │ │ │ └── ensogl │ │ │ │ │ ├── web test │ │ │ │ │ │ └── ensogl core │ │ │ │ │ │ ├── ensogl theme │ │ │ │ │ │ │ ├── ide view graph editor │ │ │ │ │ │ │ ├── ide view │ │ │ │ │ │ │ ├── ide │ │ │ │ │ │ │ ├── ensogl text │ │ │ │ │ │ │ ├── ensogl gui components │ │ │ │ │ │ │ └── ensogl examples │ │ │ │ │ │ ├── ensogl text │ │ │ │ │ │ ├── ensogl gui components │ │ │ │ │ │ ├── ensogl examples │ │ │ │ │ │ └── ensogl │ │ │ │ │ ├── ide view graph editor │ │ │ │ │ ├── ide view │ │ │ │ │ ├── ide │ │ │ │ │ └── enso args │ │ │ │ │ ├── ide view graph editor │ │ │ │ │ └── ide │ │ │ │ ├── ensogl examples │ │ │ │ └── ensogl core │ │ │ ├── ensogl text embedded fonts │ │ │ │ ├── ensogl text msdf sys │ │ │ │ ├── ensogl text │ │ │ │ └── ensogl core │ │ │ └── enso protocol │ │ │ ├── ide view graph editor │ │ │ ├── ide view │ │ │ └── ide │ │ └── enso protocol │ ├── hyper │ │ ├── reqwest │ │ └── hyper tls │ │ └── reqwest │ ├── │ │ └── hyper │ ├── futures executor │ │ └── futures │ │ ├── utils │ │ │ ├── span tree │ │ │ ├── parser │ │ │ ├── json rpc │ │ │ │ ├── ide │ │ │ │ └── enso protocol │ │ │ ├── ide │ │ │ ├── enso protocol │ │ │ └── ast │ │ │ ├── span tree │ │ │ ├── parser │ │ │ ├── ide view graph editor │ │ │ ├── ide view │ │ │ ├── ide │ │ │ └── enso span tree example │ │ ├── parser │ │ ├── json rpc │ │ ├── ide │ │ ├── flo stream │ │ │ └── ide │ │ ├── ensogl text msdf sys │ │ └── enso protocol │ └── futures ├── futures executor └── futures enso version develop additional notes
1
103,491
4,174,089,575
IssuesEvent
2016-06-21 13:01:57
DOAJ/doaj
https://api.github.com/repos/DOAJ/doaj
closed
Journals that are neither in nor out of DOAJ
bug high priority ready for review
A couple more of these: think we had one before. https://doaj.org/admin/journal/19a034dfd7d941df9269258711f6c7fd https://doaj.org/admin/journal/e500a798e3264d26932d86118bc0ee83 They are neither in or out of DOAJ AND have no reapplication records associated. Can you fix? The publisher is asking why his journals aren't in DOAJ. I wonder how many more of these there are?
1.0
Journals that are neither in nor out of DOAJ - A couple more of these: think we had one before. https://doaj.org/admin/journal/19a034dfd7d941df9269258711f6c7fd https://doaj.org/admin/journal/e500a798e3264d26932d86118bc0ee83 They are neither in or out of DOAJ AND have no reapplication records associated. Can you fix? The publisher is asking why his journals aren't in DOAJ. I wonder how many more of these there are?
priority
journals that are neither in nor out of doaj a couple more of these think we had one before they are neither in or out of doaj and have no reapplication records associated can you fix the publisher is asking why his journals aren t in doaj i wonder how many more of these there are
1
826,378
31,592,970,817
IssuesEvent
2023-09-05 01:28:51
pytorch/pytorch
https://api.github.com/repos/pytorch/pytorch
closed
[PT2.0] Channels_last for weight for ConvTranpose gives Random output
high priority module: cpu module: convolution triaged module: regression module: memory format module: correctness (silent) module: intel
### 🐛 Describe the bug If weight tensor's memory format changed to channels_last for ConvTranspose2d Operator then we get the random output Please use below code to reproduce issue in PT 2.0 ``` import torch ifm = torch.ones([1, 1, 2, 2]).contiguous(memory_format=torch.channels_last) model = torch.nn.ConvTranspose2d(in_channels=1, out_channels=2, kernel_size=[5, 5]) model.weight.data = torch.ones([1, 2, 5, 5]).contiguous( memory_format=torch.channels_last ) fwd_out = model(ifm) print(fwd_out) ``` We get Output as: ``` tensor([[[[5.3065e-34, 3.7275e-43, nan, 7.3318e+22, 1.1141e+27, 3.4590e-12], [1.1446e+24, 1.1028e+21, 2.4471e+32, 2.6219e+20, 1.8990e+28, 7.1447e+31], [1.7753e+28, 1.7034e+19, 3.1839e-15, 4.4849e+21, 6.4640e-04, 9.0941e-04], [1.7701e+31, 2.8930e+12, 7.1758e+22, 2.0704e-19, 1.6532e+19, 1.4353e-19], [7.5338e+28, 1.7753e+28, 1.7034e+19, 5.2165e-11, 1.8888e+31, 3.2745e-12], [1.9051e+31, 4.1579e+21, 1.4583e-19, 1.9421e+20, 1.4353e-19, 7.5338e+28]], [[0.0000e+00, 0.0000e+00, 0.0000e+00, 4.5972e+24, 1.9618e+20, 2.0572e+26], [9.1042e-12, 7.2065e+31, 2.7374e+20, 2.1127e-19, 2.9602e+29, 2.2266e-15], [1.8151e+25, 2.8973e+23, 7.3988e+31, 2.7370e+20, 1.8461e+20, 1.8939e+34], [2.7208e+23, 7.5338e+28, 1.4603e-19, 4.4907e+21, 7.2060e+31, 2.7530e+12], [1.3556e-19, 1.8151e+25, 2.8973e+23, 1.3570e-14, 1.2712e+31, 7.5555e+31], [6.9767e+22, 3.4452e-12, 1.8888e+31, 4.9567e+28, 2.7530e+12, 7.6286e-19]]]], grad_fn=<ConvolutionBackward0>) ``` Excepted Output: ``` tensor([[[[0.8606, 1.8606, 1.8606, 1.8606, 1.8606, 0.8606], [1.8606, 3.8606, 3.8606, 3.8606, 3.8606, 1.8606], [1.8606, 3.8606, 3.8606, 3.8606, 3.8606, 1.8606], [1.8606, 3.8606, 3.8606, 3.8606, 3.8606, 1.8606], [1.8606, 3.8606, 3.8606, 3.8606, 3.8606, 1.8606], [0.8606, 1.8606, 1.8606, 1.8606, 1.8606, 0.8606]], [[1.0841, 2.0841, 2.0841, 2.0841, 2.0841, 1.0841], [2.0841, 4.0841, 4.0841, 4.0841, 4.0841, 2.0841], [2.0841, 4.0841, 4.0841, 4.0841, 4.0841, 2.0841], [2.0841, 4.0841, 4.0841, 4.0841, 4.0841, 2.0841], [2.0841, 4.0841, 4.0841, 4.0841, 4.0841, 2.0841], [1.0841, 2.0841, 2.0841, 2.0841, 2.0841, 1.0841]]]], grad_fn=<ConvolutionBackward0> ``` ### Versions Name: torch Version: 2.0.0 Summary: Tensors and Dynamic neural networks in Python with strong GPU acceleration Home-page: https://pytorch.org/ Author: PyTorch Team Author-email: packages@pytorch.org License: BSD-3 Location: /home/jthakur/.pt_2_0/lib/python3.8/site-packages Requires: filelock, jinja2, networkx, nvidia-cublas-cu11, nvidia-cuda-cupti-cu11, nvidia-cuda-nvrtc-cu11, nvidia-cuda-runtime-cu11, nvidia-cudnn-cu11, nvidia-cufft-cu11, nvidia-curand-cu11, nvidia-cusolver-cu11, nvidia-cusparse-cu11, nvidia-nccl-cu11, nvidia-nvtx-cu11, sympy, triton, typing-extensions Required-by: torchaudio, torchvision, triton cc @ezyang @gchanan @zou3519 @jgong5 @mingfeima @XiaobingSuper @sanchitintel @ashokei @jingxu10 @jamesr66a @frank-wei @soumith @msaroufim @wconstab @ngimel @bdhirsh
1.0
[PT2.0] Channels_last for weight for ConvTranpose gives Random output - ### 🐛 Describe the bug If weight tensor's memory format changed to channels_last for ConvTranspose2d Operator then we get the random output Please use below code to reproduce issue in PT 2.0 ``` import torch ifm = torch.ones([1, 1, 2, 2]).contiguous(memory_format=torch.channels_last) model = torch.nn.ConvTranspose2d(in_channels=1, out_channels=2, kernel_size=[5, 5]) model.weight.data = torch.ones([1, 2, 5, 5]).contiguous( memory_format=torch.channels_last ) fwd_out = model(ifm) print(fwd_out) ``` We get Output as: ``` tensor([[[[5.3065e-34, 3.7275e-43, nan, 7.3318e+22, 1.1141e+27, 3.4590e-12], [1.1446e+24, 1.1028e+21, 2.4471e+32, 2.6219e+20, 1.8990e+28, 7.1447e+31], [1.7753e+28, 1.7034e+19, 3.1839e-15, 4.4849e+21, 6.4640e-04, 9.0941e-04], [1.7701e+31, 2.8930e+12, 7.1758e+22, 2.0704e-19, 1.6532e+19, 1.4353e-19], [7.5338e+28, 1.7753e+28, 1.7034e+19, 5.2165e-11, 1.8888e+31, 3.2745e-12], [1.9051e+31, 4.1579e+21, 1.4583e-19, 1.9421e+20, 1.4353e-19, 7.5338e+28]], [[0.0000e+00, 0.0000e+00, 0.0000e+00, 4.5972e+24, 1.9618e+20, 2.0572e+26], [9.1042e-12, 7.2065e+31, 2.7374e+20, 2.1127e-19, 2.9602e+29, 2.2266e-15], [1.8151e+25, 2.8973e+23, 7.3988e+31, 2.7370e+20, 1.8461e+20, 1.8939e+34], [2.7208e+23, 7.5338e+28, 1.4603e-19, 4.4907e+21, 7.2060e+31, 2.7530e+12], [1.3556e-19, 1.8151e+25, 2.8973e+23, 1.3570e-14, 1.2712e+31, 7.5555e+31], [6.9767e+22, 3.4452e-12, 1.8888e+31, 4.9567e+28, 2.7530e+12, 7.6286e-19]]]], grad_fn=<ConvolutionBackward0>) ``` Excepted Output: ``` tensor([[[[0.8606, 1.8606, 1.8606, 1.8606, 1.8606, 0.8606], [1.8606, 3.8606, 3.8606, 3.8606, 3.8606, 1.8606], [1.8606, 3.8606, 3.8606, 3.8606, 3.8606, 1.8606], [1.8606, 3.8606, 3.8606, 3.8606, 3.8606, 1.8606], [1.8606, 3.8606, 3.8606, 3.8606, 3.8606, 1.8606], [0.8606, 1.8606, 1.8606, 1.8606, 1.8606, 0.8606]], [[1.0841, 2.0841, 2.0841, 2.0841, 2.0841, 1.0841], [2.0841, 4.0841, 4.0841, 4.0841, 4.0841, 2.0841], [2.0841, 4.0841, 4.0841, 4.0841, 4.0841, 2.0841], [2.0841, 4.0841, 4.0841, 4.0841, 4.0841, 2.0841], [2.0841, 4.0841, 4.0841, 4.0841, 4.0841, 2.0841], [1.0841, 2.0841, 2.0841, 2.0841, 2.0841, 1.0841]]]], grad_fn=<ConvolutionBackward0> ``` ### Versions Name: torch Version: 2.0.0 Summary: Tensors and Dynamic neural networks in Python with strong GPU acceleration Home-page: https://pytorch.org/ Author: PyTorch Team Author-email: packages@pytorch.org License: BSD-3 Location: /home/jthakur/.pt_2_0/lib/python3.8/site-packages Requires: filelock, jinja2, networkx, nvidia-cublas-cu11, nvidia-cuda-cupti-cu11, nvidia-cuda-nvrtc-cu11, nvidia-cuda-runtime-cu11, nvidia-cudnn-cu11, nvidia-cufft-cu11, nvidia-curand-cu11, nvidia-cusolver-cu11, nvidia-cusparse-cu11, nvidia-nccl-cu11, nvidia-nvtx-cu11, sympy, triton, typing-extensions Required-by: torchaudio, torchvision, triton cc @ezyang @gchanan @zou3519 @jgong5 @mingfeima @XiaobingSuper @sanchitintel @ashokei @jingxu10 @jamesr66a @frank-wei @soumith @msaroufim @wconstab @ngimel @bdhirsh
priority
channels last for weight for convtranpose gives random output 🐛 describe the bug if weight tensor s memory format changed to channels last for operator then we get the random output please use below code to reproduce issue in pt import torch ifm torch ones contiguous memory format torch channels last model torch nn in channels out channels kernel size model weight data torch ones contiguous memory format torch channels last fwd out model ifm print fwd out we get output as tensor nan grad fn excepted output tensor grad fn versions name torch version summary tensors and dynamic neural networks in python with strong gpu acceleration home page author pytorch team author email packages pytorch org license bsd location home jthakur pt lib site packages requires filelock networkx nvidia cublas nvidia cuda cupti nvidia cuda nvrtc nvidia cuda runtime nvidia cudnn nvidia cufft nvidia curand nvidia cusolver nvidia cusparse nvidia nccl nvidia nvtx sympy triton typing extensions required by torchaudio torchvision triton cc ezyang gchanan mingfeima xiaobingsuper sanchitintel ashokei frank wei soumith msaroufim wconstab ngimel bdhirsh
1
483,246
13,921,335,092
IssuesEvent
2020-10-21 11:47:44
ballerina-platform/ballerina-lang
https://api.github.com/repos/ballerina-platform/ballerina-lang
closed
Migrate Code Action engine to the new Semantic API
Area/LanguageServer Priority/High SwanLakeDump Team/Tooling Type/Task
**Description:** Migrate the current Code Action API (extension API) and the implementation to rely on the latest Semantic API.
1.0
Migrate Code Action engine to the new Semantic API - **Description:** Migrate the current Code Action API (extension API) and the implementation to rely on the latest Semantic API.
priority
migrate code action engine to the new semantic api description migrate the current code action api extension api and the implementation to rely on the latest semantic api
1
237,253
7,757,885,964
IssuesEvent
2018-05-31 17:45:52
StrangeLoopGames/EcoIssues
https://api.github.com/repos/StrangeLoopGames/EcoIssues
closed
0.7.4.6 EXCAVATOR can't owned by user.
High Priority
Game version 0.7.4.6 1. build a Excavator 2. put his on the ground 3. open it (press the "E" key) 4. we see in the top the mark "Owned by ." 5. any player can use this Excavator because he has no owner. ![excavator_error](https://user-images.githubusercontent.com/1098421/40674026-40287c88-637c-11e8-9691-aec9b94f157f.jpg) **Re-entry to the server or restarting the client does not solve the problem**. Sometimes it helps to completely restart the server.
1.0
0.7.4.6 EXCAVATOR can't owned by user. - Game version 0.7.4.6 1. build a Excavator 2. put his on the ground 3. open it (press the "E" key) 4. we see in the top the mark "Owned by ." 5. any player can use this Excavator because he has no owner. ![excavator_error](https://user-images.githubusercontent.com/1098421/40674026-40287c88-637c-11e8-9691-aec9b94f157f.jpg) **Re-entry to the server or restarting the client does not solve the problem**. Sometimes it helps to completely restart the server.
priority
excavator can t owned by user game version build a excavator put his on the ground open it press the e key we see in the top the mark owned by any player can use this excavator because he has no owner re entry to the server or restarting the client does not solve the problem sometimes it helps to completely restart the server
1
307,448
9,417,299,058
IssuesEvent
2019-04-10 16:24:35
der-On/XPlane2Blender
https://api.github.com/repos/der-On/XPlane2Blender
reopened
249: Convert Workflows
2.49 Converter priority high
2.49 had 2 distinct workflows (we care about) and used Blender Objects in certain ways to achieve their means, we have something similar (but not a 1:1). We're going to need to convert the workflow so this works and ask users what they meant (if we can't guess ourselves) whether they used Bulk Export or Regular.
1.0
249: Convert Workflows - 2.49 had 2 distinct workflows (we care about) and used Blender Objects in certain ways to achieve their means, we have something similar (but not a 1:1). We're going to need to convert the workflow so this works and ask users what they meant (if we can't guess ourselves) whether they used Bulk Export or Regular.
priority
convert workflows had distinct workflows we care about and used blender objects in certain ways to achieve their means we have something similar but not a we re going to need to convert the workflow so this works and ask users what they meant if we can t guess ourselves whether they used bulk export or regular
1
575,461
17,031,765,697
IssuesEvent
2021-07-04 18:07:33
MarketSquare/robotframework-browser
https://api.github.com/repos/MarketSquare/robotframework-browser
closed
Some mobile devices fail to start the browser
bug priority: high
**Describe the bug** Running `New Context` with some, but not all devices fails. **To Reproduce** Steps to reproduce the behavior: ``` *** Settings *** Library Browser *** Test Cases *** Works ${device}= Get Device Galaxy S9+ New Browser New Context &{device} acceptDownloads=True Fails ${device}= Get Device iPhone 11 New Browser New Context &{device} acceptDownloads=True ``` **Expected behavior** Both devices will work **Additional context** Some devices in https://github.com/microsoft/playwright/blob/master/src/server/deviceDescriptorsSource.json has the attribute screen as well as viewport. Browser can not handle this attribute.
1.0
Some mobile devices fail to start the browser - **Describe the bug** Running `New Context` with some, but not all devices fails. **To Reproduce** Steps to reproduce the behavior: ``` *** Settings *** Library Browser *** Test Cases *** Works ${device}= Get Device Galaxy S9+ New Browser New Context &{device} acceptDownloads=True Fails ${device}= Get Device iPhone 11 New Browser New Context &{device} acceptDownloads=True ``` **Expected behavior** Both devices will work **Additional context** Some devices in https://github.com/microsoft/playwright/blob/master/src/server/deviceDescriptorsSource.json has the attribute screen as well as viewport. Browser can not handle this attribute.
priority
some mobile devices fail to start the browser describe the bug running new context with some but not all devices fails to reproduce steps to reproduce the behavior settings library browser test cases works device get device galaxy new browser new context device acceptdownloads true fails device get device iphone new browser new context device acceptdownloads true expected behavior both devices will work additional context some devices in has the attribute screen as well as viewport browser can not handle this attribute
1
618,346
19,432,815,268
IssuesEvent
2021-12-21 13:56:56
ugurduz/SWE573
https://api.github.com/repos/ugurduz/SWE573
closed
Create Views
frontend high priority
Create views file for the project on VS Code and connect them with URLs and templates
1.0
Create Views - Create views file for the project on VS Code and connect them with URLs and templates
priority
create views create views file for the project on vs code and connect them with urls and templates
1
384,206
11,385,458,706
IssuesEvent
2020-01-29 11:08:34
firecracker-microvm/firecracker
https://api.github.com/repos/firecracker-microvm/firecracker
closed
Potential Off-by-one Error In The Virtio Queue Checking Logic
Priority: High Quality: Bug
If the descriptor chain includes a memory region that ends at the guests highest memory address (but not exceeding), the descriptor chain is incorrectly marked as invalid. I believe this stems from a potential off-by-one issue in the virtio queue bounds checking logic: https://github.com/firecracker-microvm/firecracker/blob/6713662ade763dc7b82bb1ee4fdf16285ce9e1ac/devices/src/virtio/queue.rs#L111 The issue appears we are passing a length, instead of an offset, to the checked_offset method. This appears to fail thankfully in a safe manner (but can lead to guest os panics).
1.0
Potential Off-by-one Error In The Virtio Queue Checking Logic - If the descriptor chain includes a memory region that ends at the guests highest memory address (but not exceeding), the descriptor chain is incorrectly marked as invalid. I believe this stems from a potential off-by-one issue in the virtio queue bounds checking logic: https://github.com/firecracker-microvm/firecracker/blob/6713662ade763dc7b82bb1ee4fdf16285ce9e1ac/devices/src/virtio/queue.rs#L111 The issue appears we are passing a length, instead of an offset, to the checked_offset method. This appears to fail thankfully in a safe manner (but can lead to guest os panics).
priority
potential off by one error in the virtio queue checking logic if the descriptor chain includes a memory region that ends at the guests highest memory address but not exceeding the descriptor chain is incorrectly marked as invalid i believe this stems from a potential off by one issue in the virtio queue bounds checking logic the issue appears we are passing a length instead of an offset to the checked offset method this appears to fail thankfully in a safe manner but can lead to guest os panics
1
434,123
12,514,456,389
IssuesEvent
2020-06-03 05:19:04
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.facebook.com - site is not usable
browser-firefox engine-gecko ml-needsdiagnosis-false ml-probability-high priority-critical
<!-- @browser: Firefox 64.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; WOW64; rv:64.0) Gecko/20100101 Firefox/64.0 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/53629 --> **URL**: https://www.facebook.com/ **Browser / Version**: Firefox 64.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Chrome **Problem type**: Site is not usable **Description**: Browser unsupported **Steps to Reproduce**: i cannot use google.it says error <details><summary>View the screenshot</summary><img alt='Screenshot' src='https://webcompat.com/uploads/2020/6/cfa51cf7-72c2-4336-9b94-55026c685843.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: 20181206201918</li><li>channel: release</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/6/e3ca96d2-e625-4a44-bd93-216137346526) _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.facebook.com - site is not usable - <!-- @browser: Firefox 64.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; WOW64; rv:64.0) Gecko/20100101 Firefox/64.0 --> <!-- @reported_with: desktop-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/53629 --> **URL**: https://www.facebook.com/ **Browser / Version**: Firefox 64.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes Chrome **Problem type**: Site is not usable **Description**: Browser unsupported **Steps to Reproduce**: i cannot use google.it says error <details><summary>View the screenshot</summary><img alt='Screenshot' src='https://webcompat.com/uploads/2020/6/cfa51cf7-72c2-4336-9b94-55026c685843.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: 20181206201918</li><li>channel: release</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/6/e3ca96d2-e625-4a44-bd93-216137346526) _From [webcompat.com](https://webcompat.com/) with ❤️_
priority
site is not usable url browser version firefox operating system windows tested another browser yes chrome problem type site is not usable description browser unsupported steps to reproduce i cannot use google it says error 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 release hastouchscreen false mixed active content blocked false mixed passive content blocked false tracking content blocked false from with ❤️
1
410,663
11,995,160,904
IssuesEvent
2020-04-08 14:48:16
status-im/nim-beacon-chain
https://api.github.com/repos/status-im/nim-beacon-chain
closed
[ongoing] Network stability
:exclamation: high priority
This is an ongoing issue to identify and track networking performance and stability issues in `nim-libp2p` and `NBC`. ### libp2p memory leaks - [x] https://github.com/status-im/nim-beacon-chain/issues/778 - [x] https://github.com/status-im/nim-beacon-chain/issues/779 - Potential fix - https://github.com/status-im/nim-libp2p/pull/128 ### Performance - Continuing tracking performance issues, in particular the current implementation should allow: - pubsub messages to propagate quickly enough to allow finalization - block syncing should allow quick block retrieval with minimum resource usage ### Tracking and monitoring - Increase monitoring to include missing counts for libp2p and NBC
1.0
[ongoing] Network stability - This is an ongoing issue to identify and track networking performance and stability issues in `nim-libp2p` and `NBC`. ### libp2p memory leaks - [x] https://github.com/status-im/nim-beacon-chain/issues/778 - [x] https://github.com/status-im/nim-beacon-chain/issues/779 - Potential fix - https://github.com/status-im/nim-libp2p/pull/128 ### Performance - Continuing tracking performance issues, in particular the current implementation should allow: - pubsub messages to propagate quickly enough to allow finalization - block syncing should allow quick block retrieval with minimum resource usage ### Tracking and monitoring - Increase monitoring to include missing counts for libp2p and NBC
priority
network stability this is an ongoing issue to identify and track networking performance and stability issues in nim and nbc memory leaks potential fix performance continuing tracking performance issues in particular the current implementation should allow pubsub messages to propagate quickly enough to allow finalization block syncing should allow quick block retrieval with minimum resource usage tracking and monitoring increase monitoring to include missing counts for and nbc
1
748,837
26,139,903,183
IssuesEvent
2022-12-29 16:53:10
signum-network/signum-node
https://api.github.com/repos/signum-network/signum-node
closed
Change rollback behavior on DB level ( node internal)
enhancement priority-high
Currently when a roll-back happens the node checks via the latest column on many tables if those latest entries due to the block height need to be removed and set the entry prior the roll-back to the latest. In addition, we also check a lot of balances via the latest columnn. We should remove this setup. **New behavior** If a rollback happens, we should just remove the entries related to the block height. If we check balances, we should use always the newest entry on the DB. For the bid_order and ask_order table we should change the latest column into active column. We still need the column to indentify if the order is still in progress or filled/cancelled. (see also #672 )
1.0
Change rollback behavior on DB level ( node internal) - Currently when a roll-back happens the node checks via the latest column on many tables if those latest entries due to the block height need to be removed and set the entry prior the roll-back to the latest. In addition, we also check a lot of balances via the latest columnn. We should remove this setup. **New behavior** If a rollback happens, we should just remove the entries related to the block height. If we check balances, we should use always the newest entry on the DB. For the bid_order and ask_order table we should change the latest column into active column. We still need the column to indentify if the order is still in progress or filled/cancelled. (see also #672 )
priority
change rollback behavior on db level node internal currently when a roll back happens the node checks via the latest column on many tables if those latest entries due to the block height need to be removed and set the entry prior the roll back to the latest in addition we also check a lot of balances via the latest columnn we should remove this setup new behavior if a rollback happens we should just remove the entries related to the block height if we check balances we should use always the newest entry on the db for the bid order and ask order table we should change the latest column into active column we still need the column to indentify if the order is still in progress or filled cancelled see also
1
410,104
11,983,268,436
IssuesEvent
2020-04-07 14:12:30
ansible/galaxy_ng
https://api.github.com/repos/ansible/galaxy_ng
opened
Story: Authentication
area/api priority/high status/new type/story
- Creating new users - Authenticating users to the API via username/password, token and eventually LDAP
1.0
Story: Authentication - - Creating new users - Authenticating users to the API via username/password, token and eventually LDAP
priority
story authentication creating new users authenticating users to the api via username password token and eventually ldap
1
822,882
30,889,641,974
IssuesEvent
2023-08-04 03:01:58
adammartin1ets/oxygen-cs-gr01-eq11
https://api.github.com/repos/adammartin1ets/oxygen-cs-gr01-eq11
closed
[Feature] Deploy to Kubernetes cluster
enhancement priority : High tasks
**Is your feature request related to a problem? Please describe.** Modify our CI pipeline on github to add the CD notion by deploying our new Docker images to the cluster everytime a new image is created. **Describe the solution you'd like** Modify the Git actions to deploy on the cluster **Describe alternatives you've considered** **Additional context** If not possible, we can deploy a watchower on our namescape of the cluster to update automatically our versions of the images. This needs more ressources and more configurations.
1.0
[Feature] Deploy to Kubernetes cluster - **Is your feature request related to a problem? Please describe.** Modify our CI pipeline on github to add the CD notion by deploying our new Docker images to the cluster everytime a new image is created. **Describe the solution you'd like** Modify the Git actions to deploy on the cluster **Describe alternatives you've considered** **Additional context** If not possible, we can deploy a watchower on our namescape of the cluster to update automatically our versions of the images. This needs more ressources and more configurations.
priority
deploy to kubernetes cluster is your feature request related to a problem please describe modify our ci pipeline on github to add the cd notion by deploying our new docker images to the cluster everytime a new image is created describe the solution you d like modify the git actions to deploy on the cluster describe alternatives you ve considered additional context if not possible we can deploy a watchower on our namescape of the cluster to update automatically our versions of the images this needs more ressources and more configurations
1
465,091
13,356,368,258
IssuesEvent
2020-08-31 08:03:26
RasaHQ/rasa
https://api.github.com/repos/RasaHQ/rasa
closed
autoconfig chooses policies when training nlu only
area:rasa-oss :ferris_wheel: priority:high type:bug :bug:
When training nlu: ``` new ❯ rasa train nlu The configuration for policies was chosen automatically. It was written into the config file at 'config.yml'. ``` I wouldn't expect it to choose policies for me because I am not using them in my model. My expectations for the opposite would be the same: if only training core, I wouldn't expect it to give me an NLU pipeline.
1.0
autoconfig chooses policies when training nlu only - When training nlu: ``` new ❯ rasa train nlu The configuration for policies was chosen automatically. It was written into the config file at 'config.yml'. ``` I wouldn't expect it to choose policies for me because I am not using them in my model. My expectations for the opposite would be the same: if only training core, I wouldn't expect it to give me an NLU pipeline.
priority
autoconfig chooses policies when training nlu only when training nlu new ❯ rasa train nlu the configuration for policies was chosen automatically it was written into the config file at config yml i wouldn t expect it to choose policies for me because i am not using them in my model my expectations for the opposite would be the same if only training core i wouldn t expect it to give me an nlu pipeline
1
388,888
11,494,310,103
IssuesEvent
2020-02-12 01:11:02
ScriptedAlchemy/webpack-external-import
https://api.github.com/repos/ScriptedAlchemy/webpack-external-import
closed
Child getting loaded as empty module in browser when made react as external module in child MFE
bug high priority webpack
Hi Zack, Thank you very much for creating such awesome plugin to solve one of the common issue with MFE. I was evaluating this plugin and encountered this issue. I registered react, react-dom and styled-components as external library in MFE webpack configs. While doing so, MFE gets loaded as empty module in parent application at runtime. If I remove external option, it is working as expected. MFE is getting loaded in parent. Am I doing something incorrect. Is external options yet not supported ?
1.0
Child getting loaded as empty module in browser when made react as external module in child MFE - Hi Zack, Thank you very much for creating such awesome plugin to solve one of the common issue with MFE. I was evaluating this plugin and encountered this issue. I registered react, react-dom and styled-components as external library in MFE webpack configs. While doing so, MFE gets loaded as empty module in parent application at runtime. If I remove external option, it is working as expected. MFE is getting loaded in parent. Am I doing something incorrect. Is external options yet not supported ?
priority
child getting loaded as empty module in browser when made react as external module in child mfe hi zack thank you very much for creating such awesome plugin to solve one of the common issue with mfe i was evaluating this plugin and encountered this issue i registered react react dom and styled components as external library in mfe webpack configs while doing so mfe gets loaded as empty module in parent application at runtime if i remove external option it is working as expected mfe is getting loaded in parent am i doing something incorrect is external options yet not supported
1
517,582
15,016,518,494
IssuesEvent
2021-02-01 09:41:39
wso2/product-is
https://api.github.com/repos/wso2/product-is
closed
When we send a malformed json as a request object the flow works where the user is directed upto consent screen
Affected/5.4.0 Component/OIDC Priority/High Severity/Major WUM bug
When we send a malformed json as a request object the flow works where the user is directed upto consent step steps 1.encode the below payload as a base64 without encoding separate sections or adding the signature and call the authorization end point { "alg": "", "kid": "GxlIiwianVqsDuushgjE0OTUxOTk" } . { "aud": "https://api.alphanbank.com", "iss": "s6BhdRkqt3", "response_type": "code id_token", "client_id": "s6BhdRkqt3", "redirect_uri": "https://api.mytpp.com/cb", "scope": "openid payments accounts", "state": "af0ifjsldkj", "nonce": "n-0S6_WzA2Mj", "max_age": 86400, "claims": { "userinfo": { "openbanking_intent_id": {"value": "urn:alphabank:intent:58923", "essential": true} }, "id_token": { "openbanking_intent_id": {"value": "urn:alphabank:intent:58923", "essential": true}, "acr": {"essential": true, "values": ["urn:openbanking:psd2:sca", "urn:openbanking:psd2:ca"]}} } } } Steps 1.Encode the above payload in full as one base64encoded value. This is a malformed one because the signature part is not included and also header/payload are not separately encoded. The request is as below.[1] [1]Malformed payload request ======================= https://192.168.48.106:8243/AuthorizeAPI/v1.0.0/?response_type=code&client_id=qO1088fx_cqtghF7rNgppn3NVpQa&scope=payments&redirect_uri=http://openbanking.staging.wso2.com:9999/playground2&state=YWlzcDozMTQ2&request=ew0KICAgICJhbGciOiAiIiwNCiAgICAia2lkIjogIkd4bElpd2lhblZxc0R1dXNoZ2pFME9UVXhPVGsiDQp9DQouDQp7DQogICAiYXVkIjogImh0dHBzOi8vYXBpLmFscGhhbmJhbmsuY29tIiwNCiAgICJpc3MiOiAiczZCaGRSa3F0MyIsDQogICAicmVzcG9uc2VfdHlwZSI6ICJjb2RlIGlkX3Rva2VuIiwNCiAgICJjbGllbnRfaWQiOiAiczZCaGRSa3F0MyIsDQogICAicmVkaXJlY3RfdXJpIjogImh0dHBzOi8vYXBpLm15dHBwLmNvbS9jYiIsDQogICAic2NvcGUiOiAib3BlbmlkIHBheW1lbnRzIGFjY291bnRzIiwNCiAgICJzdGF0ZSI6ICJhZjBpZmpzbGRraiIsDQogICAibm9uY2UiOiAibi0wUzZfV3pBMk1qIiwNCiAgICJtYXhfYWdlIjogODY0MDAsDQogICAiY2xhaW1zIjoNCiAgICB7DQogICAgICJ1c2VyaW5mbyI6DQogICAgICB7DQogICAgICAgIm9wZW5iYW5raW5nX2ludGVudF9pZCI6IHsidmFsdWUiOiAidXJuOmFscGhhYmFuazppbnRlbnQ6NTg5MjMiLCAiZXNzZW50aWFsIjogdHJ1ZX0NCiAgICAgIH0sDQogICAgICJpZF90b2tlbiI6DQogICAgICB7DQogICAgICAgIm9wZW5iYW5raW5nX2ludGVudF9pZCI6IHsidmFsdWUiOiAidXJuOmFscGhhYmFuazppbnRlbnQ6NTg5MjMiLCAiZXNzZW50aWFsIjogdHJ1ZX0sDQogICAgICAgImFjciI6IHsiZXNzZW50aWFsIjogdHJ1ZSwNCiAgICAgICAgICAgICAgICAidmFsdWVzIjogWyJ1cm46b3BlbmJhbmtpbmc6cHNkMjpzY2EiLA0KICAgICAgICAgICAgICAgICAgICAgInVybjpvcGVuYmFua2luZzpwc2QyOmNhIl19fQ0KICAgICAgfQ0KICAgIH0NCn0=&nonce=n-0S6_WzA2Mj2
1.0
When we send a malformed json as a request object the flow works where the user is directed upto consent screen - When we send a malformed json as a request object the flow works where the user is directed upto consent step steps 1.encode the below payload as a base64 without encoding separate sections or adding the signature and call the authorization end point { "alg": "", "kid": "GxlIiwianVqsDuushgjE0OTUxOTk" } . { "aud": "https://api.alphanbank.com", "iss": "s6BhdRkqt3", "response_type": "code id_token", "client_id": "s6BhdRkqt3", "redirect_uri": "https://api.mytpp.com/cb", "scope": "openid payments accounts", "state": "af0ifjsldkj", "nonce": "n-0S6_WzA2Mj", "max_age": 86400, "claims": { "userinfo": { "openbanking_intent_id": {"value": "urn:alphabank:intent:58923", "essential": true} }, "id_token": { "openbanking_intent_id": {"value": "urn:alphabank:intent:58923", "essential": true}, "acr": {"essential": true, "values": ["urn:openbanking:psd2:sca", "urn:openbanking:psd2:ca"]}} } } } Steps 1.Encode the above payload in full as one base64encoded value. This is a malformed one because the signature part is not included and also header/payload are not separately encoded. The request is as below.[1] [1]Malformed payload request ======================= https://192.168.48.106:8243/AuthorizeAPI/v1.0.0/?response_type=code&client_id=qO1088fx_cqtghF7rNgppn3NVpQa&scope=payments&redirect_uri=http://openbanking.staging.wso2.com:9999/playground2&state=YWlzcDozMTQ2&request=ew0KICAgICJhbGciOiAiIiwNCiAgICAia2lkIjogIkd4bElpd2lhblZxc0R1dXNoZ2pFME9UVXhPVGsiDQp9DQouDQp7DQogICAiYXVkIjogImh0dHBzOi8vYXBpLmFscGhhbmJhbmsuY29tIiwNCiAgICJpc3MiOiAiczZCaGRSa3F0MyIsDQogICAicmVzcG9uc2VfdHlwZSI6ICJjb2RlIGlkX3Rva2VuIiwNCiAgICJjbGllbnRfaWQiOiAiczZCaGRSa3F0MyIsDQogICAicmVkaXJlY3RfdXJpIjogImh0dHBzOi8vYXBpLm15dHBwLmNvbS9jYiIsDQogICAic2NvcGUiOiAib3BlbmlkIHBheW1lbnRzIGFjY291bnRzIiwNCiAgICJzdGF0ZSI6ICJhZjBpZmpzbGRraiIsDQogICAibm9uY2UiOiAibi0wUzZfV3pBMk1qIiwNCiAgICJtYXhfYWdlIjogODY0MDAsDQogICAiY2xhaW1zIjoNCiAgICB7DQogICAgICJ1c2VyaW5mbyI6DQogICAgICB7DQogICAgICAgIm9wZW5iYW5raW5nX2ludGVudF9pZCI6IHsidmFsdWUiOiAidXJuOmFscGhhYmFuazppbnRlbnQ6NTg5MjMiLCAiZXNzZW50aWFsIjogdHJ1ZX0NCiAgICAgIH0sDQogICAgICJpZF90b2tlbiI6DQogICAgICB7DQogICAgICAgIm9wZW5iYW5raW5nX2ludGVudF9pZCI6IHsidmFsdWUiOiAidXJuOmFscGhhYmFuazppbnRlbnQ6NTg5MjMiLCAiZXNzZW50aWFsIjogdHJ1ZX0sDQogICAgICAgImFjciI6IHsiZXNzZW50aWFsIjogdHJ1ZSwNCiAgICAgICAgICAgICAgICAidmFsdWVzIjogWyJ1cm46b3BlbmJhbmtpbmc6cHNkMjpzY2EiLA0KICAgICAgICAgICAgICAgICAgICAgInVybjpvcGVuYmFua2luZzpwc2QyOmNhIl19fQ0KICAgICAgfQ0KICAgIH0NCn0=&nonce=n-0S6_WzA2Mj2
priority
when we send a malformed json as a request object the flow works where the user is directed upto consent screen when we send a malformed json as a request object the flow works where the user is directed upto consent step steps encode the below payload as a without encoding separate sections or adding the signature and call the authorization end point alg kid aud iss response type code id token client id redirect uri scope openid payments accounts state nonce n max age claims userinfo openbanking intent id value urn alphabank intent essential true id token openbanking intent id value urn alphabank intent essential true acr essential true values urn openbanking sca urn openbanking ca steps encode the above payload in full as one value this is a malformed one because the signature part is not included and also header payload are not separately encoded the request is as below malformed payload request
1
349,702
10,472,084,838
IssuesEvent
2019-09-23 09:23:23
mapbox/mapbox-gl-js
https://api.github.com/repos/mapbox/mapbox-gl-js
closed
icon-text-fit should work with text-variable-anchor
bug :beetle: high priority
### Expected Behavior When using these properties on a layer: ```js { 'text-variable-anchor': ['left', 'top', 'right', 'bottom'], 'text-justify': 'auto', 'icon-text-fit': 'width' } ``` I would expect both the icon that's been fitted under the label and the label to be variably placed. ### Actual Behavior Here's a label using a icon-text-fit background | Without `text-variable-anchor` | With `text-variable-anchor` | | --- | --- | | <img width="294" alt="Screen Shot 2019-08-01 at 9 08 34 AM" src="https://user-images.githubusercontent.com/61150/62296601-6c085180-b43d-11e9-8507-8967cbca989f.png"> | <img width="296" alt="Screen Shot 2019-08-01 at 9 17 17 AM" src="https://user-images.githubusercontent.com/61150/62296602-6c085180-b43d-11e9-9991-52d2999c65b6.png"> | --- **mapbox-gl-js version**: v1.1.0 **browser**: Chrome `Version 75.0.3770.142 (Official Build) (64-bit)` ### Link to Demonstration https://jsfiddle.net/tristen/830prsyz/
1.0
icon-text-fit should work with text-variable-anchor - ### Expected Behavior When using these properties on a layer: ```js { 'text-variable-anchor': ['left', 'top', 'right', 'bottom'], 'text-justify': 'auto', 'icon-text-fit': 'width' } ``` I would expect both the icon that's been fitted under the label and the label to be variably placed. ### Actual Behavior Here's a label using a icon-text-fit background | Without `text-variable-anchor` | With `text-variable-anchor` | | --- | --- | | <img width="294" alt="Screen Shot 2019-08-01 at 9 08 34 AM" src="https://user-images.githubusercontent.com/61150/62296601-6c085180-b43d-11e9-8507-8967cbca989f.png"> | <img width="296" alt="Screen Shot 2019-08-01 at 9 17 17 AM" src="https://user-images.githubusercontent.com/61150/62296602-6c085180-b43d-11e9-9991-52d2999c65b6.png"> | --- **mapbox-gl-js version**: v1.1.0 **browser**: Chrome `Version 75.0.3770.142 (Official Build) (64-bit)` ### Link to Demonstration https://jsfiddle.net/tristen/830prsyz/
priority
icon text fit should work with text variable anchor expected behavior when using these properties on a layer js text variable anchor text justify auto icon text fit width i would expect both the icon that s been fitted under the label and the label to be variably placed actual behavior here s a label using a icon text fit background without text variable anchor with text variable anchor img width alt screen shot at am src img width alt screen shot at am src mapbox gl js version browser chrome version official build bit link to demonstration
1
253,294
8,053,801,366
IssuesEvent
2018-08-02 01:15:29
City-Bureau/city-scrapers
https://api.github.com/repos/City-Bureau/city-scrapers
closed
New Geocoding Pipeline Plan
priority: high (must have)
At the meeting tonight, we discussed how to proceed with the geocoding part of the application. We decided to follow up @easherma's idea to split the process into multiple pipelines, with the following steps and a pipeline for each: - [ ] Address cleanup using [usaddress](https://github.com/datamade/usaddress) (@bonfirefan) Spiders that are including city in addresses: Chicago City Council, Chicago Public Schools: School Actions, City College of Chicago, Chicago Police Department - [ ] Look up clean address in local cache. - [ ] If necessary, geocode cleaned address using MapBox API. (@easherma) - [ ] If necessary, assign a community area using local GeoJSON data, python geocoder library or data portal data - [ ] If necessary, write geocoded lat/long and community area to local cache We will create individual PRs for each of these steps as they are picked up.
1.0
New Geocoding Pipeline Plan - At the meeting tonight, we discussed how to proceed with the geocoding part of the application. We decided to follow up @easherma's idea to split the process into multiple pipelines, with the following steps and a pipeline for each: - [ ] Address cleanup using [usaddress](https://github.com/datamade/usaddress) (@bonfirefan) Spiders that are including city in addresses: Chicago City Council, Chicago Public Schools: School Actions, City College of Chicago, Chicago Police Department - [ ] Look up clean address in local cache. - [ ] If necessary, geocode cleaned address using MapBox API. (@easherma) - [ ] If necessary, assign a community area using local GeoJSON data, python geocoder library or data portal data - [ ] If necessary, write geocoded lat/long and community area to local cache We will create individual PRs for each of these steps as they are picked up.
priority
new geocoding pipeline plan at the meeting tonight we discussed how to proceed with the geocoding part of the application we decided to follow up easherma s idea to split the process into multiple pipelines with the following steps and a pipeline for each address cleanup using bonfirefan spiders that are including city in addresses chicago city council chicago public schools school actions city college of chicago chicago police department look up clean address in local cache if necessary geocode cleaned address using mapbox api easherma if necessary assign a community area using local geojson data python geocoder library or data portal data if necessary write geocoded lat long and community area to local cache we will create individual prs for each of these steps as they are picked up
1
223,058
7,446,218,598
IssuesEvent
2018-03-28 08:24:40
CS2103JAN2018-T09-B4/main
https://api.github.com/repos/CS2103JAN2018-T09-B4/main
opened
As a user, i want to login to google, to add event to the google calendar from the app
priority.high type.story
#101 satisfy
1.0
As a user, i want to login to google, to add event to the google calendar from the app - #101 satisfy
priority
as a user i want to login to google to add event to the google calendar from the app satisfy
1
340,518
10,273,139,391
IssuesEvent
2019-08-23 18:25:34
fgpv-vpgf/fgpv-vpgf
https://api.github.com/repos/fgpv-vpgf/fgpv-vpgf
closed
Allow Custom Map Export Layout via Plugins
Epic addition: plugin priority: high type: perfective
As a web mapping application developer, I would like to be able to customize the layout of maps exported by RAMP. This would allow me to create layouts that are specific to my application as well as provide greater ability to specify custom titles and text in the exported map. Original discussion: https://github.com/orgs/fgpv-vpgf/teams/ramp-core/discussions/13 # Approach Export layout customization will be done through project-specific plugins which can cater to their individual export image requirements. An export plugin is expected to take over the mid-point of the image generation process during export. Unlike table plugins, an export plugin does not have any UI components (except for possible options added to the export settings panel) and reuses the default export dialogue. Also, an export plugin is not involved in the last stage of merging separate images into a single export file (this includes checking for tainted canvases according to the config options and providing feedback to the user if the image cannot be saved automatically). This is intended to simplify development of export plugins, since they don't need to generate their own UI (which generally should stay generic) and deal with tainted images. This, however, does not preclude a plugin developer from disabling the default export functionality and writing a full-replacement export plugin with its own custom UI dialogue and image fusion logic. # High-level workflow 1. An export plugin (**plugin**) registers with RAMP on map load 2. Export is triggered by a user or through the API 3. The export service detects the presence of a **plugin** and halts the default export process 4. The export service passes the `exportComponentsService` to the **plugin** 5. The **plugin** can modify the `exportComponentsService` which is by default controlled through the config 1. The **plugin** can add or remove any of the default export components (title, map, mapElements, legend, textblock (*new component*), timestamp) 2. The **plugin** can modify the configurations of component (for example, specifying the legend width and desired column width; or modifying the existing legend structure (*map.legendBlocks*) to exclude/include certain layers) 3. The **plugin** can add new, custom generators to the `exportComponentsService` 4. The **plugin** can reorder the components to control the image overlap, if necessary 6. The **plugin** executes the `exportComponentsService` to generate export images for corresponding components 7. The **plugin** returns the full size of the export image (this is the size of the canvas where all component images will be placed) to export service 8. The **plugin** returns the generated images to the export service along with their x,y pixel coordinates relative to the full canvas (which creates the desired layout) for the final merging 9. The export service displays images in the export dialog 10. The user is satisfied and triggers the download 11. The export service merges the images into a single canvas and attempts to auto-save the file (depending on the `cleanCanvas` setting it might be impossible if any of the images are tainted) # Generators ## Text-Block generator Right now, we only have a footnote text generator which is a plain text generator. We think that the [HTML to Canvas library](https://html2canvas.hertzen.com/) should be able to handle any simple HTML (and maybe even complex HTML, but plugin authors need to ensure the end result matches their expectations) and that we can build a generic **text block** generator to replace the footnote generator. An export plugin can use it several times to generate several text blocks and place them in different sections of the final export image. Plugins can either import that library themselves or it can be provided internally through RAMP. ## Custom generators A plugin can add a function returning an SVG/canvas wrapped in a promise to the `exportComponentsService` to include any arbitrary image (like a watermark or a logo) into the final export image. # Finer points - Even though the export service is going to perform the final merging of export images, this does not stop an export plugin from merging images by itself and just returning a single canvas to the export service to "merge" again. - The order in which a plugin returns component images should be bottom-up - it's easier to figure out what overlaps what in this case, I think. Overlapping of components could be intentional, like when you want your two-layer legend to be displayed on top of the map image, or if you want the scale bar/north arrow to be rendered on the map. - By default, the export dialog will give the user an option to turn on/off certain export components (based on the config settings). The same behaviour should apply to any custom generators added by a plugin, unless explicitly prohibited. # Rough Implementation plan (refer to sub-issues) - [ ] Create a generic Text-Block generator (3 points) This is important. If we cannot reliably convert HTML into SVG/canvas, we would need to keep the plain-text generator and make export plugins responsible for any fancy text blocks they want to add to the final export image (conceivably, they can do it through the custom generators, but it will be more effort for plugin developers). - [ ] Allow export plugins to register with the Export Service (2 points) Use ESPG as example. Use `plugin.feature` to mark plugins as export. - [ ] Modify the Export Service's default logic to invoke an export plugin if present and accept returned component images (including the overall canvas size and components' relative coordinates) (13 points) - [ ] Modify the `exportComponentsService` to accept new custom generators and changes to the existing service configuration (which generators should be used and in what order) (5 points) - [ ] Modify the legend export generator to accept legend with/column number configurations as well as the *legendBlocks* collection from the plugin (5 points) - [ ] Create a sample export plugin (CCCS request) which renders the map and legend side-by-side, and a text blurb underneath (8 points) - [ ] Ensure users are still able to interact with certain components like the `title` component through (or custom component created by a plugin, like a text field), if required - FUTURE FEATURE (8 points) # Acceptance criteria - [ ] A Text-Block generator creates a close-enough representation of the source HTML code - [ ] An export plugin can be registered with RAMP and is activated when the export functionality is engaged - [ ] An export plugin accepts the `exportComponentsService` and returns - the overall canvas size - individual export SVG/canvas images with relative pixel coordinates - [ ] It is still possible for users to interact with export components like the `title` and modify them - [ ] **High Protein** Snacks ~~for all dietary restrictions~~ are available in the web-mapping pod
1.0
Allow Custom Map Export Layout via Plugins - As a web mapping application developer, I would like to be able to customize the layout of maps exported by RAMP. This would allow me to create layouts that are specific to my application as well as provide greater ability to specify custom titles and text in the exported map. Original discussion: https://github.com/orgs/fgpv-vpgf/teams/ramp-core/discussions/13 # Approach Export layout customization will be done through project-specific plugins which can cater to their individual export image requirements. An export plugin is expected to take over the mid-point of the image generation process during export. Unlike table plugins, an export plugin does not have any UI components (except for possible options added to the export settings panel) and reuses the default export dialogue. Also, an export plugin is not involved in the last stage of merging separate images into a single export file (this includes checking for tainted canvases according to the config options and providing feedback to the user if the image cannot be saved automatically). This is intended to simplify development of export plugins, since they don't need to generate their own UI (which generally should stay generic) and deal with tainted images. This, however, does not preclude a plugin developer from disabling the default export functionality and writing a full-replacement export plugin with its own custom UI dialogue and image fusion logic. # High-level workflow 1. An export plugin (**plugin**) registers with RAMP on map load 2. Export is triggered by a user or through the API 3. The export service detects the presence of a **plugin** and halts the default export process 4. The export service passes the `exportComponentsService` to the **plugin** 5. The **plugin** can modify the `exportComponentsService` which is by default controlled through the config 1. The **plugin** can add or remove any of the default export components (title, map, mapElements, legend, textblock (*new component*), timestamp) 2. The **plugin** can modify the configurations of component (for example, specifying the legend width and desired column width; or modifying the existing legend structure (*map.legendBlocks*) to exclude/include certain layers) 3. The **plugin** can add new, custom generators to the `exportComponentsService` 4. The **plugin** can reorder the components to control the image overlap, if necessary 6. The **plugin** executes the `exportComponentsService` to generate export images for corresponding components 7. The **plugin** returns the full size of the export image (this is the size of the canvas where all component images will be placed) to export service 8. The **plugin** returns the generated images to the export service along with their x,y pixel coordinates relative to the full canvas (which creates the desired layout) for the final merging 9. The export service displays images in the export dialog 10. The user is satisfied and triggers the download 11. The export service merges the images into a single canvas and attempts to auto-save the file (depending on the `cleanCanvas` setting it might be impossible if any of the images are tainted) # Generators ## Text-Block generator Right now, we only have a footnote text generator which is a plain text generator. We think that the [HTML to Canvas library](https://html2canvas.hertzen.com/) should be able to handle any simple HTML (and maybe even complex HTML, but plugin authors need to ensure the end result matches their expectations) and that we can build a generic **text block** generator to replace the footnote generator. An export plugin can use it several times to generate several text blocks and place them in different sections of the final export image. Plugins can either import that library themselves or it can be provided internally through RAMP. ## Custom generators A plugin can add a function returning an SVG/canvas wrapped in a promise to the `exportComponentsService` to include any arbitrary image (like a watermark or a logo) into the final export image. # Finer points - Even though the export service is going to perform the final merging of export images, this does not stop an export plugin from merging images by itself and just returning a single canvas to the export service to "merge" again. - The order in which a plugin returns component images should be bottom-up - it's easier to figure out what overlaps what in this case, I think. Overlapping of components could be intentional, like when you want your two-layer legend to be displayed on top of the map image, or if you want the scale bar/north arrow to be rendered on the map. - By default, the export dialog will give the user an option to turn on/off certain export components (based on the config settings). The same behaviour should apply to any custom generators added by a plugin, unless explicitly prohibited. # Rough Implementation plan (refer to sub-issues) - [ ] Create a generic Text-Block generator (3 points) This is important. If we cannot reliably convert HTML into SVG/canvas, we would need to keep the plain-text generator and make export plugins responsible for any fancy text blocks they want to add to the final export image (conceivably, they can do it through the custom generators, but it will be more effort for plugin developers). - [ ] Allow export plugins to register with the Export Service (2 points) Use ESPG as example. Use `plugin.feature` to mark plugins as export. - [ ] Modify the Export Service's default logic to invoke an export plugin if present and accept returned component images (including the overall canvas size and components' relative coordinates) (13 points) - [ ] Modify the `exportComponentsService` to accept new custom generators and changes to the existing service configuration (which generators should be used and in what order) (5 points) - [ ] Modify the legend export generator to accept legend with/column number configurations as well as the *legendBlocks* collection from the plugin (5 points) - [ ] Create a sample export plugin (CCCS request) which renders the map and legend side-by-side, and a text blurb underneath (8 points) - [ ] Ensure users are still able to interact with certain components like the `title` component through (or custom component created by a plugin, like a text field), if required - FUTURE FEATURE (8 points) # Acceptance criteria - [ ] A Text-Block generator creates a close-enough representation of the source HTML code - [ ] An export plugin can be registered with RAMP and is activated when the export functionality is engaged - [ ] An export plugin accepts the `exportComponentsService` and returns - the overall canvas size - individual export SVG/canvas images with relative pixel coordinates - [ ] It is still possible for users to interact with export components like the `title` and modify them - [ ] **High Protein** Snacks ~~for all dietary restrictions~~ are available in the web-mapping pod
priority
allow custom map export layout via plugins as a web mapping application developer i would like to be able to customize the layout of maps exported by ramp this would allow me to create layouts that are specific to my application as well as provide greater ability to specify custom titles and text in the exported map original discussion approach export layout customization will be done through project specific plugins which can cater to their individual export image requirements an export plugin is expected to take over the mid point of the image generation process during export unlike table plugins an export plugin does not have any ui components except for possible options added to the export settings panel and reuses the default export dialogue also an export plugin is not involved in the last stage of merging separate images into a single export file this includes checking for tainted canvases according to the config options and providing feedback to the user if the image cannot be saved automatically this is intended to simplify development of export plugins since they don t need to generate their own ui which generally should stay generic and deal with tainted images this however does not preclude a plugin developer from disabling the default export functionality and writing a full replacement export plugin with its own custom ui dialogue and image fusion logic high level workflow an export plugin plugin registers with ramp on map load export is triggered by a user or through the api the export service detects the presence of a plugin and halts the default export process the export service passes the exportcomponentsservice to the plugin the plugin can modify the exportcomponentsservice which is by default controlled through the config the plugin can add or remove any of the default export components title map mapelements legend textblock new component timestamp the plugin can modify the configurations of component for example specifying the legend width and desired column width or modifying the existing legend structure map legendblocks to exclude include certain layers the plugin can add new custom generators to the exportcomponentsservice the plugin can reorder the components to control the image overlap if necessary the plugin executes the exportcomponentsservice to generate export images for corresponding components the plugin returns the full size of the export image this is the size of the canvas where all component images will be placed to export service the plugin returns the generated images to the export service along with their x y pixel coordinates relative to the full canvas which creates the desired layout for the final merging the export service displays images in the export dialog the user is satisfied and triggers the download the export service merges the images into a single canvas and attempts to auto save the file depending on the cleancanvas setting it might be impossible if any of the images are tainted generators text block generator right now we only have a footnote text generator which is a plain text generator we think that the should be able to handle any simple html and maybe even complex html but plugin authors need to ensure the end result matches their expectations and that we can build a generic text block generator to replace the footnote generator an export plugin can use it several times to generate several text blocks and place them in different sections of the final export image plugins can either import that library themselves or it can be provided internally through ramp custom generators a plugin can add a function returning an svg canvas wrapped in a promise to the exportcomponentsservice to include any arbitrary image like a watermark or a logo into the final export image finer points even though the export service is going to perform the final merging of export images this does not stop an export plugin from merging images by itself and just returning a single canvas to the export service to merge again the order in which a plugin returns component images should be bottom up it s easier to figure out what overlaps what in this case i think overlapping of components could be intentional like when you want your two layer legend to be displayed on top of the map image or if you want the scale bar north arrow to be rendered on the map by default the export dialog will give the user an option to turn on off certain export components based on the config settings the same behaviour should apply to any custom generators added by a plugin unless explicitly prohibited rough implementation plan refer to sub issues create a generic text block generator points this is important if we cannot reliably convert html into svg canvas we would need to keep the plain text generator and make export plugins responsible for any fancy text blocks they want to add to the final export image conceivably they can do it through the custom generators but it will be more effort for plugin developers allow export plugins to register with the export service points use espg as example use plugin feature to mark plugins as export modify the export service s default logic to invoke an export plugin if present and accept returned component images including the overall canvas size and components relative coordinates points modify the exportcomponentsservice to accept new custom generators and changes to the existing service configuration which generators should be used and in what order points modify the legend export generator to accept legend with column number configurations as well as the legendblocks collection from the plugin points create a sample export plugin cccs request which renders the map and legend side by side and a text blurb underneath points ensure users are still able to interact with certain components like the title component through or custom component created by a plugin like a text field if required future feature points acceptance criteria a text block generator creates a close enough representation of the source html code an export plugin can be registered with ramp and is activated when the export functionality is engaged an export plugin accepts the exportcomponentsservice and returns the overall canvas size individual export svg canvas images with relative pixel coordinates it is still possible for users to interact with export components like the title and modify them high protein snacks for all dietary restrictions are available in the web mapping pod
1
521,480
15,109,940,359
IssuesEvent
2021-02-08 18:31:32
mlee97/SOEN-390-Team5
https://api.github.com/repos/mlee97/SOEN-390-Team5
opened
[USER STORY]: As the product manager, I want to create the list of necessary bicycle materials, so that I know what materials I need to create a bicycle or a part of a bicycle.
priority: high risk: high story point: 5 user story
# State the Related Minimal Requirement: [2] The system must allow creating, editing, and tracking material lists, which define what other parts are needed to assemble/create a product. A part itself may have its own material list.
1.0
[USER STORY]: As the product manager, I want to create the list of necessary bicycle materials, so that I know what materials I need to create a bicycle or a part of a bicycle. - # State the Related Minimal Requirement: [2] The system must allow creating, editing, and tracking material lists, which define what other parts are needed to assemble/create a product. A part itself may have its own material list.
priority
as the product manager i want to create the list of necessary bicycle materials so that i know what materials i need to create a bicycle or a part of a bicycle state the related minimal requirement the system must allow creating editing and tracking material lists which define what other parts are needed to assemble create a product a part itself may have its own material list
1
9,965
2,609,557,980
IssuesEvent
2015-02-26 15:32:02
UnifiedViews/Plugins
https://api.github.com/repos/UnifiedViews/Plugins
closed
uv-e-filesDownload - user, password
priority: High resolution: fixed severity: bug status: resolved
I have one row, I fill user name and password and click "save". I got "Configuration problem exception". ![image](https://cloud.githubusercontent.com/assets/3341693/6320174/c8e15870-bad7-11e4-8afb-616ef2365334.png) Exception: ``` 2015-02-22 21:16:40,331 [http-nio-8080-exec-5] ERROR cz.cuni.mff.xrg.odcs.frontend.gui.ViewComponent - Failed to load configuration for 74 eu.unifiedviews.dpu.config.DPUConfigException: Exception occured while loading configuration. at eu.unifiedviews.plugins.extractor.filesdownload.FilesDownloadVaadinDialog.setConfiguration(FilesDownloadVaadinDialog.java:194) ~[na:na] at eu.unifiedviews.plugins.extractor.filesdownload.FilesDownloadVaadinDialog.setConfiguration(FilesDownloadVaadinDialog.java:24) ~[na:na] at eu.unifiedviews.helpers.dpu.config.BaseConfigDialog.setConfig(BaseConfigDialog.java:80) ~[BaseConfigDialog.class:na] at cz.cuni.mff.xrg.odcs.frontend.dpu.wrap.DPURecordWrap.loadConfigIntoDialog(DPURecordWrap.java:208) ~[DPURecordWrap.class:na] at cz.cuni.mff.xrg.odcs.frontend.dpu.wrap.DPURecordWrap.configuredDialog(DPURecordWrap.java:108) ~[DPURecordWrap.class:na] at cz.cuni.mff.xrg.odcs.frontend.gui.views.dpu.DPUViewImpl.configureDPUDialog(DPUViewImpl.java:901) [DPUViewImpl.class:na] at cz.cuni.mff.xrg.odcs.frontend.gui.views.dpu.DPUViewImpl.access$400(DPUViewImpl.java:48) [DPUViewImpl.class:na] at cz.cuni.mff.xrg.odcs.frontend.gui.views.dpu.DPUViewImpl$9.buttonClick(DPUViewImpl.java:488) [DPUViewImpl$9.class:na] at sun.reflect.GeneratedMethodAccessor65.invoke(Unknown Source) ~[na:na] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[na:1.8.0_31] at java.lang.reflect.Method.invoke(Method.java:483) ~[na:1.8.0_31] at com.vaadin.event.ListenerMethod.receiveEvent(ListenerMethod.java:508) [ListenerMethod.class:7.3.7] at com.vaadin.event.EventRouter.fireEvent(EventRouter.java:198) [EventRouter.class:7.3.7] at com.vaadin.event.EventRouter.fireEvent(EventRouter.java:161) [EventRouter.class:7.3.7] at com.vaadin.server.AbstractClientConnector.fireEvent(AbstractClientConnector.java:979) [AbstractClientConnector.class:7.3.7] at com.vaadin.ui.Button.fireClick(Button.java:393) [Button.class:7.3.7] at com.vaadin.ui.Button$1.click(Button.java:57) [Button$1.class:7.3.7] at sun.reflect.GeneratedMethodAccessor66.invoke(Unknown Source) ~[na:na] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[na:1.8.0_31] at java.lang.reflect.Method.invoke(Method.java:483) ~[na:1.8.0_31] at com.vaadin.server.ServerRpcManager.applyInvocation(ServerRpcManager.java:168) [ServerRpcManager.class:7.3.7] at com.vaadin.server.ServerRpcManager.applyInvocation(ServerRpcManager.java:118) [ServerRpcManager.class:7.3.7] at com.vaadin.server.communication.ServerRpcHandler.handleInvocations(ServerRpcHandler.java:287) [ServerRpcHandler.class:7.3.7] at com.vaadin.server.communication.ServerRpcHandler.handleRpc(ServerRpcHandler.java:180) [ServerRpcHandler.class:7.3.7] at com.vaadin.server.communication.UidlRequestHandler.synchronizedHandleRequest(UidlRequestHandler.java:93) [UidlRequestHandler.class:7.3.7] at com.vaadin.server.SynchronizedRequestHandler.handleRequest(SynchronizedRequestHandler.java:41) [SynchronizedRequestHandler.class:7.3.7] at com.vaadin.server.VaadinService.handleRequest(VaadinService.java:1406) [VaadinService.class:7.3.7] at com.vaadin.server.VaadinServlet.service(VaadinServlet.java:305) [VaadinServlet.class:7.3.7] at cz.cuni.mff.xrg.odcs.frontend.ODCSApplicationServlet.service(ODCSApplicationServlet.java:109) [ODCSApplicationServlet.class:na] at javax.servlet.http.HttpServlet.service(HttpServlet.java:725) [tomcat8-servlet-api-8.0.14.jar:na] at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:291) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:206) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.tomcat.websocket.server.WsFilter.doFilter(WsFilter.java:52) [tomcat8-websocket-8.0.14.jar:8.0.14] at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:239) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:206) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:219) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:106) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.authenticator.AuthenticatorBase.invoke(AuthenticatorBase.java:506) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:142) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:79) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.valves.AbstractAccessLogValve.invoke(AbstractAccessLogValve.java:610) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:88) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:537) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.coyote.http11.AbstractHttp11Processor.process(AbstractHttp11Processor.java:1081) [tomcat8-coyote-8.0.14.jar:8.0.14] at org.apache.coyote.AbstractProtocol$AbstractConnectionHandler.process(AbstractProtocol.java:658) [tomcat8-coyote-8.0.14.jar:8.0.14] at org.apache.coyote.http11.Http11NioProtocol$Http11ConnectionHandler.process(Http11NioProtocol.java:222) [tomcat8-coyote-8.0.14.jar:8.0.14] at org.apache.tomcat.util.net.NioEndpoint$SocketProcessor.doRun(NioEndpoint.java:1566) [tomcat8-coyote-8.0.14.jar:8.0.14] at org.apache.tomcat.util.net.NioEndpoint$SocketProcessor.run(NioEndpoint.java:1523) [tomcat8-coyote-8.0.14.jar:8.0.14] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1142) [na:1.8.0_31] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:617) [na:1.8.0_31] at org.apache.tomcat.util.threads.TaskThread$WrappingRunnable.run(TaskThread.java:61) [tomcat8-util-8.0.14.jar:8.0.14] at java.lang.Thread.run(Thread.java:745) [na:1.8.0_31] Caused by: java.lang.IllegalArgumentException: Character a at position 0 is not a valid hexidecimal character at org.apache.commons.vfs2.util.DefaultCryptor.decode(DefaultCryptor.java:104) ~[na:na] at org.apache.commons.vfs2.util.DefaultCryptor.decrypt(DefaultCryptor.java:74) ~[na:na] at eu.unifiedviews.plugins.extractor.filesdownload.FilesDownloadVaadinDialog.setConfiguration(FilesDownloadVaadinDialog.java:185) ~[na:na] ... 51 common frames omitted ```
1.0
uv-e-filesDownload - user, password - I have one row, I fill user name and password and click "save". I got "Configuration problem exception". ![image](https://cloud.githubusercontent.com/assets/3341693/6320174/c8e15870-bad7-11e4-8afb-616ef2365334.png) Exception: ``` 2015-02-22 21:16:40,331 [http-nio-8080-exec-5] ERROR cz.cuni.mff.xrg.odcs.frontend.gui.ViewComponent - Failed to load configuration for 74 eu.unifiedviews.dpu.config.DPUConfigException: Exception occured while loading configuration. at eu.unifiedviews.plugins.extractor.filesdownload.FilesDownloadVaadinDialog.setConfiguration(FilesDownloadVaadinDialog.java:194) ~[na:na] at eu.unifiedviews.plugins.extractor.filesdownload.FilesDownloadVaadinDialog.setConfiguration(FilesDownloadVaadinDialog.java:24) ~[na:na] at eu.unifiedviews.helpers.dpu.config.BaseConfigDialog.setConfig(BaseConfigDialog.java:80) ~[BaseConfigDialog.class:na] at cz.cuni.mff.xrg.odcs.frontend.dpu.wrap.DPURecordWrap.loadConfigIntoDialog(DPURecordWrap.java:208) ~[DPURecordWrap.class:na] at cz.cuni.mff.xrg.odcs.frontend.dpu.wrap.DPURecordWrap.configuredDialog(DPURecordWrap.java:108) ~[DPURecordWrap.class:na] at cz.cuni.mff.xrg.odcs.frontend.gui.views.dpu.DPUViewImpl.configureDPUDialog(DPUViewImpl.java:901) [DPUViewImpl.class:na] at cz.cuni.mff.xrg.odcs.frontend.gui.views.dpu.DPUViewImpl.access$400(DPUViewImpl.java:48) [DPUViewImpl.class:na] at cz.cuni.mff.xrg.odcs.frontend.gui.views.dpu.DPUViewImpl$9.buttonClick(DPUViewImpl.java:488) [DPUViewImpl$9.class:na] at sun.reflect.GeneratedMethodAccessor65.invoke(Unknown Source) ~[na:na] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[na:1.8.0_31] at java.lang.reflect.Method.invoke(Method.java:483) ~[na:1.8.0_31] at com.vaadin.event.ListenerMethod.receiveEvent(ListenerMethod.java:508) [ListenerMethod.class:7.3.7] at com.vaadin.event.EventRouter.fireEvent(EventRouter.java:198) [EventRouter.class:7.3.7] at com.vaadin.event.EventRouter.fireEvent(EventRouter.java:161) [EventRouter.class:7.3.7] at com.vaadin.server.AbstractClientConnector.fireEvent(AbstractClientConnector.java:979) [AbstractClientConnector.class:7.3.7] at com.vaadin.ui.Button.fireClick(Button.java:393) [Button.class:7.3.7] at com.vaadin.ui.Button$1.click(Button.java:57) [Button$1.class:7.3.7] at sun.reflect.GeneratedMethodAccessor66.invoke(Unknown Source) ~[na:na] at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[na:1.8.0_31] at java.lang.reflect.Method.invoke(Method.java:483) ~[na:1.8.0_31] at com.vaadin.server.ServerRpcManager.applyInvocation(ServerRpcManager.java:168) [ServerRpcManager.class:7.3.7] at com.vaadin.server.ServerRpcManager.applyInvocation(ServerRpcManager.java:118) [ServerRpcManager.class:7.3.7] at com.vaadin.server.communication.ServerRpcHandler.handleInvocations(ServerRpcHandler.java:287) [ServerRpcHandler.class:7.3.7] at com.vaadin.server.communication.ServerRpcHandler.handleRpc(ServerRpcHandler.java:180) [ServerRpcHandler.class:7.3.7] at com.vaadin.server.communication.UidlRequestHandler.synchronizedHandleRequest(UidlRequestHandler.java:93) [UidlRequestHandler.class:7.3.7] at com.vaadin.server.SynchronizedRequestHandler.handleRequest(SynchronizedRequestHandler.java:41) [SynchronizedRequestHandler.class:7.3.7] at com.vaadin.server.VaadinService.handleRequest(VaadinService.java:1406) [VaadinService.class:7.3.7] at com.vaadin.server.VaadinServlet.service(VaadinServlet.java:305) [VaadinServlet.class:7.3.7] at cz.cuni.mff.xrg.odcs.frontend.ODCSApplicationServlet.service(ODCSApplicationServlet.java:109) [ODCSApplicationServlet.class:na] at javax.servlet.http.HttpServlet.service(HttpServlet.java:725) [tomcat8-servlet-api-8.0.14.jar:na] at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:291) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:206) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.tomcat.websocket.server.WsFilter.doFilter(WsFilter.java:52) [tomcat8-websocket-8.0.14.jar:8.0.14] at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:239) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:206) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:219) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:106) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.authenticator.AuthenticatorBase.invoke(AuthenticatorBase.java:506) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:142) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:79) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.valves.AbstractAccessLogValve.invoke(AbstractAccessLogValve.java:610) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:88) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:537) [tomcat8-catalina-8.0.14.jar:8.0.14] at org.apache.coyote.http11.AbstractHttp11Processor.process(AbstractHttp11Processor.java:1081) [tomcat8-coyote-8.0.14.jar:8.0.14] at org.apache.coyote.AbstractProtocol$AbstractConnectionHandler.process(AbstractProtocol.java:658) [tomcat8-coyote-8.0.14.jar:8.0.14] at org.apache.coyote.http11.Http11NioProtocol$Http11ConnectionHandler.process(Http11NioProtocol.java:222) [tomcat8-coyote-8.0.14.jar:8.0.14] at org.apache.tomcat.util.net.NioEndpoint$SocketProcessor.doRun(NioEndpoint.java:1566) [tomcat8-coyote-8.0.14.jar:8.0.14] at org.apache.tomcat.util.net.NioEndpoint$SocketProcessor.run(NioEndpoint.java:1523) [tomcat8-coyote-8.0.14.jar:8.0.14] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1142) [na:1.8.0_31] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:617) [na:1.8.0_31] at org.apache.tomcat.util.threads.TaskThread$WrappingRunnable.run(TaskThread.java:61) [tomcat8-util-8.0.14.jar:8.0.14] at java.lang.Thread.run(Thread.java:745) [na:1.8.0_31] Caused by: java.lang.IllegalArgumentException: Character a at position 0 is not a valid hexidecimal character at org.apache.commons.vfs2.util.DefaultCryptor.decode(DefaultCryptor.java:104) ~[na:na] at org.apache.commons.vfs2.util.DefaultCryptor.decrypt(DefaultCryptor.java:74) ~[na:na] at eu.unifiedviews.plugins.extractor.filesdownload.FilesDownloadVaadinDialog.setConfiguration(FilesDownloadVaadinDialog.java:185) ~[na:na] ... 51 common frames omitted ```
priority
uv e filesdownload user password i have one row i fill user name and password and click save i got configuration problem exception exception error cz cuni mff xrg odcs frontend gui viewcomponent failed to load configuration for eu unifiedviews dpu config dpuconfigexception exception occured while loading configuration at eu unifiedviews plugins extractor filesdownload filesdownloadvaadindialog setconfiguration filesdownloadvaadindialog java at eu unifiedviews plugins extractor filesdownload filesdownloadvaadindialog setconfiguration filesdownloadvaadindialog java at eu unifiedviews helpers dpu config baseconfigdialog setconfig baseconfigdialog java at cz cuni mff xrg odcs frontend dpu wrap dpurecordwrap loadconfigintodialog dpurecordwrap java at cz cuni mff xrg odcs frontend dpu wrap dpurecordwrap configureddialog dpurecordwrap java at cz cuni mff xrg odcs frontend gui views dpu dpuviewimpl configuredpudialog dpuviewimpl java at cz cuni mff xrg odcs frontend gui views dpu dpuviewimpl access dpuviewimpl java at cz cuni mff xrg odcs frontend gui views dpu dpuviewimpl buttonclick dpuviewimpl java at sun reflect invoke unknown source at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at com vaadin event listenermethod receiveevent listenermethod java at com vaadin event eventrouter fireevent eventrouter java at com vaadin event eventrouter fireevent eventrouter java at com vaadin server abstractclientconnector fireevent abstractclientconnector java at com vaadin ui button fireclick button java at com vaadin ui button click button java at sun reflect invoke unknown source at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at com vaadin server serverrpcmanager applyinvocation serverrpcmanager java at com vaadin server serverrpcmanager applyinvocation serverrpcmanager java at com vaadin server communication serverrpchandler handleinvocations serverrpchandler java at com vaadin server communication serverrpchandler handlerpc serverrpchandler java at com vaadin server communication uidlrequesthandler synchronizedhandlerequest uidlrequesthandler java at com vaadin server synchronizedrequesthandler handlerequest synchronizedrequesthandler java at com vaadin server vaadinservice handlerequest vaadinservice java at com vaadin server vaadinservlet service vaadinservlet java at cz cuni mff xrg odcs frontend odcsapplicationservlet service odcsapplicationservlet java at javax servlet http httpservlet service httpservlet java at org apache catalina core applicationfilterchain internaldofilter applicationfilterchain java at org apache catalina core applicationfilterchain dofilter applicationfilterchain java at org apache tomcat websocket server wsfilter dofilter wsfilter java at org apache catalina core applicationfilterchain internaldofilter applicationfilterchain java at org apache catalina core applicationfilterchain dofilter applicationfilterchain java at org apache catalina core standardwrappervalve invoke standardwrappervalve java at org apache catalina core standardcontextvalve invoke standardcontextvalve java at org apache catalina authenticator authenticatorbase invoke authenticatorbase java at org apache catalina core standardhostvalve invoke standardhostvalve java at org apache catalina valves errorreportvalve invoke errorreportvalve java at org apache catalina valves abstractaccesslogvalve invoke abstractaccesslogvalve java at org apache catalina core standardenginevalve invoke standardenginevalve java at org apache catalina connector coyoteadapter service coyoteadapter java at org apache coyote process java at org apache coyote abstractprotocol abstractconnectionhandler process abstractprotocol java at org apache coyote process java at org apache tomcat util net nioendpoint socketprocessor dorun nioendpoint java at org apache tomcat util net nioendpoint socketprocessor run nioendpoint java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at org apache tomcat util threads taskthread wrappingrunnable run taskthread java at java lang thread run thread java caused by java lang illegalargumentexception character a at position is not a valid hexidecimal character at org apache commons util defaultcryptor decode defaultcryptor java at org apache commons util defaultcryptor decrypt defaultcryptor java at eu unifiedviews plugins extractor filesdownload filesdownloadvaadindialog setconfiguration filesdownloadvaadindialog java common frames omitted
1
49,784
3,004,414,226
IssuesEvent
2015-07-25 22:36:34
PoisonNinja/SameGame
https://api.github.com/repos/PoisonNinja/SameGame
closed
Save and Restore Games
engine enhancement highpriority
Save the current board to a file. You should be able to start another game and play. Then restore the game, and your progress will be exactly the same.
1.0
Save and Restore Games - Save the current board to a file. You should be able to start another game and play. Then restore the game, and your progress will be exactly the same.
priority
save and restore games save the current board to a file you should be able to start another game and play then restore the game and your progress will be exactly the same
1
543,118
15,878,320,305
IssuesEvent
2021-04-09 10:50:49
wso2/streaming-integrator-tooling
https://api.github.com/repos/wso2/streaming-integrator-tooling
opened
[Async API Generation] Need to check why source/sink properties coming into the code with double/single chrods
Priority/Highest
**Description:** Need to check why above happening and try to get the values without chords **Suggested Labels:** <!-- Optional comma separated list of suggested labels. Non committers can’t assign labels to issues, so this will help issue creators who are not a committer to suggest possible labels--> **Suggested Assignees:** <!--Optional comma separated list of suggested team members who should attend the issue. Non committers can’t assign issues to assignees, so this will help issue creators who are not a committer to suggest possible assignees--> **Affected Product Version:** **OS, DB, other environment details and versions:** **Steps to reproduce:** **Related Issues:** <!-- Any related issues such as sub tasks, issues reported in other repositories (e.g component repositories), similar problems, etc. -->
1.0
[Async API Generation] Need to check why source/sink properties coming into the code with double/single chrods - **Description:** Need to check why above happening and try to get the values without chords **Suggested Labels:** <!-- Optional comma separated list of suggested labels. Non committers can’t assign labels to issues, so this will help issue creators who are not a committer to suggest possible labels--> **Suggested Assignees:** <!--Optional comma separated list of suggested team members who should attend the issue. Non committers can’t assign issues to assignees, so this will help issue creators who are not a committer to suggest possible assignees--> **Affected Product Version:** **OS, DB, other environment details and versions:** **Steps to reproduce:** **Related Issues:** <!-- Any related issues such as sub tasks, issues reported in other repositories (e.g component repositories), similar problems, etc. -->
priority
need to check why source sink properties coming into the code with double single chrods description need to check why above happening and try to get the values without chords suggested labels suggested assignees affected product version os db other environment details and versions steps to reproduce related issues
1
683,480
23,383,794,793
IssuesEvent
2022-08-11 12:03:46
Ramboll/ppm_rdk-gamificationplatform-sdk_unity
https://api.github.com/repos/Ramboll/ppm_rdk-gamificationplatform-sdk_unity
closed
Stay logged in when game is completed
High priority
- [X] Make sure user is still logged in when exiting a game - [x] Get more descriptive error messages when login fails - [x] Make sure password is saved when registering an account. Users often forget their password after their first run - [x] Remember which campaign was active, so that when exiting a game, we are logged in to the right campaign - [x] Always save password and don't make it a choice!
1.0
Stay logged in when game is completed - - [X] Make sure user is still logged in when exiting a game - [x] Get more descriptive error messages when login fails - [x] Make sure password is saved when registering an account. Users often forget their password after their first run - [x] Remember which campaign was active, so that when exiting a game, we are logged in to the right campaign - [x] Always save password and don't make it a choice!
priority
stay logged in when game is completed make sure user is still logged in when exiting a game get more descriptive error messages when login fails make sure password is saved when registering an account users often forget their password after their first run remember which campaign was active so that when exiting a game we are logged in to the right campaign always save password and don t make it a choice
1
404,707
11,861,890,128
IssuesEvent
2020-03-25 17:02:19
covid19-dash/covid-dashboard
https://api.github.com/repos/covid19-dash/covid-dashboard
closed
Plot rates by default in addition to numbers?
High priority enhancement good first issue
there are various ways in which one might normalize the count data that could be relevant to understanding and prediction. for example, per capita, per # of hosiptal beds, per square mile, etc.
1.0
Plot rates by default in addition to numbers? - there are various ways in which one might normalize the count data that could be relevant to understanding and prediction. for example, per capita, per # of hosiptal beds, per square mile, etc.
priority
plot rates by default in addition to numbers there are various ways in which one might normalize the count data that could be relevant to understanding and prediction for example per capita per of hosiptal beds per square mile etc
1
291,006
8,916,050,417
IssuesEvent
2019-01-19 12:52:30
nhaarman/Acorn
https://api.github.com/repos/nhaarman/Acorn
closed
Acorn's `plusAssign` is annoying
priority:high type:broken
The library includes a `CompositeDisposable.plusAssign(DisposableHandle)` function, which is used to easily add `DisposableHandle`s to a `CompositeDisposable`. However, this is rarely used but really gets in the way when using RxJava's `plusAssign` in the sense that the auto-import may suggest the wrong import. This method should ideally be removed altogether, possibly introducing an alternative if necessary.
1.0
Acorn's `plusAssign` is annoying - The library includes a `CompositeDisposable.plusAssign(DisposableHandle)` function, which is used to easily add `DisposableHandle`s to a `CompositeDisposable`. However, this is rarely used but really gets in the way when using RxJava's `plusAssign` in the sense that the auto-import may suggest the wrong import. This method should ideally be removed altogether, possibly introducing an alternative if necessary.
priority
acorn s plusassign is annoying the library includes a compositedisposable plusassign disposablehandle function which is used to easily add disposablehandle s to a compositedisposable however this is rarely used but really gets in the way when using rxjava s plusassign in the sense that the auto import may suggest the wrong import this method should ideally be removed altogether possibly introducing an alternative if necessary
1
500,688
14,504,294,471
IssuesEvent
2020-12-12 00:37:47
StrangeLoopGames/EcoIssues
https://api.github.com/repos/StrangeLoopGames/EcoIssues
closed
playtest: limit chat logs
Category: Cloud Worlds Priority: Critical Priority: High
we need a special release build - that limits or removes chat logging. Ideally we can turn this feature on or off. the switch must be reachable from cw, like an api endpoint. but always off could work too.
2.0
playtest: limit chat logs - we need a special release build - that limits or removes chat logging. Ideally we can turn this feature on or off. the switch must be reachable from cw, like an api endpoint. but always off could work too.
priority
playtest limit chat logs we need a special release build that limits or removes chat logging ideally we can turn this feature on or off the switch must be reachable from cw like an api endpoint but always off could work too
1
290,945
8,915,232,883
IssuesEvent
2019-01-19 03:16:45
TheLX5/Powerups
https://api.github.com/repos/TheLX5/Powerups
closed
Cat suit image issues
high priority
- "ducking while underwater in the cat suit breaks gfx" - "gfx for wallrunning as cat are fucked up" - "also being in the pose of "throwing" while collecting cat suit breaks gfx too" - spin jumping
1.0
Cat suit image issues - - "ducking while underwater in the cat suit breaks gfx" - "gfx for wallrunning as cat are fucked up" - "also being in the pose of "throwing" while collecting cat suit breaks gfx too" - spin jumping
priority
cat suit image issues ducking while underwater in the cat suit breaks gfx gfx for wallrunning as cat are fucked up also being in the pose of throwing while collecting cat suit breaks gfx too spin jumping
1
605,987
18,753,013,745
IssuesEvent
2021-11-05 06:33:14
AY2122S1-CS2113T-F14-1/tp
https://api.github.com/repos/AY2122S1-CS2113T-F14-1/tp
closed
[PE-D] Incorrect output for large intervals
priority.High
![image.png](https://raw.githubusercontent.com/AayushMathur7/ped/main/files/5ef72d0f-145b-4c2e-93bd-a82cb865af34.png) Expected output: Interval is too large. Actual output: The interval has to be a number. Perhaps you could set a threshold for the interval of each habit? <!--session: 1635497111848-acfa6a30-3086-4cc4-a362-4f576421000a--> <!--Version: Web v3.4.1--> ------------- Labels: `severity.Medium` `type.FunctionalityBug` original: AayushMathur7/ped#2
1.0
[PE-D] Incorrect output for large intervals - ![image.png](https://raw.githubusercontent.com/AayushMathur7/ped/main/files/5ef72d0f-145b-4c2e-93bd-a82cb865af34.png) Expected output: Interval is too large. Actual output: The interval has to be a number. Perhaps you could set a threshold for the interval of each habit? <!--session: 1635497111848-acfa6a30-3086-4cc4-a362-4f576421000a--> <!--Version: Web v3.4.1--> ------------- Labels: `severity.Medium` `type.FunctionalityBug` original: AayushMathur7/ped#2
priority
incorrect output for large intervals expected output interval is too large actual output the interval has to be a number perhaps you could set a threshold for the interval of each habit labels severity medium type functionalitybug original ped
1
154,858
5,933,462,412
IssuesEvent
2017-05-24 12:06:01
AtChem/AtChem
https://api.github.com/repos/AtChem/AtChem
closed
Fix ro2 bounds issues
bug high priority
Adding `-fcheck=all` compiler option shows that in `spec_yes_env_no` test the code in mechanism-rate-coefficients.f90 accesses elements of ro2 out of bounds. Needs investigating and fixing.
1.0
Fix ro2 bounds issues - Adding `-fcheck=all` compiler option shows that in `spec_yes_env_no` test the code in mechanism-rate-coefficients.f90 accesses elements of ro2 out of bounds. Needs investigating and fixing.
priority
fix bounds issues adding fcheck all compiler option shows that in spec yes env no test the code in mechanism rate coefficients accesses elements of out of bounds needs investigating and fixing
1
189,054
6,793,516,302
IssuesEvent
2017-11-01 07:57:39
Rsl1122/Plan-PlayerAnalytics
https://api.github.com/repos/Rsl1122/Plan-PlayerAnalytics
closed
NoSuchMethodError on Paper 1.10.2
Bug Complexity: LOW Priority: HIGH server: 1.10 status: Done
Present through Plan v,3.6.3 -> 4.0.4 ``` java.lang.BootstrapMethodError: java.lang.NoSuchMethodError: at main.java.com.djrapitops.plan.systems.tasks.TPSCountTimer.getEntityCountPaper(TPSCountTimer.java:178) ~[?:?] at main.java.com.djrapitops.plan.systems.tasks.TPSCountTimer.calculateTPS(TPSCountTimer.java:96) ~[?:?] at main.java.com.djrapitops.plan.systems.tasks.TPSCountTimer.run(TPSCountTimer.java:61) ~[?:?] at com.djrapitops.plugin.task.RunnableFactory$1.run(RunnableFactory.java:37) ~[?:?] at org.bukkit.craftbukkit.v1_11_R1.scheduler.CraftTask.run(CraftTask.java:58) ~[patched_1.11.jar:git-Paper-921] at org.bukkit.craftbukkit.v1_11_R1.scheduler.CraftScheduler.mainThreadHeartbeat(CraftScheduler.java:355) [patched_1.11.jar:git-Paper-921] at net.minecraft.server.v1_11_R1.MinecraftServer.D(MinecraftServer.java:807) [patched_1.11.jar:git-Paper-921] at net.minecraft.server.v1_11_R1.DedicatedServer.D(DedicatedServer.java:403) [patched_1.11.jar:git-Paper-921] at net.minecraft.server.v1_11_R1.MinecraftServer.C(MinecraftServer.java:749) [patched_1.11.jar:git-Paper-921] at net.minecraft.server.v1_11_R1.MinecraftServer.run(MinecraftServer.java:648) [patched_1.11.jar:git-Paper-921] at java.lang.Thread.run(Unknown Source) [?:1.8.0_144] ```
1.0
NoSuchMethodError on Paper 1.10.2 - Present through Plan v,3.6.3 -> 4.0.4 ``` java.lang.BootstrapMethodError: java.lang.NoSuchMethodError: at main.java.com.djrapitops.plan.systems.tasks.TPSCountTimer.getEntityCountPaper(TPSCountTimer.java:178) ~[?:?] at main.java.com.djrapitops.plan.systems.tasks.TPSCountTimer.calculateTPS(TPSCountTimer.java:96) ~[?:?] at main.java.com.djrapitops.plan.systems.tasks.TPSCountTimer.run(TPSCountTimer.java:61) ~[?:?] at com.djrapitops.plugin.task.RunnableFactory$1.run(RunnableFactory.java:37) ~[?:?] at org.bukkit.craftbukkit.v1_11_R1.scheduler.CraftTask.run(CraftTask.java:58) ~[patched_1.11.jar:git-Paper-921] at org.bukkit.craftbukkit.v1_11_R1.scheduler.CraftScheduler.mainThreadHeartbeat(CraftScheduler.java:355) [patched_1.11.jar:git-Paper-921] at net.minecraft.server.v1_11_R1.MinecraftServer.D(MinecraftServer.java:807) [patched_1.11.jar:git-Paper-921] at net.minecraft.server.v1_11_R1.DedicatedServer.D(DedicatedServer.java:403) [patched_1.11.jar:git-Paper-921] at net.minecraft.server.v1_11_R1.MinecraftServer.C(MinecraftServer.java:749) [patched_1.11.jar:git-Paper-921] at net.minecraft.server.v1_11_R1.MinecraftServer.run(MinecraftServer.java:648) [patched_1.11.jar:git-Paper-921] at java.lang.Thread.run(Unknown Source) [?:1.8.0_144] ```
priority
nosuchmethoderror on paper present through plan v java lang bootstrapmethoderror java lang nosuchmethoderror at main java com djrapitops plan systems tasks tpscounttimer getentitycountpaper tpscounttimer java at main java com djrapitops plan systems tasks tpscounttimer calculatetps tpscounttimer java at main java com djrapitops plan systems tasks tpscounttimer run tpscounttimer java at com djrapitops plugin task runnablefactory run runnablefactory java at org bukkit craftbukkit scheduler crafttask run crafttask java at org bukkit craftbukkit scheduler craftscheduler mainthreadheartbeat craftscheduler java at net minecraft server minecraftserver d minecraftserver java at net minecraft server dedicatedserver d dedicatedserver java at net minecraft server minecraftserver c minecraftserver java at net minecraft server minecraftserver run minecraftserver java at java lang thread run unknown source
1
47,360
2,978,273,933
IssuesEvent
2015-07-16 04:22:17
cletusc/Userscript--Twitch-Chat-Emotes
https://api.github.com/repos/cletusc/Userscript--Twitch-Chat-Emotes
closed
Basic Emotes adding a ^ and a $
bug high priority
Hello - for some reason, the first / most basic e-motes are adding a ^ and a $ to the simple emotes For example: The simple Heart, which is <3 is displaying ^<3$ The Happy face, which is :) is sending ^:)$ to the chat box. Please fix !! Thanks ^:p$
1.0
Basic Emotes adding a ^ and a $ - Hello - for some reason, the first / most basic e-motes are adding a ^ and a $ to the simple emotes For example: The simple Heart, which is <3 is displaying ^<3$ The Happy face, which is :) is sending ^:)$ to the chat box. Please fix !! Thanks ^:p$
priority
basic emotes adding a and a hello for some reason the first most basic e motes are adding a and a to the simple emotes for example the simple heart which is is displaying the happy face which is is sending to the chat box please fix thanks p
1
260,699
8,213,718,407
IssuesEvent
2018-09-04 20:28:44
mantidproject/mantid
https://api.github.com/repos/mantidproject/mantid
closed
Parameters not updating in fit browser of Conv Fit after minimisation
Component: Indirect Inelastic Priority: High
<!-- TEMPLATE FOR BUG REPORTS --> **Original reporter:** n/a ### Expected behavior After fitting has completed the parameters of the function should be updated. The plot preview should also show the new fitted function. ### Actual behavior The parameters do not update ### Steps to reproduce the behavior * Go to `Interfaces` > `Indirect` > `Data Analysis` * Go to the `Conv Fit` tab * Load the `irs26174_graphite002_red.nxs ` file from the sample data * Load the resolution file `irs26173_graphite002_res.nxs` from the sample data * Set `Fit spectra` to String 3 * Set `Fit type` to Two Lorentzians * Set `Max iterations` to 100 * Expand the function `f0-Loretnzian` - note the parameters * Click `Run` * Check the parameters of `f0-Lorentzian` they have not updated * Set `Fit spectra` to range 3 to 4 * Click `Run` * The parameters of `f0-Lorentzian` have now updated and the function shows in the preview plot ### Platforms affected OSX at least
1.0
Parameters not updating in fit browser of Conv Fit after minimisation - <!-- TEMPLATE FOR BUG REPORTS --> **Original reporter:** n/a ### Expected behavior After fitting has completed the parameters of the function should be updated. The plot preview should also show the new fitted function. ### Actual behavior The parameters do not update ### Steps to reproduce the behavior * Go to `Interfaces` > `Indirect` > `Data Analysis` * Go to the `Conv Fit` tab * Load the `irs26174_graphite002_red.nxs ` file from the sample data * Load the resolution file `irs26173_graphite002_res.nxs` from the sample data * Set `Fit spectra` to String 3 * Set `Fit type` to Two Lorentzians * Set `Max iterations` to 100 * Expand the function `f0-Loretnzian` - note the parameters * Click `Run` * Check the parameters of `f0-Lorentzian` they have not updated * Set `Fit spectra` to range 3 to 4 * Click `Run` * The parameters of `f0-Lorentzian` have now updated and the function shows in the preview plot ### Platforms affected OSX at least
priority
parameters not updating in fit browser of conv fit after minimisation original reporter n a expected behavior after fitting has completed the parameters of the function should be updated the plot preview should also show the new fitted function actual behavior the parameters do not update steps to reproduce the behavior go to interfaces indirect data analysis go to the conv fit tab load the red nxs file from the sample data load the resolution file res nxs from the sample data set fit spectra to string set fit type to two lorentzians set max iterations to expand the function loretnzian note the parameters click run check the parameters of lorentzian they have not updated set fit spectra to range to click run the parameters of lorentzian have now updated and the function shows in the preview plot platforms affected osx at least
1
44,390
2,904,416,504
IssuesEvent
2015-06-18 18:05:17
DigitalCampus/django-oppia
https://api.github.com/repos/DigitalCampus/django-oppia
opened
Add option to retreive the course progress only
enhancement high priority
For those who remove the course and it;s reinstalled via offline zip file
1.0
Add option to retreive the course progress only - For those who remove the course and it;s reinstalled via offline zip file
priority
add option to retreive the course progress only for those who remove the course and it s reinstalled via offline zip file
1
300,305
9,206,349,328
IssuesEvent
2019-03-08 13:30:27
forpdi/forpdi
https://api.github.com/repos/forpdi/forpdi
opened
Não é possível excluir uma subunidade criada
ForRisco bug highpriority
Veja que aparece a seguinte mensagem ‘Unidade possui subunidades vinculadas’, daí temos dois problemas: - [ ] primeiro que não se trata de uma Unidade (como fala a mensagem, mas de uma subunidade); - [ ] e segundo, esta subunidade ainda não teve nenhum processo cadastrado e/ou vinculado e, mesmo assim, não consigo excluí-la. ![image](https://user-images.githubusercontent.com/28953578/54031302-2648a500-418d-11e9-9e06-245dfe2843c4.png)
1.0
Não é possível excluir uma subunidade criada - Veja que aparece a seguinte mensagem ‘Unidade possui subunidades vinculadas’, daí temos dois problemas: - [ ] primeiro que não se trata de uma Unidade (como fala a mensagem, mas de uma subunidade); - [ ] e segundo, esta subunidade ainda não teve nenhum processo cadastrado e/ou vinculado e, mesmo assim, não consigo excluí-la. ![image](https://user-images.githubusercontent.com/28953578/54031302-2648a500-418d-11e9-9e06-245dfe2843c4.png)
priority
não é possível excluir uma subunidade criada veja que aparece a seguinte mensagem ‘unidade possui subunidades vinculadas’ daí temos dois problemas primeiro que não se trata de uma unidade como fala a mensagem mas de uma subunidade e segundo esta subunidade ainda não teve nenhum processo cadastrado e ou vinculado e mesmo assim não consigo excluí la
1
322,777
9,828,507,223
IssuesEvent
2019-06-15 12:19:33
TrinityCore/TrinityCore
https://api.github.com/repos/TrinityCore/TrinityCore
closed
[3.3.5] Pooling + dynamic_spawning
Branch-3.3.5a Comp-Core Priority-High Sub-Pools Sub-Spawns
<!--- (**********************************) (** Fill in the following fields **) (**********************************) ---> Description: The server crashes after starting https://gist.github.com/Tauriella/7b4e94f73174fddea29e5bbd0266dacb Branch(es): TC rev. hash/commit: TrinityCore rev. 3eab2d7efcc2 2018-02-27 16:18:38 +0100 (3.3.5 branch) TDB version: TDB_full_world_335.64_2018_02_19 + all updates Operating system: Win7 <!--- Notes - This template is for problem reports. For other types of report, edit it accordingly. - For fixes containing C++ changes, create a Pull Request. --->
1.0
[3.3.5] Pooling + dynamic_spawning - <!--- (**********************************) (** Fill in the following fields **) (**********************************) ---> Description: The server crashes after starting https://gist.github.com/Tauriella/7b4e94f73174fddea29e5bbd0266dacb Branch(es): TC rev. hash/commit: TrinityCore rev. 3eab2d7efcc2 2018-02-27 16:18:38 +0100 (3.3.5 branch) TDB version: TDB_full_world_335.64_2018_02_19 + all updates Operating system: Win7 <!--- Notes - This template is for problem reports. For other types of report, edit it accordingly. - For fixes containing C++ changes, create a Pull Request. --->
priority
pooling dynamic spawning fill in the following fields description the server crashes after starting branch es tc rev hash commit trinitycore rev branch tdb version tdb full world all updates operating system notes this template is for problem reports for other types of report edit it accordingly for fixes containing c changes create a pull request
1
703,736
24,171,408,428
IssuesEvent
2022-09-22 19:35:34
thesaurus-linguae-aegyptiae/tla-web
https://api.github.com/repos/thesaurus-linguae-aegyptiae/tla-web
closed
Volltext-Seite, Schritt 1: Textseite über URL .../text/[ID] abrufbar machen und Text-Metadaten anzeigen
feature request high priority essential
Setzt voraus: #96 **Schritt 2** Metadaten auf _erster_(?) Textseite anzeigen Beispiel alter TLA: https://aaew.bbaw.de/tla/servlet/GetTextDetails?u=guest&f=0&l=0&tc=20678&db=0 Wireframes 20b Entwurf https://github.com/thesaurus-linguae-aegyptiae/tla-dev-doc/blob/master/design/wireframes/20b_detailansicht_corpus_text.png **SOLL-Daten, Minimum** - Text ID - Textname - Bibliographie, _mehrzeiliges_ freies Textfeld - Schrift - Sprache - Textdatierung (analog wie in Satzdarstellung) - Hauptautor:in (authors) (analog wie in Satzdarstellung) - weitere Editor:innen (contributors) (analog wie in Satzdarstellung) - letzte Änderung (analog wie in Satzdarstellung) - Textpfade (paths) (analog wie in Satzdarstellung, aber ohne lc/para) **Daten** - **Text ID** - **Textname** ![grafik](https://user-images.githubusercontent.com/33833393/188582582-01b9af7a-cc23-4f28-be97-58ff32f360f8.png) - (_nicht prioritär:_) Synonyme ![grafik](https://user-images.githubusercontent.com/33833393/188589137-06425a12-f5da-4117-af86-852c8855e093.png) - **Bibliographie**, _mehrzeiliges_ freies Textfeld (wichtig!) ![grafik](https://user-images.githubusercontent.com/33833393/188583920-ef1b2cba-d58e-4396-b3f2-f7d82cf4fc8f.png) - **Schrift** & Schriftkommentar - **Sprache** & Sprachkommentar - ~~Texttyp & Textkomentar~~ (m.W. akteall ungenutzt) ![grafik](https://user-images.githubusercontent.com/33833393/188583587-d10d2b07-7233-4dc3-8a66-c13f243e4530.png) - **Textdatierung** (analog wie in Satzdarstellung) ![grafik](https://user-images.githubusercontent.com/33833393/188587066-ab00b5b5-8fd5-41d1-a0ff-1247b0295b0b.png) - zusätzlich zu Datierung (s.unten): Textdatierungskommentar ![grafik](https://user-images.githubusercontent.com/33833393/188583086-55f278e6-d9a9-4388-9767-692b22f4aba9.png) - **Hauptautor:in** (authors), **weitere Editor:innen** (contributors), **letzte Änderung** (analog wie in Satzdarstellung) ![grafik](https://user-images.githubusercontent.com/33833393/188586955-5dcf3e94-2800-42c6-8a30-8e002ade8ef8.png) **aus übergeordnetem Objekt ererbt, wichtig** - **Textpfade** (paths) (analog wie in Satzdarstellung) ![grafik](https://user-images.githubusercontent.com/33833393/188593524-56c730b5-ffbd-4bd6-8c3b-8babe63fa79c.png) **aus übergeordnetem Objekt ererbt, _NUR insoweit als in Transformationsdaten schon enthalten und via tla-common schon zugänglich_** - (optional:) Herkunftsort ![grafik](https://user-images.githubusercontent.com/33833393/188585122-e02332d2-9e39-477c-aa70-740edad1d85f.png) - (optional:) Fundort ![grafik](https://user-images.githubusercontent.com/33833393/188585316-9d86c41c-ded5-4017-a571-65df915564db.png) - (optional:) Objektdaten, verschiedene, insb. interessant: Objektyp, Komponente, Material, ggf. weitere ![grafik](https://user-images.githubusercontent.com/33833393/188591570-7a01f4ae-35f5-4fa8-81a6-9774be15ebed.png)
1.0
Volltext-Seite, Schritt 1: Textseite über URL .../text/[ID] abrufbar machen und Text-Metadaten anzeigen - Setzt voraus: #96 **Schritt 2** Metadaten auf _erster_(?) Textseite anzeigen Beispiel alter TLA: https://aaew.bbaw.de/tla/servlet/GetTextDetails?u=guest&f=0&l=0&tc=20678&db=0 Wireframes 20b Entwurf https://github.com/thesaurus-linguae-aegyptiae/tla-dev-doc/blob/master/design/wireframes/20b_detailansicht_corpus_text.png **SOLL-Daten, Minimum** - Text ID - Textname - Bibliographie, _mehrzeiliges_ freies Textfeld - Schrift - Sprache - Textdatierung (analog wie in Satzdarstellung) - Hauptautor:in (authors) (analog wie in Satzdarstellung) - weitere Editor:innen (contributors) (analog wie in Satzdarstellung) - letzte Änderung (analog wie in Satzdarstellung) - Textpfade (paths) (analog wie in Satzdarstellung, aber ohne lc/para) **Daten** - **Text ID** - **Textname** ![grafik](https://user-images.githubusercontent.com/33833393/188582582-01b9af7a-cc23-4f28-be97-58ff32f360f8.png) - (_nicht prioritär:_) Synonyme ![grafik](https://user-images.githubusercontent.com/33833393/188589137-06425a12-f5da-4117-af86-852c8855e093.png) - **Bibliographie**, _mehrzeiliges_ freies Textfeld (wichtig!) ![grafik](https://user-images.githubusercontent.com/33833393/188583920-ef1b2cba-d58e-4396-b3f2-f7d82cf4fc8f.png) - **Schrift** & Schriftkommentar - **Sprache** & Sprachkommentar - ~~Texttyp & Textkomentar~~ (m.W. akteall ungenutzt) ![grafik](https://user-images.githubusercontent.com/33833393/188583587-d10d2b07-7233-4dc3-8a66-c13f243e4530.png) - **Textdatierung** (analog wie in Satzdarstellung) ![grafik](https://user-images.githubusercontent.com/33833393/188587066-ab00b5b5-8fd5-41d1-a0ff-1247b0295b0b.png) - zusätzlich zu Datierung (s.unten): Textdatierungskommentar ![grafik](https://user-images.githubusercontent.com/33833393/188583086-55f278e6-d9a9-4388-9767-692b22f4aba9.png) - **Hauptautor:in** (authors), **weitere Editor:innen** (contributors), **letzte Änderung** (analog wie in Satzdarstellung) ![grafik](https://user-images.githubusercontent.com/33833393/188586955-5dcf3e94-2800-42c6-8a30-8e002ade8ef8.png) **aus übergeordnetem Objekt ererbt, wichtig** - **Textpfade** (paths) (analog wie in Satzdarstellung) ![grafik](https://user-images.githubusercontent.com/33833393/188593524-56c730b5-ffbd-4bd6-8c3b-8babe63fa79c.png) **aus übergeordnetem Objekt ererbt, _NUR insoweit als in Transformationsdaten schon enthalten und via tla-common schon zugänglich_** - (optional:) Herkunftsort ![grafik](https://user-images.githubusercontent.com/33833393/188585122-e02332d2-9e39-477c-aa70-740edad1d85f.png) - (optional:) Fundort ![grafik](https://user-images.githubusercontent.com/33833393/188585316-9d86c41c-ded5-4017-a571-65df915564db.png) - (optional:) Objektdaten, verschiedene, insb. interessant: Objektyp, Komponente, Material, ggf. weitere ![grafik](https://user-images.githubusercontent.com/33833393/188591570-7a01f4ae-35f5-4fa8-81a6-9774be15ebed.png)
priority
volltext seite schritt textseite über url text abrufbar machen und text metadaten anzeigen setzt voraus schritt metadaten auf erster textseite anzeigen beispiel alter tla wireframes entwurf soll daten minimum text id textname bibliographie mehrzeiliges freies textfeld schrift sprache textdatierung analog wie in satzdarstellung hauptautor in authors analog wie in satzdarstellung weitere editor innen contributors analog wie in satzdarstellung letzte änderung analog wie in satzdarstellung textpfade paths analog wie in satzdarstellung aber ohne lc para daten text id textname nicht prioritär synonyme bibliographie mehrzeiliges freies textfeld wichtig schrift schriftkommentar sprache sprachkommentar texttyp textkomentar m w akteall ungenutzt textdatierung analog wie in satzdarstellung zusätzlich zu datierung s unten textdatierungskommentar hauptautor in authors weitere editor innen contributors letzte änderung analog wie in satzdarstellung aus übergeordnetem objekt ererbt wichtig textpfade paths analog wie in satzdarstellung aus übergeordnetem objekt ererbt nur insoweit als in transformationsdaten schon enthalten und via tla common schon zugänglich optional herkunftsort optional fundort optional objektdaten verschiedene insb interessant objektyp komponente material ggf weitere
1
272,274
8,506,766,324
IssuesEvent
2018-10-30 17:20:57
fecgov/openFEC
https://api.github.com/repos/fecgov/openFEC
closed
Add Amendment number to schedule e endpoint
High priority
What we are after: We recently added amendment indicator and previous file_num to the schedule e endpoint. In order for the users to have the most clarity from the downloaded data we need to add the amendment number as well. The URL for the independent expenditures: https://www.fec.gov/data/independent-expenditures/?data_type=processed&is_notice=true The previous issue with https://github.com/fecgov/openFEC/issues/3448 MV with extra column already created in dev: ofec_schedule_e_temp_mv Completion criteria: - [ ] exported data needs to include the amndt_ind column
1.0
Add Amendment number to schedule e endpoint - What we are after: We recently added amendment indicator and previous file_num to the schedule e endpoint. In order for the users to have the most clarity from the downloaded data we need to add the amendment number as well. The URL for the independent expenditures: https://www.fec.gov/data/independent-expenditures/?data_type=processed&is_notice=true The previous issue with https://github.com/fecgov/openFEC/issues/3448 MV with extra column already created in dev: ofec_schedule_e_temp_mv Completion criteria: - [ ] exported data needs to include the amndt_ind column
priority
add amendment number to schedule e endpoint what we are after we recently added amendment indicator and previous file num to the schedule e endpoint in order for the users to have the most clarity from the downloaded data we need to add the amendment number as well the url for the independent expenditures the previous issue with mv with extra column already created in dev ofec schedule e temp mv completion criteria exported data needs to include the amndt ind column
1
445,011
12,825,011,321
IssuesEvent
2020-07-06 14:20:40
comunica/comunica-packager
https://api.github.com/repos/comunica/comunica-packager
closed
Add links to GitHub in footer
priority:high
Add 2 links: * Source code: to main GH repo. * Report a bug: to the GH issues list.
1.0
Add links to GitHub in footer - Add 2 links: * Source code: to main GH repo. * Report a bug: to the GH issues list.
priority
add links to github in footer add links source code to main gh repo report a bug to the gh issues list
1
125,002
4,940,110,706
IssuesEvent
2016-11-29 16:02:32
BinPar/PRM
https://api.github.com/repos/BinPar/PRM
reopened
ERROR EN DESCARGA EXCEL ADOPCIONES NOEMÍ MARTIN
Priority: High
Noemí ha detectado un error en la descarga de ADOPCIONES. Copio su correo. Hola Ángeles, Pasa algo curioso. He ido a Informes Adopciones. Y en PRM me dice que tengo 868 adopciones (entre todos los años) Pero cuando le doy a que me lo exporte a Excel, me salen sólo 862 filas. He mirado x encima, y uno de los que me falta en el Excel y sí sale en PRM es la adopción del Pierce de Alfredo de Bustos Rodríguez del curso 2016/17. Sí sale su adopción del curso 2015/16 pero no la del curso siguiente. En azul se ve la que sí sale y la de debajo de ella, no sale en el Excel. ¿Por qué esta no sale y tampoco otros 5 que aún no sé cuales son y que sí salen en PRM? ![image](https://cloud.githubusercontent.com/assets/22589031/20066042/90bd929a-a510-11e6-9d61-da7b26398378.png) @CristianBinpar
1.0
ERROR EN DESCARGA EXCEL ADOPCIONES NOEMÍ MARTIN - Noemí ha detectado un error en la descarga de ADOPCIONES. Copio su correo. Hola Ángeles, Pasa algo curioso. He ido a Informes Adopciones. Y en PRM me dice que tengo 868 adopciones (entre todos los años) Pero cuando le doy a que me lo exporte a Excel, me salen sólo 862 filas. He mirado x encima, y uno de los que me falta en el Excel y sí sale en PRM es la adopción del Pierce de Alfredo de Bustos Rodríguez del curso 2016/17. Sí sale su adopción del curso 2015/16 pero no la del curso siguiente. En azul se ve la que sí sale y la de debajo de ella, no sale en el Excel. ¿Por qué esta no sale y tampoco otros 5 que aún no sé cuales son y que sí salen en PRM? ![image](https://cloud.githubusercontent.com/assets/22589031/20066042/90bd929a-a510-11e6-9d61-da7b26398378.png) @CristianBinpar
priority
error en descarga excel adopciones noemí martin noemí ha detectado un error en la descarga de adopciones copio su correo hola ángeles pasa algo curioso he ido a informes adopciones y en prm me dice que tengo adopciones entre todos los años pero cuando le doy a que me lo exporte a excel me salen sólo filas he mirado x encima y uno de los que me falta en el excel y sí sale en prm es la adopción del pierce de alfredo de bustos rodríguez del curso sí sale su adopción del curso pero no la del curso siguiente en azul se ve la que sí sale y la de debajo de ella no sale en el excel ¿por qué esta no sale y tampoco otros que aún no sé cuales son y que sí salen en prm cristianbinpar
1
318,035
9,673,547,980
IssuesEvent
2019-05-22 07:50:17
feelpp/feelpp
https://api.github.com/repos/feelpp/feelpp
closed
provide normal component evaluation of an expression in the language
module:dsel priority:High type:feature
Normal components of polynomials are often calculated and could be time consuming to evaluate. We should provide a keyword for this: ```c++ // int_\Omega u.n *v.n integrate(_range=elements(mesh),_expr=n(u)*nt(v)); ``` the implementation should provide a big performance improvement eg in DG/HDG context
1.0
provide normal component evaluation of an expression in the language - Normal components of polynomials are often calculated and could be time consuming to evaluate. We should provide a keyword for this: ```c++ // int_\Omega u.n *v.n integrate(_range=elements(mesh),_expr=n(u)*nt(v)); ``` the implementation should provide a big performance improvement eg in DG/HDG context
priority
provide normal component evaluation of an expression in the language normal components of polynomials are often calculated and could be time consuming to evaluate we should provide a keyword for this c int omega u n v n integrate range elements mesh expr n u nt v the implementation should provide a big performance improvement eg in dg hdg context
1
322,951
9,834,020,674
IssuesEvent
2019-06-17 08:41:52
volcano-sh/volcano
https://api.github.com/repos/volcano-sh/volcano
closed
Pass conformance test
kind/feature priority/high
**Is this a BUG REPORT or FEATURE REQUEST?**: /kind feature **Description**: Cherry pick related PR in kube-batch to volcano-sh/kube-batch for conformance test. /cc @asifdxtreme
1.0
Pass conformance test - **Is this a BUG REPORT or FEATURE REQUEST?**: /kind feature **Description**: Cherry pick related PR in kube-batch to volcano-sh/kube-batch for conformance test. /cc @asifdxtreme
priority
pass conformance test is this a bug report or feature request kind feature description cherry pick related pr in kube batch to volcano sh kube batch for conformance test cc asifdxtreme
1
87,076
3,736,717,785
IssuesEvent
2016-03-08 16:48:39
Valhalla-Gaming/Tracker
https://api.github.com/repos/Valhalla-Gaming/Tracker
closed
Warrior Shield Barrier bug abuse
Class-Warrior Priority-High Type-Spell
Hello ppl. Warriors abuse bug on shield barrier to absorm 50k every 1.5 sec making them lituraly imposible to kill.
1.0
Warrior Shield Barrier bug abuse - Hello ppl. Warriors abuse bug on shield barrier to absorm 50k every 1.5 sec making them lituraly imposible to kill.
priority
warrior shield barrier bug abuse hello ppl warriors abuse bug on shield barrier to absorm every sec making them lituraly imposible to kill
1
245,000
7,880,728,350
IssuesEvent
2018-06-26 16:45:47
aowen87/FOO
https://api.github.com/repos/aowen87/FOO
closed
XRay Image query crashes if you give it bad variable names for the absorptivity and emissivity.
Likelihood: 3 - Occasional OS: All Priority: High Severity: 4 - Crash / Wrong Results Support Group: Any Target Version: 2.12.0 bug version: 2.9.2
Paul Amala was using the XRay Image query and forgot to set the absorptivity and emmissivity variable names and VisIt crashed because they were wrong. The engine crashed and then the viewer was in such a state that even after restarting the engine, the engine would immediately crash again.
1.0
XRay Image query crashes if you give it bad variable names for the absorptivity and emissivity. - Paul Amala was using the XRay Image query and forgot to set the absorptivity and emmissivity variable names and VisIt crashed because they were wrong. The engine crashed and then the viewer was in such a state that even after restarting the engine, the engine would immediately crash again.
priority
xray image query crashes if you give it bad variable names for the absorptivity and emissivity paul amala was using the xray image query and forgot to set the absorptivity and emmissivity variable names and visit crashed because they were wrong the engine crashed and then the viewer was in such a state that even after restarting the engine the engine would immediately crash again
1
608,774
18,848,549,259
IssuesEvent
2021-11-11 17:39:49
open-apparel-registry/open-apparel-registry
https://api.github.com/repos/open-apparel-registry/open-apparel-registry
closed
Update hyperlink on "My Lists" page
bug high priority
## Overview When looking at a list in the My Lists section of the OAR (as shown in the screenshot below), there is introductory text above the list. ![Screen Shot 2021-10-29 at 10 23 03 AM](https://user-images.githubusercontent.com/80268596/139401713-2d80f52b-f102-4f3c-abab-689f19b506c1.png) We'd like that updated to: Read about how your facility data is [processed and matched](https://info.openapparel.org/how-the-oar-improves-data-quality). cc @katieashaw
1.0
Update hyperlink on "My Lists" page - ## Overview When looking at a list in the My Lists section of the OAR (as shown in the screenshot below), there is introductory text above the list. ![Screen Shot 2021-10-29 at 10 23 03 AM](https://user-images.githubusercontent.com/80268596/139401713-2d80f52b-f102-4f3c-abab-689f19b506c1.png) We'd like that updated to: Read about how your facility data is [processed and matched](https://info.openapparel.org/how-the-oar-improves-data-quality). cc @katieashaw
priority
update hyperlink on my lists page overview when looking at a list in the my lists section of the oar as shown in the screenshot below there is introductory text above the list we d like that updated to read about how your facility data is cc katieashaw
1
117,929
4,729,139,913
IssuesEvent
2016-10-18 17:52:07
bloomberg/bucklescript
https://api.github.com/repos/bloomberg/bucklescript
closed
ocamldoc support
need feedback PRIORITY:HIGH
The following code does not work for `ocamldoc`, saying `Error: External identifiers must be functions`, and bs-platform does not seem to have its own `ocamldoc` in `bin` folder. ```ocaml external jquery_ : jquery = "jquery" [@@bs.module] ``` ```shell $ ocamldoc -I node_modules/bs-platform/lib/ocaml/ lib/ocaml/jquery.ml File "lib/ocaml/jquery.ml", line 11, characters 19-25: Error: External identifiers must be functions 1 error(s) encountered ``` Is there any plan to develop `ocamldoc` for BuckleScript anytime soon?
1.0
ocamldoc support - The following code does not work for `ocamldoc`, saying `Error: External identifiers must be functions`, and bs-platform does not seem to have its own `ocamldoc` in `bin` folder. ```ocaml external jquery_ : jquery = "jquery" [@@bs.module] ``` ```shell $ ocamldoc -I node_modules/bs-platform/lib/ocaml/ lib/ocaml/jquery.ml File "lib/ocaml/jquery.ml", line 11, characters 19-25: Error: External identifiers must be functions 1 error(s) encountered ``` Is there any plan to develop `ocamldoc` for BuckleScript anytime soon?
priority
ocamldoc support the following code does not work for ocamldoc saying error external identifiers must be functions and bs platform does not seem to have its own ocamldoc in bin folder ocaml external jquery jquery jquery shell ocamldoc i node modules bs platform lib ocaml lib ocaml jquery ml file lib ocaml jquery ml line characters error external identifiers must be functions error s encountered is there any plan to develop ocamldoc for bucklescript anytime soon
1
88,000
3,770,243,013
IssuesEvent
2016-03-16 13:59:46
VirtoCommerce/vc-community
https://api.github.com/repos/VirtoCommerce/vc-community
closed
Reinstate social login to the storefront.
frontend high priority
Social login is not available on the storefront. This is blocking issue. Please reinstate this functionality. Please provide a way to configure using only social logins for registration and logging into the store front.
1.0
Reinstate social login to the storefront. - Social login is not available on the storefront. This is blocking issue. Please reinstate this functionality. Please provide a way to configure using only social logins for registration and logging into the store front.
priority
reinstate social login to the storefront social login is not available on the storefront this is blocking issue please reinstate this functionality please provide a way to configure using only social logins for registration and logging into the store front
1
6,123
2,583,319,416
IssuesEvent
2015-02-16 03:44:51
afollestad/cabinet-issue-tracker
https://api.github.com/repos/afollestad/cabinet-issue-tracker
opened
Button selectors are always blue, they should be created programatically
enhancement high priority
E.g. in the connection wizard activity
1.0
Button selectors are always blue, they should be created programatically - E.g. in the connection wizard activity
priority
button selectors are always blue they should be created programatically e g in the connection wizard activity
1
397,374
11,727,581,250
IssuesEvent
2020-03-10 16:09:30
bbc/simorgh
https://api.github.com/repos/bbc/simorgh
closed
Update trust links for Serbian, UK China and Ukrainian
high-priority ws-home
**Is your feature request related to a problem? Please describe.** Update trust links for Serbian, UK China and Ukrainian. See the table below for all the links. Serbian and UK China have a script switch so will need a link for each script **Describe the solution you'd like** Site | Link | Link works -- | -- | -- Serbian (Lat) | https://www.bbc.com/serbian/lat/institutional-50173730 | Y Serbian (Cyr) | https://www.bbc.com/serbian/cyr/institutional-50173730 | Y UK China(Simp) | https://www.bbc.com/ukchina/simp/institutional-51359562 | Y UK China(Trad) | https://www.bbc.com/ukchina/trad/institutional-51359562 | Y Ukrainian | https://www.bbc.com/ukrainian/institutional-50170368 | Y **Describe alternatives you've considered** None **Testing notes** [Tester to complete] Dev insight: Will Cypress tests be required or are unit tests sufficient? Will there be any potential regression? etc - [ ] This feature is expected to need manual testing. **Additional context** Ticket will be updated to show when the pages have been published
1.0
Update trust links for Serbian, UK China and Ukrainian - **Is your feature request related to a problem? Please describe.** Update trust links for Serbian, UK China and Ukrainian. See the table below for all the links. Serbian and UK China have a script switch so will need a link for each script **Describe the solution you'd like** Site | Link | Link works -- | -- | -- Serbian (Lat) | https://www.bbc.com/serbian/lat/institutional-50173730 | Y Serbian (Cyr) | https://www.bbc.com/serbian/cyr/institutional-50173730 | Y UK China(Simp) | https://www.bbc.com/ukchina/simp/institutional-51359562 | Y UK China(Trad) | https://www.bbc.com/ukchina/trad/institutional-51359562 | Y Ukrainian | https://www.bbc.com/ukrainian/institutional-50170368 | Y **Describe alternatives you've considered** None **Testing notes** [Tester to complete] Dev insight: Will Cypress tests be required or are unit tests sufficient? Will there be any potential regression? etc - [ ] This feature is expected to need manual testing. **Additional context** Ticket will be updated to show when the pages have been published
priority
update trust links for serbian uk china and ukrainian is your feature request related to a problem please describe update trust links for serbian uk china and ukrainian see the table below for all the links serbian and uk china have a script switch so will need a link for each script describe the solution you d like site link link works serbian lat y serbian cyr y uk china simp y uk china trad y ukrainian y describe alternatives you ve considered none testing notes dev insight will cypress tests be required or are unit tests sufficient will there be any potential regression etc this feature is expected to need manual testing additional context ticket will be updated to show when the pages have been published
1
620,067
19,547,453,469
IssuesEvent
2022-01-02 05:21:32
dzuybt/tbi
https://api.github.com/repos/dzuybt/tbi
opened
Check Breen Camera Invoices
bug high-priority
Breen Camera 6 is duplicated. Breen Camera 7 is invoice link is not working
1.0
Check Breen Camera Invoices - Breen Camera 6 is duplicated. Breen Camera 7 is invoice link is not working
priority
check breen camera invoices breen camera is duplicated breen camera is invoice link is not working
1
621,624
19,593,046,137
IssuesEvent
2022-01-05 14:57:24
neutrons/mantid_total_scattering
https://api.github.com/repos/neutrons/mantid_total_scattering
closed
Have inputs to Placzek be calculated from ParentWorkspace if not provided
Type: Bug Priority: High
After removing the need for the characterization file, the input for L2 and Polar need to be calculated. These should be calculated at the "Initial Grouping" level at this point in the main script: https://github.com/marshallmcdonnell/mantid_total_scattering/blob/f3a1a6ff9f96900b385f912e9a72138ca20d5dea/mantid_total_scattering.py#L522 Fix is necessary for PR #14
1.0
Have inputs to Placzek be calculated from ParentWorkspace if not provided - After removing the need for the characterization file, the input for L2 and Polar need to be calculated. These should be calculated at the "Initial Grouping" level at this point in the main script: https://github.com/marshallmcdonnell/mantid_total_scattering/blob/f3a1a6ff9f96900b385f912e9a72138ca20d5dea/mantid_total_scattering.py#L522 Fix is necessary for PR #14
priority
have inputs to placzek be calculated from parentworkspace if not provided after removing the need for the characterization file the input for and polar need to be calculated these should be calculated at the initial grouping level at this point in the main script fix is necessary for pr
1
293,539
8,997,371,780
IssuesEvent
2019-02-02 11:33:06
BuildCraft/BuildCraft
https://api.github.com/repos/BuildCraft/BuildCraft
opened
Crash with tetra when loading
priority: high type: bug type: mod compat version: 1.12.2
Original report: https://minecraft.curseforge.com/projects/buildcraft?gameCategorySlug=mc-mods&projectID=61811#c791 Crash: https://pastebin.com/raw/HJkjvd0J Unlike all of the *other* silicon facade crashes this one's probably our fault, as we query data from an item before init() has finished (and tetra uses that for setup). So I don't think we can just blame them for not doing null-checks.
1.0
Crash with tetra when loading - Original report: https://minecraft.curseforge.com/projects/buildcraft?gameCategorySlug=mc-mods&projectID=61811#c791 Crash: https://pastebin.com/raw/HJkjvd0J Unlike all of the *other* silicon facade crashes this one's probably our fault, as we query data from an item before init() has finished (and tetra uses that for setup). So I don't think we can just blame them for not doing null-checks.
priority
crash with tetra when loading original report crash unlike all of the other silicon facade crashes this one s probably our fault as we query data from an item before init has finished and tetra uses that for setup so i don t think we can just blame them for not doing null checks
1
332,130
10,084,681,768
IssuesEvent
2019-07-25 16:12:18
humdrum-tools/verovio-humdrum-viewer
https://api.github.com/repos/humdrum-tools/verovio-humdrum-viewer
closed
tooltips are obscured by notation
high priority interface bug
Tooltips are obscured by the `#splitter` and `#output` element: <img width="322" alt="screen shot 2017-06-29 at 2 15 47 pm" src="https://user-images.githubusercontent.com/3487289/27688384-b19ea04e-5cda-11e7-8352-e050cb356506.png"> In this sample image, the tooltip is at z-index 4000, and the `#splitter` and `#output` elements are at z-index 1. 4000 should be larger than 1, but it seems not to be. Here are the layers shown graphically: <img width="776" alt="screen shot 2017-06-29 at 2 56 21 pm" src="https://user-images.githubusercontent.com/3487289/27688801-336f87a4-5cdc-11e7-87cd-1a620a427dc6.png"> Moving `#splitter` and `#output` to `z-index: -1;` will fix the problem, but then the notes in the SVG display cannot be clicked on. Either another way to click on notes is necessary, or a fix to how the z-indexes are working is needed to avoid obscuring the tooltip while at the same time allow graphical editing of the notes. Access to information about the toolktip can be done by pressing `F8` while the tooltip is visible. This will freeze the JavaScript interpreter and keep the tooltip open when the mouse is moved off of the error marker (for Chrome).
1.0
tooltips are obscured by notation - Tooltips are obscured by the `#splitter` and `#output` element: <img width="322" alt="screen shot 2017-06-29 at 2 15 47 pm" src="https://user-images.githubusercontent.com/3487289/27688384-b19ea04e-5cda-11e7-8352-e050cb356506.png"> In this sample image, the tooltip is at z-index 4000, and the `#splitter` and `#output` elements are at z-index 1. 4000 should be larger than 1, but it seems not to be. Here are the layers shown graphically: <img width="776" alt="screen shot 2017-06-29 at 2 56 21 pm" src="https://user-images.githubusercontent.com/3487289/27688801-336f87a4-5cdc-11e7-87cd-1a620a427dc6.png"> Moving `#splitter` and `#output` to `z-index: -1;` will fix the problem, but then the notes in the SVG display cannot be clicked on. Either another way to click on notes is necessary, or a fix to how the z-indexes are working is needed to avoid obscuring the tooltip while at the same time allow graphical editing of the notes. Access to information about the toolktip can be done by pressing `F8` while the tooltip is visible. This will freeze the JavaScript interpreter and keep the tooltip open when the mouse is moved off of the error marker (for Chrome).
priority
tooltips are obscured by notation tooltips are obscured by the splitter and output element img width alt screen shot at pm src in this sample image the tooltip is at z index and the splitter and output elements are at z index should be larger than but it seems not to be here are the layers shown graphically img width alt screen shot at pm src moving splitter and output to z index will fix the problem but then the notes in the svg display cannot be clicked on either another way to click on notes is necessary or a fix to how the z indexes are working is needed to avoid obscuring the tooltip while at the same time allow graphical editing of the notes access to information about the toolktip can be done by pressing while the tooltip is visible this will freeze the javascript interpreter and keep the tooltip open when the mouse is moved off of the error marker for chrome
1
200,751
7,011,464,681
IssuesEvent
2017-12-20 06:12:02
orppra/ropa
https://api.github.com/repos/orppra/ropa
closed
Add functionality to merge two gadgets
priority:high
Merge two gadgets into a single unit so that it can be moved together, copied together, etc.
1.0
Add functionality to merge two gadgets - Merge two gadgets into a single unit so that it can be moved together, copied together, etc.
priority
add functionality to merge two gadgets merge two gadgets into a single unit so that it can be moved together copied together etc
1
410,870
12,002,998,228
IssuesEvent
2020-04-09 08:48:58
elkolotfi/covid19
https://api.github.com/repos/elkolotfi/covid19
closed
Add QR code to personal certificate
feature high_priority
The new version of the certificate adds a QR code to the pdf document
1.0
Add QR code to personal certificate - The new version of the certificate adds a QR code to the pdf document
priority
add qr code to personal certificate the new version of the certificate adds a qr code to the pdf document
1
352,649
10,544,477,933
IssuesEvent
2019-10-02 17:00:59
wso2-cellery/sdk
https://api.github.com/repos/wso2-cellery/sdk
closed
Route-traffic is not working
Priority/Highest Severity/Blocker Type/Bug
Environment: docke-for-mac Setup: 1) Have both pet-be and pet-be-as cell deployed. ``` cellery list instances Cell Instances: INSTANCE IMAGE STATUS GATEWAY COMPONENTS AGE ----------- ----------------------------------------------- -------- ---------------------------- ------------ ----------------------- pet-be wso2cellery/pet-be-cell:latest-dev Ready pet-be--gateway-service 4 27 minutes 6 seconds pet-be-as wso2cellery/pet-be-auto-scale-cell:latest-dev Ready pet-be-as--gateway-service 4 25 minutes 31 seconds ``` 2) When routing traffic from pet-be to pet-be-as, below error is thrown. cellery route-traffic -d pet-be -t pet-be-as -p 50 ❌ Starting to route 50% of traffic to instance pet-be-as Unable to route traffic to the target instance: pet-be-as, percentage: 50: cell/composite instance pet-be not found among dependencies of source instance(s)
1.0
Route-traffic is not working - Environment: docke-for-mac Setup: 1) Have both pet-be and pet-be-as cell deployed. ``` cellery list instances Cell Instances: INSTANCE IMAGE STATUS GATEWAY COMPONENTS AGE ----------- ----------------------------------------------- -------- ---------------------------- ------------ ----------------------- pet-be wso2cellery/pet-be-cell:latest-dev Ready pet-be--gateway-service 4 27 minutes 6 seconds pet-be-as wso2cellery/pet-be-auto-scale-cell:latest-dev Ready pet-be-as--gateway-service 4 25 minutes 31 seconds ``` 2) When routing traffic from pet-be to pet-be-as, below error is thrown. cellery route-traffic -d pet-be -t pet-be-as -p 50 ❌ Starting to route 50% of traffic to instance pet-be-as Unable to route traffic to the target instance: pet-be-as, percentage: 50: cell/composite instance pet-be not found among dependencies of source instance(s)
priority
route traffic is not working environment docke for mac setup have both pet be and pet be as cell deployed cellery list instances cell instances instance image status gateway components age pet be pet be cell latest dev ready pet be gateway service minutes seconds pet be as pet be auto scale cell latest dev ready pet be as gateway service minutes seconds when routing traffic from pet be to pet be as below error is thrown cellery route traffic d pet be t pet be as p ❌ starting to route of traffic to instance pet be as unable to route traffic to the target instance pet be as percentage cell composite instance pet be not found among dependencies of source instance s
1
135,231
5,244,707,691
IssuesEvent
2017-02-01 00:33:58
NucleusPowered/Nucleus
https://api.github.com/repos/NucleusPowered/Nucleus
closed
Create Kit migrator
enhancement high priority
Add migrator for migrating from Kits to Nucleus. If you can, just read the kits file, might be better than having a dependency on it.
1.0
Create Kit migrator - Add migrator for migrating from Kits to Nucleus. If you can, just read the kits file, might be better than having a dependency on it.
priority
create kit migrator add migrator for migrating from kits to nucleus if you can just read the kits file might be better than having a dependency on it
1
88,098
3,771,482,610
IssuesEvent
2016-03-16 17:43:49
ngageoint/hootenanny-ui
https://api.github.com/repos/ngageoint/hootenanny-ui
reopened
Basemap upload ignores defined Basemap Name
Category: UI Priority: High Priority: Medium Type: Bug
If you specify a Basemap Name for custom basemap it does not use that name but rather saves it using the file name.
2.0
Basemap upload ignores defined Basemap Name - If you specify a Basemap Name for custom basemap it does not use that name but rather saves it using the file name.
priority
basemap upload ignores defined basemap name if you specify a basemap name for custom basemap it does not use that name but rather saves it using the file name
1
294,528
9,036,564,782
IssuesEvent
2019-02-09 01:07:53
kmycode/sangokukmy
https://api.github.com/repos/kmycode/sangokukmy
closed
同盟
enhancement pending-partial priority-high
以前の三国志NET KMY Versionに存在した同盟システムを、一部修正して実装します。(例によって記憶違いがあればすみません) 新仕様には翼の仕様も若干混ざっているのでわかりやすいかなーと思います。 ## 趣旨・目的 二国間で同盟を締結することで、相互不可侵や、お互いの戦争を助け合うなどによる戦略上の恩恵を受け、ゲームをより有利に進めることができるようにする ## できること * A国はB国に同盟締結を申請する * B国が申請を承諾したら、同盟が成立する * 一度結んだ同盟は、片方が破棄を宣言し、破棄猶予が終了するまで続く * 同盟条約(破棄猶予/公表の可否)は、いつでも両国の承認のもとで修正することができる ## 制限事項 * 宣戦布告・交戦中の国とは同盟できない。停戦を成立させる必要がある * 同盟締結中の国には宣戦布告できない。破棄を宣言する必要がある * 破棄猶予中に開戦となる宣戦布告はできない。破棄猶予終了の翌月以降開戦でなければならない * 片方が破棄を宣言した瞬間、援軍は強制送還となる。以降、破棄猶予中は援軍機能を利用できない ## 同盟条約 * 破棄猶予(ゼロ年から48年まで、年単位で設定可能) * 相互不可侵(常に有効) * 援軍(常に有効) * 同盟の締結を全国に公開(任意) * 同盟の破棄を全国に公開(任意) ## 以前との違い * 以前はすべての同盟締結をマップログに流し、誰でも同盟関係を知ることができる状態だった。同盟関係の公表は示威行為の一種として戦略上有効かもしれないが、中には公表したくない同盟もあると思われる。A国がB国に締結を申し込む時点で、公表するかを選択できるようにする * 同盟の条約を、締結後も修正可能になる
1.0
同盟 - 以前の三国志NET KMY Versionに存在した同盟システムを、一部修正して実装します。(例によって記憶違いがあればすみません) 新仕様には翼の仕様も若干混ざっているのでわかりやすいかなーと思います。 ## 趣旨・目的 二国間で同盟を締結することで、相互不可侵や、お互いの戦争を助け合うなどによる戦略上の恩恵を受け、ゲームをより有利に進めることができるようにする ## できること * A国はB国に同盟締結を申請する * B国が申請を承諾したら、同盟が成立する * 一度結んだ同盟は、片方が破棄を宣言し、破棄猶予が終了するまで続く * 同盟条約(破棄猶予/公表の可否)は、いつでも両国の承認のもとで修正することができる ## 制限事項 * 宣戦布告・交戦中の国とは同盟できない。停戦を成立させる必要がある * 同盟締結中の国には宣戦布告できない。破棄を宣言する必要がある * 破棄猶予中に開戦となる宣戦布告はできない。破棄猶予終了の翌月以降開戦でなければならない * 片方が破棄を宣言した瞬間、援軍は強制送還となる。以降、破棄猶予中は援軍機能を利用できない ## 同盟条約 * 破棄猶予(ゼロ年から48年まで、年単位で設定可能) * 相互不可侵(常に有効) * 援軍(常に有効) * 同盟の締結を全国に公開(任意) * 同盟の破棄を全国に公開(任意) ## 以前との違い * 以前はすべての同盟締結をマップログに流し、誰でも同盟関係を知ることができる状態だった。同盟関係の公表は示威行為の一種として戦略上有効かもしれないが、中には公表したくない同盟もあると思われる。A国がB国に締結を申し込む時点で、公表するかを選択できるようにする * 同盟の条約を、締結後も修正可能になる
priority
同盟 以前の三国志net kmy versionに存在した同盟システムを、一部修正して実装します。(例によって記憶違いがあればすみません) 新仕様には翼の仕様も若干混ざっているのでわかりやすいかなーと思います。 趣旨・目的 二国間で同盟を締結することで、相互不可侵や、お互いの戦争を助け合うなどによる戦略上の恩恵を受け、ゲームをより有利に進めることができるようにする できること a国はb国に同盟締結を申請する b国が申請を承諾したら、同盟が成立する 一度結んだ同盟は、片方が破棄を宣言し、破棄猶予が終了するまで続く 同盟条約(破棄猶予/公表の可否)は、いつでも両国の承認のもとで修正することができる 制限事項 宣戦布告・交戦中の国とは同盟できない。停戦を成立させる必要がある 同盟締結中の国には宣戦布告できない。破棄を宣言する必要がある 破棄猶予中に開戦となる宣戦布告はできない。破棄猶予終了の翌月以降開戦でなければならない 片方が破棄を宣言した瞬間、援軍は強制送還となる。以降、破棄猶予中は援軍機能を利用できない 同盟条約 破棄猶予( 、年単位で設定可能) 相互不可侵(常に有効) 援軍(常に有効) 同盟の締結を全国に公開(任意) 同盟の破棄を全国に公開(任意) 以前との違い 以前はすべての同盟締結をマップログに流し、誰でも同盟関係を知ることができる状態だった。同盟関係の公表は示威行為の一種として戦略上有効かもしれないが、中には公表したくない同盟もあると思われる。a国がb国に締結を申し込む時点で、公表するかを選択できるようにする 同盟の条約を、締結後も修正可能になる
1
266,791
8,375,229,019
IssuesEvent
2018-10-05 15:47:15
geosolutions-it/smb-app
https://api.github.com/repos/geosolutions-it/smb-app
opened
Some persistence task keep running after recording stop
Priority High bug
Some persistence task keep running after stop. Normally it didn't caused any issue, overriding the existing data, but when you send the sessions and so you remove them from the database, when the task run again (every 15 seconds) will re-create an instance in db. **Steps to reproduce:** - Record some session - Send them to the server - wait around 30 seconds - refresh the "To Send" list. **Expected result:** - Refreshing shows an empty list **Current Result:** - You will see again some sessions to send.
1.0
Some persistence task keep running after recording stop - Some persistence task keep running after stop. Normally it didn't caused any issue, overriding the existing data, but when you send the sessions and so you remove them from the database, when the task run again (every 15 seconds) will re-create an instance in db. **Steps to reproduce:** - Record some session - Send them to the server - wait around 30 seconds - refresh the "To Send" list. **Expected result:** - Refreshing shows an empty list **Current Result:** - You will see again some sessions to send.
priority
some persistence task keep running after recording stop some persistence task keep running after stop normally it didn t caused any issue overriding the existing data but when you send the sessions and so you remove them from the database when the task run again every seconds will re create an instance in db steps to reproduce record some session send them to the server wait around seconds refresh the to send list expected result refreshing shows an empty list current result you will see again some sessions to send
1
93,551
3,901,994,539
IssuesEvent
2016-04-18 13:13:34
Metaswitch/sprout
https://api.github.com/repos/Metaswitch/sprout
reopened
IPv6 is generally broken for the S-CSCF sproutlet
bug high-priority
If the sprout_hostname is an IPv6 address then the S-CSCF plugin fails to load as the BGCF URI is invalid Debug scscfsproutlet.cpp:99: BGCF URI = sip:bgcf.[::1]:5054;transport=TCP Error scscfsproutlet.cpp:125: Invalid BGCF URI sip:bgcf.[::1]:5054;transport=TCP
1.0
IPv6 is generally broken for the S-CSCF sproutlet - If the sprout_hostname is an IPv6 address then the S-CSCF plugin fails to load as the BGCF URI is invalid Debug scscfsproutlet.cpp:99: BGCF URI = sip:bgcf.[::1]:5054;transport=TCP Error scscfsproutlet.cpp:125: Invalid BGCF URI sip:bgcf.[::1]:5054;transport=TCP
priority
is generally broken for the s cscf sproutlet if the sprout hostname is an address then the s cscf plugin fails to load as the bgcf uri is invalid debug scscfsproutlet cpp bgcf uri sip bgcf transport tcp error scscfsproutlet cpp invalid bgcf uri sip bgcf transport tcp
1
351,586
10,520,873,675
IssuesEvent
2019-09-30 03:24:19
ballerina-platform/ballerina-lang
https://api.github.com/repos/ballerina-platform/ballerina-lang
closed
Bad sad error when using interop
Area/JBallerina Component/JavaInterop Priority/High Type/Bug
**Description:** This exception throws when running following code. ``` Type 'java/lang/String' (current frame, stack[0]) is not assignable to 'org/ballerinalang/jvm/values/HandleValue' ``` Code: ```ballerina import ballerinax/java; public function main(string... args) { string[] parts = split("hello world", " "); io:println(parts); } public function split(string receiver, string delimeter) returns string[] { handle res = splitExternal(receiver, delimeter); return []; } function splitExternal(string receiver, string delimeter) returns handle = @java:Method { name: "split", class: "java.lang.String", paramTypes: ["java.lang.String"] } external; ``` **Steps to reproduce:** **Affected Versions:** **OS, DB, other environment details and versions:** **Related Issues (optional):** <!-- Any related issues such as sub tasks, issues reported in other repositories (e.g component repositories), similar problems, etc. --> **Suggested Labels (optional):** <!-- Optional comma separated list of suggested labels. Non committers can’t assign labels to issues, so this will help issue creators who are not a committer to suggest possible labels--> **Suggested Assignees (optional):** <!--Optional comma separated list of suggested team members who should attend the issue. Non committers can’t assign issues to assignees, so this will help issue creators who are not a committer to suggest possible assignees-->
1.0
Bad sad error when using interop - **Description:** This exception throws when running following code. ``` Type 'java/lang/String' (current frame, stack[0]) is not assignable to 'org/ballerinalang/jvm/values/HandleValue' ``` Code: ```ballerina import ballerinax/java; public function main(string... args) { string[] parts = split("hello world", " "); io:println(parts); } public function split(string receiver, string delimeter) returns string[] { handle res = splitExternal(receiver, delimeter); return []; } function splitExternal(string receiver, string delimeter) returns handle = @java:Method { name: "split", class: "java.lang.String", paramTypes: ["java.lang.String"] } external; ``` **Steps to reproduce:** **Affected Versions:** **OS, DB, other environment details and versions:** **Related Issues (optional):** <!-- Any related issues such as sub tasks, issues reported in other repositories (e.g component repositories), similar problems, etc. --> **Suggested Labels (optional):** <!-- Optional comma separated list of suggested labels. Non committers can’t assign labels to issues, so this will help issue creators who are not a committer to suggest possible labels--> **Suggested Assignees (optional):** <!--Optional comma separated list of suggested team members who should attend the issue. Non committers can’t assign issues to assignees, so this will help issue creators who are not a committer to suggest possible assignees-->
priority
bad sad error when using interop description this exception throws when running following code type java lang string current frame stack is not assignable to org ballerinalang jvm values handlevalue code ballerina import ballerinax java public function main string args string parts split hello world io println parts public function split string receiver string delimeter returns string handle res splitexternal receiver delimeter return function splitexternal string receiver string delimeter returns handle java method name split class java lang string paramtypes external steps to reproduce affected versions os db other environment details and versions related issues optional suggested labels optional suggested assignees optional
1
483,208
13,920,661,311
IssuesEvent
2020-10-21 10:46:12
woocommerce/woocommerce-android
https://api.github.com/repos/woocommerce/woocommerce-android
opened
[Crash]: Order detail:
Order Details Priority: High [Type] Crash
When testing the app, I faced the below crash when clicking on a product from the Order detail screen and clicking the back button again. ``` 2020-10-21 16:13:26.938 23693-23693/com.woocommerce.android E/AndroidRuntime: FATAL EXCEPTION: main Process: com.woocommerce.android, PID: 23693 kotlin.TypeCastException: null cannot be cast to non-null type com.woocommerce.android.ui.orders.details.adapter.OrderDetailProductListAdapter at com.woocommerce.android.ui.orders.details.views.OrderDetailProductListView.notifyProductChanged(OrderDetailProductListView.kt:70) at com.woocommerce.android.ui.orders.details.OrderDetailFragment.refreshProduct(OrderDetailFragment.kt:225) at com.woocommerce.android.ui.orders.details.OrderDetailFragment.access$refreshProduct(OrderDetailFragment.kt:62) at com.woocommerce.android.ui.orders.details.OrderDetailFragment$setupObservers$1.invoke(OrderDetailFragment.kt:143) at com.woocommerce.android.ui.orders.details.OrderDetailFragment$setupObservers$1.invoke(OrderDetailFragment.kt:62) at com.woocommerce.android.viewmodel.LiveDataDelegate$observe$1.onChanged(LiveDataDelegate.kt:44) at com.woocommerce.android.viewmodel.LiveDataDelegate$observe$1.onChanged(LiveDataDelegate.kt:22) ```
1.0
[Crash]: Order detail: - When testing the app, I faced the below crash when clicking on a product from the Order detail screen and clicking the back button again. ``` 2020-10-21 16:13:26.938 23693-23693/com.woocommerce.android E/AndroidRuntime: FATAL EXCEPTION: main Process: com.woocommerce.android, PID: 23693 kotlin.TypeCastException: null cannot be cast to non-null type com.woocommerce.android.ui.orders.details.adapter.OrderDetailProductListAdapter at com.woocommerce.android.ui.orders.details.views.OrderDetailProductListView.notifyProductChanged(OrderDetailProductListView.kt:70) at com.woocommerce.android.ui.orders.details.OrderDetailFragment.refreshProduct(OrderDetailFragment.kt:225) at com.woocommerce.android.ui.orders.details.OrderDetailFragment.access$refreshProduct(OrderDetailFragment.kt:62) at com.woocommerce.android.ui.orders.details.OrderDetailFragment$setupObservers$1.invoke(OrderDetailFragment.kt:143) at com.woocommerce.android.ui.orders.details.OrderDetailFragment$setupObservers$1.invoke(OrderDetailFragment.kt:62) at com.woocommerce.android.viewmodel.LiveDataDelegate$observe$1.onChanged(LiveDataDelegate.kt:44) at com.woocommerce.android.viewmodel.LiveDataDelegate$observe$1.onChanged(LiveDataDelegate.kt:22) ```
priority
order detail when testing the app i faced the below crash when clicking on a product from the order detail screen and clicking the back button again com woocommerce android e androidruntime fatal exception main process com woocommerce android pid kotlin typecastexception null cannot be cast to non null type com woocommerce android ui orders details adapter orderdetailproductlistadapter at com woocommerce android ui orders details views orderdetailproductlistview notifyproductchanged orderdetailproductlistview kt at com woocommerce android ui orders details orderdetailfragment refreshproduct orderdetailfragment kt at com woocommerce android ui orders details orderdetailfragment access refreshproduct orderdetailfragment kt at com woocommerce android ui orders details orderdetailfragment setupobservers invoke orderdetailfragment kt at com woocommerce android ui orders details orderdetailfragment setupobservers invoke orderdetailfragment kt at com woocommerce android viewmodel livedatadelegate observe onchanged livedatadelegate kt at com woocommerce android viewmodel livedatadelegate observe onchanged livedatadelegate kt
1
718,904
24,736,148,496
IssuesEvent
2022-10-20 22:11:01
AY2223S1-CS2103-F14-2/tp
https://api.github.com/repos/AY2223S1-CS2103-F14-2/tp
closed
Update DG UML models to include morphed changes
type.Chore priority.High
Current UML models are outdated. Newly added attributes in v1.2 should be updated into the DG
1.0
Update DG UML models to include morphed changes - Current UML models are outdated. Newly added attributes in v1.2 should be updated into the DG
priority
update dg uml models to include morphed changes current uml models are outdated newly added attributes in should be updated into the dg
1
497,006
14,360,352,804
IssuesEvent
2020-11-30 16:44:52
department-of-veterans-affairs/va.gov-team
https://api.github.com/repos/department-of-veterans-affairs/va.gov-team
opened
Production builds are failing due to missing fieldDate data
high priority vsa-facilities
Our production build is currently broken due to a change to the CMS data. New events are being added which do not include the legacy `fieldDate`. Our templates can handle the missing data just fine, but there is some code in our build pipeline that still expects the data to be present.
1.0
Production builds are failing due to missing fieldDate data - Our production build is currently broken due to a change to the CMS data. New events are being added which do not include the legacy `fieldDate`. Our templates can handle the missing data just fine, but there is some code in our build pipeline that still expects the data to be present.
priority
production builds are failing due to missing fielddate data our production build is currently broken due to a change to the cms data new events are being added which do not include the legacy fielddate our templates can handle the missing data just fine but there is some code in our build pipeline that still expects the data to be present
1
230,486
7,610,829,146
IssuesEvent
2018-05-01 10:37:56
ballerina-platform/ballerina-lang
https://api.github.com/repos/ballerina-platform/ballerina-lang
closed
Code Completion Suggests duplicate Annotations
Priority/High Severity/Major component/LanguageServer
**Description:** ![2018-04-30](https://user-images.githubusercontent.com/1329674/39462830-dcc0e726-4d31-11e8-962b-84a760337cf5.png) **Affected Versions:** v0.970.0
1.0
Code Completion Suggests duplicate Annotations - **Description:** ![2018-04-30](https://user-images.githubusercontent.com/1329674/39462830-dcc0e726-4d31-11e8-962b-84a760337cf5.png) **Affected Versions:** v0.970.0
priority
code completion suggests duplicate annotations description affected versions
1
361,599
10,711,381,350
IssuesEvent
2019-10-25 06:13:14
warpnet/salt-lint
https://api.github.com/repos/warpnet/salt-lint
closed
salt-lint crash when piped and having non-beakable space in outputted line
Priority: High Type: Bug
I just encountered the following: ``` Traceback (most recent call last): File "/home/sblaisot/projets/salt/salt-2017.7.5-python2/bin/salt-lint", line 11, in <module> sys.exit(run()) File "/home/sblaisot/projets/salt/salt-2017.7.5-python2/local/lib/python2.7/site-packages/saltlint/cli.py", line 102, in run print(formatter.format(match, config.colored)) UnicodeEncodeError: 'ascii' codec can't encode character u'\xa0' in position 187: ordinal not in range(128) ``` Not sure now what triggers the problem. I'm inestigating. It's probably due to a bad character in the sls file + salt-lint output piped to something else which disables pretty color. Not seen it with direct output without pipe. Will add additionnal information here as soon as I can reproduce it consistently.
1.0
salt-lint crash when piped and having non-beakable space in outputted line - I just encountered the following: ``` Traceback (most recent call last): File "/home/sblaisot/projets/salt/salt-2017.7.5-python2/bin/salt-lint", line 11, in <module> sys.exit(run()) File "/home/sblaisot/projets/salt/salt-2017.7.5-python2/local/lib/python2.7/site-packages/saltlint/cli.py", line 102, in run print(formatter.format(match, config.colored)) UnicodeEncodeError: 'ascii' codec can't encode character u'\xa0' in position 187: ordinal not in range(128) ``` Not sure now what triggers the problem. I'm inestigating. It's probably due to a bad character in the sls file + salt-lint output piped to something else which disables pretty color. Not seen it with direct output without pipe. Will add additionnal information here as soon as I can reproduce it consistently.
priority
salt lint crash when piped and having non beakable space in outputted line i just encountered the following traceback most recent call last file home sblaisot projets salt salt bin salt lint line in sys exit run file home sblaisot projets salt salt local lib site packages saltlint cli py line in run print formatter format match config colored unicodeencodeerror ascii codec can t encode character u in position ordinal not in range not sure now what triggers the problem i m inestigating it s probably due to a bad character in the sls file salt lint output piped to something else which disables pretty color not seen it with direct output without pipe will add additionnal information here as soon as i can reproduce it consistently
1
405,795
11,882,714,872
IssuesEvent
2020-03-27 14:50:03
AY1920S2-CS2103T-F09-2/main
https://api.github.com/repos/AY1920S2-CS2103T-F09-2/main
closed
Feature: Calendar UI
priority.High type.Enhancement type.Story
- [x] Come up with the Calendar Panel Ui - [x] Fix task list panel to display task lists due today on default - [x] Edit CalendarCommand to be linked with Calendar Ui to show tasks due for the specific date input - [x] write test classes
1.0
Feature: Calendar UI - - [x] Come up with the Calendar Panel Ui - [x] Fix task list panel to display task lists due today on default - [x] Edit CalendarCommand to be linked with Calendar Ui to show tasks due for the specific date input - [x] write test classes
priority
feature calendar ui come up with the calendar panel ui fix task list panel to display task lists due today on default edit calendarcommand to be linked with calendar ui to show tasks due for the specific date input write test classes
1
435,609
12,536,633,727
IssuesEvent
2020-06-05 00:43:52
NVIDIA/TRTorch
https://api.github.com/repos/NVIDIA/TRTorch
closed
Start to handle branching in simple cases
component: conversion component: lowering enhancement priority: high
The system works pretty well for traced models, but not much work has been done with torch script models that have branching. I noticed some common cases that we should be able to handle include branching for none arguments such as graphs like this: ``` %50 : Function = prim::Constant[name="linear"]() %53 : bool = prim::Constant[value=0]() # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:7 %54 : None = prim::Constant() # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:40 %55 : int = prim::Constant[value=2]() # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:22 %56 : int = prim::Constant[value=1]() # :0:0 %57 : int = aten::dim(%input1.1) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:7 %58 : bool = aten::eq(%57, %55) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:7 %59 : bool = prim::If(%58) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:7 block0(): %60 : bool = aten::__isnot__(%94, %54) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:28 -> (%60) block1(): -> (%53) %input2.1 : Tensor = prim::If(%59) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:4 block0(): %bias0.4 : Tensor = prim::unchecked_cast(%94) %101 : Tensor = aten::linear(%input1.1, %95, %bias0.4) -> (%101) block1(): %106 : Tensor? = prim::Constant() %107 : Tensor = aten::linear(%input1.1, %95, %106) %67 : bool = aten::__isnot__(%94, %54) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1373:11 %output0.6 : Tensor = prim::If(%67) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1373:8 block0(): %bias1.4 : Tensor = prim::unchecked_cast(%94) %output0.7 : Tensor = aten::add_(%107, %bias1.4, %56) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1374:12 -> (%output0.7) block1(): -> (%107) -> (%output0.6) ```
1.0
Start to handle branching in simple cases - The system works pretty well for traced models, but not much work has been done with torch script models that have branching. I noticed some common cases that we should be able to handle include branching for none arguments such as graphs like this: ``` %50 : Function = prim::Constant[name="linear"]() %53 : bool = prim::Constant[value=0]() # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:7 %54 : None = prim::Constant() # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:40 %55 : int = prim::Constant[value=2]() # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:22 %56 : int = prim::Constant[value=1]() # :0:0 %57 : int = aten::dim(%input1.1) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:7 %58 : bool = aten::eq(%57, %55) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:7 %59 : bool = prim::If(%58) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:7 block0(): %60 : bool = aten::__isnot__(%94, %54) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:28 -> (%60) block1(): -> (%53) %input2.1 : Tensor = prim::If(%59) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1368:4 block0(): %bias0.4 : Tensor = prim::unchecked_cast(%94) %101 : Tensor = aten::linear(%input1.1, %95, %bias0.4) -> (%101) block1(): %106 : Tensor? = prim::Constant() %107 : Tensor = aten::linear(%input1.1, %95, %106) %67 : bool = aten::__isnot__(%94, %54) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1373:11 %output0.6 : Tensor = prim::If(%67) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1373:8 block0(): %bias1.4 : Tensor = prim::unchecked_cast(%94) %output0.7 : Tensor = aten::add_(%107, %bias1.4, %56) # /usr/local/lib/python3.6/dist-packages/torch/nn/functional.py:1374:12 -> (%output0.7) block1(): -> (%107) -> (%output0.6) ```
priority
start to handle branching in simple cases the system works pretty well for traced models but not much work has been done with torch script models that have branching i noticed some common cases that we should be able to handle include branching for none arguments such as graphs like this function prim constant bool prim constant usr local lib dist packages torch nn functional py none prim constant usr local lib dist packages torch nn functional py int prim constant usr local lib dist packages torch nn functional py int prim constant int aten dim usr local lib dist packages torch nn functional py bool aten eq usr local lib dist packages torch nn functional py bool prim if usr local lib dist packages torch nn functional py bool aten isnot usr local lib dist packages torch nn functional py tensor prim if usr local lib dist packages torch nn functional py tensor prim unchecked cast tensor aten linear tensor prim constant tensor aten linear bool aten isnot usr local lib dist packages torch nn functional py tensor prim if usr local lib dist packages torch nn functional py tensor prim unchecked cast tensor aten add usr local lib dist packages torch nn functional py
1
575,328
17,027,560,299
IssuesEvent
2021-07-03 21:37:15
yairEO/tagify
https://api.github.com/repos/yairEO/tagify
closed
Single change event instead of multiple events with addTags
Bug: high priority
The addTags API results in calling change and add event multiple times once for each tag. Is it possible to instead raise a single bulk event for change? Otherwise, if the change handler does something expensive then it ends up being done 3 times.
1.0
Single change event instead of multiple events with addTags - The addTags API results in calling change and add event multiple times once for each tag. Is it possible to instead raise a single bulk event for change? Otherwise, if the change handler does something expensive then it ends up being done 3 times.
priority
single change event instead of multiple events with addtags the addtags api results in calling change and add event multiple times once for each tag is it possible to instead raise a single bulk event for change otherwise if the change handler does something expensive then it ends up being done times
1
20,821
2,631,441,352
IssuesEvent
2015-03-07 02:42:21
Esri/briefing-book
https://api.github.com/repos/Esri/briefing-book
closed
Pull v1.4 is displaying books differently than the last release version of BB.
High Priority
Pull v1.4 #181 Using the same book, in the v.1.4 application and the currently release version reveals that there is a difference in the way the book is displayed. (Testing the comparison was completed in the same browser, on the same machine at the same resolution). In the code review, I didn't see anything that would indicate this would change. My concern is that maybe this pull request doesn't have the most up to date code from the original repo. Or maybe we missed a CSS reference somewhere. Please investigate. Comparison - Side by Side. Blue App is currently released version - Grey App is the v1.4 pull request ![alignmentissue](https://cloud.githubusercontent.com/assets/2379312/5710067/19ff9af4-9a6d-11e4-8d65-eddadeb3d2ab.png) Blue App is currently released version - Scroll is NOT visible ![originalrelease1](https://cloud.githubusercontent.com/assets/2379312/5710196/0c010130-9a6e-11e4-9988-80a599cd2fda.png) Grey App is the v1.4 pull request - Scroll is Visible ![v1 4release1](https://cloud.githubusercontent.com/assets/2379312/5710200/0ebaf19c-9a6e-11e4-9194-c20545edd516.png)
1.0
Pull v1.4 is displaying books differently than the last release version of BB. - Pull v1.4 #181 Using the same book, in the v.1.4 application and the currently release version reveals that there is a difference in the way the book is displayed. (Testing the comparison was completed in the same browser, on the same machine at the same resolution). In the code review, I didn't see anything that would indicate this would change. My concern is that maybe this pull request doesn't have the most up to date code from the original repo. Or maybe we missed a CSS reference somewhere. Please investigate. Comparison - Side by Side. Blue App is currently released version - Grey App is the v1.4 pull request ![alignmentissue](https://cloud.githubusercontent.com/assets/2379312/5710067/19ff9af4-9a6d-11e4-8d65-eddadeb3d2ab.png) Blue App is currently released version - Scroll is NOT visible ![originalrelease1](https://cloud.githubusercontent.com/assets/2379312/5710196/0c010130-9a6e-11e4-9988-80a599cd2fda.png) Grey App is the v1.4 pull request - Scroll is Visible ![v1 4release1](https://cloud.githubusercontent.com/assets/2379312/5710200/0ebaf19c-9a6e-11e4-9194-c20545edd516.png)
priority
pull is displaying books differently than the last release version of bb pull using the same book in the v application and the currently release version reveals that there is a difference in the way the book is displayed testing the comparison was completed in the same browser on the same machine at the same resolution in the code review i didn t see anything that would indicate this would change my concern is that maybe this pull request doesn t have the most up to date code from the original repo or maybe we missed a css reference somewhere please investigate comparison side by side blue app is currently released version grey app is the pull request blue app is currently released version scroll is not visible grey app is the pull request scroll is visible
1
656,370
21,728,068,687
IssuesEvent
2022-05-11 09:27:16
HorridTom/hospitalflow
https://api.github.com/repos/HorridTom/hospitalflow
opened
Wards-specialties contingency matrix
enhancement high priority
In the development of boarding analysis, the first step is to create a function that would take a spell table as an input and output a matrix with wards as rows and physician specialties as columns. First write the test, then the function.
1.0
Wards-specialties contingency matrix - In the development of boarding analysis, the first step is to create a function that would take a spell table as an input and output a matrix with wards as rows and physician specialties as columns. First write the test, then the function.
priority
wards specialties contingency matrix in the development of boarding analysis the first step is to create a function that would take a spell table as an input and output a matrix with wards as rows and physician specialties as columns first write the test then the function
1
399,814
11,760,893,182
IssuesEvent
2020-03-13 20:38:38
OpenLiberty/open-liberty
https://api.github.com/repos/OpenLiberty/open-liberty
closed
acmeCA2-2.0: Round 2 of initial messages for the acmeFeature
priority/high team:Core Security team:Wendigo East
Add messages from AcmeProviderImpl and do some clean up. For #9017
1.0
acmeCA2-2.0: Round 2 of initial messages for the acmeFeature - Add messages from AcmeProviderImpl and do some clean up. For #9017
priority
round of initial messages for the acmefeature add messages from acmeproviderimpl and do some clean up for
1
636,644
20,604,766,858
IssuesEvent
2022-03-06 20:16:38
BlueCodeSystems/opensrp-client-ecap-chw
https://api.github.com/repos/BlueCodeSystems/opensrp-client-ecap-chw
closed
On index VCA screening the subpopulation "At risk adolescents girls and young women (AGYW)" should not be active for an index that is below 10 years
Client's Feedback High Priority
![Screenshot_20220217-125628_Ecap II](https://user-images.githubusercontent.com/86519642/154466099-989d17b6-1aff-4e08-808f-09bb9ae35b72.jpg)
1.0
On index VCA screening the subpopulation "At risk adolescents girls and young women (AGYW)" should not be active for an index that is below 10 years - ![Screenshot_20220217-125628_Ecap II](https://user-images.githubusercontent.com/86519642/154466099-989d17b6-1aff-4e08-808f-09bb9ae35b72.jpg)
priority
on index vca screening the subpopulation at risk adolescents girls and young women agyw should not be active for an index that is below years
1