Unnamed: 0
int64 0
832k
| id
float64 2.49B
32.1B
| type
stringclasses 1
value | created_at
stringlengths 19
19
| repo
stringlengths 5
112
| repo_url
stringlengths 34
141
| action
stringclasses 3
values | title
stringlengths 1
757
| labels
stringlengths 4
664
| body
stringlengths 3
261k
| index
stringclasses 10
values | text_combine
stringlengths 96
261k
| label
stringclasses 2
values | text
stringlengths 96
232k
| binary_label
int64 0
1
|
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
206,399
| 16,040,559,001
|
IssuesEvent
|
2021-04-22 07:18:34
|
rsocket/rsocket-java
|
https://api.github.com/repos/rsocket/rsocket-java
|
closed
|
Document use of TLS with RSocket
|
documentation
|
Sample project available on Github: https://github.com/codependent/rsocket-tls/
The full context of this problem can be found on [StackOverflow](https://stackoverflow.com/questions/58944152/rsocket-not-working-when-secured-with-tls-server-java-lang-unsupportedoperatio).
The problem is that without TLS on the server/client, the communication works perfectly, but after securing them it fails.
Here's the full server and client code:
```
import io.netty.handler.ssl.SslContextBuilder
import io.rsocket.AbstractRSocket
import io.rsocket.Payload
import io.rsocket.RSocketFactory
import io.rsocket.frame.decoder.PayloadDecoder
import io.rsocket.transport.netty.server.TcpServerTransport
import io.rsocket.util.DefaultPayload
import reactor.core.publisher.Flux
import reactor.core.publisher.Mono
import reactor.core.publisher.toFlux
import reactor.netty.tcp.TcpServer
import java.io.File
import java.util.concurrent.CountDownLatch
import kotlin.random.Random
import kotlin.random.nextUInt
class RequestStreamRSocketServer
@ExperimentalUnsignedTypes
fun main() {
val latch = CountDownLatch(1)
RSocketFactory.receive()
.frameDecoder(PayloadDecoder.DEFAULT)
.acceptor { setup, sendingSocket ->
Mono.just(
object : AbstractRSocket() {
override fun requestStream(payload: Payload): Flux<Payload> {
val randomNumberGenerator = Random(1234)
val numbers = payload.dataUtf8.toInt()
println("Generating $numbers random numbers")
return IntRange(1, numbers)
.map { DefaultPayload.create(randomNumberGenerator.nextUInt().toString().toByteArray()) }
.toList().toFlux()
}
})
}
.transport(
TcpServerTransport.create(TcpServer.create().port(7878).secure {
it.sslContext(
SslContextBuilder.forServer(
File(RequestStreamRSocketServer::class.java.getResource("certificate.pem").toURI()),
File(RequestStreamRSocketServer::class.java.getResource("key.pem").toURI())
)
)
})
)
.start()
.block()
?.onClose()
latch.await()
}
```
```
import io.netty.handler.ssl.SslContextBuilder
import io.rsocket.RSocketFactory
import io.rsocket.frame.decoder.PayloadDecoder
import io.rsocket.transport.netty.client.TcpClientTransport
import io.rsocket.util.DefaultPayload
import reactor.netty.tcp.TcpClient
import java.util.concurrent.CountDownLatch
class RequestStreamRSocketClient
@ExperimentalUnsignedTypes
fun main() {
val latch = CountDownLatch(1)
val path = RequestStreamRSocketClient::class.java.getResource("truststore.jks").path
System.setProperty("javax.net.ssl.trustStore", path)
System.setProperty("javax.net.ssl.trustStorePassword", "123456")
val client = RSocketFactory.connect()
.frameDecoder(PayloadDecoder.DEFAULT)
.transport(TcpClientTransport.create(TcpClient.create().port(7878).secure {
it.sslContext(SslContextBuilder.forClient())
}))
.start()
.block()
client.requestStream(DefaultPayload.create("10"))
.map { it.dataUtf8 }
.doOnNext(System.out::println)
.doOnComplete { latch.countDown() }
.doOnError { it.printStackTrace() }
.subscribe()
latch.await()
}
```
Server log:
```
/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/bin/java "-javaagent:/Applications/IntelliJ IDEA.app/Contents/lib/idea_rt.jar=52226:/Applications/IntelliJ IDEA.app/Contents/bin" -Dfile.encoding=UTF-8 -classpath /Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/charsets.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/deploy.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/cldrdata.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/dnsns.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/jaccess.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/jfxrt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/localedata.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/nashorn.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunec.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunjce_provider.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunpkcs11.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/zipfs.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/javaws.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jce.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jfr.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jfxswt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jsse.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/management-agent.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/plugin.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/resources.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/rt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/ant-javafx.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/dt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/javafx-mx.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/jconsole.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/packager.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/sa-jdi.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/tools.jar:/Users/jose/git/codependent/github/rsocket-simple-client/build/classes/java/main:/Users/jose/git/codependent/github/rsocket-simple-client/out/production/resources:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-jdk8/1.3.50/bf65725d4ae2cf00010d84e945fcbc201f590e11/kotlin-stdlib-jdk8-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.rsocket/rsocket-transport-netty/1.0.0-RC5/7d0093068e332fcbfa3e9f5de971174a795a9122/rsocket-transport-netty-1.0.0-RC5.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.rsocket/rsocket-core/1.0.0-RC5/fbe165e1e57c5748a40af66832206c4616aa6290/rsocket-core-1.0.0-RC5.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-jdk7/1.3.50/50ad05ea1c2595fb31b800e76db464d08d599af3/kotlin-stdlib-jdk7-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib/1.3.50/b529d1738c7e98bbfa36a4134039528f2ce78ebf/kotlin-stdlib-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor.netty/reactor-netty/0.9.0.RELEASE/f0a0ae4e38ad8b36596ffe4bf82519cf8fc4adfb/reactor-netty-0.9.0.RELEASE.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-http2/4.1.39.Final/6e4660fb8b1054e34e09aa95a10115edf0d74f37/netty-codec-http2-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-handler-proxy/4.1.39.Final/8a5c8a0b4ceb75531d04a14e0e65839ee07f2378/netty-handler-proxy-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-http/4.1.39.Final/732d06961162e27fa3ae5989541c4460853745d3/netty-codec-http-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-handler/4.1.39.Final/4a63b56de071c1b10a56b5d90095e4201ea4098f/netty-handler-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport-native-epoll/4.1.39.Final/ab86de9bb5fccbfb60a9c0036a3516ad9b8befbb/netty-transport-native-epoll-4.1.39.Final-linux-x86_64.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-socks/4.1.39.Final/adc3df7362874b53c11e56f79c53ebea97d29aa7/netty-codec-socks-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec/4.1.39.Final/38b9d79e31f6b00bd680f88c0289a2522d30d05b/netty-codec-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport-native-unix-common/4.1.39.Final/e5d94d2f6847919afbbfdb08a7a9e1f9ae19b101/netty-transport-native-unix-common-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport/4.1.39.Final/25374210da8a561689c4280e9d5661ff5dee30b7/netty-transport-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-buffer/4.1.39.Final/3518c7c7d0097460eeeaba32fb0c241b9cbe628a/netty-buffer-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor/reactor-core/3.3.0.RELEASE/4824f980e5696e95289d5fb0de62e3d34508b358/reactor-core-3.3.0.RELEASE.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.slf4j/slf4j-api/1.7.25/da76ca59f6a57ee3102f8f9bd9cee742973efa8a/slf4j-api-1.7.25.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-common/1.3.50/3d9cd3e1bc7b92e95f43d45be3bfbcf38e36ab87/kotlin-stdlib-common-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains/annotations/13.0/919f0dfe192fb4e063e7dacadee7f8bb9a2672a9/annotations-13.0.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-resolver/4.1.39.Final/2ca0a547341ba72dacf60121302357e7ea110b96/netty-resolver-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-common/4.1.39.Final/9c8c6d0dd43ee26ec8052a42d3ee1113dc6c08ed/netty-common-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.reactivestreams/reactive-streams/1.0.3/d9fb7a7926ffa635b3dcaa5049fb2bfa25b3e7d0/reactive-streams-1.0.3.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor.addons/reactor-pool/0.1.0.RELEASE/3aa0e33a1647a85e94bea47d7efb57c46977c71a/reactor-pool-0.1.0.RELEASE.jar RequestStreamRSocketServerKt
SLF4J: Failed to load class "org.slf4j.impl.StaticLoggerBinder".
SLF4J: Defaulting to no-operation (NOP) logger implementation
SLF4J: See http://www.slf4j.org/codes.html#StaticLoggerBinder for further details.
Generating 10 random numbers
java.lang.IllegalArgumentException: promise already done: DefaultChannelPromise@74ed1d6a(failure: java.lang.UnsupportedOperationException)
at io.netty.channel.AbstractChannelHandlerContext.isNotValidPromise(AbstractChannelHandlerContext.java:891)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:773)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:701)
at io.netty.handler.ssl.SslHandler.finishWrap(SslHandler.java:899)
at io.netty.handler.ssl.SslHandler.wrap(SslHandler.java:885)
at io.netty.handler.ssl.SslHandler.wrapAndFlush(SslHandler.java:797)
at io.netty.handler.ssl.SslHandler.flush(SslHandler.java:778)
at io.netty.channel.AbstractChannelHandlerContext.invokeFlush0(AbstractChannelHandlerContext.java:749)
at io.netty.channel.AbstractChannelHandlerContext.invokeFlush(AbstractChannelHandlerContext.java:741)
at io.netty.channel.AbstractChannelHandlerContext.flush(AbstractChannelHandlerContext.java:727)
at reactor.netty.channel.MonoSendMany$SendManyInner$AsyncFlush.run(MonoSendMany.java:621)
at io.netty.util.concurrent.AbstractEventExecutor.safeExecute(AbstractEventExecutor.java:163)
at io.netty.util.concurrent.SingleThreadEventExecutor.runAllTasks(SingleThreadEventExecutor.java:416)
at io.netty.channel.nio.NioEventLoop.run(NioEventLoop.java:515)
at io.netty.util.concurrent.SingleThreadEventExecutor$5.run(SingleThreadEventExecutor.java:918)
at io.netty.util.internal.ThreadExecutorMap$2.run(ThreadExecutorMap.java:74)
at io.netty.util.concurrent.FastThreadLocalRunnable.run(FastThreadLocalRunnable.java:30)
at java.lang.Thread.run(Thread.java:748)
```
Client log:
```
/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/bin/java "-javaagent:/Applications/IntelliJ IDEA.app/Contents/lib/idea_rt.jar=52243:/Applications/IntelliJ IDEA.app/Contents/bin" -Dfile.encoding=UTF-8 -classpath /Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/charsets.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/deploy.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/cldrdata.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/dnsns.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/jaccess.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/jfxrt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/localedata.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/nashorn.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunec.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunjce_provider.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunpkcs11.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/zipfs.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/javaws.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jce.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jfr.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jfxswt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jsse.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/management-agent.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/plugin.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/resources.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/rt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/ant-javafx.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/dt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/javafx-mx.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/jconsole.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/packager.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/sa-jdi.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/tools.jar:/Users/jose/git/codependent/github/rsocket-simple-client/build/classes/java/main:/Users/jose/git/codependent/github/rsocket-simple-client/out/production/resources:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-jdk8/1.3.50/bf65725d4ae2cf00010d84e945fcbc201f590e11/kotlin-stdlib-jdk8-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.rsocket/rsocket-transport-netty/1.0.0-RC5/7d0093068e332fcbfa3e9f5de971174a795a9122/rsocket-transport-netty-1.0.0-RC5.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.rsocket/rsocket-core/1.0.0-RC5/fbe165e1e57c5748a40af66832206c4616aa6290/rsocket-core-1.0.0-RC5.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-jdk7/1.3.50/50ad05ea1c2595fb31b800e76db464d08d599af3/kotlin-stdlib-jdk7-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib/1.3.50/b529d1738c7e98bbfa36a4134039528f2ce78ebf/kotlin-stdlib-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor.netty/reactor-netty/0.9.0.RELEASE/f0a0ae4e38ad8b36596ffe4bf82519cf8fc4adfb/reactor-netty-0.9.0.RELEASE.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-http2/4.1.39.Final/6e4660fb8b1054e34e09aa95a10115edf0d74f37/netty-codec-http2-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-handler-proxy/4.1.39.Final/8a5c8a0b4ceb75531d04a14e0e65839ee07f2378/netty-handler-proxy-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-http/4.1.39.Final/732d06961162e27fa3ae5989541c4460853745d3/netty-codec-http-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-handler/4.1.39.Final/4a63b56de071c1b10a56b5d90095e4201ea4098f/netty-handler-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport-native-epoll/4.1.39.Final/ab86de9bb5fccbfb60a9c0036a3516ad9b8befbb/netty-transport-native-epoll-4.1.39.Final-linux-x86_64.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-socks/4.1.39.Final/adc3df7362874b53c11e56f79c53ebea97d29aa7/netty-codec-socks-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec/4.1.39.Final/38b9d79e31f6b00bd680f88c0289a2522d30d05b/netty-codec-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport-native-unix-common/4.1.39.Final/e5d94d2f6847919afbbfdb08a7a9e1f9ae19b101/netty-transport-native-unix-common-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport/4.1.39.Final/25374210da8a561689c4280e9d5661ff5dee30b7/netty-transport-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-buffer/4.1.39.Final/3518c7c7d0097460eeeaba32fb0c241b9cbe628a/netty-buffer-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor/reactor-core/3.3.0.RELEASE/4824f980e5696e95289d5fb0de62e3d34508b358/reactor-core-3.3.0.RELEASE.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.slf4j/slf4j-api/1.7.25/da76ca59f6a57ee3102f8f9bd9cee742973efa8a/slf4j-api-1.7.25.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-common/1.3.50/3d9cd3e1bc7b92e95f43d45be3bfbcf38e36ab87/kotlin-stdlib-common-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains/annotations/13.0/919f0dfe192fb4e063e7dacadee7f8bb9a2672a9/annotations-13.0.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-resolver/4.1.39.Final/2ca0a547341ba72dacf60121302357e7ea110b96/netty-resolver-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-common/4.1.39.Final/9c8c6d0dd43ee26ec8052a42d3ee1113dc6c08ed/netty-common-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.reactivestreams/reactive-streams/1.0.3/d9fb7a7926ffa635b3dcaa5049fb2bfa25b3e7d0/reactive-streams-1.0.3.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor.addons/reactor-pool/0.1.0.RELEASE/3aa0e33a1647a85e94bea47d7efb57c46977c71a/reactor-pool-0.1.0.RELEASE.jar RequestStreamRSocketClientKt
SLF4J: Failed to load class "org.slf4j.impl.StaticLoggerBinder".
SLF4J: Defaulting to no-operation (NOP) logger implementation
SLF4J: See http://www.slf4j.org/codes.html#StaticLoggerBinder for further details.
java.nio.channels.ClosedChannelException
at io.rsocket.RSocketRequester.terminate(RSocketRequester.java:476)
at io.rsocket.RSocketRequester.lambda$new$0(RSocketRequester.java:94)
at reactor.core.publisher.FluxDoFinally$DoFinallySubscriber.runFinally(FluxDoFinally.java:156)
at reactor.core.publisher.FluxDoFinally$DoFinallySubscriber.onComplete(FluxDoFinally.java:139)
at reactor.core.publisher.MonoProcessor$NextInner.onComplete(MonoProcessor.java:518)
at reactor.core.publisher.MonoProcessor.onNext(MonoProcessor.java:308)
at reactor.core.publisher.MonoProcessor.onComplete(MonoProcessor.java:265)
at io.rsocket.internal.BaseDuplexConnection.dispose(BaseDuplexConnection.java:23)
at io.rsocket.transport.netty.TcpDuplexConnection.lambda$new$0(TcpDuplexConnection.java:61)
at io.netty.util.concurrent.DefaultPromise.notifyListener0(DefaultPromise.java:500)
at io.netty.util.concurrent.DefaultPromise.notifyListeners0(DefaultPromise.java:493)
at io.netty.util.concurrent.DefaultPromise.notifyListenersNow(DefaultPromise.java:472)
at io.netty.util.concurrent.DefaultPromise.notifyListeners(DefaultPromise.java:413)
at io.netty.util.concurrent.DefaultPromise.setValue0(DefaultPromise.java:538)
at io.netty.util.concurrent.DefaultPromise.setSuccess0(DefaultPromise.java:527)
at io.netty.util.concurrent.DefaultPromise.trySuccess(DefaultPromise.java:98)
at io.netty.channel.DefaultChannelPromise.trySuccess(DefaultChannelPromise.java:84)
at io.netty.channel.AbstractChannel$CloseFuture.setClosed(AbstractChannel.java:1156)
at io.netty.channel.AbstractChannel$AbstractUnsafe.doClose0(AbstractChannel.java:758)
at io.netty.channel.AbstractChannel$AbstractUnsafe.close(AbstractChannel.java:734)
at io.netty.channel.AbstractChannel$AbstractUnsafe.close(AbstractChannel.java:605)
at io.netty.channel.DefaultChannelPipeline$HeadContext.close(DefaultChannelPipeline.java:1363)
at io.netty.channel.AbstractChannelHandlerContext.invokeClose(AbstractChannelHandlerContext.java:621)
at io.netty.channel.AbstractChannelHandlerContext.close(AbstractChannelHandlerContext.java:605)
at io.netty.channel.AbstractChannelHandlerContext.close(AbstractChannelHandlerContext.java:467)
at io.netty.handler.ssl.SslHandler.exceptionCaught(SslHandler.java:1092)
at io.netty.channel.AbstractChannelHandlerContext.invokeExceptionCaught(AbstractChannelHandlerContext.java:297)
at io.netty.channel.AbstractChannelHandlerContext.invokeExceptionCaught(AbstractChannelHandlerContext.java:276)
at io.netty.channel.AbstractChannelHandlerContext.fireExceptionCaught(AbstractChannelHandlerContext.java:268)
at io.netty.channel.DefaultChannelPipeline$HeadContext.exceptionCaught(DefaultChannelPipeline.java:1388)
at io.netty.channel.AbstractChannelHandlerContext.invokeExceptionCaught(AbstractChannelHandlerContext.java:297)
at io.netty.channel.AbstractChannelHandlerContext.invokeExceptionCaught(AbstractChannelHandlerContext.java:276)
at io.netty.channel.DefaultChannelPipeline.fireExceptionCaught(DefaultChannelPipeline.java:918)
at io.netty.channel.nio.AbstractNioByteChannel$NioByteUnsafe.handleReadException(AbstractNioByteChannel.java:125)
at io.netty.channel.nio.AbstractNioByteChannel$NioByteUnsafe.read(AbstractNioByteChannel.java:174)
at io.netty.channel.nio.NioEventLoop.processSelectedKey(NioEventLoop.java:697)
at io.netty.channel.nio.NioEventLoop.processSelectedKeysOptimized(NioEventLoop.java:632)
at io.netty.channel.nio.NioEventLoop.processSelectedKeys(NioEventLoop.java:549)
at io.netty.channel.nio.NioEventLoop.run(NioEventLoop.java:511)
at io.netty.util.concurrent.SingleThreadEventExecutor$5.run(SingleThreadEventExecutor.java:918)
at io.netty.util.internal.ThreadExecutorMap$2.run(ThreadExecutorMap.java:74)
at io.netty.util.concurrent.FastThreadLocalRunnable.run(FastThreadLocalRunnable.java:30)
at java.lang.Thread.run(Thread.java:748)
```
I've searched everywhere for a TLS RSocket example but found nothing. Also the docs don't show anything in this regard so I'm not sure whether I'm doing something wrong or there's an actual problem when using TLS.
|
1.0
|
Document use of TLS with RSocket - Sample project available on Github: https://github.com/codependent/rsocket-tls/
The full context of this problem can be found on [StackOverflow](https://stackoverflow.com/questions/58944152/rsocket-not-working-when-secured-with-tls-server-java-lang-unsupportedoperatio).
The problem is that without TLS on the server/client, the communication works perfectly, but after securing them it fails.
Here's the full server and client code:
```
import io.netty.handler.ssl.SslContextBuilder
import io.rsocket.AbstractRSocket
import io.rsocket.Payload
import io.rsocket.RSocketFactory
import io.rsocket.frame.decoder.PayloadDecoder
import io.rsocket.transport.netty.server.TcpServerTransport
import io.rsocket.util.DefaultPayload
import reactor.core.publisher.Flux
import reactor.core.publisher.Mono
import reactor.core.publisher.toFlux
import reactor.netty.tcp.TcpServer
import java.io.File
import java.util.concurrent.CountDownLatch
import kotlin.random.Random
import kotlin.random.nextUInt
class RequestStreamRSocketServer
@ExperimentalUnsignedTypes
fun main() {
val latch = CountDownLatch(1)
RSocketFactory.receive()
.frameDecoder(PayloadDecoder.DEFAULT)
.acceptor { setup, sendingSocket ->
Mono.just(
object : AbstractRSocket() {
override fun requestStream(payload: Payload): Flux<Payload> {
val randomNumberGenerator = Random(1234)
val numbers = payload.dataUtf8.toInt()
println("Generating $numbers random numbers")
return IntRange(1, numbers)
.map { DefaultPayload.create(randomNumberGenerator.nextUInt().toString().toByteArray()) }
.toList().toFlux()
}
})
}
.transport(
TcpServerTransport.create(TcpServer.create().port(7878).secure {
it.sslContext(
SslContextBuilder.forServer(
File(RequestStreamRSocketServer::class.java.getResource("certificate.pem").toURI()),
File(RequestStreamRSocketServer::class.java.getResource("key.pem").toURI())
)
)
})
)
.start()
.block()
?.onClose()
latch.await()
}
```
```
import io.netty.handler.ssl.SslContextBuilder
import io.rsocket.RSocketFactory
import io.rsocket.frame.decoder.PayloadDecoder
import io.rsocket.transport.netty.client.TcpClientTransport
import io.rsocket.util.DefaultPayload
import reactor.netty.tcp.TcpClient
import java.util.concurrent.CountDownLatch
class RequestStreamRSocketClient
@ExperimentalUnsignedTypes
fun main() {
val latch = CountDownLatch(1)
val path = RequestStreamRSocketClient::class.java.getResource("truststore.jks").path
System.setProperty("javax.net.ssl.trustStore", path)
System.setProperty("javax.net.ssl.trustStorePassword", "123456")
val client = RSocketFactory.connect()
.frameDecoder(PayloadDecoder.DEFAULT)
.transport(TcpClientTransport.create(TcpClient.create().port(7878).secure {
it.sslContext(SslContextBuilder.forClient())
}))
.start()
.block()
client.requestStream(DefaultPayload.create("10"))
.map { it.dataUtf8 }
.doOnNext(System.out::println)
.doOnComplete { latch.countDown() }
.doOnError { it.printStackTrace() }
.subscribe()
latch.await()
}
```
Server log:
```
/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/bin/java "-javaagent:/Applications/IntelliJ IDEA.app/Contents/lib/idea_rt.jar=52226:/Applications/IntelliJ IDEA.app/Contents/bin" -Dfile.encoding=UTF-8 -classpath /Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/charsets.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/deploy.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/cldrdata.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/dnsns.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/jaccess.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/jfxrt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/localedata.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/nashorn.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunec.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunjce_provider.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunpkcs11.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/zipfs.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/javaws.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jce.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jfr.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jfxswt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jsse.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/management-agent.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/plugin.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/resources.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/rt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/ant-javafx.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/dt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/javafx-mx.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/jconsole.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/packager.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/sa-jdi.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/tools.jar:/Users/jose/git/codependent/github/rsocket-simple-client/build/classes/java/main:/Users/jose/git/codependent/github/rsocket-simple-client/out/production/resources:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-jdk8/1.3.50/bf65725d4ae2cf00010d84e945fcbc201f590e11/kotlin-stdlib-jdk8-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.rsocket/rsocket-transport-netty/1.0.0-RC5/7d0093068e332fcbfa3e9f5de971174a795a9122/rsocket-transport-netty-1.0.0-RC5.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.rsocket/rsocket-core/1.0.0-RC5/fbe165e1e57c5748a40af66832206c4616aa6290/rsocket-core-1.0.0-RC5.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-jdk7/1.3.50/50ad05ea1c2595fb31b800e76db464d08d599af3/kotlin-stdlib-jdk7-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib/1.3.50/b529d1738c7e98bbfa36a4134039528f2ce78ebf/kotlin-stdlib-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor.netty/reactor-netty/0.9.0.RELEASE/f0a0ae4e38ad8b36596ffe4bf82519cf8fc4adfb/reactor-netty-0.9.0.RELEASE.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-http2/4.1.39.Final/6e4660fb8b1054e34e09aa95a10115edf0d74f37/netty-codec-http2-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-handler-proxy/4.1.39.Final/8a5c8a0b4ceb75531d04a14e0e65839ee07f2378/netty-handler-proxy-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-http/4.1.39.Final/732d06961162e27fa3ae5989541c4460853745d3/netty-codec-http-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-handler/4.1.39.Final/4a63b56de071c1b10a56b5d90095e4201ea4098f/netty-handler-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport-native-epoll/4.1.39.Final/ab86de9bb5fccbfb60a9c0036a3516ad9b8befbb/netty-transport-native-epoll-4.1.39.Final-linux-x86_64.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-socks/4.1.39.Final/adc3df7362874b53c11e56f79c53ebea97d29aa7/netty-codec-socks-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec/4.1.39.Final/38b9d79e31f6b00bd680f88c0289a2522d30d05b/netty-codec-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport-native-unix-common/4.1.39.Final/e5d94d2f6847919afbbfdb08a7a9e1f9ae19b101/netty-transport-native-unix-common-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport/4.1.39.Final/25374210da8a561689c4280e9d5661ff5dee30b7/netty-transport-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-buffer/4.1.39.Final/3518c7c7d0097460eeeaba32fb0c241b9cbe628a/netty-buffer-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor/reactor-core/3.3.0.RELEASE/4824f980e5696e95289d5fb0de62e3d34508b358/reactor-core-3.3.0.RELEASE.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.slf4j/slf4j-api/1.7.25/da76ca59f6a57ee3102f8f9bd9cee742973efa8a/slf4j-api-1.7.25.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-common/1.3.50/3d9cd3e1bc7b92e95f43d45be3bfbcf38e36ab87/kotlin-stdlib-common-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains/annotations/13.0/919f0dfe192fb4e063e7dacadee7f8bb9a2672a9/annotations-13.0.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-resolver/4.1.39.Final/2ca0a547341ba72dacf60121302357e7ea110b96/netty-resolver-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-common/4.1.39.Final/9c8c6d0dd43ee26ec8052a42d3ee1113dc6c08ed/netty-common-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.reactivestreams/reactive-streams/1.0.3/d9fb7a7926ffa635b3dcaa5049fb2bfa25b3e7d0/reactive-streams-1.0.3.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor.addons/reactor-pool/0.1.0.RELEASE/3aa0e33a1647a85e94bea47d7efb57c46977c71a/reactor-pool-0.1.0.RELEASE.jar RequestStreamRSocketServerKt
SLF4J: Failed to load class "org.slf4j.impl.StaticLoggerBinder".
SLF4J: Defaulting to no-operation (NOP) logger implementation
SLF4J: See http://www.slf4j.org/codes.html#StaticLoggerBinder for further details.
Generating 10 random numbers
java.lang.IllegalArgumentException: promise already done: DefaultChannelPromise@74ed1d6a(failure: java.lang.UnsupportedOperationException)
at io.netty.channel.AbstractChannelHandlerContext.isNotValidPromise(AbstractChannelHandlerContext.java:891)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:773)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:701)
at io.netty.handler.ssl.SslHandler.finishWrap(SslHandler.java:899)
at io.netty.handler.ssl.SslHandler.wrap(SslHandler.java:885)
at io.netty.handler.ssl.SslHandler.wrapAndFlush(SslHandler.java:797)
at io.netty.handler.ssl.SslHandler.flush(SslHandler.java:778)
at io.netty.channel.AbstractChannelHandlerContext.invokeFlush0(AbstractChannelHandlerContext.java:749)
at io.netty.channel.AbstractChannelHandlerContext.invokeFlush(AbstractChannelHandlerContext.java:741)
at io.netty.channel.AbstractChannelHandlerContext.flush(AbstractChannelHandlerContext.java:727)
at reactor.netty.channel.MonoSendMany$SendManyInner$AsyncFlush.run(MonoSendMany.java:621)
at io.netty.util.concurrent.AbstractEventExecutor.safeExecute(AbstractEventExecutor.java:163)
at io.netty.util.concurrent.SingleThreadEventExecutor.runAllTasks(SingleThreadEventExecutor.java:416)
at io.netty.channel.nio.NioEventLoop.run(NioEventLoop.java:515)
at io.netty.util.concurrent.SingleThreadEventExecutor$5.run(SingleThreadEventExecutor.java:918)
at io.netty.util.internal.ThreadExecutorMap$2.run(ThreadExecutorMap.java:74)
at io.netty.util.concurrent.FastThreadLocalRunnable.run(FastThreadLocalRunnable.java:30)
at java.lang.Thread.run(Thread.java:748)
```
Client log:
```
/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/bin/java "-javaagent:/Applications/IntelliJ IDEA.app/Contents/lib/idea_rt.jar=52243:/Applications/IntelliJ IDEA.app/Contents/bin" -Dfile.encoding=UTF-8 -classpath /Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/charsets.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/deploy.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/cldrdata.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/dnsns.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/jaccess.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/jfxrt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/localedata.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/nashorn.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunec.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunjce_provider.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/sunpkcs11.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/ext/zipfs.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/javaws.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jce.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jfr.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jfxswt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/jsse.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/management-agent.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/plugin.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/resources.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/jre/lib/rt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/ant-javafx.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/dt.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/javafx-mx.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/jconsole.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/packager.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/sa-jdi.jar:/Library/Java/JavaVirtualMachines/jdk1.8.0_201.jdk/Contents/Home/lib/tools.jar:/Users/jose/git/codependent/github/rsocket-simple-client/build/classes/java/main:/Users/jose/git/codependent/github/rsocket-simple-client/out/production/resources:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-jdk8/1.3.50/bf65725d4ae2cf00010d84e945fcbc201f590e11/kotlin-stdlib-jdk8-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.rsocket/rsocket-transport-netty/1.0.0-RC5/7d0093068e332fcbfa3e9f5de971174a795a9122/rsocket-transport-netty-1.0.0-RC5.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.rsocket/rsocket-core/1.0.0-RC5/fbe165e1e57c5748a40af66832206c4616aa6290/rsocket-core-1.0.0-RC5.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-jdk7/1.3.50/50ad05ea1c2595fb31b800e76db464d08d599af3/kotlin-stdlib-jdk7-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib/1.3.50/b529d1738c7e98bbfa36a4134039528f2ce78ebf/kotlin-stdlib-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor.netty/reactor-netty/0.9.0.RELEASE/f0a0ae4e38ad8b36596ffe4bf82519cf8fc4adfb/reactor-netty-0.9.0.RELEASE.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-http2/4.1.39.Final/6e4660fb8b1054e34e09aa95a10115edf0d74f37/netty-codec-http2-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-handler-proxy/4.1.39.Final/8a5c8a0b4ceb75531d04a14e0e65839ee07f2378/netty-handler-proxy-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-http/4.1.39.Final/732d06961162e27fa3ae5989541c4460853745d3/netty-codec-http-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-handler/4.1.39.Final/4a63b56de071c1b10a56b5d90095e4201ea4098f/netty-handler-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport-native-epoll/4.1.39.Final/ab86de9bb5fccbfb60a9c0036a3516ad9b8befbb/netty-transport-native-epoll-4.1.39.Final-linux-x86_64.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec-socks/4.1.39.Final/adc3df7362874b53c11e56f79c53ebea97d29aa7/netty-codec-socks-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-codec/4.1.39.Final/38b9d79e31f6b00bd680f88c0289a2522d30d05b/netty-codec-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport-native-unix-common/4.1.39.Final/e5d94d2f6847919afbbfdb08a7a9e1f9ae19b101/netty-transport-native-unix-common-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-transport/4.1.39.Final/25374210da8a561689c4280e9d5661ff5dee30b7/netty-transport-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-buffer/4.1.39.Final/3518c7c7d0097460eeeaba32fb0c241b9cbe628a/netty-buffer-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor/reactor-core/3.3.0.RELEASE/4824f980e5696e95289d5fb0de62e3d34508b358/reactor-core-3.3.0.RELEASE.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.slf4j/slf4j-api/1.7.25/da76ca59f6a57ee3102f8f9bd9cee742973efa8a/slf4j-api-1.7.25.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains.kotlin/kotlin-stdlib-common/1.3.50/3d9cd3e1bc7b92e95f43d45be3bfbcf38e36ab87/kotlin-stdlib-common-1.3.50.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.jetbrains/annotations/13.0/919f0dfe192fb4e063e7dacadee7f8bb9a2672a9/annotations-13.0.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-resolver/4.1.39.Final/2ca0a547341ba72dacf60121302357e7ea110b96/netty-resolver-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.netty/netty-common/4.1.39.Final/9c8c6d0dd43ee26ec8052a42d3ee1113dc6c08ed/netty-common-4.1.39.Final.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/org.reactivestreams/reactive-streams/1.0.3/d9fb7a7926ffa635b3dcaa5049fb2bfa25b3e7d0/reactive-streams-1.0.3.jar:/Users/jose/.gradle/caches/modules-2/files-2.1/io.projectreactor.addons/reactor-pool/0.1.0.RELEASE/3aa0e33a1647a85e94bea47d7efb57c46977c71a/reactor-pool-0.1.0.RELEASE.jar RequestStreamRSocketClientKt
SLF4J: Failed to load class "org.slf4j.impl.StaticLoggerBinder".
SLF4J: Defaulting to no-operation (NOP) logger implementation
SLF4J: See http://www.slf4j.org/codes.html#StaticLoggerBinder for further details.
java.nio.channels.ClosedChannelException
at io.rsocket.RSocketRequester.terminate(RSocketRequester.java:476)
at io.rsocket.RSocketRequester.lambda$new$0(RSocketRequester.java:94)
at reactor.core.publisher.FluxDoFinally$DoFinallySubscriber.runFinally(FluxDoFinally.java:156)
at reactor.core.publisher.FluxDoFinally$DoFinallySubscriber.onComplete(FluxDoFinally.java:139)
at reactor.core.publisher.MonoProcessor$NextInner.onComplete(MonoProcessor.java:518)
at reactor.core.publisher.MonoProcessor.onNext(MonoProcessor.java:308)
at reactor.core.publisher.MonoProcessor.onComplete(MonoProcessor.java:265)
at io.rsocket.internal.BaseDuplexConnection.dispose(BaseDuplexConnection.java:23)
at io.rsocket.transport.netty.TcpDuplexConnection.lambda$new$0(TcpDuplexConnection.java:61)
at io.netty.util.concurrent.DefaultPromise.notifyListener0(DefaultPromise.java:500)
at io.netty.util.concurrent.DefaultPromise.notifyListeners0(DefaultPromise.java:493)
at io.netty.util.concurrent.DefaultPromise.notifyListenersNow(DefaultPromise.java:472)
at io.netty.util.concurrent.DefaultPromise.notifyListeners(DefaultPromise.java:413)
at io.netty.util.concurrent.DefaultPromise.setValue0(DefaultPromise.java:538)
at io.netty.util.concurrent.DefaultPromise.setSuccess0(DefaultPromise.java:527)
at io.netty.util.concurrent.DefaultPromise.trySuccess(DefaultPromise.java:98)
at io.netty.channel.DefaultChannelPromise.trySuccess(DefaultChannelPromise.java:84)
at io.netty.channel.AbstractChannel$CloseFuture.setClosed(AbstractChannel.java:1156)
at io.netty.channel.AbstractChannel$AbstractUnsafe.doClose0(AbstractChannel.java:758)
at io.netty.channel.AbstractChannel$AbstractUnsafe.close(AbstractChannel.java:734)
at io.netty.channel.AbstractChannel$AbstractUnsafe.close(AbstractChannel.java:605)
at io.netty.channel.DefaultChannelPipeline$HeadContext.close(DefaultChannelPipeline.java:1363)
at io.netty.channel.AbstractChannelHandlerContext.invokeClose(AbstractChannelHandlerContext.java:621)
at io.netty.channel.AbstractChannelHandlerContext.close(AbstractChannelHandlerContext.java:605)
at io.netty.channel.AbstractChannelHandlerContext.close(AbstractChannelHandlerContext.java:467)
at io.netty.handler.ssl.SslHandler.exceptionCaught(SslHandler.java:1092)
at io.netty.channel.AbstractChannelHandlerContext.invokeExceptionCaught(AbstractChannelHandlerContext.java:297)
at io.netty.channel.AbstractChannelHandlerContext.invokeExceptionCaught(AbstractChannelHandlerContext.java:276)
at io.netty.channel.AbstractChannelHandlerContext.fireExceptionCaught(AbstractChannelHandlerContext.java:268)
at io.netty.channel.DefaultChannelPipeline$HeadContext.exceptionCaught(DefaultChannelPipeline.java:1388)
at io.netty.channel.AbstractChannelHandlerContext.invokeExceptionCaught(AbstractChannelHandlerContext.java:297)
at io.netty.channel.AbstractChannelHandlerContext.invokeExceptionCaught(AbstractChannelHandlerContext.java:276)
at io.netty.channel.DefaultChannelPipeline.fireExceptionCaught(DefaultChannelPipeline.java:918)
at io.netty.channel.nio.AbstractNioByteChannel$NioByteUnsafe.handleReadException(AbstractNioByteChannel.java:125)
at io.netty.channel.nio.AbstractNioByteChannel$NioByteUnsafe.read(AbstractNioByteChannel.java:174)
at io.netty.channel.nio.NioEventLoop.processSelectedKey(NioEventLoop.java:697)
at io.netty.channel.nio.NioEventLoop.processSelectedKeysOptimized(NioEventLoop.java:632)
at io.netty.channel.nio.NioEventLoop.processSelectedKeys(NioEventLoop.java:549)
at io.netty.channel.nio.NioEventLoop.run(NioEventLoop.java:511)
at io.netty.util.concurrent.SingleThreadEventExecutor$5.run(SingleThreadEventExecutor.java:918)
at io.netty.util.internal.ThreadExecutorMap$2.run(ThreadExecutorMap.java:74)
at io.netty.util.concurrent.FastThreadLocalRunnable.run(FastThreadLocalRunnable.java:30)
at java.lang.Thread.run(Thread.java:748)
```
I've searched everywhere for a TLS RSocket example but found nothing. Also the docs don't show anything in this regard so I'm not sure whether I'm doing something wrong or there's an actual problem when using TLS.
|
non_defect
|
document use of tls with rsocket sample project available on github the full context of this problem can be found on the problem is that without tls on the server client the communication works perfectly but after securing them it fails here s the full server and client code import io netty handler ssl sslcontextbuilder import io rsocket abstractrsocket import io rsocket payload import io rsocket rsocketfactory import io rsocket frame decoder payloaddecoder import io rsocket transport netty server tcpservertransport import io rsocket util defaultpayload import reactor core publisher flux import reactor core publisher mono import reactor core publisher toflux import reactor netty tcp tcpserver import java io file import java util concurrent countdownlatch import kotlin random random import kotlin random nextuint class requeststreamrsocketserver experimentalunsignedtypes fun main val latch countdownlatch rsocketfactory receive framedecoder payloaddecoder default acceptor setup sendingsocket mono just object abstractrsocket override fun requeststream payload payload flux val randomnumbergenerator random val numbers payload toint println generating numbers random numbers return intrange numbers map defaultpayload create randomnumbergenerator nextuint tostring tobytearray tolist toflux transport tcpservertransport create tcpserver create port secure it sslcontext sslcontextbuilder forserver file requeststreamrsocketserver class java getresource certificate pem touri file requeststreamrsocketserver class java getresource key pem touri start block onclose latch await import io netty handler ssl sslcontextbuilder import io rsocket rsocketfactory import io rsocket frame decoder payloaddecoder import io rsocket transport netty client tcpclienttransport import io rsocket util defaultpayload import reactor netty tcp tcpclient import java util concurrent countdownlatch class requeststreamrsocketclient experimentalunsignedtypes fun main val latch countdownlatch val path requeststreamrsocketclient class java getresource truststore jks path system setproperty javax net ssl truststore path system setproperty javax net ssl truststorepassword val client rsocketfactory connect framedecoder payloaddecoder default transport tcpclienttransport create tcpclient create port secure it sslcontext sslcontextbuilder forclient start block client requeststream defaultpayload create map it doonnext system out println dooncomplete latch countdown doonerror it printstacktrace subscribe latch await server log library java javavirtualmachines jdk contents home bin java javaagent applications intellij idea app contents lib idea rt jar applications intellij idea app contents bin dfile encoding utf classpath library java javavirtualmachines jdk contents home jre lib charsets jar library java javavirtualmachines jdk contents home jre lib deploy jar library java javavirtualmachines jdk contents home jre lib ext cldrdata jar library java javavirtualmachines jdk contents home jre lib ext dnsns jar library java javavirtualmachines jdk contents home jre lib ext jaccess jar library java javavirtualmachines jdk contents home jre lib ext jfxrt jar library java javavirtualmachines jdk contents home jre lib ext localedata jar library java javavirtualmachines jdk contents home jre lib ext nashorn jar library java javavirtualmachines jdk contents home jre lib ext sunec jar library java javavirtualmachines jdk contents home jre lib ext sunjce provider jar library java javavirtualmachines jdk contents home jre lib ext jar library java javavirtualmachines jdk contents home jre lib ext zipfs jar library java javavirtualmachines jdk contents home jre lib javaws jar library java javavirtualmachines jdk contents home jre lib jce jar library java javavirtualmachines jdk contents home jre lib jfr jar library java javavirtualmachines jdk contents home jre lib jfxswt jar library java javavirtualmachines jdk contents home jre lib jsse jar library java javavirtualmachines jdk contents home jre lib management agent jar library java javavirtualmachines jdk contents home jre lib plugin jar library java javavirtualmachines jdk contents home jre lib resources jar library java javavirtualmachines jdk contents home jre lib rt jar library java javavirtualmachines jdk contents home lib ant javafx jar library java javavirtualmachines jdk contents home lib dt jar library java javavirtualmachines jdk contents home lib javafx mx jar library java javavirtualmachines jdk contents home lib jconsole jar library java javavirtualmachines jdk contents home lib packager jar library java javavirtualmachines jdk contents home lib sa jdi jar library java javavirtualmachines jdk contents home lib tools jar users jose git codependent github rsocket simple client build classes java main users jose git codependent github rsocket simple client out production resources users jose gradle caches modules files org jetbrains kotlin kotlin stdlib kotlin stdlib jar users jose gradle caches modules files io rsocket rsocket transport netty rsocket transport netty jar users jose gradle caches modules files io rsocket rsocket core rsocket core jar users jose gradle caches modules files org jetbrains kotlin kotlin stdlib kotlin stdlib jar users jose gradle caches modules files org jetbrains kotlin kotlin stdlib kotlin stdlib jar users jose gradle caches modules files io projectreactor netty reactor netty release reactor netty release jar users jose gradle caches modules files io netty netty codec final netty codec final jar users jose gradle caches modules files io netty netty handler proxy final netty handler proxy final jar users jose gradle caches modules files io netty netty codec http final netty codec http final jar users jose gradle caches modules files io netty netty handler final netty handler final jar users jose gradle caches modules files io netty netty transport native epoll final netty transport native epoll final linux jar users jose gradle caches modules files io netty netty codec socks final netty codec socks final jar users jose gradle caches modules files io netty netty codec final netty codec final jar users jose gradle caches modules files io netty netty transport native unix common final netty transport native unix common final jar users jose gradle caches modules files io netty netty transport final netty transport final jar users jose gradle caches modules files io netty netty buffer final netty buffer final jar users jose gradle caches modules files io projectreactor reactor core release reactor core release jar users jose gradle caches modules files org api api jar users jose gradle caches modules files org jetbrains kotlin kotlin stdlib common kotlin stdlib common jar users jose gradle caches modules files org jetbrains annotations annotations jar users jose gradle caches modules files io netty netty resolver final netty resolver final jar users jose gradle caches modules files io netty netty common final netty common final jar users jose gradle caches modules files org reactivestreams reactive streams reactive streams jar users jose gradle caches modules files io projectreactor addons reactor pool release reactor pool release jar requeststreamrsocketserverkt failed to load class org impl staticloggerbinder defaulting to no operation nop logger implementation see for further details generating random numbers java lang illegalargumentexception promise already done defaultchannelpromise failure java lang unsupportedoperationexception at io netty channel abstractchannelhandlercontext isnotvalidpromise abstractchannelhandlercontext java at io netty channel abstractchannelhandlercontext write abstractchannelhandlercontext java at io netty channel abstractchannelhandlercontext write abstractchannelhandlercontext java at io netty handler ssl sslhandler finishwrap sslhandler java at io netty handler ssl sslhandler wrap sslhandler java at io netty handler ssl sslhandler wrapandflush sslhandler java at io netty handler ssl sslhandler flush sslhandler java at io netty channel abstractchannelhandlercontext abstractchannelhandlercontext java at io netty channel abstractchannelhandlercontext invokeflush abstractchannelhandlercontext java at io netty channel abstractchannelhandlercontext flush abstractchannelhandlercontext java at reactor netty channel monosendmany sendmanyinner asyncflush run monosendmany java at io netty util concurrent abstracteventexecutor safeexecute abstracteventexecutor java at io netty util concurrent singlethreadeventexecutor runalltasks singlethreadeventexecutor java at io netty channel nio nioeventloop run nioeventloop java at io netty util concurrent singlethreadeventexecutor run singlethreadeventexecutor java at io netty util internal threadexecutormap run threadexecutormap java at io netty util concurrent fastthreadlocalrunnable run fastthreadlocalrunnable java at java lang thread run thread java client log library java javavirtualmachines jdk contents home bin java javaagent applications intellij idea app contents lib idea rt jar applications intellij idea app contents bin dfile encoding utf classpath library java javavirtualmachines jdk contents home jre lib charsets jar library java javavirtualmachines jdk contents home jre lib deploy jar library java javavirtualmachines jdk contents home jre lib ext cldrdata jar library java javavirtualmachines jdk contents home jre lib ext dnsns jar library java javavirtualmachines jdk contents home jre lib ext jaccess jar library java javavirtualmachines jdk contents home jre lib ext jfxrt jar library java javavirtualmachines jdk contents home jre lib ext localedata jar library java javavirtualmachines jdk contents home jre lib ext nashorn jar library java javavirtualmachines jdk contents home jre lib ext sunec jar library java javavirtualmachines jdk contents home jre lib ext sunjce provider jar library java javavirtualmachines jdk contents home jre lib ext jar library java javavirtualmachines jdk contents home jre lib ext zipfs jar library java javavirtualmachines jdk contents home jre lib javaws jar library java javavirtualmachines jdk contents home jre lib jce jar library java javavirtualmachines jdk contents home jre lib jfr jar library java javavirtualmachines jdk contents home jre lib jfxswt jar library java javavirtualmachines jdk contents home jre lib jsse jar library java javavirtualmachines jdk contents home jre lib management agent jar library java javavirtualmachines jdk contents home jre lib plugin jar library java javavirtualmachines jdk contents home jre lib resources jar library java javavirtualmachines jdk contents home jre lib rt jar library java javavirtualmachines jdk contents home lib ant javafx jar library java javavirtualmachines jdk contents home lib dt jar library java javavirtualmachines jdk contents home lib javafx mx jar library java javavirtualmachines jdk contents home lib jconsole jar library java javavirtualmachines jdk contents home lib packager jar library java javavirtualmachines jdk contents home lib sa jdi jar library java javavirtualmachines jdk contents home lib tools jar users jose git codependent github rsocket simple client build classes java main users jose git codependent github rsocket simple client out production resources users jose gradle caches modules files org jetbrains kotlin kotlin stdlib kotlin stdlib jar users jose gradle caches modules files io rsocket rsocket transport netty rsocket transport netty jar users jose gradle caches modules files io rsocket rsocket core rsocket core jar users jose gradle caches modules files org jetbrains kotlin kotlin stdlib kotlin stdlib jar users jose gradle caches modules files org jetbrains kotlin kotlin stdlib kotlin stdlib jar users jose gradle caches modules files io projectreactor netty reactor netty release reactor netty release jar users jose gradle caches modules files io netty netty codec final netty codec final jar users jose gradle caches modules files io netty netty handler proxy final netty handler proxy final jar users jose gradle caches modules files io netty netty codec http final netty codec http final jar users jose gradle caches modules files io netty netty handler final netty handler final jar users jose gradle caches modules files io netty netty transport native epoll final netty transport native epoll final linux jar users jose gradle caches modules files io netty netty codec socks final netty codec socks final jar users jose gradle caches modules files io netty netty codec final netty codec final jar users jose gradle caches modules files io netty netty transport native unix common final netty transport native unix common final jar users jose gradle caches modules files io netty netty transport final netty transport final jar users jose gradle caches modules files io netty netty buffer final netty buffer final jar users jose gradle caches modules files io projectreactor reactor core release reactor core release jar users jose gradle caches modules files org api api jar users jose gradle caches modules files org jetbrains kotlin kotlin stdlib common kotlin stdlib common jar users jose gradle caches modules files org jetbrains annotations annotations jar users jose gradle caches modules files io netty netty resolver final netty resolver final jar users jose gradle caches modules files io netty netty common final netty common final jar users jose gradle caches modules files org reactivestreams reactive streams reactive streams jar users jose gradle caches modules files io projectreactor addons reactor pool release reactor pool release jar requeststreamrsocketclientkt failed to load class org impl staticloggerbinder defaulting to no operation nop logger implementation see for further details java nio channels closedchannelexception at io rsocket rsocketrequester terminate rsocketrequester java at io rsocket rsocketrequester lambda new rsocketrequester java at reactor core publisher fluxdofinally dofinallysubscriber runfinally fluxdofinally java at reactor core publisher fluxdofinally dofinallysubscriber oncomplete fluxdofinally java at reactor core publisher monoprocessor nextinner oncomplete monoprocessor java at reactor core publisher monoprocessor onnext monoprocessor java at reactor core publisher monoprocessor oncomplete monoprocessor java at io rsocket internal baseduplexconnection dispose baseduplexconnection java at io rsocket transport netty tcpduplexconnection lambda new tcpduplexconnection java at io netty util concurrent defaultpromise defaultpromise java at io netty util concurrent defaultpromise defaultpromise java at io netty util concurrent defaultpromise notifylistenersnow defaultpromise java at io netty util concurrent defaultpromise notifylisteners defaultpromise java at io netty util concurrent defaultpromise defaultpromise java at io netty util concurrent defaultpromise defaultpromise java at io netty util concurrent defaultpromise trysuccess defaultpromise java at io netty channel defaultchannelpromise trysuccess defaultchannelpromise java at io netty channel abstractchannel closefuture setclosed abstractchannel java at io netty channel abstractchannel abstractunsafe abstractchannel java at io netty channel abstractchannel abstractunsafe close abstractchannel java at io netty channel abstractchannel abstractunsafe close abstractchannel java at io netty channel defaultchannelpipeline headcontext close defaultchannelpipeline java at io netty channel abstractchannelhandlercontext invokeclose abstractchannelhandlercontext java at io netty channel abstractchannelhandlercontext close abstractchannelhandlercontext java at io netty channel abstractchannelhandlercontext close abstractchannelhandlercontext java at io netty handler ssl sslhandler exceptioncaught sslhandler java at io netty channel abstractchannelhandlercontext invokeexceptioncaught abstractchannelhandlercontext java at io netty channel abstractchannelhandlercontext invokeexceptioncaught abstractchannelhandlercontext java at io netty channel abstractchannelhandlercontext fireexceptioncaught abstractchannelhandlercontext java at io netty channel defaultchannelpipeline headcontext exceptioncaught defaultchannelpipeline java at io netty channel abstractchannelhandlercontext invokeexceptioncaught abstractchannelhandlercontext java at io netty channel abstractchannelhandlercontext invokeexceptioncaught abstractchannelhandlercontext java at io netty channel defaultchannelpipeline fireexceptioncaught defaultchannelpipeline java at io netty channel nio abstractniobytechannel niobyteunsafe handlereadexception abstractniobytechannel java at io netty channel nio abstractniobytechannel niobyteunsafe read abstractniobytechannel java at io netty channel nio nioeventloop processselectedkey nioeventloop java at io netty channel nio nioeventloop processselectedkeysoptimized nioeventloop java at io netty channel nio nioeventloop processselectedkeys nioeventloop java at io netty channel nio nioeventloop run nioeventloop java at io netty util concurrent singlethreadeventexecutor run singlethreadeventexecutor java at io netty util internal threadexecutormap run threadexecutormap java at io netty util concurrent fastthreadlocalrunnable run fastthreadlocalrunnable java at java lang thread run thread java i ve searched everywhere for a tls rsocket example but found nothing also the docs don t show anything in this regard so i m not sure whether i m doing something wrong or there s an actual problem when using tls
| 0
|
61,997
| 17,023,828,112
|
IssuesEvent
|
2021-07-03 04:03:38
|
tomhughes/trac-tickets
|
https://api.github.com/repos/tomhughes/trac-tickets
|
closed
|
nominatim query does not work with housenumber
|
Component: nominatim Priority: minor Resolution: fixed Type: defect
|
**[Submitted to the original trac issue database at 7.49pm, Sunday, 30th September 2012]**
For some addresses the query does not work if it contains a house number
http://nominatim.openstreetmap.org/search?q=Gr%C3%BCnberger+Str+1+10243+Berlin&format=json&polygon=1&addressdetails=1 returns an empty object, but i got a result before. Unfortenutally I cannot say since when this happens :(
http://nominatim.openstreetmap.org/search?q=Gr%C3%BCnberger+Str+10243+Berlin&format=json&polygon=1&addressdetails=1 still returns data
Same for this address http://nominatim.openstreetmap.org/search?q=Adlershorststr+35+15806+Zossen&format=json&polygon=1&addressdetails=1
only works without house number http://nominatim.openstreetmap.org/search?q=Adlershorststr+15806+Zossen&format=json&polygon=1&addressdetails=1
I testet 15 addresses I know I got a result before. Now they do not work. I found no address with house number that worked for me.
|
1.0
|
nominatim query does not work with housenumber - **[Submitted to the original trac issue database at 7.49pm, Sunday, 30th September 2012]**
For some addresses the query does not work if it contains a house number
http://nominatim.openstreetmap.org/search?q=Gr%C3%BCnberger+Str+1+10243+Berlin&format=json&polygon=1&addressdetails=1 returns an empty object, but i got a result before. Unfortenutally I cannot say since when this happens :(
http://nominatim.openstreetmap.org/search?q=Gr%C3%BCnberger+Str+10243+Berlin&format=json&polygon=1&addressdetails=1 still returns data
Same for this address http://nominatim.openstreetmap.org/search?q=Adlershorststr+35+15806+Zossen&format=json&polygon=1&addressdetails=1
only works without house number http://nominatim.openstreetmap.org/search?q=Adlershorststr+15806+Zossen&format=json&polygon=1&addressdetails=1
I testet 15 addresses I know I got a result before. Now they do not work. I found no address with house number that worked for me.
|
defect
|
nominatim query does not work with housenumber for some addresses the query does not work if it contains a house number returns an empty object but i got a result before unfortenutally i cannot say since when this happens still returns data same for this address only works without house number i testet addresses i know i got a result before now they do not work i found no address with house number that worked for me
| 1
|
28,116
| 5,192,226,591
|
IssuesEvent
|
2017-01-22 05:56:18
|
markfirmware/Examples
|
https://api.github.com/repos/markfirmware/Examples
|
closed
|
Advanced Example DedicatedCpu warning var "Message" not initialized
|
4 - Done defect upstream
|
ThreadUnit.pas(290,43) Warning: Local variable "Message" does not seem to be initialized
<!---
@huboard:{"custom_state":"","order":4.0,"milestone_order":4}
-->
FYI all the label additions and removals below were caused by inexperience with HuBoard.
|
1.0
|
Advanced Example DedicatedCpu warning var "Message" not initialized - ThreadUnit.pas(290,43) Warning: Local variable "Message" does not seem to be initialized
<!---
@huboard:{"custom_state":"","order":4.0,"milestone_order":4}
-->
FYI all the label additions and removals below were caused by inexperience with HuBoard.
|
defect
|
advanced example dedicatedcpu warning var message not initialized threadunit pas warning local variable message does not seem to be initialized huboard custom state order milestone order fyi all the label additions and removals below were caused by inexperience with huboard
| 1
|
8,372
| 2,611,494,932
|
IssuesEvent
|
2015-02-27 05:34:47
|
chrsmith/hedgewars
|
https://api.github.com/repos/chrsmith/hedgewars
|
closed
|
Drawn map canvas and alt-tab impression
|
auto-migrated Priority-Medium Type-Defect
|
```
What steps will reproduce the problem?
Steps need to be done 1 by one if you will avoid any or already done all of
them you have to run again hedgewars to try reproducing the issue.
1. Open hedgewars go straight to multiplayer.
2. Choose handdrawn map and click on map to draw.
3. Draw something.
4. change position of hedgewars window then change to another window and again
change position of hedgewars window.
5. Repeat step 4 to see the results sometimes it happens sometimes not...
What is the expected output? What do you see instead?
See attached file
What version of the product are you using? On what operating system?
Ubuntu 11.10
Trunk
Please provide any additional information below.
```
Original issue reported on code.google.com by `dsa.wow....@gmail.com` on 1 Apr 2012 at 9:58
Attachments:
* [Error.png](https://storage.googleapis.com/google-code-attachments/hedgewars/issue-381/comment-0/Error.png)
|
1.0
|
Drawn map canvas and alt-tab impression - ```
What steps will reproduce the problem?
Steps need to be done 1 by one if you will avoid any or already done all of
them you have to run again hedgewars to try reproducing the issue.
1. Open hedgewars go straight to multiplayer.
2. Choose handdrawn map and click on map to draw.
3. Draw something.
4. change position of hedgewars window then change to another window and again
change position of hedgewars window.
5. Repeat step 4 to see the results sometimes it happens sometimes not...
What is the expected output? What do you see instead?
See attached file
What version of the product are you using? On what operating system?
Ubuntu 11.10
Trunk
Please provide any additional information below.
```
Original issue reported on code.google.com by `dsa.wow....@gmail.com` on 1 Apr 2012 at 9:58
Attachments:
* [Error.png](https://storage.googleapis.com/google-code-attachments/hedgewars/issue-381/comment-0/Error.png)
|
defect
|
drawn map canvas and alt tab impression what steps will reproduce the problem steps need to be done by one if you will avoid any or already done all of them you have to run again hedgewars to try reproducing the issue open hedgewars go straight to multiplayer choose handdrawn map and click on map to draw draw something change position of hedgewars window then change to another window and again change position of hedgewars window repeat step to see the results sometimes it happens sometimes not what is the expected output what do you see instead see attached file what version of the product are you using on what operating system ubuntu trunk please provide any additional information below original issue reported on code google com by dsa wow gmail com on apr at attachments
| 1
|
8,831
| 2,612,905,548
|
IssuesEvent
|
2015-02-27 17:25:43
|
chrsmith/windows-package-manager
|
https://api.github.com/repos/chrsmith/windows-package-manager
|
closed
|
Some packages install unwanted software
|
auto-migrated Type-Defect
|
```
What steps will reproduce the problem?
1. install a package
2. watch chrome getting installed and replace your current browser as default
3.
What is the expected output? What do you see instead?
self explanatory.
i think it was cdburnerxp
What version of the product are you using? On what operating system?
1.15.6 on windows xp sp3
Please provide any additional information below.
```
Original issue reported on code.google.com by `jerobarr...@gmail.com` on 13 Feb 2012 at 9:43
|
1.0
|
Some packages install unwanted software - ```
What steps will reproduce the problem?
1. install a package
2. watch chrome getting installed and replace your current browser as default
3.
What is the expected output? What do you see instead?
self explanatory.
i think it was cdburnerxp
What version of the product are you using? On what operating system?
1.15.6 on windows xp sp3
Please provide any additional information below.
```
Original issue reported on code.google.com by `jerobarr...@gmail.com` on 13 Feb 2012 at 9:43
|
defect
|
some packages install unwanted software what steps will reproduce the problem install a package watch chrome getting installed and replace your current browser as default what is the expected output what do you see instead self explanatory i think it was cdburnerxp what version of the product are you using on what operating system on windows xp please provide any additional information below original issue reported on code google com by jerobarr gmail com on feb at
| 1
|
3,108
| 4,165,420,704
|
IssuesEvent
|
2016-06-19 13:44:09
|
NixOS/nixpkgs
|
https://api.github.com/repos/NixOS/nixpkgs
|
closed
|
grsecurity: Out-of-box experience
|
0.kind: bug 6.topic: grsecurity
|
## Issue description
After switching to the grsecurity kernel with desktop profile, not very many of my daily applications seem to work anymore.
Most importantly, I have to reboot and choose a prior generation to get off the kernel. `nixos-rebuild switch` will fail every time.
Chromium refuses because it cannot properly sandbox.
All of these issues may be user errors, I don't know. But @joachifm had asked me to open this as a bug as the OOB experience is quite poor.
### Steps to reproduce
- Switch `kernelPackages = pkgs.linuxPackages_latest;` to `kernelPackages = pkgs.linuxPackages_grsec_desktop_4_5;` in `configuration.nix`, `nixos-rebuild switch`, reboot.
- `nix-env -i <ANYTHING>` or change the configuration (i.e. switch back to the normal "latest" kernel) and `nixos-rebuild switch`
Both will have similar output to this:
```
[Sat 16/05/07 14:53 UTC][pts/0][x86_64/linux-gnu/4.5.3-grsec][5.2]
<root@nixus:~>
zsh 1241 # nixos-rebuild switch
building Nix...
building the system configuration...
these derivations will be built:
/nix/store/d28r2ck82j4f8wm999wwqfli41mzdpdv-etc-nixos.conf.drv
/nix/store/z571d4zz6k7zl1ybz6mg37z3qznbgk6c-unit-systemd-sysctl.service.drv
/nix/store/48y2vgy5c8jynq5v5cwxm7w47mkjwhbn-system-units.drv
/nix/store/0hgxcb1vkylh6hxv6fbqyb8h2hhrpihr-etc.drv
/nix/store/25yw44zlik8libs2azhiww18qhpqkq8q-nixos-system-nixus-16.09pre82794.e936f7d.drv
building path(s) ‘/nix/store/8zjwnq7j0w892g5djsn7asd55yixw95z-etc-nixos.conf’
error: while setting up the build environment: cannot unmount real root filesystem: Operation not permitted
```
The journal has more details:
```
May 07 14:54:09 nixus kernel: grsec: use of CAP_SYS_ADMIN in chroot denied for /nix/store/bg1h0brg33pzs8r72iv6cwiml8kv66s5-nix-1.11.2/bin/nix-daemon[nix-daemon:1292] uid/euid:0/0 gid/egid:0/0, parent /nix/store/bg1h0brg33pzs8r72iv6cwiml8k
```
Chromium prints this into the journal, just like Dropbox.
```
May 07 14:50:46 nixus kernel: grsec: denied resource overstep by requesting 26 for RLIMIT_NICE against limit 0 for /nix/store/788kcc4ygxs5qnggrapmprbjr59lpcza-chromium-49.0.2623.110/libexec/chromium/chromium[chromium:1105]
```
## Technical details
* System: 16.09pre81686.f1675d9 (Flounder)
* Nix version: nix-env (Nix) 1.11.2
* Nixpkgs version: "16.09pre82794.e936f7d"
|
True
|
grsecurity: Out-of-box experience - ## Issue description
After switching to the grsecurity kernel with desktop profile, not very many of my daily applications seem to work anymore.
Most importantly, I have to reboot and choose a prior generation to get off the kernel. `nixos-rebuild switch` will fail every time.
Chromium refuses because it cannot properly sandbox.
All of these issues may be user errors, I don't know. But @joachifm had asked me to open this as a bug as the OOB experience is quite poor.
### Steps to reproduce
- Switch `kernelPackages = pkgs.linuxPackages_latest;` to `kernelPackages = pkgs.linuxPackages_grsec_desktop_4_5;` in `configuration.nix`, `nixos-rebuild switch`, reboot.
- `nix-env -i <ANYTHING>` or change the configuration (i.e. switch back to the normal "latest" kernel) and `nixos-rebuild switch`
Both will have similar output to this:
```
[Sat 16/05/07 14:53 UTC][pts/0][x86_64/linux-gnu/4.5.3-grsec][5.2]
<root@nixus:~>
zsh 1241 # nixos-rebuild switch
building Nix...
building the system configuration...
these derivations will be built:
/nix/store/d28r2ck82j4f8wm999wwqfli41mzdpdv-etc-nixos.conf.drv
/nix/store/z571d4zz6k7zl1ybz6mg37z3qznbgk6c-unit-systemd-sysctl.service.drv
/nix/store/48y2vgy5c8jynq5v5cwxm7w47mkjwhbn-system-units.drv
/nix/store/0hgxcb1vkylh6hxv6fbqyb8h2hhrpihr-etc.drv
/nix/store/25yw44zlik8libs2azhiww18qhpqkq8q-nixos-system-nixus-16.09pre82794.e936f7d.drv
building path(s) ‘/nix/store/8zjwnq7j0w892g5djsn7asd55yixw95z-etc-nixos.conf’
error: while setting up the build environment: cannot unmount real root filesystem: Operation not permitted
```
The journal has more details:
```
May 07 14:54:09 nixus kernel: grsec: use of CAP_SYS_ADMIN in chroot denied for /nix/store/bg1h0brg33pzs8r72iv6cwiml8kv66s5-nix-1.11.2/bin/nix-daemon[nix-daemon:1292] uid/euid:0/0 gid/egid:0/0, parent /nix/store/bg1h0brg33pzs8r72iv6cwiml8k
```
Chromium prints this into the journal, just like Dropbox.
```
May 07 14:50:46 nixus kernel: grsec: denied resource overstep by requesting 26 for RLIMIT_NICE against limit 0 for /nix/store/788kcc4ygxs5qnggrapmprbjr59lpcza-chromium-49.0.2623.110/libexec/chromium/chromium[chromium:1105]
```
## Technical details
* System: 16.09pre81686.f1675d9 (Flounder)
* Nix version: nix-env (Nix) 1.11.2
* Nixpkgs version: "16.09pre82794.e936f7d"
|
non_defect
|
grsecurity out of box experience issue description after switching to the grsecurity kernel with desktop profile not very many of my daily applications seem to work anymore most importantly i have to reboot and choose a prior generation to get off the kernel nixos rebuild switch will fail every time chromium refuses because it cannot properly sandbox all of these issues may be user errors i don t know but joachifm had asked me to open this as a bug as the oob experience is quite poor steps to reproduce switch kernelpackages pkgs linuxpackages latest to kernelpackages pkgs linuxpackages grsec desktop in configuration nix nixos rebuild switch reboot nix env i or change the configuration i e switch back to the normal latest kernel and nixos rebuild switch both will have similar output to this zsh nixos rebuild switch building nix building the system configuration these derivations will be built nix store etc nixos conf drv nix store unit systemd sysctl service drv nix store system units drv nix store etc drv nix store nixos system nixus drv building path s ‘ nix store etc nixos conf’ error while setting up the build environment cannot unmount real root filesystem operation not permitted the journal has more details may nixus kernel grsec use of cap sys admin in chroot denied for nix store nix bin nix daemon uid euid gid egid parent nix store chromium prints this into the journal just like dropbox may nixus kernel grsec denied resource overstep by requesting for rlimit nice against limit for nix store chromium libexec chromium chromium technical details system flounder nix version nix env nix nixpkgs version
| 0
|
156,765
| 24,625,627,237
|
IssuesEvent
|
2022-10-16 13:34:40
|
dotnet/efcore
|
https://api.github.com/repos/dotnet/efcore
|
closed
|
Unexpected results in query
|
closed-by-design customer-reported
|
There are some concurrent situations where following query:
```c#
var wrongOrderRows = await dbContext.OrderRows.Where(or =>or.OrderOrderId == orderId && or.DeliveryDate != null).ToListAsync();
```
results in a list of rows where items are not what I expect:
```c#
bool wrongResult = wrongOrderRows.Any(or => or.DeliveryDate == null);
```
wrongResult is true: wrongOrderRows contains rows with a null DeliveryDate in spite of what was expressed in "where condition".
### Steps to reproduce
I've following (simplified) model:
```c#
public class Order
{
public Order()
{
OrderRows = new HashSet<OrderRow>();
}
[Key]
public long OrderId { get; set; }
[InverseProperty("Order")]
public ICollection<OrderRow> OrderRows { get; set; }
}
public class OrderRow
{
[Key]
public long OrderRowId { get; set; }
[Column(TypeName = "datetime")]
public DateTime? DeliveryDate { get; set; }
[Column("Order_OrderId")]
public long? OrderOrderId { get; set; }
[ForeignKey("OrderOrderId")]
[InverseProperty("OrderRows")]
public Order Order { get; set; }
}
public class OrderServiceDbContext : DbContext
{
public OrderServiceDbContext(DbContextOptions<OrderServiceDbContext> options) : base(options)
{
}
public virtual DbSet<OrderRow> OrderRows { get; set; }
public virtual DbSet<Order> Orders { get; set; }
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
modelBuilder.Entity<OrderRow>(entity =>
{
entity.HasIndex(e => e.OrderOrderId)
.HasName("IX_Order_OrderId");
entity.Property(e => e.OrderRowId).ValueGeneratedNever();
entity.HasOne(d => d.Order)
.WithMany(p => p.OrderRows)
.HasForeignKey(d => d.OrderOrderId);
});
modelBuilder.Entity<Order>(entity =>
{
entity.Property(e => e.OrderId).ValueGeneratedNever();
});
}
}
```
I've a db populated with orders each one containing 10 rows. Code that follows tries to replicate the problem:
```c#
[TestCase]
public void WrongQueryResults()
{
long orderId = 1; // orderId where I want to execute this test
int numTasks = 2;
Task<bool>[] tasks = new Task<bool>[numTasks];
for (int i = 0; i < numTasks; i++)
{
tasks[i] = Task.Run(async () =>
{
// initialize dbContext (foreach thread to exclude possibly shared resources)
var optionsBuilder = new DbContextOptionsBuilder<OrderServiceDbContext>();
optionsBuilder.UseSqlServer(Environment.GetEnvironmentVariable("PMS_SQL_CONNECTION_STRING"));
var dbContextOptions = optionsBuilder.Options;
// try to generate the problem
using (var dbContext = new OrderServiceDbContext(dbContextOptions))
{
// assign null value to all orderRows
var resetOrderRows = await dbContext.OrderRows.Where(or => or.OrderOrderId == orderId).ToListAsync();
foreach (var or in resetOrderRows)
{
or.DeliveryDate = null;
}
// update random row (min 2 threads with different rows to replicate problem)
// using again dbContext is necessary to replicate the problem
var orderRow = await dbContext.OrderRows.Where(or => or.OrderOrderId == orderId).OrderBy(or => Guid.NewGuid()).FirstOrDefaultAsync();
orderRow.DeliveryDate = DateTime.Now;
await dbContext.SaveChangesAsync();
// request DeliveryDate != null but it results rows with DeliveryDate == null
var wrongOrderRows = await dbContext.OrderRows.Where(or => or.OrderOrderId == orderId && or.DeliveryDate != null).ToListAsync();
bool wrongResult = wrongOrderRows.Any(or => or.DeliveryDate == null); // ... when condition in query is != and not ==
return wrongResult;
}
});
}
Task.WaitAll(tasks);
Assert.IsFalse(tasks.Any(t => t.Result));
}
```
### Further technical details
EF Core version: 2.1.4
Database Provider: Microsoft.EntityFrameworkCore.SqlServer
Operating system: microsoft/dotnet:2.1.1-runtime container
IDE: (Visual Studio 2017 15.8.6)
|
1.0
|
Unexpected results in query - There are some concurrent situations where following query:
```c#
var wrongOrderRows = await dbContext.OrderRows.Where(or =>or.OrderOrderId == orderId && or.DeliveryDate != null).ToListAsync();
```
results in a list of rows where items are not what I expect:
```c#
bool wrongResult = wrongOrderRows.Any(or => or.DeliveryDate == null);
```
wrongResult is true: wrongOrderRows contains rows with a null DeliveryDate in spite of what was expressed in "where condition".
### Steps to reproduce
I've following (simplified) model:
```c#
public class Order
{
public Order()
{
OrderRows = new HashSet<OrderRow>();
}
[Key]
public long OrderId { get; set; }
[InverseProperty("Order")]
public ICollection<OrderRow> OrderRows { get; set; }
}
public class OrderRow
{
[Key]
public long OrderRowId { get; set; }
[Column(TypeName = "datetime")]
public DateTime? DeliveryDate { get; set; }
[Column("Order_OrderId")]
public long? OrderOrderId { get; set; }
[ForeignKey("OrderOrderId")]
[InverseProperty("OrderRows")]
public Order Order { get; set; }
}
public class OrderServiceDbContext : DbContext
{
public OrderServiceDbContext(DbContextOptions<OrderServiceDbContext> options) : base(options)
{
}
public virtual DbSet<OrderRow> OrderRows { get; set; }
public virtual DbSet<Order> Orders { get; set; }
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
modelBuilder.Entity<OrderRow>(entity =>
{
entity.HasIndex(e => e.OrderOrderId)
.HasName("IX_Order_OrderId");
entity.Property(e => e.OrderRowId).ValueGeneratedNever();
entity.HasOne(d => d.Order)
.WithMany(p => p.OrderRows)
.HasForeignKey(d => d.OrderOrderId);
});
modelBuilder.Entity<Order>(entity =>
{
entity.Property(e => e.OrderId).ValueGeneratedNever();
});
}
}
```
I've a db populated with orders each one containing 10 rows. Code that follows tries to replicate the problem:
```c#
[TestCase]
public void WrongQueryResults()
{
long orderId = 1; // orderId where I want to execute this test
int numTasks = 2;
Task<bool>[] tasks = new Task<bool>[numTasks];
for (int i = 0; i < numTasks; i++)
{
tasks[i] = Task.Run(async () =>
{
// initialize dbContext (foreach thread to exclude possibly shared resources)
var optionsBuilder = new DbContextOptionsBuilder<OrderServiceDbContext>();
optionsBuilder.UseSqlServer(Environment.GetEnvironmentVariable("PMS_SQL_CONNECTION_STRING"));
var dbContextOptions = optionsBuilder.Options;
// try to generate the problem
using (var dbContext = new OrderServiceDbContext(dbContextOptions))
{
// assign null value to all orderRows
var resetOrderRows = await dbContext.OrderRows.Where(or => or.OrderOrderId == orderId).ToListAsync();
foreach (var or in resetOrderRows)
{
or.DeliveryDate = null;
}
// update random row (min 2 threads with different rows to replicate problem)
// using again dbContext is necessary to replicate the problem
var orderRow = await dbContext.OrderRows.Where(or => or.OrderOrderId == orderId).OrderBy(or => Guid.NewGuid()).FirstOrDefaultAsync();
orderRow.DeliveryDate = DateTime.Now;
await dbContext.SaveChangesAsync();
// request DeliveryDate != null but it results rows with DeliveryDate == null
var wrongOrderRows = await dbContext.OrderRows.Where(or => or.OrderOrderId == orderId && or.DeliveryDate != null).ToListAsync();
bool wrongResult = wrongOrderRows.Any(or => or.DeliveryDate == null); // ... when condition in query is != and not ==
return wrongResult;
}
});
}
Task.WaitAll(tasks);
Assert.IsFalse(tasks.Any(t => t.Result));
}
```
### Further technical details
EF Core version: 2.1.4
Database Provider: Microsoft.EntityFrameworkCore.SqlServer
Operating system: microsoft/dotnet:2.1.1-runtime container
IDE: (Visual Studio 2017 15.8.6)
|
non_defect
|
unexpected results in query there are some concurrent situations where following query c var wrongorderrows await dbcontext orderrows where or or orderorderid orderid or deliverydate null tolistasync results in a list of rows where items are not what i expect c bool wrongresult wrongorderrows any or or deliverydate null wrongresult is true wrongorderrows contains rows with a null deliverydate in spite of what was expressed in where condition steps to reproduce i ve following simplified model c public class order public order orderrows new hashset public long orderid get set public icollection orderrows get set public class orderrow public long orderrowid get set public datetime deliverydate get set public long orderorderid get set public order order get set public class orderservicedbcontext dbcontext public orderservicedbcontext dbcontextoptions options base options public virtual dbset orderrows get set public virtual dbset orders get set protected override void onmodelcreating modelbuilder modelbuilder modelbuilder entity entity entity hasindex e e orderorderid hasname ix order orderid entity property e e orderrowid valuegeneratednever entity hasone d d order withmany p p orderrows hasforeignkey d d orderorderid modelbuilder entity entity entity property e e orderid valuegeneratednever i ve a db populated with orders each one containing rows code that follows tries to replicate the problem c public void wrongqueryresults long orderid orderid where i want to execute this test int numtasks task tasks new task for int i i numtasks i tasks task run async initialize dbcontext foreach thread to exclude possibly shared resources var optionsbuilder new dbcontextoptionsbuilder optionsbuilder usesqlserver environment getenvironmentvariable pms sql connection string var dbcontextoptions optionsbuilder options try to generate the problem using var dbcontext new orderservicedbcontext dbcontextoptions assign null value to all orderrows var resetorderrows await dbcontext orderrows where or or orderorderid orderid tolistasync foreach var or in resetorderrows or deliverydate null update random row min threads with different rows to replicate problem using again dbcontext is necessary to replicate the problem var orderrow await dbcontext orderrows where or or orderorderid orderid orderby or guid newguid firstordefaultasync orderrow deliverydate datetime now await dbcontext savechangesasync request deliverydate null but it results rows with deliverydate null var wrongorderrows await dbcontext orderrows where or or orderorderid orderid or deliverydate null tolistasync bool wrongresult wrongorderrows any or or deliverydate null when condition in query is and not return wrongresult task waitall tasks assert isfalse tasks any t t result further technical details ef core version database provider microsoft entityframeworkcore sqlserver operating system microsoft dotnet runtime container ide visual studio
| 0
|
53,394
| 13,261,514,263
|
IssuesEvent
|
2020-08-20 20:02:12
|
icecube-trac/tix4
|
https://api.github.com/repos/icecube-trac/tix4
|
closed
|
TopologicalSplitter - a slight bump to coverage would make TS a good example (Trac #1301)
|
Migrated from Trac combo simulation defect
|
[http://software.icecube.wisc.edu/coverage/00_LATEST/TopologicalSplitter/private/TopologicalSplitter/TopologicalSplitter.cxx.gcov.html Coverage] could use a slight bump.
<details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/1301">https://code.icecube.wisc.edu/projects/icecube/ticket/1301</a>, reported by negaand owned by cweaver</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2015-08-29T23:01:23",
"_ts": "1440889283486150",
"description": "[http://software.icecube.wisc.edu/coverage/00_LATEST/TopologicalSplitter/private/TopologicalSplitter/TopologicalSplitter.cxx.gcov.html Coverage] could use a slight bump.",
"reporter": "nega",
"cc": "",
"resolution": "fixed",
"time": "2015-08-28T22:26:27",
"component": "combo simulation",
"summary": "TopologicalSplitter - a slight bump to coverage would make TS a good example",
"priority": "normal",
"keywords": "",
"milestone": "",
"owner": "cweaver",
"type": "defect"
}
```
</p>
</details>
|
1.0
|
TopologicalSplitter - a slight bump to coverage would make TS a good example (Trac #1301) - [http://software.icecube.wisc.edu/coverage/00_LATEST/TopologicalSplitter/private/TopologicalSplitter/TopologicalSplitter.cxx.gcov.html Coverage] could use a slight bump.
<details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/1301">https://code.icecube.wisc.edu/projects/icecube/ticket/1301</a>, reported by negaand owned by cweaver</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2015-08-29T23:01:23",
"_ts": "1440889283486150",
"description": "[http://software.icecube.wisc.edu/coverage/00_LATEST/TopologicalSplitter/private/TopologicalSplitter/TopologicalSplitter.cxx.gcov.html Coverage] could use a slight bump.",
"reporter": "nega",
"cc": "",
"resolution": "fixed",
"time": "2015-08-28T22:26:27",
"component": "combo simulation",
"summary": "TopologicalSplitter - a slight bump to coverage would make TS a good example",
"priority": "normal",
"keywords": "",
"milestone": "",
"owner": "cweaver",
"type": "defect"
}
```
</p>
</details>
|
defect
|
topologicalsplitter a slight bump to coverage would make ts a good example trac could use a slight bump migrated from json status closed changetime ts description could use a slight bump reporter nega cc resolution fixed time component combo simulation summary topologicalsplitter a slight bump to coverage would make ts a good example priority normal keywords milestone owner cweaver type defect
| 1
|
715,938
| 24,615,936,930
|
IssuesEvent
|
2022-10-15 10:06:33
|
ppy/osu
|
https://api.github.com/repos/ppy/osu
|
closed
|
Mouse/Cursor doesn't always hide properly when playing a map
|
ruleset:osu!taiko ruleset:osu!mania ruleset:osu!catch type:UI priority:2
|
**Describe the bug:**
Sometimes the mouse/cursor doesn't hide when playing a map.
I only had this happen to me in osu!catch but I imagine the same thing can happen in taiko and mania, as you also 'leave' your mouse alone, and use your keyboard to play.
It seems like this happens when you move your mouse around a bit while the map is still 'loading' in.
**Screenshots or videos showing encountered issue:**
https://youtu.be/do43SW5yqfI
Note that it doesn't always happen (as you can see in the video), but if you try it a couple times you should get the same result.
This also works on a couple other maps I tested, so I am assuming it can happen on all maps
**osu!lazer version:**
2020.710.0
|
1.0
|
Mouse/Cursor doesn't always hide properly when playing a map - **Describe the bug:**
Sometimes the mouse/cursor doesn't hide when playing a map.
I only had this happen to me in osu!catch but I imagine the same thing can happen in taiko and mania, as you also 'leave' your mouse alone, and use your keyboard to play.
It seems like this happens when you move your mouse around a bit while the map is still 'loading' in.
**Screenshots or videos showing encountered issue:**
https://youtu.be/do43SW5yqfI
Note that it doesn't always happen (as you can see in the video), but if you try it a couple times you should get the same result.
This also works on a couple other maps I tested, so I am assuming it can happen on all maps
**osu!lazer version:**
2020.710.0
|
non_defect
|
mouse cursor doesn t always hide properly when playing a map describe the bug sometimes the mouse cursor doesn t hide when playing a map i only had this happen to me in osu catch but i imagine the same thing can happen in taiko and mania as you also leave your mouse alone and use your keyboard to play it seems like this happens when you move your mouse around a bit while the map is still loading in screenshots or videos showing encountered issue note that it doesn t always happen as you can see in the video but if you try it a couple times you should get the same result this also works on a couple other maps i tested so i am assuming it can happen on all maps osu lazer version
| 0
|
691,959
| 23,718,372,590
|
IssuesEvent
|
2022-08-30 13:34:48
|
MesserLab/SLiM
|
https://api.github.com/repos/MesserLab/SLiM
|
closed
|
turn pacman crank for SLiM 4
|
priority
|
Hi @rdinnager. Time to turn the pacman crank for SLiM 4! I'm not 100% sure this will be the golden master, but it's 98% I think, and pacman takes so long to roll, let's get it started ASAP. I expect to do the release publicly on Tuesday or Wednesday, probably. Please post progress here on the issue, so that Windows folks can see how things are coming along. Thanks!
|
1.0
|
turn pacman crank for SLiM 4 - Hi @rdinnager. Time to turn the pacman crank for SLiM 4! I'm not 100% sure this will be the golden master, but it's 98% I think, and pacman takes so long to roll, let's get it started ASAP. I expect to do the release publicly on Tuesday or Wednesday, probably. Please post progress here on the issue, so that Windows folks can see how things are coming along. Thanks!
|
non_defect
|
turn pacman crank for slim hi rdinnager time to turn the pacman crank for slim i m not sure this will be the golden master but it s i think and pacman takes so long to roll let s get it started asap i expect to do the release publicly on tuesday or wednesday probably please post progress here on the issue so that windows folks can see how things are coming along thanks
| 0
|
5,904
| 2,610,217,711
|
IssuesEvent
|
2015-02-26 19:09:17
|
chrsmith/somefinders
|
https://api.github.com/repos/chrsmith/somefinders
|
opened
|
гексикон гель цена
|
auto-migrated Priority-Medium Type-Defect
|
```
'''Галактион Никонов'''
День добрый никак не могу найти .гексикон
гель цена. как то выкладывали уже
'''Гермоген Мясников'''
Вот хороший сайт где можно скачать
http://bit.ly/174nrPi
'''Алевтин Кулагин'''
Просит ввести номер мобилы!Не опасно ли это?
'''Альбин Калашников'''
Не это не влияет на баланс
'''Вольт Семёнов'''
Не это не влияет на баланс
Информация о файле: гексикон гель цена
Загружен: В этом месяце
Скачан раз: 536
Рейтинг: 563
Средняя скорость скачивания: 1480
Похожих файлов: 28
```
-----
Original issue reported on code.google.com by `kondense...@gmail.com` on 17 Dec 2013 at 12:02
|
1.0
|
гексикон гель цена - ```
'''Галактион Никонов'''
День добрый никак не могу найти .гексикон
гель цена. как то выкладывали уже
'''Гермоген Мясников'''
Вот хороший сайт где можно скачать
http://bit.ly/174nrPi
'''Алевтин Кулагин'''
Просит ввести номер мобилы!Не опасно ли это?
'''Альбин Калашников'''
Не это не влияет на баланс
'''Вольт Семёнов'''
Не это не влияет на баланс
Информация о файле: гексикон гель цена
Загружен: В этом месяце
Скачан раз: 536
Рейтинг: 563
Средняя скорость скачивания: 1480
Похожих файлов: 28
```
-----
Original issue reported on code.google.com by `kondense...@gmail.com` on 17 Dec 2013 at 12:02
|
defect
|
гексикон гель цена галактион никонов день добрый никак не могу найти гексикон гель цена как то выкладывали уже гермоген мясников вот хороший сайт где можно скачать алевтин кулагин просит ввести номер мобилы не опасно ли это альбин калашников не это не влияет на баланс вольт семёнов не это не влияет на баланс информация о файле гексикон гель цена загружен в этом месяце скачан раз рейтинг средняя скорость скачивания похожих файлов original issue reported on code google com by kondense gmail com on dec at
| 1
|
1,164
| 2,599,627,495
|
IssuesEvent
|
2015-02-23 10:22:26
|
v-l-m/vlm
|
https://api.github.com/repos/v-l-m/vlm
|
closed
|
répertoire dédié pour les images/icones
|
C: medias P: major R: fixed T: defect
|
**Reported by paparazzia on 30 Nov 2008 14:35 UTC**
pour l'instant, elles sont en vrac dans la racine de site...
ce serait plus pratique si elles disposaient de leur rpertoire ddi
|
1.0
|
répertoire dédié pour les images/icones - **Reported by paparazzia on 30 Nov 2008 14:35 UTC**
pour l'instant, elles sont en vrac dans la racine de site...
ce serait plus pratique si elles disposaient de leur rpertoire ddi
|
defect
|
répertoire dédié pour les images icones reported by paparazzia on nov utc pour l instant elles sont en vrac dans la racine de site ce serait plus pratique si elles disposaient de leur rpertoire ddi
| 1
|
52,315
| 13,224,648,499
|
IssuesEvent
|
2020-08-17 19:33:39
|
icecube-trac/tix4
|
https://api.github.com/repos/icecube-trac/tix4
|
opened
|
[ddddr] remove minuit dependancy (Trac #2008)
|
Incomplete Migration Migrated from Trac combo reconstruction defect
|
<details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/2008">https://code.icecube.wisc.edu/projects/icecube/ticket/2008</a>, reported by kjmeagherand owned by mjl5147</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2019-03-18T21:35:31",
"_ts": "1552944931277334",
"description": "either replace it with the implementation of minuit in lilliput or use the\ngulliver framework",
"reporter": "kjmeagher",
"cc": "",
"resolution": "fixed",
"time": "2017-05-09T17:10:21",
"component": "combo reconstruction",
"summary": "[ddddr] remove minuit dependancy",
"priority": "normal",
"keywords": "",
"milestone": "Vernal Equinox 2019",
"owner": "mjl5147",
"type": "defect"
}
```
</p>
</details>
|
1.0
|
[ddddr] remove minuit dependancy (Trac #2008) - <details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/2008">https://code.icecube.wisc.edu/projects/icecube/ticket/2008</a>, reported by kjmeagherand owned by mjl5147</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2019-03-18T21:35:31",
"_ts": "1552944931277334",
"description": "either replace it with the implementation of minuit in lilliput or use the\ngulliver framework",
"reporter": "kjmeagher",
"cc": "",
"resolution": "fixed",
"time": "2017-05-09T17:10:21",
"component": "combo reconstruction",
"summary": "[ddddr] remove minuit dependancy",
"priority": "normal",
"keywords": "",
"milestone": "Vernal Equinox 2019",
"owner": "mjl5147",
"type": "defect"
}
```
</p>
</details>
|
defect
|
remove minuit dependancy trac migrated from json status closed changetime ts description either replace it with the implementation of minuit in lilliput or use the ngulliver framework reporter kjmeagher cc resolution fixed time component combo reconstruction summary remove minuit dependancy priority normal keywords milestone vernal equinox owner type defect
| 1
|
417,594
| 12,167,454,569
|
IssuesEvent
|
2020-04-27 10:56:59
|
kubeflow/website
|
https://api.github.com/repos/kubeflow/website
|
closed
|
Pipelines: Need separate API reference for Pipelines standalone
|
area/pipelines kind/feature lifecycle/stale priority/p2
|
We currently have one API reference for Pipelines:
https://www.kubeflow.org/docs/pipelines/reference/
It reflects the Pipelines API that is integrated in the current version of Kubeflow.
However, the [Pipelines Standalone deployment](https://www.kubeflow.org/docs/pipelines/standalone-deployment-gcp/) may offer a different (later) version of Pipelines.
We should have two references, one for the Pipelines version included with Kubeflow and another for the Pipelines Standalone deployment.
|
1.0
|
Pipelines: Need separate API reference for Pipelines standalone - We currently have one API reference for Pipelines:
https://www.kubeflow.org/docs/pipelines/reference/
It reflects the Pipelines API that is integrated in the current version of Kubeflow.
However, the [Pipelines Standalone deployment](https://www.kubeflow.org/docs/pipelines/standalone-deployment-gcp/) may offer a different (later) version of Pipelines.
We should have two references, one for the Pipelines version included with Kubeflow and another for the Pipelines Standalone deployment.
|
non_defect
|
pipelines need separate api reference for pipelines standalone we currently have one api reference for pipelines it reflects the pipelines api that is integrated in the current version of kubeflow however the may offer a different later version of pipelines we should have two references one for the pipelines version included with kubeflow and another for the pipelines standalone deployment
| 0
|
46,753
| 9,980,303,197
|
IssuesEvent
|
2019-07-10 02:55:19
|
logbaseaofn/Bouldering_Coloring_Book_Plus_Web
|
https://api.github.com/repos/logbaseaofn/Bouldering_Coloring_Book_Plus_Web
|
closed
|
Loading versus Drawing
|
code enhancement discussion
|
As querying and loading images are asynchronous operations, both "load" and "draw" functions should be specified and used according to the following definitions.
**Load**: A function which does the asynchronous query. This should take in any relevant data and callback to...
**Draw**: Once the image or query result is finished loading (`.onload` or `.then` or similar), then this function should be called. This function should do no querying, loading, or any other asynchronous functions.
|
1.0
|
Loading versus Drawing - As querying and loading images are asynchronous operations, both "load" and "draw" functions should be specified and used according to the following definitions.
**Load**: A function which does the asynchronous query. This should take in any relevant data and callback to...
**Draw**: Once the image or query result is finished loading (`.onload` or `.then` or similar), then this function should be called. This function should do no querying, loading, or any other asynchronous functions.
|
non_defect
|
loading versus drawing as querying and loading images are asynchronous operations both load and draw functions should be specified and used according to the following definitions load a function which does the asynchronous query this should take in any relevant data and callback to draw once the image or query result is finished loading onload or then or similar then this function should be called this function should do no querying loading or any other asynchronous functions
| 0
|
67,395
| 20,961,608,945
|
IssuesEvent
|
2022-03-27 21:48:47
|
abedmaatalla/sipdroid
|
https://api.github.com/repos/abedmaatalla/sipdroid
|
closed
|
lockscreen blocks answer call screen
|
Priority-Medium Type-Defect auto-migrated
|
```
What steps will reproduce the problem?
1. Activate lockscreen with gesture
2. Call your sipdroid connected number
3. See that there is no pissibility to answer the call as it should.
What is the expected output? What do you see instead?
Screen for answerering the call is not shown.
What version of the product are you using? On what device/operating system?
Samsung Galaxy S3 on Android 4.1.2
Which SIP server are you using? What happens with PBXes?
Sipgate.de
Which type of network are you using?
Wifi
```
Original issue reported on code.google.com by `thimmey18` on 13 May 2013 at 6:43
|
1.0
|
lockscreen blocks answer call screen - ```
What steps will reproduce the problem?
1. Activate lockscreen with gesture
2. Call your sipdroid connected number
3. See that there is no pissibility to answer the call as it should.
What is the expected output? What do you see instead?
Screen for answerering the call is not shown.
What version of the product are you using? On what device/operating system?
Samsung Galaxy S3 on Android 4.1.2
Which SIP server are you using? What happens with PBXes?
Sipgate.de
Which type of network are you using?
Wifi
```
Original issue reported on code.google.com by `thimmey18` on 13 May 2013 at 6:43
|
defect
|
lockscreen blocks answer call screen what steps will reproduce the problem activate lockscreen with gesture call your sipdroid connected number see that there is no pissibility to answer the call as it should what is the expected output what do you see instead screen for answerering the call is not shown what version of the product are you using on what device operating system samsung galaxy on android which sip server are you using what happens with pbxes sipgate de which type of network are you using wifi original issue reported on code google com by on may at
| 1
|
12,982
| 15,254,444,559
|
IssuesEvent
|
2021-02-20 12:02:31
|
Juuxel/Adorn
|
https://api.github.com/repos/Juuxel/Adorn
|
closed
|
Add Cinderscapes compat
|
enhancement mod compatibility
|
- Umbral fungus
- Scorched fungus
They are fungi, so they have stems instead of logs.
|
True
|
Add Cinderscapes compat - - Umbral fungus
- Scorched fungus
They are fungi, so they have stems instead of logs.
|
non_defect
|
add cinderscapes compat umbral fungus scorched fungus they are fungi so they have stems instead of logs
| 0
|
197,893
| 14,948,402,449
|
IssuesEvent
|
2021-01-26 10:01:57
|
pints-team/pints
|
https://api.github.com/repos/pints-team/pints
|
closed
|
Replace `prepare_module` by e.g. `refresh`, separate method for importing pints
|
functional-testing
|
Would be better to have some method that refreshes and sets constants, and maybe a separate one to import /reload pints
|
1.0
|
Replace `prepare_module` by e.g. `refresh`, separate method for importing pints - Would be better to have some method that refreshes and sets constants, and maybe a separate one to import /reload pints
|
non_defect
|
replace prepare module by e g refresh separate method for importing pints would be better to have some method that refreshes and sets constants and maybe a separate one to import reload pints
| 0
|
57,401
| 15,765,675,685
|
IssuesEvent
|
2021-03-31 14:22:03
|
snowplow/snowplow-javascript-tracker
|
https://api.github.com/repos/snowplow/snowplow-javascript-tracker
|
closed
|
Javascript sometimes sends invalid view dimensions in IE (multiple versions)
|
category:browser priority:medium status:in_progress type:defect
|
We have seen occasionally an entry in `badEvents` which are caused by invalid view dimensions:
`{"line":"validBase64","errors":[{"level":"error","message":"Field [ds]: [1144x687.2000122070312] does not contain valid view dimensions"}],"failure_tstamp":"2017-06-17T11:28:17.232Z"}`
This could be tracked down to IE browsers.
While not urgent, I thought we should let you know...
|
1.0
|
Javascript sometimes sends invalid view dimensions in IE (multiple versions) - We have seen occasionally an entry in `badEvents` which are caused by invalid view dimensions:
`{"line":"validBase64","errors":[{"level":"error","message":"Field [ds]: [1144x687.2000122070312] does not contain valid view dimensions"}],"failure_tstamp":"2017-06-17T11:28:17.232Z"}`
This could be tracked down to IE browsers.
While not urgent, I thought we should let you know...
|
defect
|
javascript sometimes sends invalid view dimensions in ie multiple versions we have seen occasionally an entry in badevents which are caused by invalid view dimensions line errors does not contain valid view dimensions failure tstamp this could be tracked down to ie browsers while not urgent i thought we should let you know
| 1
|
62,834
| 17,203,579,239
|
IssuesEvent
|
2021-07-17 19:20:59
|
InterNetNews/inn
|
https://api.github.com/repos/InterNetNews/inn
|
opened
|
Articles filed in junk should not be recorded in history with remembertrash: false
|
C: innd P: low T: defect
|
**Reported by eagle on 14 Dec 2008 09:00 UTC**
As of INN 2.3.0, we started recording history entries for articles accepted and filed in junk when wanttrash is set to true. Previously, if wanttrash were true and remembertrash were false, we'd store the articles locally but not write history entries.
(This is obviously insane unless you're using CNFS, but for a self-expiring storage mechanism, it can make sense.)
|
1.0
|
Articles filed in junk should not be recorded in history with remembertrash: false - **Reported by eagle on 14 Dec 2008 09:00 UTC**
As of INN 2.3.0, we started recording history entries for articles accepted and filed in junk when wanttrash is set to true. Previously, if wanttrash were true and remembertrash were false, we'd store the articles locally but not write history entries.
(This is obviously insane unless you're using CNFS, but for a self-expiring storage mechanism, it can make sense.)
|
defect
|
articles filed in junk should not be recorded in history with remembertrash false reported by eagle on dec utc as of inn we started recording history entries for articles accepted and filed in junk when wanttrash is set to true previously if wanttrash were true and remembertrash were false we d store the articles locally but not write history entries this is obviously insane unless you re using cnfs but for a self expiring storage mechanism it can make sense
| 1
|
137,263
| 11,104,948,416
|
IssuesEvent
|
2019-12-17 08:50:25
|
amusecode/amuse
|
https://api.github.com/repos/amusecode/amuse
|
opened
|
Generalised tests
|
feature request tests
|
Currently we have tests for all individual community codes. These replicate large portions of each other, especially codes in the same domain.
It would be good to have generalised tests available that can run for all codes (within a domain).
These could include basic tests (does a code initialise/stop/set parameters), but perhaps also sanity checks (is the result like expected).
If this is possible, the latter of these should probably not result in "hard" fails, but in warnings (e.g. "do not use this code for this kind of problem"). Alternatively, the test could be overridden by a specific code test, or ignored for a specific code.
|
1.0
|
Generalised tests - Currently we have tests for all individual community codes. These replicate large portions of each other, especially codes in the same domain.
It would be good to have generalised tests available that can run for all codes (within a domain).
These could include basic tests (does a code initialise/stop/set parameters), but perhaps also sanity checks (is the result like expected).
If this is possible, the latter of these should probably not result in "hard" fails, but in warnings (e.g. "do not use this code for this kind of problem"). Alternatively, the test could be overridden by a specific code test, or ignored for a specific code.
|
non_defect
|
generalised tests currently we have tests for all individual community codes these replicate large portions of each other especially codes in the same domain it would be good to have generalised tests available that can run for all codes within a domain these could include basic tests does a code initialise stop set parameters but perhaps also sanity checks is the result like expected if this is possible the latter of these should probably not result in hard fails but in warnings e g do not use this code for this kind of problem alternatively the test could be overridden by a specific code test or ignored for a specific code
| 0
|
56,238
| 14,989,847,540
|
IssuesEvent
|
2021-01-29 04:55:09
|
openzfs/zfs
|
https://api.github.com/repos/openzfs/zfs
|
opened
|
Checksum errors may not be counted
|
Status: Triage Needed Type: Defect
|
<!-- Please fill out the following template, which will help other contributors address your issue. -->
<!--
Thank you for reporting an issue.
*IMPORTANT* - Please check our issue tracker before opening a new issue.
Additional valuable information can be found in the OpenZFS documentation
and mailing list archives.
Please fill in as much of the template as possible.
-->
### System information
<!-- add version after "|" character -->
Type | Version/Name
--- | ---
Distribution Name |
Distribution Version |
Linux Kernel |
Architecture |
ZFS Version | after 4f0728278615eb42fc5022b2817c082f578e225f
SPL Version |
<!--
Commands to find ZFS/SPL versions:
modinfo zfs | grep -iw version
modinfo spl | grep -iw version
-->
### Describe the problem you're observing
If a block is damaged after being repaired once, when it is repaired for the second time, the checksum error is not reported. This causes confusion (e.g. while testing) because there is no visibility into the checksum errors that are being detected (and potentially corrected).
This is a change in behavior caused by #10861. I understand the desire to limit the rate of event generation since we keep so few of them. However:
1. This justification doesn't apply to the checksum error counts (`vs_checksum_errors`)- it doesn't cost anything to count to a large number.
2. after a block is repaired (e.g. by `zpool scrub`) or errors are discarded (`zpool clear`), it would be reasonable to report the error again (even to generate another event).
I'd suggest that we make at least one (and perhaps all) of the following changes:
1. always count the checksum errors
2. reset the "recent" errors when a scrub completes, so that newly-discovered errors will be logged and counted
3. reset the "recent" errors when `zpool clear` is run
### Describe how to reproduce the problem
`zpool create ... raidz ...`
silently damage one disk (`dd of=/dev/dsk/...`)
`zpool scrub`
Scrub reports that it repaired some space, and vdev reports some checksum errors:
```
scan: scrub repaired 1.00M in 00:00:03 with 0 errors on Fri Jan 29 04:32:40 2021
config:
NAME STATE READ WRITE CKSUM
test ONLINE 0 0 0
raidz1-0 ONLINE 0 0 0
/var/tmp/expand_vdevs/1 ONLINE 0 0 28
/var/tmp/expand_vdevs/2 ONLINE 0 0 0
/var/tmp/expand_vdevs/3 ONLINE 0 0 0
/var/tmp/expand_vdevs/4 ONLINE 0 0 0
```
silently damage one disk AGAIN (`dd of=/dev/dsk/...`)
`zpool scrub` AGAIN
Scrub reports that it repaired some space, BUT vdev reports no checksum errors:
```
scan: scrub repaired 1.00M in 00:00:02 with 0 errors on Fri Jan 29 04:33:01 2021
config:
NAME STATE READ WRITE CKSUM
test ONLINE 0 0 0
raidz1-0 ONLINE 0 0 0
/var/tmp/expand_vdevs/1 ONLINE 0 0 0
/var/tmp/expand_vdevs/2 ONLINE 0 0 0
/var/tmp/expand_vdevs/3 ONLINE 0 0 0
/var/tmp/expand_vdevs/4 ONLINE 0 0 0
```
### Include any warning/errors/backtraces from the system logs
<!--
*IMPORTANT* - Please mark logs and text output from terminal commands
or else Github will not display them correctly.
An example is provided below.
Example:
```
this is an example how log text should be marked (wrap it with ```)
```
-->
@don-brady @behlendorf
|
1.0
|
Checksum errors may not be counted - <!-- Please fill out the following template, which will help other contributors address your issue. -->
<!--
Thank you for reporting an issue.
*IMPORTANT* - Please check our issue tracker before opening a new issue.
Additional valuable information can be found in the OpenZFS documentation
and mailing list archives.
Please fill in as much of the template as possible.
-->
### System information
<!-- add version after "|" character -->
Type | Version/Name
--- | ---
Distribution Name |
Distribution Version |
Linux Kernel |
Architecture |
ZFS Version | after 4f0728278615eb42fc5022b2817c082f578e225f
SPL Version |
<!--
Commands to find ZFS/SPL versions:
modinfo zfs | grep -iw version
modinfo spl | grep -iw version
-->
### Describe the problem you're observing
If a block is damaged after being repaired once, when it is repaired for the second time, the checksum error is not reported. This causes confusion (e.g. while testing) because there is no visibility into the checksum errors that are being detected (and potentially corrected).
This is a change in behavior caused by #10861. I understand the desire to limit the rate of event generation since we keep so few of them. However:
1. This justification doesn't apply to the checksum error counts (`vs_checksum_errors`)- it doesn't cost anything to count to a large number.
2. after a block is repaired (e.g. by `zpool scrub`) or errors are discarded (`zpool clear`), it would be reasonable to report the error again (even to generate another event).
I'd suggest that we make at least one (and perhaps all) of the following changes:
1. always count the checksum errors
2. reset the "recent" errors when a scrub completes, so that newly-discovered errors will be logged and counted
3. reset the "recent" errors when `zpool clear` is run
### Describe how to reproduce the problem
`zpool create ... raidz ...`
silently damage one disk (`dd of=/dev/dsk/...`)
`zpool scrub`
Scrub reports that it repaired some space, and vdev reports some checksum errors:
```
scan: scrub repaired 1.00M in 00:00:03 with 0 errors on Fri Jan 29 04:32:40 2021
config:
NAME STATE READ WRITE CKSUM
test ONLINE 0 0 0
raidz1-0 ONLINE 0 0 0
/var/tmp/expand_vdevs/1 ONLINE 0 0 28
/var/tmp/expand_vdevs/2 ONLINE 0 0 0
/var/tmp/expand_vdevs/3 ONLINE 0 0 0
/var/tmp/expand_vdevs/4 ONLINE 0 0 0
```
silently damage one disk AGAIN (`dd of=/dev/dsk/...`)
`zpool scrub` AGAIN
Scrub reports that it repaired some space, BUT vdev reports no checksum errors:
```
scan: scrub repaired 1.00M in 00:00:02 with 0 errors on Fri Jan 29 04:33:01 2021
config:
NAME STATE READ WRITE CKSUM
test ONLINE 0 0 0
raidz1-0 ONLINE 0 0 0
/var/tmp/expand_vdevs/1 ONLINE 0 0 0
/var/tmp/expand_vdevs/2 ONLINE 0 0 0
/var/tmp/expand_vdevs/3 ONLINE 0 0 0
/var/tmp/expand_vdevs/4 ONLINE 0 0 0
```
### Include any warning/errors/backtraces from the system logs
<!--
*IMPORTANT* - Please mark logs and text output from terminal commands
or else Github will not display them correctly.
An example is provided below.
Example:
```
this is an example how log text should be marked (wrap it with ```)
```
-->
@don-brady @behlendorf
|
defect
|
checksum errors may not be counted thank you for reporting an issue important please check our issue tracker before opening a new issue additional valuable information can be found in the openzfs documentation and mailing list archives please fill in as much of the template as possible system information type version name distribution name distribution version linux kernel architecture zfs version after spl version commands to find zfs spl versions modinfo zfs grep iw version modinfo spl grep iw version describe the problem you re observing if a block is damaged after being repaired once when it is repaired for the second time the checksum error is not reported this causes confusion e g while testing because there is no visibility into the checksum errors that are being detected and potentially corrected this is a change in behavior caused by i understand the desire to limit the rate of event generation since we keep so few of them however this justification doesn t apply to the checksum error counts vs checksum errors it doesn t cost anything to count to a large number after a block is repaired e g by zpool scrub or errors are discarded zpool clear it would be reasonable to report the error again even to generate another event i d suggest that we make at least one and perhaps all of the following changes always count the checksum errors reset the recent errors when a scrub completes so that newly discovered errors will be logged and counted reset the recent errors when zpool clear is run describe how to reproduce the problem zpool create raidz silently damage one disk dd of dev dsk zpool scrub scrub reports that it repaired some space and vdev reports some checksum errors scan scrub repaired in with errors on fri jan config name state read write cksum test online online var tmp expand vdevs online var tmp expand vdevs online var tmp expand vdevs online var tmp expand vdevs online silently damage one disk again dd of dev dsk zpool scrub again scrub reports that it repaired some space but vdev reports no checksum errors scan scrub repaired in with errors on fri jan config name state read write cksum test online online var tmp expand vdevs online var tmp expand vdevs online var tmp expand vdevs online var tmp expand vdevs online include any warning errors backtraces from the system logs important please mark logs and text output from terminal commands or else github will not display them correctly an example is provided below example this is an example how log text should be marked wrap it with don brady behlendorf
| 1
|
256,677
| 27,561,707,002
|
IssuesEvent
|
2023-03-07 22:41:18
|
samqws-marketing/electronicarts_ava-capture
|
https://api.github.com/repos/samqws-marketing/electronicarts_ava-capture
|
closed
|
CVE-2015-9251 (Medium) detected in multiple libraries - autoclosed
|
Mend: dependency security vulnerability
|
## CVE-2015-9251 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>jquery-2.2.3.js</b>, <b>jquery-2.2.3.min.js</b>, <b>jquery-1.12.4.min.js</b></p></summary>
<p>
<details><summary><b>jquery-2.2.3.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/2.2.3/jquery.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/2.2.3/jquery.js</a></p>
<p>Path to vulnerable library: /website-backend/ava/static/admin/js/vendor/jquery/jquery.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-2.2.3.js** (Vulnerable Library)
</details>
<details><summary><b>jquery-2.2.3.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/2.2.3/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/2.2.3/jquery.min.js</a></p>
<p>Path to vulnerable library: /website-backend/ava/static/admin/js/vendor/jquery/jquery.min.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-2.2.3.min.js** (Vulnerable Library)
</details>
<details><summary><b>jquery-1.12.4.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/1.12.4/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/1.12.4/jquery.min.js</a></p>
<p>Path to vulnerable library: /website-backend/ava/static/rest_framework/js/jquery-1.12.4.min.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-1.12.4.min.js** (Vulnerable Library)
</details>
<p>Found in HEAD commit: <a href="https://github.com/samqws-marketing/electronicarts_ava-capture/commit/a04e5f9a7ee817317d0d58ce800eefc6bf4bd150">a04e5f9a7ee817317d0d58ce800eefc6bf4bd150</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
jQuery before 3.0.0 is vulnerable to Cross-site Scripting (XSS) attacks when a cross-domain Ajax request is performed without the dataType option, causing text/javascript responses to be executed.
<p>Publish Date: 2018-01-18
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2015-9251>CVE-2015-9251</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2015-9251">https://nvd.nist.gov/vuln/detail/CVE-2015-9251</a></p>
<p>Release Date: 2018-01-18</p>
<p>Fix Resolution: jQuery - 3.0.0</p>
</p>
</details>
<p></p>
|
True
|
CVE-2015-9251 (Medium) detected in multiple libraries - autoclosed - ## CVE-2015-9251 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>jquery-2.2.3.js</b>, <b>jquery-2.2.3.min.js</b>, <b>jquery-1.12.4.min.js</b></p></summary>
<p>
<details><summary><b>jquery-2.2.3.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/2.2.3/jquery.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/2.2.3/jquery.js</a></p>
<p>Path to vulnerable library: /website-backend/ava/static/admin/js/vendor/jquery/jquery.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-2.2.3.js** (Vulnerable Library)
</details>
<details><summary><b>jquery-2.2.3.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/2.2.3/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/2.2.3/jquery.min.js</a></p>
<p>Path to vulnerable library: /website-backend/ava/static/admin/js/vendor/jquery/jquery.min.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-2.2.3.min.js** (Vulnerable Library)
</details>
<details><summary><b>jquery-1.12.4.min.js</b></p></summary>
<p>JavaScript library for DOM operations</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/jquery/1.12.4/jquery.min.js">https://cdnjs.cloudflare.com/ajax/libs/jquery/1.12.4/jquery.min.js</a></p>
<p>Path to vulnerable library: /website-backend/ava/static/rest_framework/js/jquery-1.12.4.min.js</p>
<p>
Dependency Hierarchy:
- :x: **jquery-1.12.4.min.js** (Vulnerable Library)
</details>
<p>Found in HEAD commit: <a href="https://github.com/samqws-marketing/electronicarts_ava-capture/commit/a04e5f9a7ee817317d0d58ce800eefc6bf4bd150">a04e5f9a7ee817317d0d58ce800eefc6bf4bd150</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
jQuery before 3.0.0 is vulnerable to Cross-site Scripting (XSS) attacks when a cross-domain Ajax request is performed without the dataType option, causing text/javascript responses to be executed.
<p>Publish Date: 2018-01-18
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2015-9251>CVE-2015-9251</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2015-9251">https://nvd.nist.gov/vuln/detail/CVE-2015-9251</a></p>
<p>Release Date: 2018-01-18</p>
<p>Fix Resolution: jQuery - 3.0.0</p>
</p>
</details>
<p></p>
|
non_defect
|
cve medium detected in multiple libraries autoclosed cve medium severity vulnerability vulnerable libraries jquery js jquery min js jquery min js jquery js javascript library for dom operations library home page a href path to vulnerable library website backend ava static admin js vendor jquery jquery js dependency hierarchy x jquery js vulnerable library jquery min js javascript library for dom operations library home page a href path to vulnerable library website backend ava static admin js vendor jquery jquery min js dependency hierarchy x jquery min js vulnerable library jquery min js javascript library for dom operations library home page a href path to vulnerable library website backend ava static rest framework js jquery min js dependency hierarchy x jquery min js vulnerable library found in head commit a href found in base branch master vulnerability details jquery before is vulnerable to cross site scripting xss attacks when a cross domain ajax request is performed without the datatype option causing text javascript responses to be executed publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope changed impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution jquery
| 0
|
16,901
| 5,306,227,997
|
IssuesEvent
|
2017-02-11 00:00:47
|
phetsims/john-travoltage
|
https://api.github.com/repos/phetsims/john-travoltage
|
closed
|
AppendageNode order of change/input firing
|
dev:a11y dev:code-review
|
It would be helpful near here:
```js
// Due to the variability of input and change event firing across browsers,
// it is necessary to track if the input event was fired and if not, to
// handle the change event instead.
// see: https://wiki.fluidproject.org/pages/viewpage.action?pageId=61767683
```
to mention that the input event will fire before the change event (in the case that they both fire). The listener for 'change' was in front, so it took a bit to sort out the logic.
Also, this seems like behavior that would be very common, and should be abstracted out (e.g. https://github.com/phetsims/john-travoltage/issues/149).
|
1.0
|
AppendageNode order of change/input firing - It would be helpful near here:
```js
// Due to the variability of input and change event firing across browsers,
// it is necessary to track if the input event was fired and if not, to
// handle the change event instead.
// see: https://wiki.fluidproject.org/pages/viewpage.action?pageId=61767683
```
to mention that the input event will fire before the change event (in the case that they both fire). The listener for 'change' was in front, so it took a bit to sort out the logic.
Also, this seems like behavior that would be very common, and should be abstracted out (e.g. https://github.com/phetsims/john-travoltage/issues/149).
|
non_defect
|
appendagenode order of change input firing it would be helpful near here js due to the variability of input and change event firing across browsers it is necessary to track if the input event was fired and if not to handle the change event instead see to mention that the input event will fire before the change event in the case that they both fire the listener for change was in front so it took a bit to sort out the logic also this seems like behavior that would be very common and should be abstracted out e g
| 0
|
81,860
| 31,775,562,277
|
IssuesEvent
|
2023-09-12 14:14:45
|
donategifts/donategifts
|
https://api.github.com/repos/donategifts/donategifts
|
opened
|
DEFECT: hide password err message on page load
|
Defect
|
<img width="863" alt="Screenshot 2023-09-11 at 9 53 51 PM" src="https://github.com/donategifts/donategifts/assets/26069780/bcad27cd-a362-4b55-981c-794107e9855c">
This message shows for new guest users on page load. Error message should only display when there is error in the form and should not show as default on page load.
|
1.0
|
DEFECT: hide password err message on page load - <img width="863" alt="Screenshot 2023-09-11 at 9 53 51 PM" src="https://github.com/donategifts/donategifts/assets/26069780/bcad27cd-a362-4b55-981c-794107e9855c">
This message shows for new guest users on page load. Error message should only display when there is error in the form and should not show as default on page load.
|
defect
|
defect hide password err message on page load img width alt screenshot at pm src this message shows for new guest users on page load error message should only display when there is error in the form and should not show as default on page load
| 1
|
61,405
| 17,023,685,675
|
IssuesEvent
|
2021-07-03 03:17:50
|
tomhughes/trac-tickets
|
https://api.github.com/repos/tomhughes/trac-tickets
|
closed
|
Large area of cities and villages in the Netherlands linked to Belgium
|
Component: nominatim Priority: major Resolution: fixed Type: defect
|
**[Submitted to the original trac issue database at 8.16pm, Monday, 7th March 2011]**
A large area in the Netherlands containing cities like Dordrecht, Gorinchem, Schoonhoven, Leerdam, Zaltbommel, is someway linked to Belgium. Example:
http://open.mapquestapi.com/nominatim/v1/details.php?place_id=79488545
|
1.0
|
Large area of cities and villages in the Netherlands linked to Belgium - **[Submitted to the original trac issue database at 8.16pm, Monday, 7th March 2011]**
A large area in the Netherlands containing cities like Dordrecht, Gorinchem, Schoonhoven, Leerdam, Zaltbommel, is someway linked to Belgium. Example:
http://open.mapquestapi.com/nominatim/v1/details.php?place_id=79488545
|
defect
|
large area of cities and villages in the netherlands linked to belgium a large area in the netherlands containing cities like dordrecht gorinchem schoonhoven leerdam zaltbommel is someway linked to belgium example
| 1
|
367,233
| 10,851,083,483
|
IssuesEvent
|
2019-11-13 10:06:11
|
WoWManiaUK/Blackwing-Lair
|
https://api.github.com/repos/WoWManiaUK/Blackwing-Lair
|
closed
|
[Quest][Npc] Archmage Alturus quest giver bug
|
Fixed Confirmed Fixed in Dev Low Priority Quest Order
|
https://www.wowhead.com/npc=17613/archmage-alturus
Quest giver(ID 17613) does not allow players to take both quests when first talking to him, this is a bug happening with some npcs where if they have 2 quests available and 1 quest is taken the other one becomes unavailable and is skipped.


Both quests should be available
|
1.0
|
[Quest][Npc] Archmage Alturus quest giver bug - https://www.wowhead.com/npc=17613/archmage-alturus
Quest giver(ID 17613) does not allow players to take both quests when first talking to him, this is a bug happening with some npcs where if they have 2 quests available and 1 quest is taken the other one becomes unavailable and is skipped.


Both quests should be available
|
non_defect
|
archmage alturus quest giver bug quest giver id does not allow players to take both quests when first talking to him this is a bug happening with some npcs where if they have quests available and quest is taken the other one becomes unavailable and is skipped both quests should be available
| 0
|
58,568
| 16,602,281,947
|
IssuesEvent
|
2021-06-01 21:19:50
|
NREL/EnergyPlus
|
https://api.github.com/repos/NREL/EnergyPlus
|
closed
|
ComponentCost:LineItem for Coil:DX and Coil:Cooling:DX:SingleSpeed using wrong speeds
|
Defect
|
Issue overview
--------------
ComponentCost:LineItem for Coil:DX and Coil:Cooling:DX:SingleSpeed is using the first speed regardless of the nominal coil speed. See here for example:
https://github.com/NREL/EnergyPlus/blob/85c4a5bd65dcaae1bf0c4f5a4253afff6c096c30/src/EnergyPlus/CostEstimateManager.cc#L645
This should be fixed to find the nominal (or highest?) speed.
### Details
Some additional details for this issue (if relevant):
- Platform (Mac 10.16)
- Version of EnergyPlus (85c4a5bd65dcaae1bf0c4f5a4253afff6c096c30)
### Checklist
Add to this list or remove from it as applicable. This is a simple templated set of guidelines.
- [ ] Defect file added (list location of defect file here)
- [ ] Ticket added to Pivotal for defect (development team task)
- [ ] Pull request created (the pull request will have additional tasks related to reviewing changes that fix this defect)
|
1.0
|
ComponentCost:LineItem for Coil:DX and Coil:Cooling:DX:SingleSpeed using wrong speeds - Issue overview
--------------
ComponentCost:LineItem for Coil:DX and Coil:Cooling:DX:SingleSpeed is using the first speed regardless of the nominal coil speed. See here for example:
https://github.com/NREL/EnergyPlus/blob/85c4a5bd65dcaae1bf0c4f5a4253afff6c096c30/src/EnergyPlus/CostEstimateManager.cc#L645
This should be fixed to find the nominal (or highest?) speed.
### Details
Some additional details for this issue (if relevant):
- Platform (Mac 10.16)
- Version of EnergyPlus (85c4a5bd65dcaae1bf0c4f5a4253afff6c096c30)
### Checklist
Add to this list or remove from it as applicable. This is a simple templated set of guidelines.
- [ ] Defect file added (list location of defect file here)
- [ ] Ticket added to Pivotal for defect (development team task)
- [ ] Pull request created (the pull request will have additional tasks related to reviewing changes that fix this defect)
|
defect
|
componentcost lineitem for coil dx and coil cooling dx singlespeed using wrong speeds issue overview componentcost lineitem for coil dx and coil cooling dx singlespeed is using the first speed regardless of the nominal coil speed see here for example this should be fixed to find the nominal or highest speed details some additional details for this issue if relevant platform mac version of energyplus checklist add to this list or remove from it as applicable this is a simple templated set of guidelines defect file added list location of defect file here ticket added to pivotal for defect development team task pull request created the pull request will have additional tasks related to reviewing changes that fix this defect
| 1
|
21,369
| 3,491,683,745
|
IssuesEvent
|
2016-01-04 16:46:07
|
jimpark/unsis
|
https://api.github.com/repos/jimpark/unsis
|
closed
|
can't open inpu file
|
auto-migrated Priority-Medium Type-Defect
|
```
1. I have a big installer and just trying to test unicode plugin. So here:
StrCpy $7 "D:\xasd.txt"
unicode::UnicodeType "$7"
Pop $8
FileOpen $9 "D:\check_type.txt" w
FileWrite $9 $8
FileClose $9
2. All the time I get 6 in the check_type. I don't understand why. (xasd.txt is
already created)
What is the expected output? What do you see instead?
"NONE" etc.
What version of the product are you using? On what operating system?
unicode plugin 1.1
Please provide any additional information below.
```
Original issue reported on code.google.com by `kostyasm...@gmail.com` on 26 Jun 2014 at 3:59
|
1.0
|
can't open inpu file - ```
1. I have a big installer and just trying to test unicode plugin. So here:
StrCpy $7 "D:\xasd.txt"
unicode::UnicodeType "$7"
Pop $8
FileOpen $9 "D:\check_type.txt" w
FileWrite $9 $8
FileClose $9
2. All the time I get 6 in the check_type. I don't understand why. (xasd.txt is
already created)
What is the expected output? What do you see instead?
"NONE" etc.
What version of the product are you using? On what operating system?
unicode plugin 1.1
Please provide any additional information below.
```
Original issue reported on code.google.com by `kostyasm...@gmail.com` on 26 Jun 2014 at 3:59
|
defect
|
can t open inpu file i have a big installer and just trying to test unicode plugin so here strcpy d xasd txt unicode unicodetype pop fileopen d check type txt w filewrite fileclose all the time i get in the check type i don t understand why xasd txt is already created what is the expected output what do you see instead none etc what version of the product are you using on what operating system unicode plugin please provide any additional information below original issue reported on code google com by kostyasm gmail com on jun at
| 1
|
102
| 2,508,844,612
|
IssuesEvent
|
2015-01-13 08:37:05
|
rust-lang/rust
|
https://api.github.com/repos/rust-lang/rust
|
closed
|
librustc and libsyntax documentation built only during `make install`
|
A-build I-wrong P-high
|
And, since `make install` is often ran as a root, this leads to root-owned documentation.
|
1.0
|
librustc and libsyntax documentation built only during `make install` - And, since `make install` is often ran as a root, this leads to root-owned documentation.
|
non_defect
|
librustc and libsyntax documentation built only during make install and since make install is often ran as a root this leads to root owned documentation
| 0
|
14,053
| 2,789,873,179
|
IssuesEvent
|
2015-05-08 22:04:38
|
google/google-visualization-api-issues
|
https://api.github.com/repos/google/google-visualization-api-issues
|
closed
|
Invalid Argument Error in IE7 for all Graphs
|
Priority-Medium Type-Defect
|
Original [issue 382](https://code.google.com/p/google-visualization-api-issues/issues/detail?id=382) created by orwant on 2010-08-16T20:02:50.000Z:
<b>What steps will reproduce the problem? Please provide a link to a</b>
<b>demonstration page if at all possible, or attach code.</b>
The Google Charts, which worked perfectly fine previously, are not rendering in Internet Explorer 7 anymore.
They don't even render on your own page in IE7:
http://code.google.com/apis/visualization/documentation/gallery/columnchart.html
<b>What component is this issue related to (PieChart, LineChart, DataTable,</b>
<b>Query, etc)?</b>
This is related to all of your graphs
<b>Are you using the test environment (version 1.1)?</b>
<b>(If you are not sure, answer NO)</b>
No
<b>What operating system and browser are you using?</b>
XP SP3, Graphs render fine in Firefox, but not in IE
<b>*********************************************************</b>
<b>For developers viewing this issue: please click the 'star' icon to be</b>
<b>notified of future changes, and to let us know how many of you are</b>
<b>interested in seeing it resolved.</b>
<b>*********************************************************</b>
|
1.0
|
Invalid Argument Error in IE7 for all Graphs - Original [issue 382](https://code.google.com/p/google-visualization-api-issues/issues/detail?id=382) created by orwant on 2010-08-16T20:02:50.000Z:
<b>What steps will reproduce the problem? Please provide a link to a</b>
<b>demonstration page if at all possible, or attach code.</b>
The Google Charts, which worked perfectly fine previously, are not rendering in Internet Explorer 7 anymore.
They don't even render on your own page in IE7:
http://code.google.com/apis/visualization/documentation/gallery/columnchart.html
<b>What component is this issue related to (PieChart, LineChart, DataTable,</b>
<b>Query, etc)?</b>
This is related to all of your graphs
<b>Are you using the test environment (version 1.1)?</b>
<b>(If you are not sure, answer NO)</b>
No
<b>What operating system and browser are you using?</b>
XP SP3, Graphs render fine in Firefox, but not in IE
<b>*********************************************************</b>
<b>For developers viewing this issue: please click the 'star' icon to be</b>
<b>notified of future changes, and to let us know how many of you are</b>
<b>interested in seeing it resolved.</b>
<b>*********************************************************</b>
|
defect
|
invalid argument error in for all graphs original created by orwant on what steps will reproduce the problem please provide a link to a demonstration page if at all possible or attach code the google charts which worked perfectly fine previously are not rendering in internet explorer anymore they don t even render on your own page in what component is this issue related to piechart linechart datatable query etc this is related to all of your graphs are you using the test environment version if you are not sure answer no no what operating system and browser are you using xp graphs render fine in firefox but not in ie for developers viewing this issue please click the star icon to be notified of future changes and to let us know how many of you are interested in seeing it resolved
| 1
|
41,166
| 10,320,599,562
|
IssuesEvent
|
2019-08-30 21:03:20
|
google/guava
|
https://api.github.com/repos/google/guava
|
closed
|
LoadingCache.refresh(key) should not bump the access time
|
P3 package=cache status=triaged type=defect
|
_[Original issue](https://code.google.com/p/guava-libraries/issues/detail?id=1198) created by **kevinb@google.com** on 2012-11-09 at 10:18 PM_
---
(It should of course continue to update the write time.)
|
1.0
|
LoadingCache.refresh(key) should not bump the access time - _[Original issue](https://code.google.com/p/guava-libraries/issues/detail?id=1198) created by **kevinb@google.com** on 2012-11-09 at 10:18 PM_
---
(It should of course continue to update the write time.)
|
defect
|
loadingcache refresh key should not bump the access time created by kevinb google com on at pm it should of course continue to update the write time
| 1
|
157,877
| 6,017,614,859
|
IssuesEvent
|
2017-06-07 10:05:20
|
FLEXIcontent/flexicontent-cck
|
https://api.github.com/repos/FLEXIcontent/flexicontent-cck
|
closed
|
When deleting categories the globalcats cache array may not be updated properly
|
bug Priority Normal
|
Relevant report in forum:
http://www.flexicontent.org/forum/29-bug-reports/55591-unaccesible-categories-after-deleting-other-categories-cache.html#66191
|
1.0
|
When deleting categories the globalcats cache array may not be updated properly - Relevant report in forum:
http://www.flexicontent.org/forum/29-bug-reports/55591-unaccesible-categories-after-deleting-other-categories-cache.html#66191
|
non_defect
|
when deleting categories the globalcats cache array may not be updated properly relevant report in forum
| 0
|
78,608
| 27,630,032,396
|
IssuesEvent
|
2023-03-10 10:08:10
|
E1337Kat/cyberpunk2077_ext_redux
|
https://api.github.com/repos/E1337Kat/cyberpunk2077_ext_redux
|
opened
|
Support REDmod Audio Mods With Just `info.json` (Sound Disables)
|
defect Mod Not Installable REDmodding
|
REDmod might support at least audio mods that only disable things in `info.json`
|
1.0
|
Support REDmod Audio Mods With Just `info.json` (Sound Disables) - REDmod might support at least audio mods that only disable things in `info.json`
|
defect
|
support redmod audio mods with just info json sound disables redmod might support at least audio mods that only disable things in info json
| 1
|
38,393
| 8,796,012,473
|
IssuesEvent
|
2018-12-22 23:13:42
|
techo/voluntariado-eventual
|
https://api.github.com/repos/techo/voluntariado-eventual
|
closed
|
BE: Hice un cambio en una actividad, Guarde y permacere en la actividad
|
Defecto
|
**Describí el error**
Hice un cambio en una actividad (como COORDINADOR), presiono "Guardar" y permacere en la actividad
**Para reproducirlo**
-. TESTING
-. Me logueo como un COORDINADOR
-. Menu: ADMIN
-. Selecciono una actividad
-. Cuando estoy editando un cambio de "Coordinador de Actividad"
-. Presiono "GUARDAR"
-. Me lo guarda perooo permacere en la actividad, no va al listado entonces puedo, en la solapa "Grupos", agregar un "Voluntario No Inscripto" pero en "Punto de Encuentro" esta vacio.
Tambien puedo agregar un Grupo (o varios), en la solapa "Grupos".
**Comportamiento esperando**
-. TESTING
-. Me logueo como un COORDINADOR
-. Menu: ADMIN
-. Selecciono una actividad
-. Cuando estoy editando un cambio de "Coordinador de Actividad"
-. Presiono "GUARDAR"
-. Me lo guarda
-. Vuleve al "Listado de Actividades"
**Capturas de pantalla**

**Si estás en una computadora (por favor completá la siguiente información):**
- Navegador : chrome
**Smartphone (completá la siguiente informaicón):**
- Dispositivo: [por ejemplo: Huawei GW, iPhone6, Samsung J2]
- Sistema operativo: [por ejemplo: Android4, iOS8.1]
- Navegador [por ejemplo: navegador del celu, Chrome, Safari]
**Contexto adicional**
Toda otra cosa que ayude a explicar lo que pasó.
|
1.0
|
BE: Hice un cambio en una actividad, Guarde y permacere en la actividad - **Describí el error**
Hice un cambio en una actividad (como COORDINADOR), presiono "Guardar" y permacere en la actividad
**Para reproducirlo**
-. TESTING
-. Me logueo como un COORDINADOR
-. Menu: ADMIN
-. Selecciono una actividad
-. Cuando estoy editando un cambio de "Coordinador de Actividad"
-. Presiono "GUARDAR"
-. Me lo guarda perooo permacere en la actividad, no va al listado entonces puedo, en la solapa "Grupos", agregar un "Voluntario No Inscripto" pero en "Punto de Encuentro" esta vacio.
Tambien puedo agregar un Grupo (o varios), en la solapa "Grupos".
**Comportamiento esperando**
-. TESTING
-. Me logueo como un COORDINADOR
-. Menu: ADMIN
-. Selecciono una actividad
-. Cuando estoy editando un cambio de "Coordinador de Actividad"
-. Presiono "GUARDAR"
-. Me lo guarda
-. Vuleve al "Listado de Actividades"
**Capturas de pantalla**

**Si estás en una computadora (por favor completá la siguiente información):**
- Navegador : chrome
**Smartphone (completá la siguiente informaicón):**
- Dispositivo: [por ejemplo: Huawei GW, iPhone6, Samsung J2]
- Sistema operativo: [por ejemplo: Android4, iOS8.1]
- Navegador [por ejemplo: navegador del celu, Chrome, Safari]
**Contexto adicional**
Toda otra cosa que ayude a explicar lo que pasó.
|
defect
|
be hice un cambio en una actividad guarde y permacere en la actividad describí el error hice un cambio en una actividad como coordinador presiono guardar y permacere en la actividad para reproducirlo testing me logueo como un coordinador menu admin selecciono una actividad cuando estoy editando un cambio de coordinador de actividad presiono guardar me lo guarda perooo permacere en la actividad no va al listado entonces puedo en la solapa grupos agregar un voluntario no inscripto pero en punto de encuentro esta vacio tambien puedo agregar un grupo o varios en la solapa grupos comportamiento esperando testing me logueo como un coordinador menu admin selecciono una actividad cuando estoy editando un cambio de coordinador de actividad presiono guardar me lo guarda vuleve al listado de actividades capturas de pantalla si estás en una computadora por favor completá la siguiente información navegador chrome smartphone completá la siguiente informaicón dispositivo sistema operativo navegador contexto adicional toda otra cosa que ayude a explicar lo que pasó
| 1
|
43,022
| 11,433,426,662
|
IssuesEvent
|
2020-02-04 15:41:05
|
SasView/sasview
|
https://api.github.com/repos/SasView/sasview
|
closed
|
5.0.1 Show SLD profile plot - linear not log please
|
defect
|
onion & core_multishell models seem to be working now, (though I have not made a detail comparison of numerical results with 4.x), minor issue - the "Show SLD profile" plot ought to be linear-linear not log-log axes please.
|
1.0
|
5.0.1 Show SLD profile plot - linear not log please - onion & core_multishell models seem to be working now, (though I have not made a detail comparison of numerical results with 4.x), minor issue - the "Show SLD profile" plot ought to be linear-linear not log-log axes please.
|
defect
|
show sld profile plot linear not log please onion core multishell models seem to be working now though i have not made a detail comparison of numerical results with x minor issue the show sld profile plot ought to be linear linear not log log axes please
| 1
|
56,160
| 14,951,879,472
|
IssuesEvent
|
2021-01-26 14:54:24
|
soccerjoshj07/trac-issues-repo-2
|
https://api.github.com/repos/soccerjoshj07/trac-issues-repo-2
|
closed
|
Another ticket
|
defect
|
*Issue migrated from trac ticket # 3*
**component:** component1 | **priority:** major
#### 2021-01-25 21:01:28: admin created the issue
|
1.0
|
Another ticket - *Issue migrated from trac ticket # 3*
**component:** component1 | **priority:** major
#### 2021-01-25 21:01:28: admin created the issue
|
defect
|
another ticket issue migrated from trac ticket component priority major admin created the issue
| 1
|
42,995
| 11,419,614,111
|
IssuesEvent
|
2020-02-03 08:23:51
|
mozilla-lockwise/lockwise-android
|
https://api.github.com/repos/mozilla-lockwise/lockwise-android
|
closed
|
The "Hostname/Password cannot be empty" error is displayed even if there is no attempt to save a login
|
closed-invalid defect feature-CUD
|
## Steps to reproduce
1. Launch Lockwise.
2. Login with valid credentials.
3. Tap on the `+`.
4. Tap on the `Web address` or `Password fields` but don't insert any data.
### Expected behavior
The "Hostname/Password cannot be empty" error should not be displayed until there is an attempt to save a login without one of these filled.
### Actual behavior
The "Hostname/Password cannot be empty" error is displayed even if there is no attempt to save a login
### Device & build information
* Device: **Samsung Galaxy S10+(Android 9)**
* Build version: **4.0.0(6016)**
### Notes
Attachments:

|
1.0
|
The "Hostname/Password cannot be empty" error is displayed even if there is no attempt to save a login - ## Steps to reproduce
1. Launch Lockwise.
2. Login with valid credentials.
3. Tap on the `+`.
4. Tap on the `Web address` or `Password fields` but don't insert any data.
### Expected behavior
The "Hostname/Password cannot be empty" error should not be displayed until there is an attempt to save a login without one of these filled.
### Actual behavior
The "Hostname/Password cannot be empty" error is displayed even if there is no attempt to save a login
### Device & build information
* Device: **Samsung Galaxy S10+(Android 9)**
* Build version: **4.0.0(6016)**
### Notes
Attachments:

|
defect
|
the hostname password cannot be empty error is displayed even if there is no attempt to save a login steps to reproduce launch lockwise login with valid credentials tap on the tap on the web address or password fields but don t insert any data expected behavior the hostname password cannot be empty error should not be displayed until there is an attempt to save a login without one of these filled actual behavior the hostname password cannot be empty error is displayed even if there is no attempt to save a login device build information device samsung galaxy android build version notes attachments
| 1
|
215,732
| 16,615,950,824
|
IssuesEvent
|
2021-06-02 16:40:36
|
ionic-team/capacitor-plugins
|
https://api.github.com/repos/ionic-team/capacitor-plugins
|
closed
|
Document READ_EXTERNAL_STORAGE/WRITE_EXTERNAL_STORAGE
|
documentation platform: android plugin: filesystem
|
Alternatively, we could update the plugin to use `MANAGE_EXTERNAL_STORAGE` 👉 https://github.com/ionic-team/capacitor-plugins/issues/169
|
1.0
|
Document READ_EXTERNAL_STORAGE/WRITE_EXTERNAL_STORAGE - Alternatively, we could update the plugin to use `MANAGE_EXTERNAL_STORAGE` 👉 https://github.com/ionic-team/capacitor-plugins/issues/169
|
non_defect
|
document read external storage write external storage alternatively we could update the plugin to use manage external storage 👉
| 0
|
99,735
| 11,160,359,683
|
IssuesEvent
|
2019-12-26 09:25:49
|
emielvanseveren/hyperledger
|
https://api.github.com/repos/emielvanseveren/hyperledger
|
closed
|
Paper: How (un)secure is Hyperledger Fabric (v1.4)
|
documentation
|
Ethereum
Hyperledger
Hyperledger Fabric
Differences
BY
|
1.0
|
Paper: How (un)secure is Hyperledger Fabric (v1.4) - Ethereum
Hyperledger
Hyperledger Fabric
Differences
BY
|
non_defect
|
paper how un secure is hyperledger fabric ethereum hyperledger hyperledger fabric differences by
| 0
|
293,028
| 8,971,934,580
|
IssuesEvent
|
2019-01-29 17:00:19
|
roblox-ts/roblox-ts
|
https://api.github.com/repos/roblox-ts/roblox-ts
|
closed
|
JSDocComments are not allowed in object definitions
|
priority: urgent severity: hurts workflow type: bug
|

The JSDoc comment causes a compiler error

|
1.0
|
JSDocComments are not allowed in object definitions - 
The JSDoc comment causes a compiler error

|
non_defect
|
jsdoccomments are not allowed in object definitions the jsdoc comment causes a compiler error
| 0
|
18,151
| 3,028,992,042
|
IssuesEvent
|
2015-08-04 09:43:31
|
primefaces/primefaces
|
https://api.github.com/repos/primefaces/primefaces
|
closed
|
Checkbox state refresh bug in Firefox
|
5.2.10 defect
|
This bug can be easily reproduced on primefaces' showcase.
http://www.primefaces.org/showcase/ui/input/booleanCheckbox.xhtml
Click one of the 2 checkbox(ajax or basic). => The checkbox will be displayed as checked.
Hit the refresh button or click refresh. => The checkbox is not checked anymore.
Click on the same checkbox again. => No change in display will happen.
Depending on which you choose:
Basic: Basic will not do anything on the first click, but will display it checked once you click on it a second time.
Ajax: This will trigger an "unchecked" event which will be displayed in the growl on the page.
OS: Windows 7(x64)
Browser: Mozilla Firefox 39.0
Showcase: Running PrimeFaces-5.2.9-SNAPSHOT on Mojarra-2.2.8.
|
1.0
|
Checkbox state refresh bug in Firefox - This bug can be easily reproduced on primefaces' showcase.
http://www.primefaces.org/showcase/ui/input/booleanCheckbox.xhtml
Click one of the 2 checkbox(ajax or basic). => The checkbox will be displayed as checked.
Hit the refresh button or click refresh. => The checkbox is not checked anymore.
Click on the same checkbox again. => No change in display will happen.
Depending on which you choose:
Basic: Basic will not do anything on the first click, but will display it checked once you click on it a second time.
Ajax: This will trigger an "unchecked" event which will be displayed in the growl on the page.
OS: Windows 7(x64)
Browser: Mozilla Firefox 39.0
Showcase: Running PrimeFaces-5.2.9-SNAPSHOT on Mojarra-2.2.8.
|
defect
|
checkbox state refresh bug in firefox this bug can be easily reproduced on primefaces showcase click one of the checkbox ajax or basic the checkbox will be displayed as checked hit the refresh button or click refresh the checkbox is not checked anymore click on the same checkbox again no change in display will happen depending on which you choose basic basic will not do anything on the first click but will display it checked once you click on it a second time ajax this will trigger an unchecked event which will be displayed in the growl on the page os windows browser mozilla firefox showcase running primefaces snapshot on mojarra
| 1
|
22,976
| 10,827,404,004
|
IssuesEvent
|
2019-11-10 08:54:10
|
stefanfreitag/IntroToVulnerabilityScanning
|
https://api.github.com/repos/stefanfreitag/IntroToVulnerabilityScanning
|
opened
|
CVE-2018-20190 (Medium) detected in opennms-opennms-source-25.0.0-1
|
security vulnerability
|
## CVE-2018-20190 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>opennmsopennms-source-25.0.0-1</b></p></summary>
<p>
<p>A Java based fault and performance management system</p>
<p>Library home page: <a href=https://sourceforge.net/projects/opennms/>https://sourceforge.net/projects/opennms/</a></p>
<p>Found in HEAD commit: <a href="https://github.com/stefanfreitag/IntroToVulnerabilityScanning/commit/367868603e5bd16cc4c63e01d060742fb68e97da">367868603e5bd16cc4c63e01d060742fb68e97da</a></p>
</p>
</details>
</p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Library Source Files (87)</summary>
<p></p>
<p> * The source files were matched to this source library based on a best effort match. Source libraries are selected from a list of probable public libraries.</p>
<p>
- /IntroToVulnerabilityScanning/node_modules/console-browserify/test/static/test-adapter.js
- /IntroToVulnerabilityScanning/node_modules/nan/nan_callbacks_pre_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/expand.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/expand.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/factory.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/operators.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_implementation_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/boolean.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/util.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/value.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/emitter.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_converters_pre_43_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/callback_bridge.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/file.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/sass.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_persistent_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/operation.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_persistent_pre_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/operators.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/constants.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/error_handling.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_weak.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_implementation_pre_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/custom_importer_bridge.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/parser.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/constants.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/list.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/cssize.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/functions.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/util.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/custom_function_bridge.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_typedarray_contents.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/custom_importer_bridge.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/bind.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_json.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/eval.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/inspect.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_converters.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/backtrace.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/extend.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_context_wrapper.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/sass_value_wrapper.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/error_handling.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/parser.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/debugger.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/emitter.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/number.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/color.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_new.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_maybe_pre_43_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/sass_values.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/ast.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_callbacks_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_maybe_43_inl.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_object_wrap.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/output.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/check_nesting.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/null.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/ast_def_macros.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/functions.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/cssize.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/prelexer.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/ast.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/to_c.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/to_value.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/ast_fwd_decl.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_callbacks.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/inspect.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/color.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/values.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_context_wrapper.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/list.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/check_nesting.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_define_own_property_helper.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/map.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/to_value.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/context.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/binding.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/string.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/sass_context.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_converters_43_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/prelexer.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/context.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/boolean.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_private.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/eval.cpp
</p>
</details>
<p></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
In LibSass 3.5.5, a NULL Pointer Dereference in the function Sass::Eval::operator()(Sass::Supports_Operator*) in eval.cpp may cause a Denial of Service (application crash) via a crafted sass input file.
<p>Publish Date: 2018-12-17
<p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-20190>CVE-2018-20190</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-20190">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-20190</a></p>
<p>Release Date: 2018-12-17</p>
<p>Fix Resolution: 3.6.0</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
True
|
CVE-2018-20190 (Medium) detected in opennms-opennms-source-25.0.0-1 - ## CVE-2018-20190 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>opennmsopennms-source-25.0.0-1</b></p></summary>
<p>
<p>A Java based fault and performance management system</p>
<p>Library home page: <a href=https://sourceforge.net/projects/opennms/>https://sourceforge.net/projects/opennms/</a></p>
<p>Found in HEAD commit: <a href="https://github.com/stefanfreitag/IntroToVulnerabilityScanning/commit/367868603e5bd16cc4c63e01d060742fb68e97da">367868603e5bd16cc4c63e01d060742fb68e97da</a></p>
</p>
</details>
</p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Library Source Files (87)</summary>
<p></p>
<p> * The source files were matched to this source library based on a best effort match. Source libraries are selected from a list of probable public libraries.</p>
<p>
- /IntroToVulnerabilityScanning/node_modules/console-browserify/test/static/test-adapter.js
- /IntroToVulnerabilityScanning/node_modules/nan/nan_callbacks_pre_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/expand.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/expand.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/factory.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/operators.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_implementation_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/boolean.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/util.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/value.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/emitter.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_converters_pre_43_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/callback_bridge.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/file.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/sass.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_persistent_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/operation.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_persistent_pre_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/operators.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/constants.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/error_handling.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_weak.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_implementation_pre_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/custom_importer_bridge.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/parser.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/constants.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/list.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/cssize.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/functions.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/util.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/custom_function_bridge.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_typedarray_contents.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/custom_importer_bridge.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/bind.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_json.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/eval.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/inspect.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_converters.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/backtrace.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/extend.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_context_wrapper.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/sass_value_wrapper.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/error_handling.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/parser.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/debugger.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/emitter.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/number.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/color.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_new.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_maybe_pre_43_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/sass_values.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/ast.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_callbacks_12_inl.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_maybe_43_inl.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_object_wrap.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/output.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/check_nesting.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/null.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/ast_def_macros.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/functions.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/cssize.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/prelexer.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/ast.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/to_c.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/to_value.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/ast_fwd_decl.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_callbacks.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/inspect.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/color.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/values.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_context_wrapper.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/list.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/check_nesting.hpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_define_own_property_helper.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/map.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/to_value.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/context.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/binding.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/string.cpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/sass_context.cpp
- /IntroToVulnerabilityScanning/node_modules/nan/nan_converters_43_inl.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/prelexer.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/context.hpp
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/sass_types/boolean.h
- /IntroToVulnerabilityScanning/node_modules/nan/nan_private.h
- /IntroToVulnerabilityScanning/node_modules/node-sass/src/libsass/src/eval.cpp
</p>
</details>
<p></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
In LibSass 3.5.5, a NULL Pointer Dereference in the function Sass::Eval::operator()(Sass::Supports_Operator*) in eval.cpp may cause a Denial of Service (application crash) via a crafted sass input file.
<p>Publish Date: 2018-12-17
<p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-20190>CVE-2018-20190</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-20190">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-20190</a></p>
<p>Release Date: 2018-12-17</p>
<p>Fix Resolution: 3.6.0</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
non_defect
|
cve medium detected in opennms opennms source cve medium severity vulnerability vulnerable library opennmsopennms source a java based fault and performance management system library home page a href found in head commit a href library source files the source files were matched to this source library based on a best effort match source libraries are selected from a list of probable public libraries introtovulnerabilityscanning node modules console browserify test static test adapter js introtovulnerabilityscanning node modules nan nan callbacks pre inl h introtovulnerabilityscanning node modules node sass src libsass src expand hpp introtovulnerabilityscanning node modules node sass src libsass src expand cpp introtovulnerabilityscanning node modules node sass src sass types factory cpp introtovulnerabilityscanning node modules node sass src libsass src operators cpp introtovulnerabilityscanning node modules nan nan implementation inl h introtovulnerabilityscanning node modules node sass src sass types boolean cpp introtovulnerabilityscanning node modules node sass src libsass src util hpp introtovulnerabilityscanning node modules node sass src sass types value h introtovulnerabilityscanning node modules node sass src libsass src emitter hpp introtovulnerabilityscanning node modules nan nan converters pre inl h introtovulnerabilityscanning node modules node sass src callback bridge h introtovulnerabilityscanning node modules node sass src libsass src file cpp introtovulnerabilityscanning node modules node sass src libsass src sass cpp introtovulnerabilityscanning node modules nan nan persistent inl h introtovulnerabilityscanning node modules node sass src libsass src operation hpp introtovulnerabilityscanning node modules nan nan persistent pre inl h introtovulnerabilityscanning node modules node sass src libsass src operators hpp introtovulnerabilityscanning node modules node sass src libsass src constants hpp introtovulnerabilityscanning node modules node sass src libsass src error handling hpp introtovulnerabilityscanning node modules nan nan weak h introtovulnerabilityscanning node modules nan nan implementation pre inl h introtovulnerabilityscanning node modules node sass src custom importer bridge cpp introtovulnerabilityscanning node modules node sass src libsass src parser hpp introtovulnerabilityscanning node modules node sass src libsass src constants cpp introtovulnerabilityscanning node modules node sass src sass types list cpp introtovulnerabilityscanning node modules node sass src libsass src cssize cpp introtovulnerabilityscanning node modules node sass src libsass src functions hpp introtovulnerabilityscanning node modules node sass src libsass src util cpp introtovulnerabilityscanning node modules node sass src custom function bridge cpp introtovulnerabilityscanning node modules nan nan typedarray contents h introtovulnerabilityscanning node modules node sass src custom importer bridge h introtovulnerabilityscanning node modules node sass src libsass src bind cpp introtovulnerabilityscanning node modules nan nan json h introtovulnerabilityscanning node modules node sass src libsass src eval hpp introtovulnerabilityscanning node modules node sass src libsass src inspect cpp introtovulnerabilityscanning node modules nan nan converters h introtovulnerabilityscanning node modules node sass src libsass src backtrace cpp introtovulnerabilityscanning node modules node sass src libsass src extend cpp introtovulnerabilityscanning node modules nan nan h introtovulnerabilityscanning node modules node sass src sass context wrapper h introtovulnerabilityscanning node modules node sass src sass types sass value wrapper h introtovulnerabilityscanning node modules node sass src libsass src error handling cpp introtovulnerabilityscanning node modules node sass src libsass src parser cpp introtovulnerabilityscanning node modules node sass src libsass src debugger hpp introtovulnerabilityscanning node modules node sass src libsass src emitter cpp introtovulnerabilityscanning node modules node sass src sass types number cpp introtovulnerabilityscanning node modules node sass src sass types color h introtovulnerabilityscanning node modules nan nan new h introtovulnerabilityscanning node modules nan nan maybe pre inl h introtovulnerabilityscanning node modules node sass src libsass src sass values cpp introtovulnerabilityscanning node modules node sass src libsass src ast hpp introtovulnerabilityscanning node modules nan nan callbacks inl h introtovulnerabilityscanning node modules nan nan maybe inl h introtovulnerabilityscanning node modules nan nan object wrap h introtovulnerabilityscanning node modules node sass src libsass src output cpp introtovulnerabilityscanning node modules node sass src libsass src check nesting cpp introtovulnerabilityscanning node modules node sass src sass types null cpp introtovulnerabilityscanning node modules node sass src libsass src ast def macros hpp introtovulnerabilityscanning node modules node sass src libsass src functions cpp introtovulnerabilityscanning node modules node sass src libsass src cssize hpp introtovulnerabilityscanning node modules node sass src libsass src prelexer cpp introtovulnerabilityscanning node modules node sass src libsass src ast cpp introtovulnerabilityscanning node modules node sass src libsass src to c cpp introtovulnerabilityscanning node modules node sass src libsass src to value hpp introtovulnerabilityscanning node modules node sass src libsass src ast fwd decl hpp introtovulnerabilityscanning node modules nan nan callbacks h introtovulnerabilityscanning node modules node sass src libsass src inspect hpp introtovulnerabilityscanning node modules node sass src sass types color cpp introtovulnerabilityscanning node modules node sass src libsass src values cpp introtovulnerabilityscanning node modules node sass src sass context wrapper cpp introtovulnerabilityscanning node modules node sass src sass types list h introtovulnerabilityscanning node modules node sass src libsass src check nesting hpp introtovulnerabilityscanning node modules nan nan define own property helper h introtovulnerabilityscanning node modules node sass src sass types map cpp introtovulnerabilityscanning node modules node sass src libsass src to value cpp introtovulnerabilityscanning node modules node sass src libsass src context cpp introtovulnerabilityscanning node modules node sass src binding cpp introtovulnerabilityscanning node modules node sass src sass types string cpp introtovulnerabilityscanning node modules node sass src libsass src sass context cpp introtovulnerabilityscanning node modules nan nan converters inl h introtovulnerabilityscanning node modules node sass src libsass src prelexer hpp introtovulnerabilityscanning node modules node sass src libsass src context hpp introtovulnerabilityscanning node modules node sass src sass types boolean h introtovulnerabilityscanning node modules nan nan private h introtovulnerabilityscanning node modules node sass src libsass src eval cpp vulnerability details in libsass a null pointer dereference in the function sass eval operator sass supports operator in eval cpp may cause a denial of service application crash via a crafted sass input file publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with whitesource
| 0
|
344,414
| 10,344,264,619
|
IssuesEvent
|
2019-09-04 10:47:43
|
AbsaOSS/enceladus
|
https://api.github.com/repos/AbsaOSS/enceladus
|
opened
|
GH pages search function doesn't see search.json
|
bug docs priority: low
|
## Describe the bug
GH pages search function doesn't see search.json because of missing baseurl in the path of the loading
## To Reproduce
Steps to reproduce the behavior OR commands run:
1. Go to News
2. Click on search
3. Try searching
|
1.0
|
GH pages search function doesn't see search.json - ## Describe the bug
GH pages search function doesn't see search.json because of missing baseurl in the path of the loading
## To Reproduce
Steps to reproduce the behavior OR commands run:
1. Go to News
2. Click on search
3. Try searching
|
non_defect
|
gh pages search function doesn t see search json describe the bug gh pages search function doesn t see search json because of missing baseurl in the path of the loading to reproduce steps to reproduce the behavior or commands run go to news click on search try searching
| 0
|
180,851
| 6,653,981,477
|
IssuesEvent
|
2017-09-29 10:41:18
|
jiscdev/data-explorer
|
https://api.github.com/repos/jiscdev/data-explorer
|
closed
|
'true' Demo data available ⚖ 92
|
accepted @ medium priority feature parked
|
- demo data available, preferably via the same mechanism as real data i.e. the API so it is a true demo / does not introduce bugs which are otherwise irrelevant
|
1.0
|
'true' Demo data available ⚖ 92 - - demo data available, preferably via the same mechanism as real data i.e. the API so it is a true demo / does not introduce bugs which are otherwise irrelevant
|
non_defect
|
true demo data available ⚖ demo data available preferably via the same mechanism as real data i e the api so it is a true demo does not introduce bugs which are otherwise irrelevant
| 0
|
61,543
| 17,023,720,866
|
IssuesEvent
|
2021-07-03 03:29:09
|
tomhughes/trac-tickets
|
https://api.github.com/repos/tomhughes/trac-tickets
|
closed
|
OpenID failure results in some 500 errors
|
Component: website Priority: minor Resolution: fixed Type: defect
|
**[Submitted to the original trac issue database at 2.29pm, Tuesday, 14th June 2011]**
**Bug 1**
Steps:
1. don't set an "openid URL" to login.
1. press the "openid" logo
2. enter your openid http://tiq.com/~erik
3. press login.
Results:
A page with
"
Application error
The OpenStreetMap server encountered an unexpected condition that prevented it from fulfilling the request (HTTP 500)[....]"
**Bug 2:**
4. Make all the steps above, then after 3.
4. press back
5. try to login with your password.
Results:
Will get you an 500 error as well, the openid option get stuck in someway.
|
1.0
|
OpenID failure results in some 500 errors - **[Submitted to the original trac issue database at 2.29pm, Tuesday, 14th June 2011]**
**Bug 1**
Steps:
1. don't set an "openid URL" to login.
1. press the "openid" logo
2. enter your openid http://tiq.com/~erik
3. press login.
Results:
A page with
"
Application error
The OpenStreetMap server encountered an unexpected condition that prevented it from fulfilling the request (HTTP 500)[....]"
**Bug 2:**
4. Make all the steps above, then after 3.
4. press back
5. try to login with your password.
Results:
Will get you an 500 error as well, the openid option get stuck in someway.
|
defect
|
openid failure results in some errors bug steps don t set an openid url to login press the openid logo enter your openid press login results a page with application error the openstreetmap server encountered an unexpected condition that prevented it from fulfilling the request http bug make all the steps above then after press back try to login with your password results will get you an error as well the openid option get stuck in someway
| 1
|
318,509
| 27,309,180,451
|
IssuesEvent
|
2023-02-24 10:44:43
|
alexandrainst/AlexandraAI-eval
|
https://api.github.com/repos/alexandrainst/AlexandraAI-eval
|
closed
|
Update unit tests for the `task` module
|
tests
|
With the new refactoring (#65) we need new unit tests for the sequence classification module.
|
1.0
|
Update unit tests for the `task` module - With the new refactoring (#65) we need new unit tests for the sequence classification module.
|
non_defect
|
update unit tests for the task module with the new refactoring we need new unit tests for the sequence classification module
| 0
|
58,607
| 16,628,038,849
|
IssuesEvent
|
2021-06-03 12:16:36
|
vector-im/element-web
|
https://api.github.com/repos/vector-im/element-web
|
opened
|
The `sso_immediate_redirect` option intercepts deep links
|
T-Defect
|
I love the `sso_immediate_redirect` option, but it redirects on deep links as well as on the front door of the app.
We should still be able to follow a deep link to the page - only bounce people directly to SSO if they then try and login.
|
1.0
|
The `sso_immediate_redirect` option intercepts deep links - I love the `sso_immediate_redirect` option, but it redirects on deep links as well as on the front door of the app.
We should still be able to follow a deep link to the page - only bounce people directly to SSO if they then try and login.
|
defect
|
the sso immediate redirect option intercepts deep links i love the sso immediate redirect option but it redirects on deep links as well as on the front door of the app we should still be able to follow a deep link to the page only bounce people directly to sso if they then try and login
| 1
|
99,532
| 16,446,420,458
|
IssuesEvent
|
2021-05-20 20:11:01
|
snowdensb/nibrs
|
https://api.github.com/repos/snowdensb/nibrs
|
opened
|
CVE-2016-1000338 (High) detected in bcprov-jdk15on-1.54.jar
|
security vulnerability
|
## CVE-2016-1000338 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>bcprov-jdk15on-1.54.jar</b></p></summary>
<p>The Bouncy Castle Crypto package is a Java implementation of cryptographic algorithms. This jar contains JCE provider and lightweight API for the Bouncy Castle Cryptography APIs for JDK 1.5 to JDK 1.8.</p>
<p>Library home page: <a href="http://www.bouncycastle.org/java.html">http://www.bouncycastle.org/java.html</a></p>
<p>Path to dependency file: nibrs/tools/nibrs-staging-data/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,nibrs/web/nibrs-web/target/nibrs-web/WEB-INF/lib/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar</p>
<p>
Dependency Hierarchy:
- :x: **bcprov-jdk15on-1.54.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/snowdensb/nibrs/commit/e33ecd45d71662f63121c238ca1c416a6631a650">e33ecd45d71662f63121c238ca1c416a6631a650</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
In Bouncy Castle JCE Provider version 1.55 and earlier the DSA does not fully validate ASN.1 encoding of signature on verification. It is possible to inject extra elements in the sequence making up the signature and still have it validate, which in some cases may allow the introduction of 'invisible' data into a signed structure.
<p>Publish Date: 2018-06-01
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2016-1000338>CVE-2016-1000338</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: High
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2016-1000338">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2016-1000338</a></p>
<p>Release Date: 2018-06-01</p>
<p>Fix Resolution: org.bouncycastle:bcprov-debug-jdk15on:1.55,org.bouncycastle:bcprov-debug-jdk14:1.55,org.bouncycastle:bcprov-ext-jdk14:1.55,org.bouncycastle:bcprov-ext-jdk15on:1.55,org.bouncycastle:bcprov-jdk14:1.55,org.bouncycastle:bcprov-jdk15on:1.55,org.bouncycastle:bcprov-ext-debug-jdk15on:1.55</p>
</p>
</details>
<p></p>
***
:rescue_worker_helmet: Automatic Remediation is available for this issue
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"org.bouncycastle","packageName":"bcprov-jdk15on","packageVersion":"1.54","packageFilePaths":["/tools/nibrs-staging-data/pom.xml","/tools/nibrs-flatfile/pom.xml","/tools/nibrs-summary-report/pom.xml","/tools/nibrs-staging-data-common/pom.xml","/tools/nibrs-fbi-service/pom.xml","/tools/nibrs-xmlfile/pom.xml","/web/nibrs-web/pom.xml","/tools/nibrs-validate-common/pom.xml","/tools/nibrs-common/pom.xml","/tools/nibrs-validation/pom.xml","/tools/nibrs-summary-report-common/pom.xml","/tools/nibrs-route/pom.xml"],"isTransitiveDependency":false,"dependencyTree":"org.bouncycastle:bcprov-jdk15on:1.54","isMinimumFixVersionAvailable":true,"minimumFixVersion":"org.bouncycastle:bcprov-debug-jdk15on:1.55,org.bouncycastle:bcprov-debug-jdk14:1.55,org.bouncycastle:bcprov-ext-jdk14:1.55,org.bouncycastle:bcprov-ext-jdk15on:1.55,org.bouncycastle:bcprov-jdk14:1.55,org.bouncycastle:bcprov-jdk15on:1.55,org.bouncycastle:bcprov-ext-debug-jdk15on:1.55"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2016-1000338","vulnerabilityDetails":"In Bouncy Castle JCE Provider version 1.55 and earlier the DSA does not fully validate ASN.1 encoding of signature on verification. It is possible to inject extra elements in the sequence making up the signature and still have it validate, which in some cases may allow the introduction of \u0027invisible\u0027 data into a signed structure.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2016-1000338","cvss3Severity":"high","cvss3Score":"7.5","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"None","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> -->
|
True
|
CVE-2016-1000338 (High) detected in bcprov-jdk15on-1.54.jar - ## CVE-2016-1000338 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>bcprov-jdk15on-1.54.jar</b></p></summary>
<p>The Bouncy Castle Crypto package is a Java implementation of cryptographic algorithms. This jar contains JCE provider and lightweight API for the Bouncy Castle Cryptography APIs for JDK 1.5 to JDK 1.8.</p>
<p>Library home page: <a href="http://www.bouncycastle.org/java.html">http://www.bouncycastle.org/java.html</a></p>
<p>Path to dependency file: nibrs/tools/nibrs-staging-data/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,nibrs/web/nibrs-web/target/nibrs-web/WEB-INF/lib/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar,/home/wss-scanner/.m2/repository/org/bouncycastle/bcprov-jdk15on/1.54/bcprov-jdk15on-1.54.jar</p>
<p>
Dependency Hierarchy:
- :x: **bcprov-jdk15on-1.54.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/snowdensb/nibrs/commit/e33ecd45d71662f63121c238ca1c416a6631a650">e33ecd45d71662f63121c238ca1c416a6631a650</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
In Bouncy Castle JCE Provider version 1.55 and earlier the DSA does not fully validate ASN.1 encoding of signature on verification. It is possible to inject extra elements in the sequence making up the signature and still have it validate, which in some cases may allow the introduction of 'invisible' data into a signed structure.
<p>Publish Date: 2018-06-01
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2016-1000338>CVE-2016-1000338</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: High
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2016-1000338">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2016-1000338</a></p>
<p>Release Date: 2018-06-01</p>
<p>Fix Resolution: org.bouncycastle:bcprov-debug-jdk15on:1.55,org.bouncycastle:bcprov-debug-jdk14:1.55,org.bouncycastle:bcprov-ext-jdk14:1.55,org.bouncycastle:bcprov-ext-jdk15on:1.55,org.bouncycastle:bcprov-jdk14:1.55,org.bouncycastle:bcprov-jdk15on:1.55,org.bouncycastle:bcprov-ext-debug-jdk15on:1.55</p>
</p>
</details>
<p></p>
***
:rescue_worker_helmet: Automatic Remediation is available for this issue
<!-- <REMEDIATE>{"isOpenPROnVulnerability":true,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"org.bouncycastle","packageName":"bcprov-jdk15on","packageVersion":"1.54","packageFilePaths":["/tools/nibrs-staging-data/pom.xml","/tools/nibrs-flatfile/pom.xml","/tools/nibrs-summary-report/pom.xml","/tools/nibrs-staging-data-common/pom.xml","/tools/nibrs-fbi-service/pom.xml","/tools/nibrs-xmlfile/pom.xml","/web/nibrs-web/pom.xml","/tools/nibrs-validate-common/pom.xml","/tools/nibrs-common/pom.xml","/tools/nibrs-validation/pom.xml","/tools/nibrs-summary-report-common/pom.xml","/tools/nibrs-route/pom.xml"],"isTransitiveDependency":false,"dependencyTree":"org.bouncycastle:bcprov-jdk15on:1.54","isMinimumFixVersionAvailable":true,"minimumFixVersion":"org.bouncycastle:bcprov-debug-jdk15on:1.55,org.bouncycastle:bcprov-debug-jdk14:1.55,org.bouncycastle:bcprov-ext-jdk14:1.55,org.bouncycastle:bcprov-ext-jdk15on:1.55,org.bouncycastle:bcprov-jdk14:1.55,org.bouncycastle:bcprov-jdk15on:1.55,org.bouncycastle:bcprov-ext-debug-jdk15on:1.55"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2016-1000338","vulnerabilityDetails":"In Bouncy Castle JCE Provider version 1.55 and earlier the DSA does not fully validate ASN.1 encoding of signature on verification. It is possible to inject extra elements in the sequence making up the signature and still have it validate, which in some cases may allow the introduction of \u0027invisible\u0027 data into a signed structure.","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2016-1000338","cvss3Severity":"high","cvss3Score":"7.5","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"None","AV":"Network","I":"High"},"extraData":{}}</REMEDIATE> -->
|
non_defect
|
cve high detected in bcprov jar cve high severity vulnerability vulnerable library bcprov jar the bouncy castle crypto package is a java implementation of cryptographic algorithms this jar contains jce provider and lightweight api for the bouncy castle cryptography apis for jdk to jdk library home page a href path to dependency file nibrs tools nibrs staging data pom xml path to vulnerable library home wss scanner repository org bouncycastle bcprov bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar nibrs web nibrs web target nibrs web web inf lib bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar home wss scanner repository org bouncycastle bcprov bcprov jar dependency hierarchy x bcprov jar vulnerable library found in head commit a href found in base branch master vulnerability details in bouncy castle jce provider version and earlier the dsa does not fully validate asn encoding of signature on verification it is possible to inject extra elements in the sequence making up the signature and still have it validate which in some cases may allow the introduction of invisible data into a signed structure publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact high availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution org bouncycastle bcprov debug org bouncycastle bcprov debug org bouncycastle bcprov ext org bouncycastle bcprov ext org bouncycastle bcprov org bouncycastle bcprov org bouncycastle bcprov ext debug rescue worker helmet automatic remediation is available for this issue isopenpronvulnerability true ispackagebased true isdefaultbranch true packages istransitivedependency false dependencytree org bouncycastle bcprov isminimumfixversionavailable true minimumfixversion org bouncycastle bcprov debug org bouncycastle bcprov debug org bouncycastle bcprov ext org bouncycastle bcprov ext org bouncycastle bcprov org bouncycastle bcprov org bouncycastle bcprov ext debug basebranches vulnerabilityidentifier cve vulnerabilitydetails in bouncy castle jce provider version and earlier the dsa does not fully validate asn encoding of signature on verification it is possible to inject extra elements in the sequence making up the signature and still have it validate which in some cases may allow the introduction of data into a signed structure vulnerabilityurl
| 0
|
43,370
| 9,423,606,908
|
IssuesEvent
|
2019-04-11 12:19:22
|
mozilla/addons-server
|
https://api.github.com/repos/mozilla/addons-server
|
opened
|
Fix "TypeError: 'odict_keys' object is not subscriptable"
|
component: code quality priority: p3
|
There are a few places where we have a `some_doct.keys()[0]` statement which leads to an exception. `some_dict.keys()` has to be casted to a list before instead.
|
1.0
|
Fix "TypeError: 'odict_keys' object is not subscriptable" - There are a few places where we have a `some_doct.keys()[0]` statement which leads to an exception. `some_dict.keys()` has to be casted to a list before instead.
|
non_defect
|
fix typeerror odict keys object is not subscriptable there are a few places where we have a some doct keys statement which leads to an exception some dict keys has to be casted to a list before instead
| 0
|
499,326
| 14,445,225,911
|
IssuesEvent
|
2020-12-07 22:34:16
|
apache/airflow
|
https://api.github.com/repos/apache/airflow
|
closed
|
Macros added through plugins can not be used within Jinja templates in Airflow 2.0
|
kind:bug priority:critical reported_version:2.0
|
**Apache Airflow version**: 2.0.0b3
**Kubernetes version (if you are using kubernetes)** (use `kubectl version`): N/A
**Environment**:
- **OS** (e.g. from /etc/os-release): Debian GNU/Linux 10 (buster)
- **Kernel** (e.g. `uname -a`): Linux 6ae65b86e112 5.4.0-52-generic #57-Ubuntu SMP Thu Oct 15 10:57:00 UTC 2020 x86_64 GNU/Linux
- **Others**: Python 3.8
**What happened**:
At JW Player we add additional macros to Airflow through a plugin. The definition of this plugin looks like the following (simplified):
```
from airflow.plugins_manager import AirflowPlugin
from utils_plugin.macros.convert_image_tag import convert_image_tag
class JwUtilsPlugin(AirflowPlugin):
name = 'jw_utils'
macros = [convert_image_tag]
```
`convert_image_tag` is a function that takes a string (a docker tag) as argument and resolves it to a SHA-256 hash that uniquely identifies an image by querying the docker registry. I.e. it is a function that takes a string as argument and returns a string.
In Airflow 1.10.x we can successfully use this macro in our DAGs to resolve image tags to SHA-256 hashes, e.g. the following DAG will run an Alpine Image using a DockerOperator:
```python
from datetime import datetime, timedelta
from airflow import DAG
try:
from airflow.providers.docker.operators.docker import DockerOperator
except ModuleNotFoundError:
from airflow.operators.docker_operator import DockerOperator
now = datetime.now()
with DAG('test_dag',
schedule_interval='*/15 * * * *',
default_args={
'owner': 'airflow',
'start_date': datetime.utcnow() - timedelta(hours=1),
'task_concurrency': 1,
'execution_timeout': timedelta(minutes=5)
},
max_active_runs=1) as dag:
task_sleep = DockerOperator(
task_id='task_sleep',
image=f"{{ macros.jw_utils.convert_image_tag('alpine') }}",
command=['sleep', '10']
)
```
This is in contrast to Airflow 2.0, if we attempt to use our custom macro here, then when Airflow attempts to render the task template it will error out with the following error:
```
[2020-12-03 12:54:43,666] {{taskinstance.py:1402}} ERROR - 'module object' has no attribute 'jw_utils'
Traceback (most recent call last):
File "/usr/local/lib/python3.8/site-packages/airflow/models/taskinstance.py", line 1087, in _run_raw_task
self._prepare_and_execute_task_with_callbacks(context, task)
File "/usr/local/lib/python3.8/site-packages/airflow/models/taskinstance.py", line 1224, in _prepare_and_execute_task_with_callbacks
self.render_templates(context=context)
File "/usr/local/lib/python3.8/site-packages/airflow/models/taskinstance.py", line 1690, in render_templates
self.task.render_template_fields(context)
File "/usr/local/lib/python3.8/site-packages/airflow/models/baseoperator.py", line 857, in render_template_fields
self._do_render_template_fields(self, self.template_fields, context, jinja_env, set())
File "/usr/local/lib/python3.8/site-packages/airflow/models/baseoperator.py", line 870, in _do_render_template_fields
rendered_content = self.render_template(content, context, jinja_env, seen_oids)
File "/usr/local/lib/python3.8/site-packages/airflow/models/baseoperator.py", line 907, in render_template
return jinja_env.from_string(content).render(**context)
File "/usr/local/lib/python3.8/site-packages/jinja2/environment.py", line 1090, in render
self.environment.handle_exception()
File "/usr/local/lib/python3.8/site-packages/jinja2/environment.py", line 832, in handle_exception
reraise(*rewrite_traceback_stack(source=source))
File "/usr/local/lib/python3.8/site-packages/jinja2/_compat.py", line 28, in reraise
raise value.with_traceback(tb)
File "<template>", line 1, in top-level template code
File "/usr/local/lib/python3.8/site-packages/jinja2/environment.py", line 471, in getattr
return getattr(obj, attribute)
jinja2.exceptions.UndefinedError: 'module object' has no attribute 'jw_utils'
```
**What you expected to happen**:
I would have expected that the DAG definition from above would have worked in Airflow 2.0, like it would have functioned in Airflow 1.10.x.
**How to reproduce it**:
This bug can be reproduced by creating a plugin that adds a macro, and then attempting to use that macro in a DAG.
**Anything else we need to know**:
In order to better understand the issue, I did a bit of digging. The plugin that we extend Airflow's functionality with has its own suite of pytest testcases. Since we are in the process of preparing for a transition to Airflow 2.0 we are now running the unit tests for this plugin against both Airflow 1.10.x and Airflow 2.0.0b3.
After reviewing how plugins were being loaded in Airflow, I've added the following testcase to mimic how plugins were being loaded and how [`get_template_context()`](https://github.com/apache/airflow/blob/2.0.0b3/airflow/models/taskinstance.py#L1481) in Airflow 2.0 ensures that plugins have been imported:
```python
def test_macro_namespacing(is_airflow_1):
"""
Tests whether macros can be loaded from Airflow's namespace after loading plugins.
"""
from airflow import macros
if not is_airflow_1:
# In Airflow 2.x, we need to make sure we invoke integrate_macros_plugins(), otherwise
# the namespace will not be created properly.
from airflow.plugins_manager import integrate_macros_plugins
integrate_macros_plugins()
from utils_plugin.plugin import JwUtilsPlugin
# After Airflow has loaded the plugins, the macros should be available as airflow.macros.jw_utils.
macros_module = import_module(f"airflow.macros.{JwUtilsPlugin.name}")
for macro in JwUtilsPlugin.macros:
# Verify that macros have been registered correctly.
assert hasattr(macros_module, macro.__name__)
# However, in order for the module to actually be allowed to be used in templates, it must also exist on
# airflow.macros.
assert hasattr(macros, 'jw_utils')
```
This test case passes when being ran on Airflow 1.10, but surprisngly enough it fails on Airflow 2.x. Specifically it fails on the `assert hasattr(macros, 'jw_utils')` statement in Airflow 2.0. This statement tests whether the macros that we create through the `JwUtilsPlugin` have been properly added to `airflow.macros`.
I thought it was strange for the test-case to fail on this module, given that the `import_module()` statement succeeded in Airflow 2.0. After this observation I started comparing the logic for registering macros in Airflow 1.10.x to the Airflow 2.0.0 implementation.
While doing this I observed that the plugin loading mechanism in Airflow 1.10.x works because Airflow [automatically discovers](https://github.com/apache/airflow/blob/1.10.13/airflow/__init__.py#L104) all plugins through the `plugins_manager` module. When this happens it automatically [initializes plugin-macro modules](https://github.com/apache/airflow/blob/1.10.13/airflow/plugins_manager.py#L306) in the `airflow.macros` namespace. Notably, after the plugin's module has been initialized it will also automatically be registered on the `airflow.macros` module [by updating the dictionary](https://github.com/apache/airflow/blob/1.10.13/airflow/macros/__init__.py#L93) returned by `globals()`.
This is in contrast to Airflow 2.0, where plugins are no longer loaded automatically. Instead they are being loaded lazily, i.e. they will be loaded on-demand whenever a function needs them. In order to load macros (or ensure that macros have been loaded), modules need to import the [`integrate_macros_plugins`](https://github.com/apache/airflow/blob/2.0.0b3/airflow/plugins_manager.py#L395) function from `airflow.plugins_manager`.
When Airflow attempts to prepare a template context, prior to running a task, it properly imports this function and invokes it in [taskinstance.py](https://github.com/apache/airflow/blob/2.0.0b3/airflow/models/taskinstance.py#L1483). However, in contrast to the old 1.10.x implementation, this function does not update the symbol table of `airflow.macros`. The result of this is that the macros from the plugin _will in fact_ be imported, but because `airflow.macros` symbol table itself is not being updated, the macros that are being added by the plugins can not be used in the template rendering context.
I believe this issue could be solved by ensuring that `integrate_macros_plugins` sets a reference to the `airflow.macros.jw_utils` as `jw_utils` on the `airflow.macros` module. Once that has been done I believe macros provided through plugins are functional again.
|
1.0
|
Macros added through plugins can not be used within Jinja templates in Airflow 2.0 - **Apache Airflow version**: 2.0.0b3
**Kubernetes version (if you are using kubernetes)** (use `kubectl version`): N/A
**Environment**:
- **OS** (e.g. from /etc/os-release): Debian GNU/Linux 10 (buster)
- **Kernel** (e.g. `uname -a`): Linux 6ae65b86e112 5.4.0-52-generic #57-Ubuntu SMP Thu Oct 15 10:57:00 UTC 2020 x86_64 GNU/Linux
- **Others**: Python 3.8
**What happened**:
At JW Player we add additional macros to Airflow through a plugin. The definition of this plugin looks like the following (simplified):
```
from airflow.plugins_manager import AirflowPlugin
from utils_plugin.macros.convert_image_tag import convert_image_tag
class JwUtilsPlugin(AirflowPlugin):
name = 'jw_utils'
macros = [convert_image_tag]
```
`convert_image_tag` is a function that takes a string (a docker tag) as argument and resolves it to a SHA-256 hash that uniquely identifies an image by querying the docker registry. I.e. it is a function that takes a string as argument and returns a string.
In Airflow 1.10.x we can successfully use this macro in our DAGs to resolve image tags to SHA-256 hashes, e.g. the following DAG will run an Alpine Image using a DockerOperator:
```python
from datetime import datetime, timedelta
from airflow import DAG
try:
from airflow.providers.docker.operators.docker import DockerOperator
except ModuleNotFoundError:
from airflow.operators.docker_operator import DockerOperator
now = datetime.now()
with DAG('test_dag',
schedule_interval='*/15 * * * *',
default_args={
'owner': 'airflow',
'start_date': datetime.utcnow() - timedelta(hours=1),
'task_concurrency': 1,
'execution_timeout': timedelta(minutes=5)
},
max_active_runs=1) as dag:
task_sleep = DockerOperator(
task_id='task_sleep',
image=f"{{ macros.jw_utils.convert_image_tag('alpine') }}",
command=['sleep', '10']
)
```
This is in contrast to Airflow 2.0, if we attempt to use our custom macro here, then when Airflow attempts to render the task template it will error out with the following error:
```
[2020-12-03 12:54:43,666] {{taskinstance.py:1402}} ERROR - 'module object' has no attribute 'jw_utils'
Traceback (most recent call last):
File "/usr/local/lib/python3.8/site-packages/airflow/models/taskinstance.py", line 1087, in _run_raw_task
self._prepare_and_execute_task_with_callbacks(context, task)
File "/usr/local/lib/python3.8/site-packages/airflow/models/taskinstance.py", line 1224, in _prepare_and_execute_task_with_callbacks
self.render_templates(context=context)
File "/usr/local/lib/python3.8/site-packages/airflow/models/taskinstance.py", line 1690, in render_templates
self.task.render_template_fields(context)
File "/usr/local/lib/python3.8/site-packages/airflow/models/baseoperator.py", line 857, in render_template_fields
self._do_render_template_fields(self, self.template_fields, context, jinja_env, set())
File "/usr/local/lib/python3.8/site-packages/airflow/models/baseoperator.py", line 870, in _do_render_template_fields
rendered_content = self.render_template(content, context, jinja_env, seen_oids)
File "/usr/local/lib/python3.8/site-packages/airflow/models/baseoperator.py", line 907, in render_template
return jinja_env.from_string(content).render(**context)
File "/usr/local/lib/python3.8/site-packages/jinja2/environment.py", line 1090, in render
self.environment.handle_exception()
File "/usr/local/lib/python3.8/site-packages/jinja2/environment.py", line 832, in handle_exception
reraise(*rewrite_traceback_stack(source=source))
File "/usr/local/lib/python3.8/site-packages/jinja2/_compat.py", line 28, in reraise
raise value.with_traceback(tb)
File "<template>", line 1, in top-level template code
File "/usr/local/lib/python3.8/site-packages/jinja2/environment.py", line 471, in getattr
return getattr(obj, attribute)
jinja2.exceptions.UndefinedError: 'module object' has no attribute 'jw_utils'
```
**What you expected to happen**:
I would have expected that the DAG definition from above would have worked in Airflow 2.0, like it would have functioned in Airflow 1.10.x.
**How to reproduce it**:
This bug can be reproduced by creating a plugin that adds a macro, and then attempting to use that macro in a DAG.
**Anything else we need to know**:
In order to better understand the issue, I did a bit of digging. The plugin that we extend Airflow's functionality with has its own suite of pytest testcases. Since we are in the process of preparing for a transition to Airflow 2.0 we are now running the unit tests for this plugin against both Airflow 1.10.x and Airflow 2.0.0b3.
After reviewing how plugins were being loaded in Airflow, I've added the following testcase to mimic how plugins were being loaded and how [`get_template_context()`](https://github.com/apache/airflow/blob/2.0.0b3/airflow/models/taskinstance.py#L1481) in Airflow 2.0 ensures that plugins have been imported:
```python
def test_macro_namespacing(is_airflow_1):
"""
Tests whether macros can be loaded from Airflow's namespace after loading plugins.
"""
from airflow import macros
if not is_airflow_1:
# In Airflow 2.x, we need to make sure we invoke integrate_macros_plugins(), otherwise
# the namespace will not be created properly.
from airflow.plugins_manager import integrate_macros_plugins
integrate_macros_plugins()
from utils_plugin.plugin import JwUtilsPlugin
# After Airflow has loaded the plugins, the macros should be available as airflow.macros.jw_utils.
macros_module = import_module(f"airflow.macros.{JwUtilsPlugin.name}")
for macro in JwUtilsPlugin.macros:
# Verify that macros have been registered correctly.
assert hasattr(macros_module, macro.__name__)
# However, in order for the module to actually be allowed to be used in templates, it must also exist on
# airflow.macros.
assert hasattr(macros, 'jw_utils')
```
This test case passes when being ran on Airflow 1.10, but surprisngly enough it fails on Airflow 2.x. Specifically it fails on the `assert hasattr(macros, 'jw_utils')` statement in Airflow 2.0. This statement tests whether the macros that we create through the `JwUtilsPlugin` have been properly added to `airflow.macros`.
I thought it was strange for the test-case to fail on this module, given that the `import_module()` statement succeeded in Airflow 2.0. After this observation I started comparing the logic for registering macros in Airflow 1.10.x to the Airflow 2.0.0 implementation.
While doing this I observed that the plugin loading mechanism in Airflow 1.10.x works because Airflow [automatically discovers](https://github.com/apache/airflow/blob/1.10.13/airflow/__init__.py#L104) all plugins through the `plugins_manager` module. When this happens it automatically [initializes plugin-macro modules](https://github.com/apache/airflow/blob/1.10.13/airflow/plugins_manager.py#L306) in the `airflow.macros` namespace. Notably, after the plugin's module has been initialized it will also automatically be registered on the `airflow.macros` module [by updating the dictionary](https://github.com/apache/airflow/blob/1.10.13/airflow/macros/__init__.py#L93) returned by `globals()`.
This is in contrast to Airflow 2.0, where plugins are no longer loaded automatically. Instead they are being loaded lazily, i.e. they will be loaded on-demand whenever a function needs them. In order to load macros (or ensure that macros have been loaded), modules need to import the [`integrate_macros_plugins`](https://github.com/apache/airflow/blob/2.0.0b3/airflow/plugins_manager.py#L395) function from `airflow.plugins_manager`.
When Airflow attempts to prepare a template context, prior to running a task, it properly imports this function and invokes it in [taskinstance.py](https://github.com/apache/airflow/blob/2.0.0b3/airflow/models/taskinstance.py#L1483). However, in contrast to the old 1.10.x implementation, this function does not update the symbol table of `airflow.macros`. The result of this is that the macros from the plugin _will in fact_ be imported, but because `airflow.macros` symbol table itself is not being updated, the macros that are being added by the plugins can not be used in the template rendering context.
I believe this issue could be solved by ensuring that `integrate_macros_plugins` sets a reference to the `airflow.macros.jw_utils` as `jw_utils` on the `airflow.macros` module. Once that has been done I believe macros provided through plugins are functional again.
|
non_defect
|
macros added through plugins can not be used within jinja templates in airflow apache airflow version kubernetes version if you are using kubernetes use kubectl version n a environment os e g from etc os release debian gnu linux buster kernel e g uname a linux generic ubuntu smp thu oct utc gnu linux others python what happened at jw player we add additional macros to airflow through a plugin the definition of this plugin looks like the following simplified from airflow plugins manager import airflowplugin from utils plugin macros convert image tag import convert image tag class jwutilsplugin airflowplugin name jw utils macros convert image tag is a function that takes a string a docker tag as argument and resolves it to a sha hash that uniquely identifies an image by querying the docker registry i e it is a function that takes a string as argument and returns a string in airflow x we can successfully use this macro in our dags to resolve image tags to sha hashes e g the following dag will run an alpine image using a dockeroperator python from datetime import datetime timedelta from airflow import dag try from airflow providers docker operators docker import dockeroperator except modulenotfounderror from airflow operators docker operator import dockeroperator now datetime now with dag test dag schedule interval default args owner airflow start date datetime utcnow timedelta hours task concurrency execution timeout timedelta minutes max active runs as dag task sleep dockeroperator task id task sleep image f macros jw utils convert image tag alpine command this is in contrast to airflow if we attempt to use our custom macro here then when airflow attempts to render the task template it will error out with the following error taskinstance py error module object has no attribute jw utils traceback most recent call last file usr local lib site packages airflow models taskinstance py line in run raw task self prepare and execute task with callbacks context task file usr local lib site packages airflow models taskinstance py line in prepare and execute task with callbacks self render templates context context file usr local lib site packages airflow models taskinstance py line in render templates self task render template fields context file usr local lib site packages airflow models baseoperator py line in render template fields self do render template fields self self template fields context jinja env set file usr local lib site packages airflow models baseoperator py line in do render template fields rendered content self render template content context jinja env seen oids file usr local lib site packages airflow models baseoperator py line in render template return jinja env from string content render context file usr local lib site packages environment py line in render self environment handle exception file usr local lib site packages environment py line in handle exception reraise rewrite traceback stack source source file usr local lib site packages compat py line in reraise raise value with traceback tb file line in top level template code file usr local lib site packages environment py line in getattr return getattr obj attribute exceptions undefinederror module object has no attribute jw utils what you expected to happen i would have expected that the dag definition from above would have worked in airflow like it would have functioned in airflow x how to reproduce it this bug can be reproduced by creating a plugin that adds a macro and then attempting to use that macro in a dag anything else we need to know in order to better understand the issue i did a bit of digging the plugin that we extend airflow s functionality with has its own suite of pytest testcases since we are in the process of preparing for a transition to airflow we are now running the unit tests for this plugin against both airflow x and airflow after reviewing how plugins were being loaded in airflow i ve added the following testcase to mimic how plugins were being loaded and how in airflow ensures that plugins have been imported python def test macro namespacing is airflow tests whether macros can be loaded from airflow s namespace after loading plugins from airflow import macros if not is airflow in airflow x we need to make sure we invoke integrate macros plugins otherwise the namespace will not be created properly from airflow plugins manager import integrate macros plugins integrate macros plugins from utils plugin plugin import jwutilsplugin after airflow has loaded the plugins the macros should be available as airflow macros jw utils macros module import module f airflow macros jwutilsplugin name for macro in jwutilsplugin macros verify that macros have been registered correctly assert hasattr macros module macro name however in order for the module to actually be allowed to be used in templates it must also exist on airflow macros assert hasattr macros jw utils this test case passes when being ran on airflow but surprisngly enough it fails on airflow x specifically it fails on the assert hasattr macros jw utils statement in airflow this statement tests whether the macros that we create through the jwutilsplugin have been properly added to airflow macros i thought it was strange for the test case to fail on this module given that the import module statement succeeded in airflow after this observation i started comparing the logic for registering macros in airflow x to the airflow implementation while doing this i observed that the plugin loading mechanism in airflow x works because airflow all plugins through the plugins manager module when this happens it automatically in the airflow macros namespace notably after the plugin s module has been initialized it will also automatically be registered on the airflow macros module returned by globals this is in contrast to airflow where plugins are no longer loaded automatically instead they are being loaded lazily i e they will be loaded on demand whenever a function needs them in order to load macros or ensure that macros have been loaded modules need to import the function from airflow plugins manager when airflow attempts to prepare a template context prior to running a task it properly imports this function and invokes it in however in contrast to the old x implementation this function does not update the symbol table of airflow macros the result of this is that the macros from the plugin will in fact be imported but because airflow macros symbol table itself is not being updated the macros that are being added by the plugins can not be used in the template rendering context i believe this issue could be solved by ensuring that integrate macros plugins sets a reference to the airflow macros jw utils as jw utils on the airflow macros module once that has been done i believe macros provided through plugins are functional again
| 0
|
25,755
| 4,440,122,570
|
IssuesEvent
|
2016-08-19 01:20:56
|
FoldingAtHome/fah-client-pub
|
https://api.github.com/repos/FoldingAtHome/fah-client-pub
|
closed
|
Cores are not shutdown gracefully on Windows 7 Restart (UNKNOWN_ENUM 0x40010004)
|
defect
|
Trac | Data
---: | :---
Ticket | 1048
Reported by | @7im-
Status | accepted
Component | FAHClient
Priority | 4
Keywords | Windows 7 unknown enum shutdown error
The shutdown messages in the fah log in Windows 7 shows the client does not shutdown gracefully when Windows is restarted normally. (Start button, shutdown, restart) Example from fah log, client is folding along, and then I asked Windows to restart. This is the last few frames, through the end of the log file. I don't think throwing an UNKNOWN_ENUM error is a proper shutdown...
18:11:11:WU00:FS01:0xa4:Completed 400001 out of 10000000 steps (4%)
18:18:33:WU00:FS01:0xa4:Completed 500000 out of 10000000 steps (5%)
18:21:06:WARNING:WU00:FS01:FahCore crashed with Windows unhandled exception code 0xUNKNOWN_ENUM, searching for this code online may provide more information
18:21:06:WARNING:WU00:FS01:FahCore returned: UNKNOWN_ENUM (1073807364 = 0x40010004)
18:21:06:WU00:FS01:Starting
18:21:06:WU00:FS01:Running FahCore: "C:\Program Files (x86)\FAHClient/FAHCoreWrapper.exe" C:/Users/bravis/AppData/Roaming/FAHClient/cores/www.stanford.edu/~pande/Win32/AMD64/Core_a4.fah/FahCore_a4.exe -dir 00 -suffix 01 -version 703 -lifeline 3592 -checkpoint 8 -cpu 90 -np 2
18:21:06:WU00:FS01:Started FahCore on PID 3620
For comparison, this is the shutdown info in the fah log from Windows XP, same fahcore type, note the Clean Exit message...
16:29:44:WU02:FS00:0xa4:Completed 2200000 out of 5000000 steps (44%)
16:31:42:WU00:FS01:0x15:Completed 12400000 out of 40000000 steps (31%).
16:33:44:WU02:FS00:0xa4:Completed 2250000 out of 5000000 steps (45%)
16:34:49:FS01:Paused
16:34:49:FS01:Shutting core down
16:34:51:WU00:FS01:FahCore returned: INTERRUPTED (102 = 0x66)
16:37:42:WU02:FS00:0xa4:Completed 2300000 out of 5000000 steps (46%)
16:39:45:Lost lifeline PID 11808, exiting
16:39:45:Server connection id=1 ended
16:39:46:FS00:Shutting core down
16:39:50:Clean exit
16:39:51:WU02:FS00:0xa4:Client no longer detected. Shutting down core
16:39:51:WU02:FS00:0xa4:
16:39:51:WU02:FS00:0xa4:Folding@home Core Shutdown: CLIENT_DIED
I know there are significant differences in the Windows shutdown routines between XP and 7. Just hoping we can clean this up in Win 7.
|
1.0
|
Cores are not shutdown gracefully on Windows 7 Restart (UNKNOWN_ENUM 0x40010004) - Trac | Data
---: | :---
Ticket | 1048
Reported by | @7im-
Status | accepted
Component | FAHClient
Priority | 4
Keywords | Windows 7 unknown enum shutdown error
The shutdown messages in the fah log in Windows 7 shows the client does not shutdown gracefully when Windows is restarted normally. (Start button, shutdown, restart) Example from fah log, client is folding along, and then I asked Windows to restart. This is the last few frames, through the end of the log file. I don't think throwing an UNKNOWN_ENUM error is a proper shutdown...
18:11:11:WU00:FS01:0xa4:Completed 400001 out of 10000000 steps (4%)
18:18:33:WU00:FS01:0xa4:Completed 500000 out of 10000000 steps (5%)
18:21:06:WARNING:WU00:FS01:FahCore crashed with Windows unhandled exception code 0xUNKNOWN_ENUM, searching for this code online may provide more information
18:21:06:WARNING:WU00:FS01:FahCore returned: UNKNOWN_ENUM (1073807364 = 0x40010004)
18:21:06:WU00:FS01:Starting
18:21:06:WU00:FS01:Running FahCore: "C:\Program Files (x86)\FAHClient/FAHCoreWrapper.exe" C:/Users/bravis/AppData/Roaming/FAHClient/cores/www.stanford.edu/~pande/Win32/AMD64/Core_a4.fah/FahCore_a4.exe -dir 00 -suffix 01 -version 703 -lifeline 3592 -checkpoint 8 -cpu 90 -np 2
18:21:06:WU00:FS01:Started FahCore on PID 3620
For comparison, this is the shutdown info in the fah log from Windows XP, same fahcore type, note the Clean Exit message...
16:29:44:WU02:FS00:0xa4:Completed 2200000 out of 5000000 steps (44%)
16:31:42:WU00:FS01:0x15:Completed 12400000 out of 40000000 steps (31%).
16:33:44:WU02:FS00:0xa4:Completed 2250000 out of 5000000 steps (45%)
16:34:49:FS01:Paused
16:34:49:FS01:Shutting core down
16:34:51:WU00:FS01:FahCore returned: INTERRUPTED (102 = 0x66)
16:37:42:WU02:FS00:0xa4:Completed 2300000 out of 5000000 steps (46%)
16:39:45:Lost lifeline PID 11808, exiting
16:39:45:Server connection id=1 ended
16:39:46:FS00:Shutting core down
16:39:50:Clean exit
16:39:51:WU02:FS00:0xa4:Client no longer detected. Shutting down core
16:39:51:WU02:FS00:0xa4:
16:39:51:WU02:FS00:0xa4:Folding@home Core Shutdown: CLIENT_DIED
I know there are significant differences in the Windows shutdown routines between XP and 7. Just hoping we can clean this up in Win 7.
|
defect
|
cores are not shutdown gracefully on windows restart unknown enum trac data ticket reported by status accepted component fahclient priority keywords windows unknown enum shutdown error the shutdown messages in the fah log in windows shows the client does not shutdown gracefully when windows is restarted normally start button shutdown restart example from fah log client is folding along and then i asked windows to restart this is the last few frames through the end of the log file i don t think throwing an unknown enum error is a proper shutdown completed out of steps completed out of steps warning fahcore crashed with windows unhandled exception code enum searching for this code online may provide more information warning fahcore returned unknown enum starting running fahcore c program files fahclient fahcorewrapper exe c users bravis appdata roaming fahclient cores dir suffix version lifeline checkpoint cpu np started fahcore on pid for comparison this is the shutdown info in the fah log from windows xp same fahcore type note the clean exit message completed out of steps completed out of steps completed out of steps paused shutting core down fahcore returned interrupted completed out of steps lost lifeline pid exiting server connection id ended shutting core down clean exit client no longer detected shutting down core folding home core shutdown client died i know there are significant differences in the windows shutdown routines between xp and just hoping we can clean this up in win
| 1
|
131,209
| 5,145,243,217
|
IssuesEvent
|
2017-01-12 21:00:22
|
rancher/rancher
|
https://api.github.com/repos/rancher/rancher
|
closed
|
NO_PROXY in agent container setting cannot use wildcard
|
kind/bug priority/-1
|
**Rancher Version:**
1.1.4
**Docker Version:**
1.10.3
**OS and where are the hosts located? (cloud, bare metal, etc):**
RHEL 7.2
**Environment Type: (Cattle/Kubernetes/Swarm/Mesos)**
Cattle
**Steps to Reproduce:**
start agent container in remote host with command
```
sudo docker run -d --privileged -e http_proxy=http://proxy.domain.com:8080/ -e https_proxy=http://proxy.domain.com:8080/ -e 'NO_PROXY=*.domain.com,localhost,127.0.0.1' -v /var/run/docker.sock:/var/run/docker.sock -v /var/lib/rancher:/var/lib/rancher rancher/agent:v1.0.2 http://rancher.domain.com/v1/scripts/B635DE4F16DF7978F605:1481083200000:N6yRTOfEtvxuZZkUOMbPUs8C6W4
```
Note: `-e 'NO_PROXY=.domain.com,localhost,127.0.0.1'` has also been tried
**Results:**
Host cannot register to Rancher server, error code
```
time="2016-12-07T04:34:51Z" level="info" msg="Starting event router."
time="2016-12-07T04:34:51Z" level="info" msg="Watching state directory: /var/lib/rancher/state/containers"
time="2016-12-07T04:34:51Z" level="info" msg="Host not registered yet. Sleeping 1 second and trying again." Attempt=0 reportedUuid="cc8e58c8-581c-4489-aaaa-9e976e7b357c"
2016-12-07 04:34:51,776 ERROR root [140238311666704] [_logging.py:54] Received websocket error: [cannot concatenate 'str' and 'int' objects]
```
**Workaround:**
Whole Rancher server address needs to be specified in the NO_PROXY environment variable. i.e.
`-e 'NO_PROXY=rancher.domain.com,localhost,127.0.0.1'`
|
1.0
|
NO_PROXY in agent container setting cannot use wildcard - **Rancher Version:**
1.1.4
**Docker Version:**
1.10.3
**OS and where are the hosts located? (cloud, bare metal, etc):**
RHEL 7.2
**Environment Type: (Cattle/Kubernetes/Swarm/Mesos)**
Cattle
**Steps to Reproduce:**
start agent container in remote host with command
```
sudo docker run -d --privileged -e http_proxy=http://proxy.domain.com:8080/ -e https_proxy=http://proxy.domain.com:8080/ -e 'NO_PROXY=*.domain.com,localhost,127.0.0.1' -v /var/run/docker.sock:/var/run/docker.sock -v /var/lib/rancher:/var/lib/rancher rancher/agent:v1.0.2 http://rancher.domain.com/v1/scripts/B635DE4F16DF7978F605:1481083200000:N6yRTOfEtvxuZZkUOMbPUs8C6W4
```
Note: `-e 'NO_PROXY=.domain.com,localhost,127.0.0.1'` has also been tried
**Results:**
Host cannot register to Rancher server, error code
```
time="2016-12-07T04:34:51Z" level="info" msg="Starting event router."
time="2016-12-07T04:34:51Z" level="info" msg="Watching state directory: /var/lib/rancher/state/containers"
time="2016-12-07T04:34:51Z" level="info" msg="Host not registered yet. Sleeping 1 second and trying again." Attempt=0 reportedUuid="cc8e58c8-581c-4489-aaaa-9e976e7b357c"
2016-12-07 04:34:51,776 ERROR root [140238311666704] [_logging.py:54] Received websocket error: [cannot concatenate 'str' and 'int' objects]
```
**Workaround:**
Whole Rancher server address needs to be specified in the NO_PROXY environment variable. i.e.
`-e 'NO_PROXY=rancher.domain.com,localhost,127.0.0.1'`
|
non_defect
|
no proxy in agent container setting cannot use wildcard rancher version docker version os and where are the hosts located cloud bare metal etc rhel environment type cattle kubernetes swarm mesos cattle steps to reproduce start agent container in remote host with command sudo docker run d privileged e http proxy e https proxy e no proxy domain com localhost v var run docker sock var run docker sock v var lib rancher var lib rancher rancher agent note e no proxy domain com localhost has also been tried results host cannot register to rancher server error code time level info msg starting event router time level info msg watching state directory var lib rancher state containers time level info msg host not registered yet sleeping second and trying again attempt reporteduuid aaaa error root received websocket error workaround whole rancher server address needs to be specified in the no proxy environment variable i e e no proxy rancher domain com localhost
| 0
|
10,670
| 2,622,179,916
|
IssuesEvent
|
2015-03-04 00:18:21
|
byzhang/leveldb
|
https://api.github.com/repos/byzhang/leveldb
|
opened
|
Insufficient definitions in platform endianness detection
|
auto-migrated Priority-Medium Type-Defect
|
```
There is some mess across platforms in how they define endianness, especially
in number of underscores in definition prefix, i.e. __BYTE_ORDER vs _BYTE_ORDER
and so on.
The port/port_posix.h tries to handle it, but on some platforms, perticularly,
on NetBSD 6.x, compiler fails with the following error:
c++ -O2 -I/usr/pkg/include -I. -I./include -fno-builtin-memcmp -D_REENTRANT
-DOS_NETBSD -DLEVELDB_PLATFORM_POSIX -DSNAPPY -O2 -DNDEBUG -c
db/builder.cc -o db/builder.o
In file included from ./port/port.h:14:0,
from ./db/filename.h:14,
from db/builder.cc:7:
./port/port_posix.h:67:35: error: '__BYTE_ORDER' was not declared in this scope
./port/port_posix.h:67:35: error: '__LITTLE_ENDIAN' was not declared in this
scope
gmake: *** [db/builder.o] Error 1
Exactly the same case exists for FreeBSD before it was handled in Issue 98
(https://code.google.com/p/leveldb/issues/detail?id=98).
I'd like to suggest the following patch so the endianness detection could be
handled a little bit more gracefully:
--- port/port_posix.h.orig 2012-12-27 18:32:31.000000000 +0000
+++ port/port_posix.h
@@ -7,6 +7,13 @@
#ifndef STORAGE_LEVELDB_PORT_PORT_POSIX_H_
#define STORAGE_LEVELDB_PORT_PORT_POSIX_H_
+#ifndef __BYTE_ORDER
+#define __BYTE_ORDER _BYTE_ORDER
+#endif
+#ifndef __LITTLE_ENDIAN
+#define __LITTLE_ENDIAN _LITTLE_ENDIAN
+#endif
+
#undef PLATFORM_IS_LITTLE_ENDIAN
#if defined(OS_MACOSX)
#include <machine/endian.h>
```
Original issue reported on code.google.com by `mike.vol...@gmail.com` on 5 Jan 2013 at 9:21
|
1.0
|
Insufficient definitions in platform endianness detection - ```
There is some mess across platforms in how they define endianness, especially
in number of underscores in definition prefix, i.e. __BYTE_ORDER vs _BYTE_ORDER
and so on.
The port/port_posix.h tries to handle it, but on some platforms, perticularly,
on NetBSD 6.x, compiler fails with the following error:
c++ -O2 -I/usr/pkg/include -I. -I./include -fno-builtin-memcmp -D_REENTRANT
-DOS_NETBSD -DLEVELDB_PLATFORM_POSIX -DSNAPPY -O2 -DNDEBUG -c
db/builder.cc -o db/builder.o
In file included from ./port/port.h:14:0,
from ./db/filename.h:14,
from db/builder.cc:7:
./port/port_posix.h:67:35: error: '__BYTE_ORDER' was not declared in this scope
./port/port_posix.h:67:35: error: '__LITTLE_ENDIAN' was not declared in this
scope
gmake: *** [db/builder.o] Error 1
Exactly the same case exists for FreeBSD before it was handled in Issue 98
(https://code.google.com/p/leveldb/issues/detail?id=98).
I'd like to suggest the following patch so the endianness detection could be
handled a little bit more gracefully:
--- port/port_posix.h.orig 2012-12-27 18:32:31.000000000 +0000
+++ port/port_posix.h
@@ -7,6 +7,13 @@
#ifndef STORAGE_LEVELDB_PORT_PORT_POSIX_H_
#define STORAGE_LEVELDB_PORT_PORT_POSIX_H_
+#ifndef __BYTE_ORDER
+#define __BYTE_ORDER _BYTE_ORDER
+#endif
+#ifndef __LITTLE_ENDIAN
+#define __LITTLE_ENDIAN _LITTLE_ENDIAN
+#endif
+
#undef PLATFORM_IS_LITTLE_ENDIAN
#if defined(OS_MACOSX)
#include <machine/endian.h>
```
Original issue reported on code.google.com by `mike.vol...@gmail.com` on 5 Jan 2013 at 9:21
|
defect
|
insufficient definitions in platform endianness detection there is some mess across platforms in how they define endianness especially in number of underscores in definition prefix i e byte order vs byte order and so on the port port posix h tries to handle it but on some platforms perticularly on netbsd x compiler fails with the following error c i usr pkg include i i include fno builtin memcmp d reentrant dos netbsd dleveldb platform posix dsnappy dndebug c db builder cc o db builder o in file included from port port h from db filename h from db builder cc port port posix h error byte order was not declared in this scope port port posix h error little endian was not declared in this scope gmake error exactly the same case exists for freebsd before it was handled in issue i d like to suggest the following patch so the endianness detection could be handled a little bit more gracefully port port posix h orig port port posix h ifndef storage leveldb port port posix h define storage leveldb port port posix h ifndef byte order define byte order byte order endif ifndef little endian define little endian little endian endif undef platform is little endian if defined os macosx include original issue reported on code google com by mike vol gmail com on jan at
| 1
|
46,923
| 13,056,002,731
|
IssuesEvent
|
2020-07-30 03:21:35
|
icecube-trac/tix2
|
https://api.github.com/repos/icecube-trac/tix2
|
opened
|
Import error when trying to import MuonGun (Trac #2142)
|
Incomplete Migration Migrated from Trac cvmfs defect
|
Migrated from https://code.icecube.wisc.edu/ticket/2142
```json
{
"status": "closed",
"changetime": "2018-05-15T18:03:40",
"description": "{{{\n\nIn [1]: from icecube import MuonGun\n---------------------------------------------------------------------------\nImportError Traceback (most recent call last)\n<ipython-input-1-4e878b76dfa2> in <module>()\n----> 1 from icecube import MuonGun\n\n/cvmfs/icecube.opensciencegrid.org/py2-v3/RHEL_7_x86_64/metaprojects/combo/stable/lib/icecube/MuonGun/__init__.py in <module>()\n 1 from icecube.load_pybindings import load_pybindings\n 2 import icecube.icetray, icecube.dataclasses, icecube.simclasses, icecube.phys_services# be nice and pull in our dependencies\n----> 3 load_pybindings(__name__,__path__)\n 4 \n 5 import inspect\n\n/cvmfs/icecube.opensciencegrid.org/py2-v3/RHEL_7_x86_64/metaprojects/combo/stable/lib/icecube/load_pybindings.py in load_pybindings(name, path)\n 56 import imp, sys\n 57 thismod = sys.modules[name]\n---> 58 m = imp.load_dynamic(name, path[0] + \".so\")\n 59 sys.modules[name] = thismod # Some python versions overwrite the Python\n 60 # module entry with the C++ one. We don't want\n\nImportError: /cvmfs/icecube.opensciencegrid.org/py2-v3/RHEL_7_x86_64/metaprojects/combo/stable/lib/icecube/MuonGun.so: undefined symbol: _ZN5boost6python5numpy10initializeEb\n\nIn [2]:\n\n}}}",
"reporter": "thomas.kittler",
"cc": "",
"resolution": "fixed",
"_ts": "1526407420536099",
"component": "cvmfs",
"summary": "Import error when trying to import MuonGun",
"priority": "blocker",
"keywords": "",
"time": "2018-03-12T17:04:39",
"milestone": "",
"owner": "david.schultz",
"type": "defect"
}
```
|
1.0
|
Import error when trying to import MuonGun (Trac #2142) - Migrated from https://code.icecube.wisc.edu/ticket/2142
```json
{
"status": "closed",
"changetime": "2018-05-15T18:03:40",
"description": "{{{\n\nIn [1]: from icecube import MuonGun\n---------------------------------------------------------------------------\nImportError Traceback (most recent call last)\n<ipython-input-1-4e878b76dfa2> in <module>()\n----> 1 from icecube import MuonGun\n\n/cvmfs/icecube.opensciencegrid.org/py2-v3/RHEL_7_x86_64/metaprojects/combo/stable/lib/icecube/MuonGun/__init__.py in <module>()\n 1 from icecube.load_pybindings import load_pybindings\n 2 import icecube.icetray, icecube.dataclasses, icecube.simclasses, icecube.phys_services# be nice and pull in our dependencies\n----> 3 load_pybindings(__name__,__path__)\n 4 \n 5 import inspect\n\n/cvmfs/icecube.opensciencegrid.org/py2-v3/RHEL_7_x86_64/metaprojects/combo/stable/lib/icecube/load_pybindings.py in load_pybindings(name, path)\n 56 import imp, sys\n 57 thismod = sys.modules[name]\n---> 58 m = imp.load_dynamic(name, path[0] + \".so\")\n 59 sys.modules[name] = thismod # Some python versions overwrite the Python\n 60 # module entry with the C++ one. We don't want\n\nImportError: /cvmfs/icecube.opensciencegrid.org/py2-v3/RHEL_7_x86_64/metaprojects/combo/stable/lib/icecube/MuonGun.so: undefined symbol: _ZN5boost6python5numpy10initializeEb\n\nIn [2]:\n\n}}}",
"reporter": "thomas.kittler",
"cc": "",
"resolution": "fixed",
"_ts": "1526407420536099",
"component": "cvmfs",
"summary": "Import error when trying to import MuonGun",
"priority": "blocker",
"keywords": "",
"time": "2018-03-12T17:04:39",
"milestone": "",
"owner": "david.schultz",
"type": "defect"
}
```
|
defect
|
import error when trying to import muongun trac migrated from json status closed changetime description n nin from icecube import muongun n nimporterror traceback most recent call last n in n from icecube import muongun n n cvmfs icecube opensciencegrid org rhel metaprojects combo stable lib icecube muongun init py in n from icecube load pybindings import load pybindings n import icecube icetray icecube dataclasses icecube simclasses icecube phys services be nice and pull in our dependencies n load pybindings name path n n import inspect n n cvmfs icecube opensciencegrid org rhel metaprojects combo stable lib icecube load pybindings py in load pybindings name path n import imp sys n thismod sys modules n m imp load dynamic name path so n sys modules thismod some python versions overwrite the python n module entry with the c one we don t want n nimporterror cvmfs icecube opensciencegrid org rhel metaprojects combo stable lib icecube muongun so undefined symbol n nin n n reporter thomas kittler cc resolution fixed ts component cvmfs summary import error when trying to import muongun priority blocker keywords time milestone owner david schultz type defect
| 1
|
11,427
| 30,467,749,935
|
IssuesEvent
|
2023-07-17 11:38:13
|
facebook/react-native
|
https://api.github.com/repos/facebook/react-native
|
opened
|
java.lang.UnsatisfiedLinkError: dlopen failed: library "libappmodules.so" not found
|
Needs: Triage :mag: Type: New Architecture
|
### Description
Getting below error in android after upgrading to react-native version 0.72.3. App builds successfully and when I open app it crashes on native side.
FATAL EXCEPTION: main
Process: fit.sugar.android.debug, PID: 17748
java.lang.UnsatisfiedLinkError: dlopen failed: library "libappmodules.so" not found
at java.lang.Runtime.loadLibrary0(Runtime.java:1087)
at java.lang.Runtime.loadLibrary0(Runtime.java:1008)
at java.lang.System.loadLibrary(System.java:1664)
at com.facebook.soloader.nativeloader.SystemDelegate.loadLibrary(SystemDelegate.java:24)
at com.facebook.soloader.nativeloader.NativeLoader.loadLibrary(NativeLoader.java:52)
at com.facebook.soloader.nativeloader.NativeLoader.loadLibrary(NativeLoader.java:30)
at com.facebook.soloader.SoLoader.loadLibrary(SoLoader.java:869)
at com.facebook.react.defaults.DefaultNewArchitectureEntryPoint.load(DefaultNewArchitectureEntryPoint.kt:41)
at com.facebook.react.defaults.DefaultNewArchitectureEntryPoint.load$default(DefaultNewArchitectureEntryPoint.kt:27)
at com.facebook.react.defaults.DefaultNewArchitectureEntryPoint.load(Unknown Source:2)
at fit.cure.android.MainApplication.onCreate(MainApplication.java:89)
at android.app.Instrumentation.callApplicationOnCreate(Instrumentation.java:1192)
at android.app.ActivityThread.handleBindApplication(ActivityThread.java:6712)
at android.app.ActivityThread.access$1300(ActivityThread.java:237)
at android.app.ActivityThread$H.handleMessage(ActivityThread.java:1913)
at android.os.Handler.dispatchMessage(Handler.java:106)
at android.os.Looper.loop(Looper.java:223)
at android.app.ActivityThread.main(ActivityThread.java:7656)
at java.lang.reflect.Method.invoke(Native Method)
at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:592)
at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:947)
### React Native Version
0.72.3
### Output of `npx react-native info`
System:
OS: macOS 13.0.1
CPU: (10) arm64 Apple M1 Pro
Memory: 108.11 MB / 16.00 GB
Shell:
version: 5.8.1
path: /bin/zsh
Binaries:
Node:
version: 16.14.0
path: ~/.nvm/versions/node/v16.14.0/bin/node
Yarn:
version: 1.22.17
path: /opt/homebrew/bin/yarn
npm:
version: 8.3.1
path: ~/.nvm/versions/node/v16.14.0/bin/npm
Watchman:
version: 2023.07.10.00
path: /opt/homebrew/bin/watchman
Managers:
CocoaPods:
version: 1.12.1
path: /opt/homebrew/bin/pod
SDKs:
iOS SDK: Not Found
Android SDK:
API Levels:
- "19"
- "28"
- "29"
- "30"
- "31"
- "32"
- "33"
- "34"
Build Tools:
- 28.0.3
- 29.0.2
- 30.0.1
- 30.0.2
- 30.0.3
- 31.0.0
- 32.0.0
- 33.0.0
- 33.0.1
- 33.0.2
System Images:
- android-29 | Intel x86 Atom_64
- android-29 | Google APIs Intel x86 Atom
- android-30 | Google APIs ARM 64 v8a
- android-31 | Google APIs ARM 64 v8a
Android NDK: 23.1.7779620
IDEs:
Android Studio: 2020.3 AI-203.7717.56.2031.7935034
Xcode:
version: /undefined
path: /usr/bin/xcodebuild
Languages:
Java:
version: 11.0.12
path: /opt/homebrew/opt/openjdk@11/bin/javac
Ruby:
version: 2.6.10
path: /usr/bin/ruby
npmPackages:
"@react-native-community/cli": Not Found
react:
installed: 18.2.0
wanted: 18.2.0
react-native:
installed: 0.72.3
wanted: 0.72.3
react-native-macos: Not Found
npmGlobalPackages:
"*react-native*": Not Found
Android:
hermesEnabled: true
newArchEnabled: true
iOS:
hermesEnabled: true
newArchEnabled: false
### Steps to reproduce
Upgraded my application react native version from 0.66.3 to 0.72.3
Apply all the changes suggested in upgrade helper
### Snack, code example, screenshot, or link to a repository
Here is my build.gradle file,
```
apply plugin: "com.android.application"
apply plugin: "nebula.dependency-lock"
apply plugin: 'com.google.firebase.firebase-perf'
apply plugin: "kotlin-android"
apply plugin: "kotlin-android-extensions"
apply plugin: "com.facebook.react"
apply from: "../../node_modules/@sentry/react-native/sentry.gradle"
apply from: "../../node_modules/react-native-code-push/android/codepush.gradle"
apply from: "./env.gradle"
/**
* This is the configuration block to customize your React Native Android app.
* By default you don't need to apply any configuration, just uncomment the lines you need.
*/
react {
/* Folders */
// The root of your project, i.e. where "package.json" lives. Default is '..'
// root = file("../../")
// The folder where the react-native NPM package is. Default is ../node_modules/react-native
// reactNativeDir = file("../node_modules/react-native")
// The folder where the react-native Codegen package is. Default is ../node_modules/@react-native/codegen
// codegenDir = file("../node_modules/@react-native/codegen")
// The cli.js file which is the React Native CLI entrypoint. Default is ../node_modules/react-native/cli.js
// cliFile = file("../node_modules/react-native/cli.js")
/* Variants */
// The list of variants to that are debuggable. For those we're going to
// skip the bundling of the JS bundle and the assets. By default is just 'debug'.
// If you add flavors like lite, prod, etc. you'll have to list your debuggableVariants.
debuggableVariants = ["debugSugarfit"]
/* Bundling */
// A list containing the node command and its flags. Default is just 'node'.
// nodeExecutableAndArgs = ["node"]
//
// The command to run when bundling. By default is 'bundle'
// bundleCommand = "ram-bundle"
//
// The path to the CLI configuration file. Default is empty.
// bundleConfig = file(../rn-cli.config.js)
//
// The name of the generated asset file containing your JS bundle
// bundleAssetName = "MyApplication.android.bundle"
//
// The entry file for bundle generation. Default is 'index.android.js' or 'index.js'
// entryFile = file("../js/MyApplication.android.js")
//
// A list of extra flags to pass to the 'bundle' commands.
// See https://github.com/react-native-community/cli/blob/main/docs/commands.md#bundle
// extraPackagerArgs = []
/* Hermes Commands */
// The hermes compiler command to run. By default it is 'hermesc'
// hermesCommand = "$rootDir/my-custom-hermesc/bin/hermesc"
//
// The list of flags to pass to the Hermes compiler. By default is "-O", "-output-source-map"
// hermesFlags = ["-O", "-output-source-map"]
}
/**
* Set this to true to Run Proguard on Release builds to minify the Java bytecode.
*/
def enableProguardInReleaseBuilds = true
/**
* The preferred build flavor of JavaScriptCore (JSC)
*
* For example, to use the international variant, you can use:
* `def jscFlavor = 'org.webkit:android-jsc-intl:+'`
*
* The international variant includes ICU i18n library and necessary data
* allowing to use e.g. `Date.toLocaleString` and `String.localeCompare` that
* give correct results when using with locales other than en-US. Note that
* this variant is about 6MiB larger per architecture than default.
*/
def jscFlavor = 'org.webkit:android-jsc:+'
/**
* Run Proguard to shrink the Java bytecode in release builds.
*/
android {
// dynamicFeatures = [":twilioVideo"]
ndkVersion rootProject.ext.ndkVersion
configurations.all {
exclude group: 'com.facebook.react:react-native'
}
compileSdkVersion rootProject.ext.compileSdkVersion
buildToolsVersion buildToolsVersion
namespace 'fit.cure.android'
defaultConfig {
applicationId = project.env.get("BUNDLE_ID")
minSdkVersion rootProject.ext.minSDKVersion
targetSdkVersion rootProject.ext.targetSDKVersion
versionCode = project.env.get("BUILD_VERSION").toInteger()
versionName = project.env.get("APP_VERSION")
archivesBaseName = "${project.env.get("APP_ID")}-$versionName"
missingDimensionStrategy 'react-native-camera', 'general'
multiDexEnabled true
resConfigs "en"
renderscriptTargetApi 23
renderscriptSupportModeEnabled true
vectorDrawables.useSupportLibrary = true
resValue 'string', "CODE_PUSH_APK_BUILD_TIME", String.format("\"%d\"", System.currentTimeMillis())
}
dexOptions {
preDexLibraries = false
javaMaxHeapSize "4g" //specify the heap size for the dex process
}
lintOptions {
disable 'MissingTranslation'
checkReleaseBuilds false
abortOnError false
}
kotlinOptions {
jvmTarget = "11"
}
signingConfigs {
debug {
storeFile file(CUREFIT_DEBUG_STORE_FILE)
storePassword CUREFIT_DEBUG_STORE_PASSWORD
keyAlias CUREFIT_DEBUG_KEY_ALIAS
keyPassword CUREFIT_DEBUG_KEY_PASSWORD
}
release {
storeFile file(CUREFIT_RELEASE_STORE_FILE)
storePassword CUREFIT_RELEASE_STORE_PASSWORD
keyAlias CUREFIT_RELEASE_KEY_ALIAS
keyPassword CUREFIT_RELEASE_KEY_PASSWORD
}
debugSugarfit {
storeFile file(SUGARFIT_DEBUG_STORE_FILE)
storePassword SUGARFIT_DEBUG_STORE_PASSWORD
keyAlias SUGARFIT_DEBUG_KEY_ALIAS
keyPassword SUGARFIT_DEBUG_KEY_PASSWORD
}
releaseSugarfit {
storeFile file(SUGARFIT_RELEASE_STORE_FILE)
storePassword SUGARFIT_RELEASE_STORE_PASSWORD
keyAlias SUGARFIT_RELEASE_KEY_ALIAS
keyPassword SUGARFIT_RELEASE_KEY_PASSWORD
}
}
bundle {
language {
enableSplit = true
}
density {
enableSplit = true
}
abi {
enableSplit = true
}
}
buildTypes {
release {
minifyEnabled enableProguardInReleaseBuilds
proguardFiles getDefaultProguardFile("proguard-android.txt"), "proguard-rules.pro"
signingConfig signingConfigs.release
proguardFile 'proguard-rules.pro'
resValue "string", "CodePushDeploymentKey", project.env.get("CODEPUSH_KEY_RELEASE")
resValue "string", "sync_account_type", project.env.get("BUNDLE_ID")
resValue "string", "content_authority", "${project.env.get('BUNDLE_ID')}.provider"
resValue "string", "file_content_authority", "${project.env.get('BUNDLE_ID')}.file.provider"
buildConfigField "String", "SYNC_ACCOUNT_TYPE", CUREFIT_RELEASE_SYNC_ACCOUNT_TYPE
buildConfigField "String", "CONTENT_AUTHORITY", CUREFIT_RELEASE_CONTENT_AUTHORITY
buildConfigField "String", "FILE_CONTENT_AUTHORITY", CUREFIT_RELEASE_FILE_CONTENT_AUTHORITY
resValue "string", "sensor_data_content_provider", "${project.env.get('BUNDLE_ID')}.provider"
resValue "string", "app_name", project.env.get("APP_NAME")
resValue "string", "tray__authority", android.defaultConfig.applicationId + ".tray"
}
//debug code push key should be empty
debug {
proguardFile 'proguard-rules.pro'
applicationIdSuffix ".debug"
signingConfig signingConfigs.debug
resValue "string", "CodePushDeploymentKey", project.env.get("CODEPUSH_KEY_DF")
resValue "string", "sync_account_type", "${project.env.get('BUNDLE_ID')}.debug"
resValue "string", "content_authority", "${project.env.get('BUNDLE_ID')}.debug.provider"
resValue "string", "file_content_authority", "${project.env.get('BUNDLE_ID')}.debug.file.provider"
buildConfigField "String", "SYNC_ACCOUNT_TYPE", CUREFIT_DEBUG_SYNC_ACCOUNT_TYPE
buildConfigField "String", "CONTENT_AUTHORITY", CUREFIT_DEBUG_CONTENT_AUTHORITY
buildConfigField "String", "FILE_CONTENT_AUTHORITY", CUREFIT_DEBUG_FILE_CONTENT_AUTHORITY
resValue "string", "app_name", "${project.env.get('APP_NAME')}-debug"
resValue "string", "tray__authority", (android.defaultConfig.applicationId + ".debug.tray")
matchingFallbacks = ['debug', 'release', 'stage']
}
releaseSugarfit {
minifyEnabled enableProguardInReleaseBuilds
proguardFiles getDefaultProguardFile("proguard-android.txt"), "proguard-rules.pro"
signingConfig signingConfigs.releaseSugarfit
proguardFile 'proguard-rules.pro'
resValue "string", "CodePushDeploymentKey", project.env.get("CODEPUSH_KEY_RELEASE")
resValue "string", "sync_account_type", project.env.get("BUNDLE_ID")
resValue "string", "content_authority", "${project.env.get('BUNDLE_ID')}.provider"
resValue "string", "file_content_authority", "${project.env.get('BUNDLE_ID')}.file.provider"
buildConfigField "String", "SYNC_ACCOUNT_TYPE", SUGARFIT_RELEASE_SYNC_ACCOUNT_TYPE
buildConfigField "String", "CONTENT_AUTHORITY", SUGARFIT_RELEASE_CONTENT_AUTHORITY
buildConfigField "String", "FILE_CONTENT_AUTHORITY", SUGARFIT_RELEASE_FILE_CONTENT_AUTHORITY
resValue "string", "sensor_data_content_provider", "${project.env.get('BUNDLE_ID')}.provider"
resValue "string", "app_name", project.env.get("APP_NAME")
resValue "string", "tray__authority", android.defaultConfig.applicationId + ".tray"
matchingFallbacks = ['release']
}
//debug code push key should be empty
debugSugarfit {
proguardFile 'proguard-rules.pro'
applicationIdSuffix ".debug"
debuggable true
signingConfig signingConfigs.debugSugarfit
resValue "string", "CodePushDeploymentKey", project.env.get("CODEPUSH_KEY_DF")
resValue "string", "sync_account_type", "${project.env.get('BUNDLE_ID')}.debug"
resValue "string", "content_authority", "${project.env.get('BUNDLE_ID')}.debug.provider"
resValue "string", "file_content_authority", "${project.env.get('BUNDLE_ID')}.debug.file.provider"
buildConfigField "String", "SYNC_ACCOUNT_TYPE", SUGARFIT_DEBUG_SYNC_ACCOUNT_TYPE
buildConfigField "String", "CONTENT_AUTHORITY", SUGARFIT_DEBUG_CONTENT_AUTHORITY
buildConfigField "String", "FILE_CONTENT_AUTHORITY", SUGARFIT_DEBUG_FILE_CONTENT_AUTHORITY
resValue "string", "app_name", "${project.env.get('APP_NAME')} (Debug)"
resValue "string", "tray__authority", (android.defaultConfig.applicationId + ".debug.tray")
matchingFallbacks = ['debug', 'stage', 'release']
}
}
aaptOptions {
noCompress "tflite"
noCompress "lite"
}
packagingOptions {
// Required by Qualcomm SNPE SDK: snpe-release & platform-validator
// https://developer.qualcomm.com/docs/snpe/android_tutorial.html
pickFirst 'lib/armeabi-v7a/libsymphony-cpu.so'
pickFirst 'lib/arm64-v8a/libsymphony-cpu.so'
pickFirst '**/x86/libc++_shared.so'
pickFirst '**/x86_64/libc++_shared.so'
pickFirst '**/arm64-v8a/libc++_shared.so'
pickFirst '**/armeabi-v7a/libc++_shared.so'
pickFirst '**/x86/libjsc.so'
pickFirst '**/armeabi-v7a/libjsc.so'
pickFirst '**/x86_64/libjsc.so'
pickFirst '**/arm64-v8a/libjsc.so'
pickFirst '**/*.so'
}
externalNativeBuild {
cmake {
path "src/main/cpp/CMakeLists.txt"
version "3.10.2"
}
}
compileOptions {
sourceCompatibility 11
targetCompatibility 11
}
}
dependencies {
implementation fileTree(dir: "libs", include: ["*.jar", "*.aar"])
// The version of react-native is set by the React Native Gradle Plugin
implementation("com.facebook.react:react-android")
implementation 'androidx.multidex:multidex:2.0.1'
implementation "org.jetbrains.kotlin:kotlin-stdlib:1.5.30"
// camerax
def camerax_version = '1.0.0-rc01'
def camerax_view_version = '1.0.0-alpha20'
implementation "androidx.camera:camera-core:${camerax_version}"
implementation "androidx.camera:camera-camera2:${camerax_version}"
implementation "androidx.camera:camera-lifecycle:${camerax_version}"
implementation "androidx.camera:camera-view:${camerax_view_version}"
//mlkit
def mlkit_version = "16.0.3"
implementation "com.google.mlkit:face-detection:${mlkit_version}"
//socket
implementation "com.neovisionaries:nv-websocket-client:2.4"
//opencv
def opencv_version = '4.3.0'
implementation "com.github.iamareebjamal:opencv-android:${opencv_version}"
// Add the Firebase Crashlytics SDK.
implementation 'com.google.firebase:firebase-crashlytics:18.2.6'
// Recommended: Add the Google Analytics SDK.
implementation 'com.google.firebase:firebase-analytics:20.0.1'
if (hermesEnabled.toBoolean()) {
implementation("com.facebook.react:hermes-android")
} else {
implementation jscFlavor
}
implementation project(':twilioVideo')
implementation "com.twilio:video-android:7.6.3"
implementation "androidx.appcompat:appcompat:1.2.0"
implementation "androidx.constraintlayout:constraintlayout:2.0.4"
implementation 'in.juspay:hypersdk:2.1.6-rc.01'
implementation project(':PayWithAmazon')
implementation project(':react-native-system-setting')
implementation 'com.airbnb.android:lottie:3.0.7'
implementation 'com.google.code.gson:gson:2.8.6'
implementation 'com.google.android.flexbox:flexbox:3.0.0'
implementation 'com.android.volley:volley:1.2.1'
implementation 'com.github.checkout:frames-android:v2.0.5'
implementation 'com.android.installreferrer:installreferrer:2.1'
implementation(project(':lottie-react-native')) {
exclude group: "com.airbnb.android:lottie"
}
implementation 'com.squareup.retrofit2:retrofit:2.3.0'
implementation 'com.squareup.retrofit2:converter-gson:2.3.0'
implementation "phonepe.intentsdk.android.release:IntentSDK:0.1.5"
implementation files('libs/PGSDK_v1.0.1.jar')
implementation 'commons-io:commons-io:2.6'
implementation 'net.grandcentrix.tray:tray:0.11.1'
implementation "com.google.firebase:firebase-messaging:23.0.0"
implementation "com.google.android.gms:play-services-base:18.0.1"
implementation "com.google.android.gms:play-services-cast-framework:21.0.0"
implementation 'com.1gravity:android-contactpicker:1.3.2'
implementation "com.twilio:accessmanager-android:0.1.0"
implementation 'androidx.work:work-runtime:2.8.0'
implementation 'androidx.work:work-runtime-ktx:2.8.0'
implementation("com.twilio:chat-android:7.0.1") {
exclude group: "org.apache.directory.studio"
}
implementation ("com.google.android.gms:play-services-location:19.0.0")
// For animated GIF support
implementation 'com.google.android.play:core:1.9.0'
implementation "android.arch.lifecycle:extensions:1.1.1"
implementation(project(':react-native-pose-estimation')) {
exclude group: "com.google.android.exoplayer"
}
implementation 'com.facebook.fresco:fresco:2.6.0' // for rendering gifs
implementation 'com.facebook.fresco:animated-webp:2.6.0'
implementation 'com.facebook.fresco:webpsupport:2.6.0'
implementation 'com.android.billingclient:billing:4.1.0'
}
apply plugin: "com.google.gms.google-services"
apply plugin: 'com.google.firebase.crashlytics'
apply plugin: 'hypersdk-asset-plugin'
apply from: file("../../node_modules/@react-native-community/cli-platform-android/native_modules.gradle");
applyNativeModulesAppBuildGradle(project)
```
|
1.0
|
java.lang.UnsatisfiedLinkError: dlopen failed: library "libappmodules.so" not found - ### Description
Getting below error in android after upgrading to react-native version 0.72.3. App builds successfully and when I open app it crashes on native side.
FATAL EXCEPTION: main
Process: fit.sugar.android.debug, PID: 17748
java.lang.UnsatisfiedLinkError: dlopen failed: library "libappmodules.so" not found
at java.lang.Runtime.loadLibrary0(Runtime.java:1087)
at java.lang.Runtime.loadLibrary0(Runtime.java:1008)
at java.lang.System.loadLibrary(System.java:1664)
at com.facebook.soloader.nativeloader.SystemDelegate.loadLibrary(SystemDelegate.java:24)
at com.facebook.soloader.nativeloader.NativeLoader.loadLibrary(NativeLoader.java:52)
at com.facebook.soloader.nativeloader.NativeLoader.loadLibrary(NativeLoader.java:30)
at com.facebook.soloader.SoLoader.loadLibrary(SoLoader.java:869)
at com.facebook.react.defaults.DefaultNewArchitectureEntryPoint.load(DefaultNewArchitectureEntryPoint.kt:41)
at com.facebook.react.defaults.DefaultNewArchitectureEntryPoint.load$default(DefaultNewArchitectureEntryPoint.kt:27)
at com.facebook.react.defaults.DefaultNewArchitectureEntryPoint.load(Unknown Source:2)
at fit.cure.android.MainApplication.onCreate(MainApplication.java:89)
at android.app.Instrumentation.callApplicationOnCreate(Instrumentation.java:1192)
at android.app.ActivityThread.handleBindApplication(ActivityThread.java:6712)
at android.app.ActivityThread.access$1300(ActivityThread.java:237)
at android.app.ActivityThread$H.handleMessage(ActivityThread.java:1913)
at android.os.Handler.dispatchMessage(Handler.java:106)
at android.os.Looper.loop(Looper.java:223)
at android.app.ActivityThread.main(ActivityThread.java:7656)
at java.lang.reflect.Method.invoke(Native Method)
at com.android.internal.os.RuntimeInit$MethodAndArgsCaller.run(RuntimeInit.java:592)
at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:947)
### React Native Version
0.72.3
### Output of `npx react-native info`
System:
OS: macOS 13.0.1
CPU: (10) arm64 Apple M1 Pro
Memory: 108.11 MB / 16.00 GB
Shell:
version: 5.8.1
path: /bin/zsh
Binaries:
Node:
version: 16.14.0
path: ~/.nvm/versions/node/v16.14.0/bin/node
Yarn:
version: 1.22.17
path: /opt/homebrew/bin/yarn
npm:
version: 8.3.1
path: ~/.nvm/versions/node/v16.14.0/bin/npm
Watchman:
version: 2023.07.10.00
path: /opt/homebrew/bin/watchman
Managers:
CocoaPods:
version: 1.12.1
path: /opt/homebrew/bin/pod
SDKs:
iOS SDK: Not Found
Android SDK:
API Levels:
- "19"
- "28"
- "29"
- "30"
- "31"
- "32"
- "33"
- "34"
Build Tools:
- 28.0.3
- 29.0.2
- 30.0.1
- 30.0.2
- 30.0.3
- 31.0.0
- 32.0.0
- 33.0.0
- 33.0.1
- 33.0.2
System Images:
- android-29 | Intel x86 Atom_64
- android-29 | Google APIs Intel x86 Atom
- android-30 | Google APIs ARM 64 v8a
- android-31 | Google APIs ARM 64 v8a
Android NDK: 23.1.7779620
IDEs:
Android Studio: 2020.3 AI-203.7717.56.2031.7935034
Xcode:
version: /undefined
path: /usr/bin/xcodebuild
Languages:
Java:
version: 11.0.12
path: /opt/homebrew/opt/openjdk@11/bin/javac
Ruby:
version: 2.6.10
path: /usr/bin/ruby
npmPackages:
"@react-native-community/cli": Not Found
react:
installed: 18.2.0
wanted: 18.2.0
react-native:
installed: 0.72.3
wanted: 0.72.3
react-native-macos: Not Found
npmGlobalPackages:
"*react-native*": Not Found
Android:
hermesEnabled: true
newArchEnabled: true
iOS:
hermesEnabled: true
newArchEnabled: false
### Steps to reproduce
Upgraded my application react native version from 0.66.3 to 0.72.3
Apply all the changes suggested in upgrade helper
### Snack, code example, screenshot, or link to a repository
Here is my build.gradle file,
```
apply plugin: "com.android.application"
apply plugin: "nebula.dependency-lock"
apply plugin: 'com.google.firebase.firebase-perf'
apply plugin: "kotlin-android"
apply plugin: "kotlin-android-extensions"
apply plugin: "com.facebook.react"
apply from: "../../node_modules/@sentry/react-native/sentry.gradle"
apply from: "../../node_modules/react-native-code-push/android/codepush.gradle"
apply from: "./env.gradle"
/**
* This is the configuration block to customize your React Native Android app.
* By default you don't need to apply any configuration, just uncomment the lines you need.
*/
react {
/* Folders */
// The root of your project, i.e. where "package.json" lives. Default is '..'
// root = file("../../")
// The folder where the react-native NPM package is. Default is ../node_modules/react-native
// reactNativeDir = file("../node_modules/react-native")
// The folder where the react-native Codegen package is. Default is ../node_modules/@react-native/codegen
// codegenDir = file("../node_modules/@react-native/codegen")
// The cli.js file which is the React Native CLI entrypoint. Default is ../node_modules/react-native/cli.js
// cliFile = file("../node_modules/react-native/cli.js")
/* Variants */
// The list of variants to that are debuggable. For those we're going to
// skip the bundling of the JS bundle and the assets. By default is just 'debug'.
// If you add flavors like lite, prod, etc. you'll have to list your debuggableVariants.
debuggableVariants = ["debugSugarfit"]
/* Bundling */
// A list containing the node command and its flags. Default is just 'node'.
// nodeExecutableAndArgs = ["node"]
//
// The command to run when bundling. By default is 'bundle'
// bundleCommand = "ram-bundle"
//
// The path to the CLI configuration file. Default is empty.
// bundleConfig = file(../rn-cli.config.js)
//
// The name of the generated asset file containing your JS bundle
// bundleAssetName = "MyApplication.android.bundle"
//
// The entry file for bundle generation. Default is 'index.android.js' or 'index.js'
// entryFile = file("../js/MyApplication.android.js")
//
// A list of extra flags to pass to the 'bundle' commands.
// See https://github.com/react-native-community/cli/blob/main/docs/commands.md#bundle
// extraPackagerArgs = []
/* Hermes Commands */
// The hermes compiler command to run. By default it is 'hermesc'
// hermesCommand = "$rootDir/my-custom-hermesc/bin/hermesc"
//
// The list of flags to pass to the Hermes compiler. By default is "-O", "-output-source-map"
// hermesFlags = ["-O", "-output-source-map"]
}
/**
* Set this to true to Run Proguard on Release builds to minify the Java bytecode.
*/
def enableProguardInReleaseBuilds = true
/**
* The preferred build flavor of JavaScriptCore (JSC)
*
* For example, to use the international variant, you can use:
* `def jscFlavor = 'org.webkit:android-jsc-intl:+'`
*
* The international variant includes ICU i18n library and necessary data
* allowing to use e.g. `Date.toLocaleString` and `String.localeCompare` that
* give correct results when using with locales other than en-US. Note that
* this variant is about 6MiB larger per architecture than default.
*/
def jscFlavor = 'org.webkit:android-jsc:+'
/**
* Run Proguard to shrink the Java bytecode in release builds.
*/
android {
// dynamicFeatures = [":twilioVideo"]
ndkVersion rootProject.ext.ndkVersion
configurations.all {
exclude group: 'com.facebook.react:react-native'
}
compileSdkVersion rootProject.ext.compileSdkVersion
buildToolsVersion buildToolsVersion
namespace 'fit.cure.android'
defaultConfig {
applicationId = project.env.get("BUNDLE_ID")
minSdkVersion rootProject.ext.minSDKVersion
targetSdkVersion rootProject.ext.targetSDKVersion
versionCode = project.env.get("BUILD_VERSION").toInteger()
versionName = project.env.get("APP_VERSION")
archivesBaseName = "${project.env.get("APP_ID")}-$versionName"
missingDimensionStrategy 'react-native-camera', 'general'
multiDexEnabled true
resConfigs "en"
renderscriptTargetApi 23
renderscriptSupportModeEnabled true
vectorDrawables.useSupportLibrary = true
resValue 'string', "CODE_PUSH_APK_BUILD_TIME", String.format("\"%d\"", System.currentTimeMillis())
}
dexOptions {
preDexLibraries = false
javaMaxHeapSize "4g" //specify the heap size for the dex process
}
lintOptions {
disable 'MissingTranslation'
checkReleaseBuilds false
abortOnError false
}
kotlinOptions {
jvmTarget = "11"
}
signingConfigs {
debug {
storeFile file(CUREFIT_DEBUG_STORE_FILE)
storePassword CUREFIT_DEBUG_STORE_PASSWORD
keyAlias CUREFIT_DEBUG_KEY_ALIAS
keyPassword CUREFIT_DEBUG_KEY_PASSWORD
}
release {
storeFile file(CUREFIT_RELEASE_STORE_FILE)
storePassword CUREFIT_RELEASE_STORE_PASSWORD
keyAlias CUREFIT_RELEASE_KEY_ALIAS
keyPassword CUREFIT_RELEASE_KEY_PASSWORD
}
debugSugarfit {
storeFile file(SUGARFIT_DEBUG_STORE_FILE)
storePassword SUGARFIT_DEBUG_STORE_PASSWORD
keyAlias SUGARFIT_DEBUG_KEY_ALIAS
keyPassword SUGARFIT_DEBUG_KEY_PASSWORD
}
releaseSugarfit {
storeFile file(SUGARFIT_RELEASE_STORE_FILE)
storePassword SUGARFIT_RELEASE_STORE_PASSWORD
keyAlias SUGARFIT_RELEASE_KEY_ALIAS
keyPassword SUGARFIT_RELEASE_KEY_PASSWORD
}
}
bundle {
language {
enableSplit = true
}
density {
enableSplit = true
}
abi {
enableSplit = true
}
}
buildTypes {
release {
minifyEnabled enableProguardInReleaseBuilds
proguardFiles getDefaultProguardFile("proguard-android.txt"), "proguard-rules.pro"
signingConfig signingConfigs.release
proguardFile 'proguard-rules.pro'
resValue "string", "CodePushDeploymentKey", project.env.get("CODEPUSH_KEY_RELEASE")
resValue "string", "sync_account_type", project.env.get("BUNDLE_ID")
resValue "string", "content_authority", "${project.env.get('BUNDLE_ID')}.provider"
resValue "string", "file_content_authority", "${project.env.get('BUNDLE_ID')}.file.provider"
buildConfigField "String", "SYNC_ACCOUNT_TYPE", CUREFIT_RELEASE_SYNC_ACCOUNT_TYPE
buildConfigField "String", "CONTENT_AUTHORITY", CUREFIT_RELEASE_CONTENT_AUTHORITY
buildConfigField "String", "FILE_CONTENT_AUTHORITY", CUREFIT_RELEASE_FILE_CONTENT_AUTHORITY
resValue "string", "sensor_data_content_provider", "${project.env.get('BUNDLE_ID')}.provider"
resValue "string", "app_name", project.env.get("APP_NAME")
resValue "string", "tray__authority", android.defaultConfig.applicationId + ".tray"
}
//debug code push key should be empty
debug {
proguardFile 'proguard-rules.pro'
applicationIdSuffix ".debug"
signingConfig signingConfigs.debug
resValue "string", "CodePushDeploymentKey", project.env.get("CODEPUSH_KEY_DF")
resValue "string", "sync_account_type", "${project.env.get('BUNDLE_ID')}.debug"
resValue "string", "content_authority", "${project.env.get('BUNDLE_ID')}.debug.provider"
resValue "string", "file_content_authority", "${project.env.get('BUNDLE_ID')}.debug.file.provider"
buildConfigField "String", "SYNC_ACCOUNT_TYPE", CUREFIT_DEBUG_SYNC_ACCOUNT_TYPE
buildConfigField "String", "CONTENT_AUTHORITY", CUREFIT_DEBUG_CONTENT_AUTHORITY
buildConfigField "String", "FILE_CONTENT_AUTHORITY", CUREFIT_DEBUG_FILE_CONTENT_AUTHORITY
resValue "string", "app_name", "${project.env.get('APP_NAME')}-debug"
resValue "string", "tray__authority", (android.defaultConfig.applicationId + ".debug.tray")
matchingFallbacks = ['debug', 'release', 'stage']
}
releaseSugarfit {
minifyEnabled enableProguardInReleaseBuilds
proguardFiles getDefaultProguardFile("proguard-android.txt"), "proguard-rules.pro"
signingConfig signingConfigs.releaseSugarfit
proguardFile 'proguard-rules.pro'
resValue "string", "CodePushDeploymentKey", project.env.get("CODEPUSH_KEY_RELEASE")
resValue "string", "sync_account_type", project.env.get("BUNDLE_ID")
resValue "string", "content_authority", "${project.env.get('BUNDLE_ID')}.provider"
resValue "string", "file_content_authority", "${project.env.get('BUNDLE_ID')}.file.provider"
buildConfigField "String", "SYNC_ACCOUNT_TYPE", SUGARFIT_RELEASE_SYNC_ACCOUNT_TYPE
buildConfigField "String", "CONTENT_AUTHORITY", SUGARFIT_RELEASE_CONTENT_AUTHORITY
buildConfigField "String", "FILE_CONTENT_AUTHORITY", SUGARFIT_RELEASE_FILE_CONTENT_AUTHORITY
resValue "string", "sensor_data_content_provider", "${project.env.get('BUNDLE_ID')}.provider"
resValue "string", "app_name", project.env.get("APP_NAME")
resValue "string", "tray__authority", android.defaultConfig.applicationId + ".tray"
matchingFallbacks = ['release']
}
//debug code push key should be empty
debugSugarfit {
proguardFile 'proguard-rules.pro'
applicationIdSuffix ".debug"
debuggable true
signingConfig signingConfigs.debugSugarfit
resValue "string", "CodePushDeploymentKey", project.env.get("CODEPUSH_KEY_DF")
resValue "string", "sync_account_type", "${project.env.get('BUNDLE_ID')}.debug"
resValue "string", "content_authority", "${project.env.get('BUNDLE_ID')}.debug.provider"
resValue "string", "file_content_authority", "${project.env.get('BUNDLE_ID')}.debug.file.provider"
buildConfigField "String", "SYNC_ACCOUNT_TYPE", SUGARFIT_DEBUG_SYNC_ACCOUNT_TYPE
buildConfigField "String", "CONTENT_AUTHORITY", SUGARFIT_DEBUG_CONTENT_AUTHORITY
buildConfigField "String", "FILE_CONTENT_AUTHORITY", SUGARFIT_DEBUG_FILE_CONTENT_AUTHORITY
resValue "string", "app_name", "${project.env.get('APP_NAME')} (Debug)"
resValue "string", "tray__authority", (android.defaultConfig.applicationId + ".debug.tray")
matchingFallbacks = ['debug', 'stage', 'release']
}
}
aaptOptions {
noCompress "tflite"
noCompress "lite"
}
packagingOptions {
// Required by Qualcomm SNPE SDK: snpe-release & platform-validator
// https://developer.qualcomm.com/docs/snpe/android_tutorial.html
pickFirst 'lib/armeabi-v7a/libsymphony-cpu.so'
pickFirst 'lib/arm64-v8a/libsymphony-cpu.so'
pickFirst '**/x86/libc++_shared.so'
pickFirst '**/x86_64/libc++_shared.so'
pickFirst '**/arm64-v8a/libc++_shared.so'
pickFirst '**/armeabi-v7a/libc++_shared.so'
pickFirst '**/x86/libjsc.so'
pickFirst '**/armeabi-v7a/libjsc.so'
pickFirst '**/x86_64/libjsc.so'
pickFirst '**/arm64-v8a/libjsc.so'
pickFirst '**/*.so'
}
externalNativeBuild {
cmake {
path "src/main/cpp/CMakeLists.txt"
version "3.10.2"
}
}
compileOptions {
sourceCompatibility 11
targetCompatibility 11
}
}
dependencies {
implementation fileTree(dir: "libs", include: ["*.jar", "*.aar"])
// The version of react-native is set by the React Native Gradle Plugin
implementation("com.facebook.react:react-android")
implementation 'androidx.multidex:multidex:2.0.1'
implementation "org.jetbrains.kotlin:kotlin-stdlib:1.5.30"
// camerax
def camerax_version = '1.0.0-rc01'
def camerax_view_version = '1.0.0-alpha20'
implementation "androidx.camera:camera-core:${camerax_version}"
implementation "androidx.camera:camera-camera2:${camerax_version}"
implementation "androidx.camera:camera-lifecycle:${camerax_version}"
implementation "androidx.camera:camera-view:${camerax_view_version}"
//mlkit
def mlkit_version = "16.0.3"
implementation "com.google.mlkit:face-detection:${mlkit_version}"
//socket
implementation "com.neovisionaries:nv-websocket-client:2.4"
//opencv
def opencv_version = '4.3.0'
implementation "com.github.iamareebjamal:opencv-android:${opencv_version}"
// Add the Firebase Crashlytics SDK.
implementation 'com.google.firebase:firebase-crashlytics:18.2.6'
// Recommended: Add the Google Analytics SDK.
implementation 'com.google.firebase:firebase-analytics:20.0.1'
if (hermesEnabled.toBoolean()) {
implementation("com.facebook.react:hermes-android")
} else {
implementation jscFlavor
}
implementation project(':twilioVideo')
implementation "com.twilio:video-android:7.6.3"
implementation "androidx.appcompat:appcompat:1.2.0"
implementation "androidx.constraintlayout:constraintlayout:2.0.4"
implementation 'in.juspay:hypersdk:2.1.6-rc.01'
implementation project(':PayWithAmazon')
implementation project(':react-native-system-setting')
implementation 'com.airbnb.android:lottie:3.0.7'
implementation 'com.google.code.gson:gson:2.8.6'
implementation 'com.google.android.flexbox:flexbox:3.0.0'
implementation 'com.android.volley:volley:1.2.1'
implementation 'com.github.checkout:frames-android:v2.0.5'
implementation 'com.android.installreferrer:installreferrer:2.1'
implementation(project(':lottie-react-native')) {
exclude group: "com.airbnb.android:lottie"
}
implementation 'com.squareup.retrofit2:retrofit:2.3.0'
implementation 'com.squareup.retrofit2:converter-gson:2.3.0'
implementation "phonepe.intentsdk.android.release:IntentSDK:0.1.5"
implementation files('libs/PGSDK_v1.0.1.jar')
implementation 'commons-io:commons-io:2.6'
implementation 'net.grandcentrix.tray:tray:0.11.1'
implementation "com.google.firebase:firebase-messaging:23.0.0"
implementation "com.google.android.gms:play-services-base:18.0.1"
implementation "com.google.android.gms:play-services-cast-framework:21.0.0"
implementation 'com.1gravity:android-contactpicker:1.3.2'
implementation "com.twilio:accessmanager-android:0.1.0"
implementation 'androidx.work:work-runtime:2.8.0'
implementation 'androidx.work:work-runtime-ktx:2.8.0'
implementation("com.twilio:chat-android:7.0.1") {
exclude group: "org.apache.directory.studio"
}
implementation ("com.google.android.gms:play-services-location:19.0.0")
// For animated GIF support
implementation 'com.google.android.play:core:1.9.0'
implementation "android.arch.lifecycle:extensions:1.1.1"
implementation(project(':react-native-pose-estimation')) {
exclude group: "com.google.android.exoplayer"
}
implementation 'com.facebook.fresco:fresco:2.6.0' // for rendering gifs
implementation 'com.facebook.fresco:animated-webp:2.6.0'
implementation 'com.facebook.fresco:webpsupport:2.6.0'
implementation 'com.android.billingclient:billing:4.1.0'
}
apply plugin: "com.google.gms.google-services"
apply plugin: 'com.google.firebase.crashlytics'
apply plugin: 'hypersdk-asset-plugin'
apply from: file("../../node_modules/@react-native-community/cli-platform-android/native_modules.gradle");
applyNativeModulesAppBuildGradle(project)
```
|
non_defect
|
java lang unsatisfiedlinkerror dlopen failed library libappmodules so not found description getting below error in android after upgrading to react native version app builds successfully and when i open app it crashes on native side fatal exception main process fit sugar android debug pid java lang unsatisfiedlinkerror dlopen failed library libappmodules so not found at java lang runtime runtime java at java lang runtime runtime java at java lang system loadlibrary system java at com facebook soloader nativeloader systemdelegate loadlibrary systemdelegate java at com facebook soloader nativeloader nativeloader loadlibrary nativeloader java at com facebook soloader nativeloader nativeloader loadlibrary nativeloader java at com facebook soloader soloader loadlibrary soloader java at com facebook react defaults defaultnewarchitectureentrypoint load defaultnewarchitectureentrypoint kt at com facebook react defaults defaultnewarchitectureentrypoint load default defaultnewarchitectureentrypoint kt at com facebook react defaults defaultnewarchitectureentrypoint load unknown source at fit cure android mainapplication oncreate mainapplication java at android app instrumentation callapplicationoncreate instrumentation java at android app activitythread handlebindapplication activitythread java at android app activitythread access activitythread java at android app activitythread h handlemessage activitythread java at android os handler dispatchmessage handler java at android os looper loop looper java at android app activitythread main activitythread java at java lang reflect method invoke native method at com android internal os runtimeinit methodandargscaller run runtimeinit java at com android internal os zygoteinit main zygoteinit java react native version output of npx react native info system os macos cpu apple pro memory mb gb shell version path bin zsh binaries node version path nvm versions node bin node yarn version path opt homebrew bin yarn npm version path nvm versions node bin npm watchman version path opt homebrew bin watchman managers cocoapods version path opt homebrew bin pod sdks ios sdk not found android sdk api levels build tools system images android intel atom android google apis intel atom android google apis arm android google apis arm android ndk ides android studio ai xcode version undefined path usr bin xcodebuild languages java version path opt homebrew opt openjdk bin javac ruby version path usr bin ruby npmpackages react native community cli not found react installed wanted react native installed wanted react native macos not found npmglobalpackages react native not found android hermesenabled true newarchenabled true ios hermesenabled true newarchenabled false steps to reproduce upgraded my application react native version from to apply all the changes suggested in upgrade helper snack code example screenshot or link to a repository here is my build gradle file apply plugin com android application apply plugin nebula dependency lock apply plugin com google firebase firebase perf apply plugin kotlin android apply plugin kotlin android extensions apply plugin com facebook react apply from node modules sentry react native sentry gradle apply from node modules react native code push android codepush gradle apply from env gradle this is the configuration block to customize your react native android app by default you don t need to apply any configuration just uncomment the lines you need react folders the root of your project i e where package json lives default is root file the folder where the react native npm package is default is node modules react native reactnativedir file node modules react native the folder where the react native codegen package is default is node modules react native codegen codegendir file node modules react native codegen the cli js file which is the react native cli entrypoint default is node modules react native cli js clifile file node modules react native cli js variants the list of variants to that are debuggable for those we re going to skip the bundling of the js bundle and the assets by default is just debug if you add flavors like lite prod etc you ll have to list your debuggablevariants debuggablevariants bundling a list containing the node command and its flags default is just node nodeexecutableandargs the command to run when bundling by default is bundle bundlecommand ram bundle the path to the cli configuration file default is empty bundleconfig file rn cli config js the name of the generated asset file containing your js bundle bundleassetname myapplication android bundle the entry file for bundle generation default is index android js or index js entryfile file js myapplication android js a list of extra flags to pass to the bundle commands see extrapackagerargs hermes commands the hermes compiler command to run by default it is hermesc hermescommand rootdir my custom hermesc bin hermesc the list of flags to pass to the hermes compiler by default is o output source map hermesflags set this to true to run proguard on release builds to minify the java bytecode def enableproguardinreleasebuilds true the preferred build flavor of javascriptcore jsc for example to use the international variant you can use def jscflavor org webkit android jsc intl the international variant includes icu library and necessary data allowing to use e g date tolocalestring and string localecompare that give correct results when using with locales other than en us note that this variant is about larger per architecture than default def jscflavor org webkit android jsc run proguard to shrink the java bytecode in release builds android dynamicfeatures ndkversion rootproject ext ndkversion configurations all exclude group com facebook react react native compilesdkversion rootproject ext compilesdkversion buildtoolsversion buildtoolsversion namespace fit cure android defaultconfig applicationid project env get bundle id minsdkversion rootproject ext minsdkversion targetsdkversion rootproject ext targetsdkversion versioncode project env get build version tointeger versionname project env get app version archivesbasename project env get app id versionname missingdimensionstrategy react native camera general multidexenabled true resconfigs en renderscripttargetapi renderscriptsupportmodeenabled true vectordrawables usesupportlibrary true resvalue string code push apk build time string format d system currenttimemillis dexoptions predexlibraries false javamaxheapsize specify the heap size for the dex process lintoptions disable missingtranslation checkreleasebuilds false abortonerror false kotlinoptions jvmtarget signingconfigs debug storefile file curefit debug store file storepassword curefit debug store password keyalias curefit debug key alias keypassword curefit debug key password release storefile file curefit release store file storepassword curefit release store password keyalias curefit release key alias keypassword curefit release key password debugsugarfit storefile file sugarfit debug store file storepassword sugarfit debug store password keyalias sugarfit debug key alias keypassword sugarfit debug key password releasesugarfit storefile file sugarfit release store file storepassword sugarfit release store password keyalias sugarfit release key alias keypassword sugarfit release key password bundle language enablesplit true density enablesplit true abi enablesplit true buildtypes release minifyenabled enableproguardinreleasebuilds proguardfiles getdefaultproguardfile proguard android txt proguard rules pro signingconfig signingconfigs release proguardfile proguard rules pro resvalue string codepushdeploymentkey project env get codepush key release resvalue string sync account type project env get bundle id resvalue string content authority project env get bundle id provider resvalue string file content authority project env get bundle id file provider buildconfigfield string sync account type curefit release sync account type buildconfigfield string content authority curefit release content authority buildconfigfield string file content authority curefit release file content authority resvalue string sensor data content provider project env get bundle id provider resvalue string app name project env get app name resvalue string tray authority android defaultconfig applicationid tray debug code push key should be empty debug proguardfile proguard rules pro applicationidsuffix debug signingconfig signingconfigs debug resvalue string codepushdeploymentkey project env get codepush key df resvalue string sync account type project env get bundle id debug resvalue string content authority project env get bundle id debug provider resvalue string file content authority project env get bundle id debug file provider buildconfigfield string sync account type curefit debug sync account type buildconfigfield string content authority curefit debug content authority buildconfigfield string file content authority curefit debug file content authority resvalue string app name project env get app name debug resvalue string tray authority android defaultconfig applicationid debug tray matchingfallbacks releasesugarfit minifyenabled enableproguardinreleasebuilds proguardfiles getdefaultproguardfile proguard android txt proguard rules pro signingconfig signingconfigs releasesugarfit proguardfile proguard rules pro resvalue string codepushdeploymentkey project env get codepush key release resvalue string sync account type project env get bundle id resvalue string content authority project env get bundle id provider resvalue string file content authority project env get bundle id file provider buildconfigfield string sync account type sugarfit release sync account type buildconfigfield string content authority sugarfit release content authority buildconfigfield string file content authority sugarfit release file content authority resvalue string sensor data content provider project env get bundle id provider resvalue string app name project env get app name resvalue string tray authority android defaultconfig applicationid tray matchingfallbacks debug code push key should be empty debugsugarfit proguardfile proguard rules pro applicationidsuffix debug debuggable true signingconfig signingconfigs debugsugarfit resvalue string codepushdeploymentkey project env get codepush key df resvalue string sync account type project env get bundle id debug resvalue string content authority project env get bundle id debug provider resvalue string file content authority project env get bundle id debug file provider buildconfigfield string sync account type sugarfit debug sync account type buildconfigfield string content authority sugarfit debug content authority buildconfigfield string file content authority sugarfit debug file content authority resvalue string app name project env get app name debug resvalue string tray authority android defaultconfig applicationid debug tray matchingfallbacks aaptoptions nocompress tflite nocompress lite packagingoptions required by qualcomm snpe sdk snpe release platform validator pickfirst lib armeabi libsymphony cpu so pickfirst lib libsymphony cpu so pickfirst libc shared so pickfirst libc shared so pickfirst libc shared so pickfirst armeabi libc shared so pickfirst libjsc so pickfirst armeabi libjsc so pickfirst libjsc so pickfirst libjsc so pickfirst so externalnativebuild cmake path src main cpp cmakelists txt version compileoptions sourcecompatibility targetcompatibility dependencies implementation filetree dir libs include the version of react native is set by the react native gradle plugin implementation com facebook react react android implementation androidx multidex multidex implementation org jetbrains kotlin kotlin stdlib camerax def camerax version def camerax view version implementation androidx camera camera core camerax version implementation androidx camera camera camerax version implementation androidx camera camera lifecycle camerax version implementation androidx camera camera view camerax view version mlkit def mlkit version implementation com google mlkit face detection mlkit version socket implementation com neovisionaries nv websocket client opencv def opencv version implementation com github iamareebjamal opencv android opencv version add the firebase crashlytics sdk implementation com google firebase firebase crashlytics recommended add the google analytics sdk implementation com google firebase firebase analytics if hermesenabled toboolean implementation com facebook react hermes android else implementation jscflavor implementation project twiliovideo implementation com twilio video android implementation androidx appcompat appcompat implementation androidx constraintlayout constraintlayout implementation in juspay hypersdk rc implementation project paywithamazon implementation project react native system setting implementation com airbnb android lottie implementation com google code gson gson implementation com google android flexbox flexbox implementation com android volley volley implementation com github checkout frames android implementation com android installreferrer installreferrer implementation project lottie react native exclude group com airbnb android lottie implementation com squareup retrofit implementation com squareup converter gson implementation phonepe intentsdk android release intentsdk implementation files libs pgsdk jar implementation commons io commons io implementation net grandcentrix tray tray implementation com google firebase firebase messaging implementation com google android gms play services base implementation com google android gms play services cast framework implementation com android contactpicker implementation com twilio accessmanager android implementation androidx work work runtime implementation androidx work work runtime ktx implementation com twilio chat android exclude group org apache directory studio implementation com google android gms play services location for animated gif support implementation com google android play core implementation android arch lifecycle extensions implementation project react native pose estimation exclude group com google android exoplayer implementation com facebook fresco fresco for rendering gifs implementation com facebook fresco animated webp implementation com facebook fresco webpsupport implementation com android billingclient billing apply plugin com google gms google services apply plugin com google firebase crashlytics apply plugin hypersdk asset plugin apply from file node modules react native community cli platform android native modules gradle applynativemodulesappbuildgradle project
| 0
|
106,001
| 13,237,613,373
|
IssuesEvent
|
2020-08-18 22:04:14
|
discreetlogcontracts/dlcspecs
|
https://api.github.com/repos/discreetlogcontracts/dlcspecs
|
opened
|
Protocol design goals for resource usage
|
design
|
I thought I would enumerate somethings things I think we should keep in mind when writing our first versions of the protocol. The huge caveat here is correctness and security of the protocol come first, here are some secondary design goals we should keep in mind when writing these specs. The overall design goal I want to convey here is that we should attempt to be a ["thin" protocol rather than a"fat protocol"](https://www.usv.com/writing/2016/08/fat-protocols/). Thin protocols give more flexibility to application developers and also minimizes trust assumptions in 3rd parties.
1. Minimize interactivity in the protocol (security & resource usage)
2. Minimize bandwidth needed (resource usage, somewhat related to 1)
3. When possible, shift resource responsibilities to oracles rather than clients -- clients must retain a simple way to validate oracles (think relationship between miners and full nodes)
Again, I don't have any concrete proposals, but we should have these goals in mind when we have choices to make in the protocol. Is there anything that should be added?
|
1.0
|
Protocol design goals for resource usage - I thought I would enumerate somethings things I think we should keep in mind when writing our first versions of the protocol. The huge caveat here is correctness and security of the protocol come first, here are some secondary design goals we should keep in mind when writing these specs. The overall design goal I want to convey here is that we should attempt to be a ["thin" protocol rather than a"fat protocol"](https://www.usv.com/writing/2016/08/fat-protocols/). Thin protocols give more flexibility to application developers and also minimizes trust assumptions in 3rd parties.
1. Minimize interactivity in the protocol (security & resource usage)
2. Minimize bandwidth needed (resource usage, somewhat related to 1)
3. When possible, shift resource responsibilities to oracles rather than clients -- clients must retain a simple way to validate oracles (think relationship between miners and full nodes)
Again, I don't have any concrete proposals, but we should have these goals in mind when we have choices to make in the protocol. Is there anything that should be added?
|
non_defect
|
protocol design goals for resource usage i thought i would enumerate somethings things i think we should keep in mind when writing our first versions of the protocol the huge caveat here is correctness and security of the protocol come first here are some secondary design goals we should keep in mind when writing these specs the overall design goal i want to convey here is that we should attempt to be a thin protocols give more flexibility to application developers and also minimizes trust assumptions in parties minimize interactivity in the protocol security resource usage minimize bandwidth needed resource usage somewhat related to when possible shift resource responsibilities to oracles rather than clients clients must retain a simple way to validate oracles think relationship between miners and full nodes again i don t have any concrete proposals but we should have these goals in mind when we have choices to make in the protocol is there anything that should be added
| 0
|
53,658
| 28,368,538,035
|
IssuesEvent
|
2023-04-12 15:20:36
|
o1-labs/snarkyjs
|
https://api.github.com/repos/o1-labs/snarkyjs
|
closed
|
Change internal types stored for actions data to be Fields rather than strings
|
performance
|
Instead of doing the conversion to field => base58 format, we should keep the data as a field to save on the extra work that is being done.
here: https://github.com/o1-labs/snarkyjs/blob/9acec551e1cc51c3356d5bc3118fc026e104ea05/src/lib/fetch.ts#L735
here: https://github.com/o1-labs/snarkyjs/blob/9acec551e1cc51c3356d5bc3118fc026e104ea05/src/lib/mina.ts#L513
This means updating some type definitions used for actions to make TypeScript happy.
|
True
|
Change internal types stored for actions data to be Fields rather than strings - Instead of doing the conversion to field => base58 format, we should keep the data as a field to save on the extra work that is being done.
here: https://github.com/o1-labs/snarkyjs/blob/9acec551e1cc51c3356d5bc3118fc026e104ea05/src/lib/fetch.ts#L735
here: https://github.com/o1-labs/snarkyjs/blob/9acec551e1cc51c3356d5bc3118fc026e104ea05/src/lib/mina.ts#L513
This means updating some type definitions used for actions to make TypeScript happy.
|
non_defect
|
change internal types stored for actions data to be fields rather than strings instead of doing the conversion to field format we should keep the data as a field to save on the extra work that is being done here here this means updating some type definitions used for actions to make typescript happy
| 0
|
87,239
| 10,886,530,725
|
IssuesEvent
|
2019-11-18 12:46:51
|
Unity-Technologies/InputSystem
|
https://api.github.com/repos/Unity-Technologies/InputSystem
|
closed
|
[Gamepad] If using Gamepad/dpad in an action set, all buttons generate noise for that InputAction
|
design
|
Commit 7948ead, Win10 64, 2018.2b1
XBOX One Controller, XBOX 360 Controller (both USB).
Repro 5/5
If Gamepad/dpad is used for an action input (to say, drive movement) ANY Button will cause it to fire events (at least 2-3). This includes buttons already assigned to other InputActions, and buttons that are not assigned to any InputAction.
|
1.0
|
[Gamepad] If using Gamepad/dpad in an action set, all buttons generate noise for that InputAction - Commit 7948ead, Win10 64, 2018.2b1
XBOX One Controller, XBOX 360 Controller (both USB).
Repro 5/5
If Gamepad/dpad is used for an action input (to say, drive movement) ANY Button will cause it to fire events (at least 2-3). This includes buttons already assigned to other InputActions, and buttons that are not assigned to any InputAction.
|
non_defect
|
if using gamepad dpad in an action set all buttons generate noise for that inputaction commit xbox one controller xbox controller both usb repro if gamepad dpad is used for an action input to say drive movement any button will cause it to fire events at least this includes buttons already assigned to other inputactions and buttons that are not assigned to any inputaction
| 0
|
50,389
| 13,187,473,450
|
IssuesEvent
|
2020-08-13 03:31:36
|
icecube-trac/tix3
|
https://api.github.com/repos/icecube-trac/tix3
|
closed
|
can't find python libs > python 2.6.x (Trac #627)
|
Migrated from Trac cmake defect
|
cmake 2.6.x only has support for python < 2.6.x in its PythonFindX.cmake modules. (hard coded values). this seems to have been fixed in cmake 2.8.x, but is currently untested by !IceCube. (i personally use cmake 2.8.x but not python 2.7.x)
currently i solve this on the build bots by hard coding python paths in a I3_CITE_CMAKE_DIR file on akuma (rhel4 + external python 2.7) and beastie (freebsd 9RC + freebsd port install of python 2.7.1 in /usr/local).
this '''can not''' be solved by including the cmake 2.8 FindPythonX modules, as we'd get into dependency hell w/ the cmake modules.
probably be able to solve this w/ i3-tools-v4 (#278)
<details>
<summary><em>Migrated from https://code.icecube.wisc.edu/ticket/627
, reported by nega and owned by nega</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2011-05-11T19:50:31",
"description": "cmake 2.6.x only has support for python < 2.6.x in its PythonFindX.cmake modules. (hard coded values). this seems to have been fixed in cmake 2.8.x, but is currently untested by !IceCube. (i personally use cmake 2.8.x but not python 2.7.x)\n\ncurrently i solve this on the build bots by hard coding python paths in a I3_CITE_CMAKE_DIR file on akuma (rhel4 + external python 2.7) and beastie (freebsd 9RC + freebsd port install of python 2.7.1 in /usr/local).\n\nthis '''can not''' be solved by including the cmake 2.8 FindPythonX modules, as we'd get into dependency hell w/ the cmake modules.\n\nprobably be able to solve this w/ i3-tools-v4 (#278)",
"reporter": "nega",
"cc": "",
"resolution": "fixed",
"_ts": "1305143431000000",
"component": "cmake",
"summary": "can't find python libs > python 2.6.x",
"priority": "major",
"keywords": "cmake python freebsd rhel",
"time": "2011-04-30T16:22:01",
"milestone": "",
"owner": "nega",
"type": "defect"
}
```
</p>
</details>
|
1.0
|
can't find python libs > python 2.6.x (Trac #627) - cmake 2.6.x only has support for python < 2.6.x in its PythonFindX.cmake modules. (hard coded values). this seems to have been fixed in cmake 2.8.x, but is currently untested by !IceCube. (i personally use cmake 2.8.x but not python 2.7.x)
currently i solve this on the build bots by hard coding python paths in a I3_CITE_CMAKE_DIR file on akuma (rhel4 + external python 2.7) and beastie (freebsd 9RC + freebsd port install of python 2.7.1 in /usr/local).
this '''can not''' be solved by including the cmake 2.8 FindPythonX modules, as we'd get into dependency hell w/ the cmake modules.
probably be able to solve this w/ i3-tools-v4 (#278)
<details>
<summary><em>Migrated from https://code.icecube.wisc.edu/ticket/627
, reported by nega and owned by nega</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2011-05-11T19:50:31",
"description": "cmake 2.6.x only has support for python < 2.6.x in its PythonFindX.cmake modules. (hard coded values). this seems to have been fixed in cmake 2.8.x, but is currently untested by !IceCube. (i personally use cmake 2.8.x but not python 2.7.x)\n\ncurrently i solve this on the build bots by hard coding python paths in a I3_CITE_CMAKE_DIR file on akuma (rhel4 + external python 2.7) and beastie (freebsd 9RC + freebsd port install of python 2.7.1 in /usr/local).\n\nthis '''can not''' be solved by including the cmake 2.8 FindPythonX modules, as we'd get into dependency hell w/ the cmake modules.\n\nprobably be able to solve this w/ i3-tools-v4 (#278)",
"reporter": "nega",
"cc": "",
"resolution": "fixed",
"_ts": "1305143431000000",
"component": "cmake",
"summary": "can't find python libs > python 2.6.x",
"priority": "major",
"keywords": "cmake python freebsd rhel",
"time": "2011-04-30T16:22:01",
"milestone": "",
"owner": "nega",
"type": "defect"
}
```
</p>
</details>
|
defect
|
can t find python libs python x trac cmake x only has support for python x in its pythonfindx cmake modules hard coded values this seems to have been fixed in cmake x but is currently untested by icecube i personally use cmake x but not python x currently i solve this on the build bots by hard coding python paths in a cite cmake dir file on akuma external python and beastie freebsd freebsd port install of python in usr local this can not be solved by including the cmake findpythonx modules as we d get into dependency hell w the cmake modules probably be able to solve this w tools migrated from reported by nega and owned by nega json status closed changetime description cmake x only has support for python x in its pythonfindx cmake modules hard coded values this seems to have been fixed in cmake x but is currently untested by icecube i personally use cmake x but not python x n ncurrently i solve this on the build bots by hard coding python paths in a cite cmake dir file on akuma external python and beastie freebsd freebsd port install of python in usr local n nthis can not be solved by including the cmake findpythonx modules as we d get into dependency hell w the cmake modules n nprobably be able to solve this w tools reporter nega cc resolution fixed ts component cmake summary can t find python libs python x priority major keywords cmake python freebsd rhel time milestone owner nega type defect
| 1
|
131,382
| 10,693,780,015
|
IssuesEvent
|
2019-10-23 09:30:41
|
I2PC/scipion
|
https://api.github.com/repos/I2PC/scipion
|
closed
|
Flag new protocols/obsolete ones
|
betatesting enhancement gui
|
Figure out a way to flag new protocols as new and obsolete ones too
|
1.0
|
Flag new protocols/obsolete ones - Figure out a way to flag new protocols as new and obsolete ones too
|
non_defect
|
flag new protocols obsolete ones figure out a way to flag new protocols as new and obsolete ones too
| 0
|
7,971
| 2,611,070,318
|
IssuesEvent
|
2015-02-27 00:32:50
|
alistairreilly/andors-trail
|
https://api.github.com/repos/alistairreilly/andors-trail
|
closed
|
Loading game with selected movement destination in combat
|
auto-migrated Milestone-0.6.12 Priority-Low Type-Defect
|
```
What steps will reproduce the problem?
1. Engage in combat
2. Long-click a tile to flee to (but don't flee)
3. Save the game (or exit to title screen)
4. Load the savegame
5. Notice how the combat bar is incorrectly populated. For example, the attack
button displays "Attack (%1$d AP)" instead of "Move (6AP)", and the monster HP
bar is visible even though no monster is selected.
Confirmed on v0.6.11 on Google Play.
```
Original issue reported on code.google.com by `oskar.wi...@gmail.com` on 12 Jun 2012 at 8:31
|
1.0
|
Loading game with selected movement destination in combat - ```
What steps will reproduce the problem?
1. Engage in combat
2. Long-click a tile to flee to (but don't flee)
3. Save the game (or exit to title screen)
4. Load the savegame
5. Notice how the combat bar is incorrectly populated. For example, the attack
button displays "Attack (%1$d AP)" instead of "Move (6AP)", and the monster HP
bar is visible even though no monster is selected.
Confirmed on v0.6.11 on Google Play.
```
Original issue reported on code.google.com by `oskar.wi...@gmail.com` on 12 Jun 2012 at 8:31
|
defect
|
loading game with selected movement destination in combat what steps will reproduce the problem engage in combat long click a tile to flee to but don t flee save the game or exit to title screen load the savegame notice how the combat bar is incorrectly populated for example the attack button displays attack d ap instead of move and the monster hp bar is visible even though no monster is selected confirmed on on google play original issue reported on code google com by oskar wi gmail com on jun at
| 1
|
16,674
| 2,928,509,499
|
IssuesEvent
|
2015-06-27 07:56:22
|
STEllAR-GROUP/hpx
|
https://api.github.com/repos/STEllAR-GROUP/hpx
|
closed
|
heartbeat example fails on separate nodes
|
affecting: CSCS category: parcel transport type: defect
|
on monchhm05 which is ip 148.187.68.78
```
ip route get 8.8.8.8 | awk 'NR==1 {print $NF}'
148.187.68.78
bin/heartbeat_console -Ihpx.parcel.port=7910 (or port 7909)
```
on monchhm06 which is ip 148.187.68.79
```
ping 148.187.68.78 is ok
PING 148.187.68.78 (148.187.68.78) 56(84) bytes of data.
64 bytes from 148.187.68.78: icmp_seq=1 ttl=64 time=0.168 ms
bin/heartbeat -Ihpx.parcel.port=7909 --hpx:hpx=148.187.68.78:7909
heartbeat: /mnt/lnec/biddisco/src/spinmaster/hpx/hpx/exception.hpp:465: \
hpx::exception::exception(hpx::error, const char*, hpx::throwmode): \
Assertion `e >= success && e < last_error' failed.
```
Tried various combinations of port in commandline
the stacktrace shows tcp::parcelport_handler::do_run is failing
```
#0 0x00002aaaaed77625 in raise () from /lib64/libc.so.6
#1 0x00002aaaaed78e05 in abort () from /lib64/libc.so.6
#2 0x00002aaaaed7074e in __assert_fail_base () from /lib64/libc.so.6
#3 0x00002aaaaed70810 in __assert_fail () from /lib64/libc.so.6
#4 0x000000000067158d in hpx::exception::exception(hpx::error, char const*, hpx::throwmode) ()
at /mnt/lnec/biddisco/src/spinmaster/hpx/hpx/exception.hpp:465
#5 0x00002aaaad2273ec in hpx::error_code::error_code(hpx::error, hpx::throwmode) () at /mnt/lnec/biddisco/src/spinmaster/hpx/hpx/exception.hpp:1473
#6 0x00002aaaad2270d3 in hpx::make_error_code(hpx::error, hpx::throwmode) () at /mnt/lnec/biddisco/src/spinmaster/hpx/hpx/exception.hpp:373
#7 0x00002aaaad22710f in hpx::exception::exception(hpx::error) () at /mnt/lnec/biddisco/src/spinmaster/hpx/hpx/exception.hpp:438
#8 0x00002aaaad226665 in hpx::exception_list::add(boost::exception_ptr const&) () at /mnt/lnec/biddisco/src/spinmaster/hpx/src/exception_list.cpp:132
#9 0x00002aaaad98bce1 in hpx::parcelset::policies::tcp::connection_handler::do_run() ()
at /mnt/lnec/biddisco/src/spinmaster/hpx/plugins/parcelport/tcp/connection_handler_tcp.cpp:98
```
|
1.0
|
heartbeat example fails on separate nodes - on monchhm05 which is ip 148.187.68.78
```
ip route get 8.8.8.8 | awk 'NR==1 {print $NF}'
148.187.68.78
bin/heartbeat_console -Ihpx.parcel.port=7910 (or port 7909)
```
on monchhm06 which is ip 148.187.68.79
```
ping 148.187.68.78 is ok
PING 148.187.68.78 (148.187.68.78) 56(84) bytes of data.
64 bytes from 148.187.68.78: icmp_seq=1 ttl=64 time=0.168 ms
bin/heartbeat -Ihpx.parcel.port=7909 --hpx:hpx=148.187.68.78:7909
heartbeat: /mnt/lnec/biddisco/src/spinmaster/hpx/hpx/exception.hpp:465: \
hpx::exception::exception(hpx::error, const char*, hpx::throwmode): \
Assertion `e >= success && e < last_error' failed.
```
Tried various combinations of port in commandline
the stacktrace shows tcp::parcelport_handler::do_run is failing
```
#0 0x00002aaaaed77625 in raise () from /lib64/libc.so.6
#1 0x00002aaaaed78e05 in abort () from /lib64/libc.so.6
#2 0x00002aaaaed7074e in __assert_fail_base () from /lib64/libc.so.6
#3 0x00002aaaaed70810 in __assert_fail () from /lib64/libc.so.6
#4 0x000000000067158d in hpx::exception::exception(hpx::error, char const*, hpx::throwmode) ()
at /mnt/lnec/biddisco/src/spinmaster/hpx/hpx/exception.hpp:465
#5 0x00002aaaad2273ec in hpx::error_code::error_code(hpx::error, hpx::throwmode) () at /mnt/lnec/biddisco/src/spinmaster/hpx/hpx/exception.hpp:1473
#6 0x00002aaaad2270d3 in hpx::make_error_code(hpx::error, hpx::throwmode) () at /mnt/lnec/biddisco/src/spinmaster/hpx/hpx/exception.hpp:373
#7 0x00002aaaad22710f in hpx::exception::exception(hpx::error) () at /mnt/lnec/biddisco/src/spinmaster/hpx/hpx/exception.hpp:438
#8 0x00002aaaad226665 in hpx::exception_list::add(boost::exception_ptr const&) () at /mnt/lnec/biddisco/src/spinmaster/hpx/src/exception_list.cpp:132
#9 0x00002aaaad98bce1 in hpx::parcelset::policies::tcp::connection_handler::do_run() ()
at /mnt/lnec/biddisco/src/spinmaster/hpx/plugins/parcelport/tcp/connection_handler_tcp.cpp:98
```
|
defect
|
heartbeat example fails on separate nodes on which is ip ip route get awk nr print nf bin heartbeat console ihpx parcel port or port on which is ip ping is ok ping bytes of data bytes from icmp seq ttl time ms bin heartbeat ihpx parcel port hpx hpx heartbeat mnt lnec biddisco src spinmaster hpx hpx exception hpp hpx exception exception hpx error const char hpx throwmode assertion e success e last error failed tried various combinations of port in commandline the stacktrace shows tcp parcelport handler do run is failing in raise from libc so in abort from libc so in assert fail base from libc so in assert fail from libc so in hpx exception exception hpx error char const hpx throwmode at mnt lnec biddisco src spinmaster hpx hpx exception hpp in hpx error code error code hpx error hpx throwmode at mnt lnec biddisco src spinmaster hpx hpx exception hpp in hpx make error code hpx error hpx throwmode at mnt lnec biddisco src spinmaster hpx hpx exception hpp in hpx exception exception hpx error at mnt lnec biddisco src spinmaster hpx hpx exception hpp in hpx exception list add boost exception ptr const at mnt lnec biddisco src spinmaster hpx src exception list cpp in hpx parcelset policies tcp connection handler do run at mnt lnec biddisco src spinmaster hpx plugins parcelport tcp connection handler tcp cpp
| 1
|
40,297
| 9,941,799,141
|
IssuesEvent
|
2019-07-03 12:31:30
|
OpenMS/OpenMS
|
https://api.github.com/repos/OpenMS/OpenMS
|
closed
|
Mac build error (DefaultParamHandlerDocumenter)
|
Hacktoberfest defect minor wontfix
|
After working on ConsensusID, I've been getting a strange error when trying to build OpenMS (in particular, the documentation) on my Mac (OS X 10.8.5):
> In file included from /Users/hw5/Software/OpenMS/doc/doxygen/parameters/DefaultParamHandlerDocumenter.cpp:172:
> In file included from /Users/hw5/Software/OpenMS/src/openms_gui/include/OpenMS/VISUAL/Spectrum1DCanvas.h:46:
> In file included from /Users/hw5/Software/OpenMS/src/openms_gui/include/OpenMS/VISUAL/SpectrumCanvas.h:45:
> /Users/hw5/Software/OpenMS/src/openms_gui/include/OpenMS/VISUAL/LayerData.h:74:7: error: expected '}'
> DT_UNKNOWN ///< Undefined data type indicating an error
> ^
> /usr/include/sys/dirent.h:126:21: note: expanded from macro 'DT_UNKNOWN'
> # define DT_UNKNOWN 0
>
> ```
> ^
> ```
>
> /Users/hw5/Software/OpenMS/src/openms_gui/include/OpenMS/VISUAL/LayerData.h:68:5: note: to match this '{'
> {
> ^
> /Users/hw5/Software/OpenMS/src/openms_gui/include/OpenMS/VISUAL/LayerData.h:132:7: error: cannot initialize a member subobject of type 'OpenMS::LayerData::DataType' with an
> rvalue of type 'int'
> type(DT_UNKNOWN),
> ^ ~~~~~~~~~~
OpenMS defines "DT_UNKOWN" as an enum value in "LayerData.h", but this conflicts with a previous macro definition in "/usr/include/sys/dirent.h"! (Although I have no idea why it would link against this file.)
I'm not getting this error on my Linux machine.
|
1.0
|
Mac build error (DefaultParamHandlerDocumenter) - After working on ConsensusID, I've been getting a strange error when trying to build OpenMS (in particular, the documentation) on my Mac (OS X 10.8.5):
> In file included from /Users/hw5/Software/OpenMS/doc/doxygen/parameters/DefaultParamHandlerDocumenter.cpp:172:
> In file included from /Users/hw5/Software/OpenMS/src/openms_gui/include/OpenMS/VISUAL/Spectrum1DCanvas.h:46:
> In file included from /Users/hw5/Software/OpenMS/src/openms_gui/include/OpenMS/VISUAL/SpectrumCanvas.h:45:
> /Users/hw5/Software/OpenMS/src/openms_gui/include/OpenMS/VISUAL/LayerData.h:74:7: error: expected '}'
> DT_UNKNOWN ///< Undefined data type indicating an error
> ^
> /usr/include/sys/dirent.h:126:21: note: expanded from macro 'DT_UNKNOWN'
> # define DT_UNKNOWN 0
>
> ```
> ^
> ```
>
> /Users/hw5/Software/OpenMS/src/openms_gui/include/OpenMS/VISUAL/LayerData.h:68:5: note: to match this '{'
> {
> ^
> /Users/hw5/Software/OpenMS/src/openms_gui/include/OpenMS/VISUAL/LayerData.h:132:7: error: cannot initialize a member subobject of type 'OpenMS::LayerData::DataType' with an
> rvalue of type 'int'
> type(DT_UNKNOWN),
> ^ ~~~~~~~~~~
OpenMS defines "DT_UNKOWN" as an enum value in "LayerData.h", but this conflicts with a previous macro definition in "/usr/include/sys/dirent.h"! (Although I have no idea why it would link against this file.)
I'm not getting this error on my Linux machine.
|
defect
|
mac build error defaultparamhandlerdocumenter after working on consensusid i ve been getting a strange error when trying to build openms in particular the documentation on my mac os x in file included from users software openms doc doxygen parameters defaultparamhandlerdocumenter cpp in file included from users software openms src openms gui include openms visual h in file included from users software openms src openms gui include openms visual spectrumcanvas h users software openms src openms gui include openms visual layerdata h error expected dt unknown undefined data type indicating an error usr include sys dirent h note expanded from macro dt unknown define dt unknown users software openms src openms gui include openms visual layerdata h note to match this users software openms src openms gui include openms visual layerdata h error cannot initialize a member subobject of type openms layerdata datatype with an rvalue of type int type dt unknown openms defines dt unkown as an enum value in layerdata h but this conflicts with a previous macro definition in usr include sys dirent h although i have no idea why it would link against this file i m not getting this error on my linux machine
| 1
|
2,602
| 2,607,931,228
|
IssuesEvent
|
2015-02-26 00:26:48
|
chrsmithdemos/minify
|
https://api.github.com/repos/chrsmithdemos/minify
|
closed
|
Can't minify Extjs 2.2 files with Minify::serve
|
auto-migrated Priority-Medium Type-Defect
|
```
Minify version: 2.1.2
PHP version: 5.2.8
What steps will reproduce the problem?
1. Construct a HTML Page with inlined extjs 2.2 (i.e. ext-all.js or
ext-all-debug.js)
2. Minify::serve('Page', array(
'content' => $content,
'id' => 'smarty',
'encodeOutput' => true,
'encodeMethod' => 'gzip',
'quiet' => false,
'minifyAll' => true,
'contentType' => Minify::TYPE_HTML
))
Expected output: Minified HTML
Actual output: Nothing
Please provide any additional information below.
If I minify the extjs sources by itself with Minify_Javascript::minify,
everything works well, except that it's slow.
```
-----
Original issue reported on code.google.com by `joc...@joschs-robotics.de` on 6 Apr 2009 at 7:52
Attachments:
* [ext-all.js](https://storage.googleapis.com/google-code-attachments/minify/issue-102/comment-0/ext-all.js)
* [ext-all-debug.js](https://storage.googleapis.com/google-code-attachments/minify/issue-102/comment-0/ext-all-debug.js)
|
1.0
|
Can't minify Extjs 2.2 files with Minify::serve - ```
Minify version: 2.1.2
PHP version: 5.2.8
What steps will reproduce the problem?
1. Construct a HTML Page with inlined extjs 2.2 (i.e. ext-all.js or
ext-all-debug.js)
2. Minify::serve('Page', array(
'content' => $content,
'id' => 'smarty',
'encodeOutput' => true,
'encodeMethod' => 'gzip',
'quiet' => false,
'minifyAll' => true,
'contentType' => Minify::TYPE_HTML
))
Expected output: Minified HTML
Actual output: Nothing
Please provide any additional information below.
If I minify the extjs sources by itself with Minify_Javascript::minify,
everything works well, except that it's slow.
```
-----
Original issue reported on code.google.com by `joc...@joschs-robotics.de` on 6 Apr 2009 at 7:52
Attachments:
* [ext-all.js](https://storage.googleapis.com/google-code-attachments/minify/issue-102/comment-0/ext-all.js)
* [ext-all-debug.js](https://storage.googleapis.com/google-code-attachments/minify/issue-102/comment-0/ext-all-debug.js)
|
defect
|
can t minify extjs files with minify serve minify version php version what steps will reproduce the problem construct a html page with inlined extjs i e ext all js or ext all debug js minify serve page array content content id smarty encodeoutput true encodemethod gzip quiet false minifyall true contenttype minify type html expected output minified html actual output nothing please provide any additional information below if i minify the extjs sources by itself with minify javascript minify everything works well except that it s slow original issue reported on code google com by joc joschs robotics de on apr at attachments
| 1
|
767,280
| 26,917,571,202
|
IssuesEvent
|
2023-02-07 08:02:30
|
ballerina-platform/ballerina-lang
|
https://api.github.com/repos/ballerina-platform/ballerina-lang
|
closed
|
[Semantic API] Check and identify the areas of the spec that aren't covered
|
Type/Task Priority/High Team/CompilerFETools Area/SemanticAPI SwanLakeDump
|
Need to ensure that the Semantic API covers the spec and behaves as expected. Also need to maintain a separate spec which specifies the behaviour of the Semantic API methods against the constructs of the spec.
- `symbol()` method
- [x] Type descriptors [#32139]
- [x] Module-level declarations [#32159]
- [x] Expressions [#32160]
- [x] Statements [#32161]
- [ ] Actions
- `type()` method
The following doc is maintained as sort of a spec for the `symbol()` method: https://docs.google.com/document/d/1CescK7Zs9kS1taV8uvcbAmzw1NMev-dcZNbgm1EC-bk/edit?usp=sharing
|
1.0
|
[Semantic API] Check and identify the areas of the spec that aren't covered - Need to ensure that the Semantic API covers the spec and behaves as expected. Also need to maintain a separate spec which specifies the behaviour of the Semantic API methods against the constructs of the spec.
- `symbol()` method
- [x] Type descriptors [#32139]
- [x] Module-level declarations [#32159]
- [x] Expressions [#32160]
- [x] Statements [#32161]
- [ ] Actions
- `type()` method
The following doc is maintained as sort of a spec for the `symbol()` method: https://docs.google.com/document/d/1CescK7Zs9kS1taV8uvcbAmzw1NMev-dcZNbgm1EC-bk/edit?usp=sharing
|
non_defect
|
check and identify the areas of the spec that aren t covered need to ensure that the semantic api covers the spec and behaves as expected also need to maintain a separate spec which specifies the behaviour of the semantic api methods against the constructs of the spec symbol method type descriptors module level declarations expressions statements actions type method the following doc is maintained as sort of a spec for the symbol method
| 0
|
60,472
| 17,023,434,965
|
IssuesEvent
|
2021-07-03 02:01:05
|
tomhughes/trac-tickets
|
https://api.github.com/repos/tomhughes/trac-tickets
|
closed
|
[roads] motorway_link is always behind other roads and does not respect layer tags
|
Component: mapnik Priority: minor Resolution: duplicate Type: defect
|
**[Submitted to the original trac issue database at 5.35am, Friday, 3rd July 2009]**
Here is an example which shows several aspects of the problem:
http://www.openstreetmap.org/?lat=50.96873&lon=7.03117&zoom=17
1. a street (here: Piccoloministrae) crossing in a tunnel (layer=-2) under motorway and under motorway_link is rendered below the motorway and above the motorway_link
2. the service roads between the motorway_links are rendered above them (which is really ugly).
It seems to me that in the past someone has tried to improve the rendering of junctions where motorway_links end on other roads, but has found a solution which was too "radical".
|
1.0
|
[roads] motorway_link is always behind other roads and does not respect layer tags - **[Submitted to the original trac issue database at 5.35am, Friday, 3rd July 2009]**
Here is an example which shows several aspects of the problem:
http://www.openstreetmap.org/?lat=50.96873&lon=7.03117&zoom=17
1. a street (here: Piccoloministrae) crossing in a tunnel (layer=-2) under motorway and under motorway_link is rendered below the motorway and above the motorway_link
2. the service roads between the motorway_links are rendered above them (which is really ugly).
It seems to me that in the past someone has tried to improve the rendering of junctions where motorway_links end on other roads, but has found a solution which was too "radical".
|
defect
|
motorway link is always behind other roads and does not respect layer tags here is an example which shows several aspects of the problem a street here piccoloministrae crossing in a tunnel layer under motorway and under motorway link is rendered below the motorway and above the motorway link the service roads between the motorway links are rendered above them which is really ugly it seems to me that in the past someone has tried to improve the rendering of junctions where motorway links end on other roads but has found a solution which was too radical
| 1
|
56,079
| 23,698,527,943
|
IssuesEvent
|
2022-08-29 16:42:19
|
microsoft/BotBuilder-Samples
|
https://api.github.com/repos/microsoft/BotBuilder-Samples
|
closed
|
Creating resources with ARM template for Python echobot fails
|
bug customer-reported Bot Services customer-replied-to ExemptFromDailyDRIReport needs-triage
|
### Github issues for [C#](https://github.com/Microsoft/botbuilder-dotnet/issues) /[JS](https://github.com/Microsoft/botbuilder-js/issues) / [Java](https://github.com/Microsoft/botbuilder-java/issues)/ [Python](https://github.com/Microsoft/botbuilder-python/issues) should be used for bugs and feature requests. Use [Stack Overflow](https://stackoverflow.com/questions/tagged/botframework) for general "how-to" questions.
## Sample information
1. Sample type: \samples\python
2. Sample language: python
3. Sample name: 02.echo-bot / possibly all python samples
## Describe the bug
Following the [deployment docs](https://docs.microsoft.com/en-us/azure/bot-service/bot-builder-deploy-az-cli?view=azure-bot-service-4.0&tabs=multitenant%2Cnewgroup%2Ccsharp#create-resources-with-an-arm-template), when creating resources with ARM template (MultiTenant // new resource group // python // sample echobot) fails, with message:
>```unrecognized template parameter 'appType'. Allowed parameters: appId, appSecret, botId, botSku, groupLocation, groupName, newAppServicePlanLocation, newAppServicePlanName, newAppServicePlanSku, newWebAppName```
The command that triggers the error is:
```
az deployment sub create --template-file "<path>" --location <bot-region> --parameters appType="MultiTenant" appId="<app-id>" appSecret="<password>" botId="<bot-id>" botSku=<tier> newAppServicePlanName="<plan-name>" newWebAppName="<service-name>" groupName="<group-name>" groupLocation="<group-region>" newAppServicePlanLocation="<plan-region>" --name "<deployment-name>"
```
## To Reproduce
Steps to reproduce the behavior:
1. Copy python/samples/02.echobot to a work directory.
2. `pip install -r requirements.txt`
3. Follow the [Deploy Your Bot to Azure](https://docs.microsoft.com/en-us/azure/bot-service/bot-builder-deploy-az-cli?view=azure-bot-service-4.0&tabs=userassigned%2Cnewgroup%2Ccsharp) docs.
4. In the create resources with ARM template section, run the command relative to new resources // multitenancy (the others might be broken as well, I don't know).
5. Watch error in console.
## Expected behavior
Resources should be created without displaying any error.
## Additional context
Indeed, all Python samples use a 2015 schema, which does not have `appType`, causing the command to fail. I copied over the whole `template-with-new-rg.json` file from Node samples, which uses schema from 2019-04-01, and the command succeded.
|
1.0
|
Creating resources with ARM template for Python echobot fails - ### Github issues for [C#](https://github.com/Microsoft/botbuilder-dotnet/issues) /[JS](https://github.com/Microsoft/botbuilder-js/issues) / [Java](https://github.com/Microsoft/botbuilder-java/issues)/ [Python](https://github.com/Microsoft/botbuilder-python/issues) should be used for bugs and feature requests. Use [Stack Overflow](https://stackoverflow.com/questions/tagged/botframework) for general "how-to" questions.
## Sample information
1. Sample type: \samples\python
2. Sample language: python
3. Sample name: 02.echo-bot / possibly all python samples
## Describe the bug
Following the [deployment docs](https://docs.microsoft.com/en-us/azure/bot-service/bot-builder-deploy-az-cli?view=azure-bot-service-4.0&tabs=multitenant%2Cnewgroup%2Ccsharp#create-resources-with-an-arm-template), when creating resources with ARM template (MultiTenant // new resource group // python // sample echobot) fails, with message:
>```unrecognized template parameter 'appType'. Allowed parameters: appId, appSecret, botId, botSku, groupLocation, groupName, newAppServicePlanLocation, newAppServicePlanName, newAppServicePlanSku, newWebAppName```
The command that triggers the error is:
```
az deployment sub create --template-file "<path>" --location <bot-region> --parameters appType="MultiTenant" appId="<app-id>" appSecret="<password>" botId="<bot-id>" botSku=<tier> newAppServicePlanName="<plan-name>" newWebAppName="<service-name>" groupName="<group-name>" groupLocation="<group-region>" newAppServicePlanLocation="<plan-region>" --name "<deployment-name>"
```
## To Reproduce
Steps to reproduce the behavior:
1. Copy python/samples/02.echobot to a work directory.
2. `pip install -r requirements.txt`
3. Follow the [Deploy Your Bot to Azure](https://docs.microsoft.com/en-us/azure/bot-service/bot-builder-deploy-az-cli?view=azure-bot-service-4.0&tabs=userassigned%2Cnewgroup%2Ccsharp) docs.
4. In the create resources with ARM template section, run the command relative to new resources // multitenancy (the others might be broken as well, I don't know).
5. Watch error in console.
## Expected behavior
Resources should be created without displaying any error.
## Additional context
Indeed, all Python samples use a 2015 schema, which does not have `appType`, causing the command to fail. I copied over the whole `template-with-new-rg.json` file from Node samples, which uses schema from 2019-04-01, and the command succeded.
|
non_defect
|
creating resources with arm template for python echobot fails github issues for should be used for bugs and feature requests use for general how to questions sample information sample type samples python sample language python sample name echo bot possibly all python samples describe the bug following the when creating resources with arm template multitenant new resource group python sample echobot fails with message unrecognized template parameter apptype allowed parameters appid appsecret botid botsku grouplocation groupname newappserviceplanlocation newappserviceplanname newappserviceplansku newwebappname the command that triggers the error is az deployment sub create template file location parameters apptype multitenant appid appsecret botid botsku newappserviceplanname newwebappname groupname grouplocation newappserviceplanlocation name to reproduce steps to reproduce the behavior copy python samples echobot to a work directory pip install r requirements txt follow the docs in the create resources with arm template section run the command relative to new resources multitenancy the others might be broken as well i don t know watch error in console expected behavior resources should be created without displaying any error additional context indeed all python samples use a schema which does not have apptype causing the command to fail i copied over the whole template with new rg json file from node samples which uses schema from and the command succeded
| 0
|
113,106
| 17,115,865,895
|
IssuesEvent
|
2021-07-11 10:37:46
|
theHinneh/aiesec-ppt
|
https://api.github.com/repos/theHinneh/aiesec-ppt
|
closed
|
CVE-2020-36048 (High) detected in engine.io-3.2.1.tgz - autoclosed
|
security vulnerability
|
## CVE-2020-36048 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>engine.io-3.2.1.tgz</b></p></summary>
<p>The realtime engine behind Socket.IO. Provides the foundation of a bidirectional connection between client and server</p>
<p>Library home page: <a href="https://registry.npmjs.org/engine.io/-/engine.io-3.2.1.tgz">https://registry.npmjs.org/engine.io/-/engine.io-3.2.1.tgz</a></p>
<p>Path to dependency file: aiesec-ppt/package.json</p>
<p>Path to vulnerable library: aiesec-ppt/node_modules/engine.io/package.json</p>
<p>
Dependency Hierarchy:
- karma-4.4.1.tgz (Root Library)
- socket.io-2.1.1.tgz
- :x: **engine.io-3.2.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/theHinneh/aiesec-ppt/commit/fccb6f6be9bac07b4f9ebb9ea050b61e948e3f65">fccb6f6be9bac07b4f9ebb9ea050b61e948e3f65</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
Engine.IO before 4.0.0 allows attackers to cause a denial of service (resource consumption) via a POST request to the long polling transport.
<p>Publish Date: 2021-01-08
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-36048>CVE-2020-36048</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-36048">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-36048</a></p>
<p>Release Date: 2021-01-08</p>
<p>Fix Resolution: engine.io - 4.0.0</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
True
|
CVE-2020-36048 (High) detected in engine.io-3.2.1.tgz - autoclosed - ## CVE-2020-36048 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>engine.io-3.2.1.tgz</b></p></summary>
<p>The realtime engine behind Socket.IO. Provides the foundation of a bidirectional connection between client and server</p>
<p>Library home page: <a href="https://registry.npmjs.org/engine.io/-/engine.io-3.2.1.tgz">https://registry.npmjs.org/engine.io/-/engine.io-3.2.1.tgz</a></p>
<p>Path to dependency file: aiesec-ppt/package.json</p>
<p>Path to vulnerable library: aiesec-ppt/node_modules/engine.io/package.json</p>
<p>
Dependency Hierarchy:
- karma-4.4.1.tgz (Root Library)
- socket.io-2.1.1.tgz
- :x: **engine.io-3.2.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/theHinneh/aiesec-ppt/commit/fccb6f6be9bac07b4f9ebb9ea050b61e948e3f65">fccb6f6be9bac07b4f9ebb9ea050b61e948e3f65</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
Engine.IO before 4.0.0 allows attackers to cause a denial of service (resource consumption) via a POST request to the long polling transport.
<p>Publish Date: 2021-01-08
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-36048>CVE-2020-36048</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-36048">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-36048</a></p>
<p>Release Date: 2021-01-08</p>
<p>Fix Resolution: engine.io - 4.0.0</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
non_defect
|
cve high detected in engine io tgz autoclosed cve high severity vulnerability vulnerable library engine io tgz the realtime engine behind socket io provides the foundation of a bidirectional connection between client and server library home page a href path to dependency file aiesec ppt package json path to vulnerable library aiesec ppt node modules engine io package json dependency hierarchy karma tgz root library socket io tgz x engine io tgz vulnerable library found in head commit a href found in base branch master vulnerability details engine io before allows attackers to cause a denial of service resource consumption via a post request to the long polling transport publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution engine io step up your open source security game with whitesource
| 0
|
44,156
| 12,014,365,414
|
IssuesEvent
|
2020-04-10 11:14:54
|
primefaces/primeng
|
https://api.github.com/repos/primefaces/primeng
|
closed
|
Slider doesn't works properly with ChangeDetectionStrategy.OnPush / reactive forms
|
defect
|
**I'm submitting a ...**
```
[x] bug report => Search github for a similar issue or PR before submitting
[ ] feature request => Please check if request is not on the roadmap already https://github.com/primefaces/primeng/wiki/Roadmap
[ ] support request => Please do not submit support request here, instead see http://forum.primefaces.org/viewforum.php?f=35
```
**Plunkr Case (Bug Reports)**
Stackblitz project: https://stackblitz.com/edit/slider-onpush-errors
Demo APP: https://slider-onpush-errors.stackblitz.io
**Current behaviour**
Using the slider inside a component with ChangeDetectionStrategy.OnPush the animation doesn't work unless add the onChange event (even if it is empty).
Using the range slider inside a reactive form the field getter doesn't have the updated value but the form it's ok.
Value updated
```typescript
reactiveForm.getRawValue()
```
Value updated
```typescript
reactiveForm.get('price').value[0]
reactiveForm.get('price').value[1]
```
Value not updated
```typescript
reactiveForm.get('price').value
```
**Expected behaviour**
The animation works properly in all cases and the slider propagate the value to the reactive form.
The value is updated on the reactive form field getter using as range.
**Minimal reproduction of the problem with instructions**
Use slider inside a component with ChangeDetectionStrategy.OnPush without onChange event and animation set true.
**What is the motivation / use case for changing the behaviour?**
Make the component usable, consistent and configurable in all cases.
**Please tell us about your environment:**
MAC OS X Mojave 10.14.4
WebStorm 2019.1.2
Yarn 1.15.2
* **Angular version:** 7.2.1
* **PrimeNG version:** 7.1.2
* **Browser:** all
* **Language:** all
|
1.0
|
Slider doesn't works properly with ChangeDetectionStrategy.OnPush / reactive forms - **I'm submitting a ...**
```
[x] bug report => Search github for a similar issue or PR before submitting
[ ] feature request => Please check if request is not on the roadmap already https://github.com/primefaces/primeng/wiki/Roadmap
[ ] support request => Please do not submit support request here, instead see http://forum.primefaces.org/viewforum.php?f=35
```
**Plunkr Case (Bug Reports)**
Stackblitz project: https://stackblitz.com/edit/slider-onpush-errors
Demo APP: https://slider-onpush-errors.stackblitz.io
**Current behaviour**
Using the slider inside a component with ChangeDetectionStrategy.OnPush the animation doesn't work unless add the onChange event (even if it is empty).
Using the range slider inside a reactive form the field getter doesn't have the updated value but the form it's ok.
Value updated
```typescript
reactiveForm.getRawValue()
```
Value updated
```typescript
reactiveForm.get('price').value[0]
reactiveForm.get('price').value[1]
```
Value not updated
```typescript
reactiveForm.get('price').value
```
**Expected behaviour**
The animation works properly in all cases and the slider propagate the value to the reactive form.
The value is updated on the reactive form field getter using as range.
**Minimal reproduction of the problem with instructions**
Use slider inside a component with ChangeDetectionStrategy.OnPush without onChange event and animation set true.
**What is the motivation / use case for changing the behaviour?**
Make the component usable, consistent and configurable in all cases.
**Please tell us about your environment:**
MAC OS X Mojave 10.14.4
WebStorm 2019.1.2
Yarn 1.15.2
* **Angular version:** 7.2.1
* **PrimeNG version:** 7.1.2
* **Browser:** all
* **Language:** all
|
defect
|
slider doesn t works properly with changedetectionstrategy onpush reactive forms i m submitting a bug report search github for a similar issue or pr before submitting feature request please check if request is not on the roadmap already support request please do not submit support request here instead see plunkr case bug reports stackblitz project demo app current behaviour using the slider inside a component with changedetectionstrategy onpush the animation doesn t work unless add the onchange event even if it is empty using the range slider inside a reactive form the field getter doesn t have the updated value but the form it s ok value updated typescript reactiveform getrawvalue value updated typescript reactiveform get price value reactiveform get price value value not updated typescript reactiveform get price value expected behaviour the animation works properly in all cases and the slider propagate the value to the reactive form the value is updated on the reactive form field getter using as range minimal reproduction of the problem with instructions use slider inside a component with changedetectionstrategy onpush without onchange event and animation set true what is the motivation use case for changing the behaviour make the component usable consistent and configurable in all cases please tell us about your environment mac os x mojave webstorm yarn angular version primeng version browser all language all
| 1
|
703,715
| 24,171,118,504
|
IssuesEvent
|
2022-09-22 19:19:10
|
ssec/polar2grid
|
https://api.github.com/repos/ssec/polar2grid
|
closed
|
MODIS overpass version 2.3 version 3.0 processing speeds
|
bug optimization priority:high
|
I wrote scripts to time the creation of all P2G MODIS GeoTIFF default bands for a 15 minutes pass using the default WGS84 dynamic grid. For Version 2.3 P2G I added the times together that it took create the default images for crefl (true and false color) and for the vis/ir bands. For P2G version 3.0, I used 4 workers, which I think is the default. Here are the results:
P2G Version 2.3: 8m22s
P2G Version 3.0: 15m33s
It took almost twice as long using more CPU's to create the images using P2G v3.0 than it did with V2.3 on the machine bumi. I cannot imagine releasing software until this is improved. Dynamic grids are the way the software is most used by Liam and I in SSEC, and I suspect most used by the community too.
|
1.0
|
MODIS overpass version 2.3 version 3.0 processing speeds - I wrote scripts to time the creation of all P2G MODIS GeoTIFF default bands for a 15 minutes pass using the default WGS84 dynamic grid. For Version 2.3 P2G I added the times together that it took create the default images for crefl (true and false color) and for the vis/ir bands. For P2G version 3.0, I used 4 workers, which I think is the default. Here are the results:
P2G Version 2.3: 8m22s
P2G Version 3.0: 15m33s
It took almost twice as long using more CPU's to create the images using P2G v3.0 than it did with V2.3 on the machine bumi. I cannot imagine releasing software until this is improved. Dynamic grids are the way the software is most used by Liam and I in SSEC, and I suspect most used by the community too.
|
non_defect
|
modis overpass version version processing speeds i wrote scripts to time the creation of all modis geotiff default bands for a minutes pass using the default dynamic grid for version i added the times together that it took create the default images for crefl true and false color and for the vis ir bands for version i used workers which i think is the default here are the results version version it took almost twice as long using more cpu s to create the images using than it did with on the machine bumi i cannot imagine releasing software until this is improved dynamic grids are the way the software is most used by liam and i in ssec and i suspect most used by the community too
| 0
|
404,334
| 11,855,395,025
|
IssuesEvent
|
2020-03-25 04:07:12
|
reberhardt7/cplayground
|
https://api.github.com/repos/reberhardt7/cplayground
|
opened
|
Add "stop" button for running programs
|
difficulty:easy enhancement frontend good first issue priority:medium ui
|
Right now, you can stop a running program by refreshing the page, or by clicking in the terminal and pressing ctrl+c. However, there should be a more obvious way to do it. We'll need to think about UI -- should the "run" button become a "stop" button when the program is running, or should there be a separate "stop" button that appears once it starts running? I like the minimalism of having fewer buttons, but I think it's cool how the "run" button goes from outline to solid when the program starts running, and it may be clearer to users that it's possible to stop the program if there's an obvious "stop" button showing.
|
1.0
|
Add "stop" button for running programs - Right now, you can stop a running program by refreshing the page, or by clicking in the terminal and pressing ctrl+c. However, there should be a more obvious way to do it. We'll need to think about UI -- should the "run" button become a "stop" button when the program is running, or should there be a separate "stop" button that appears once it starts running? I like the minimalism of having fewer buttons, but I think it's cool how the "run" button goes from outline to solid when the program starts running, and it may be clearer to users that it's possible to stop the program if there's an obvious "stop" button showing.
|
non_defect
|
add stop button for running programs right now you can stop a running program by refreshing the page or by clicking in the terminal and pressing ctrl c however there should be a more obvious way to do it we ll need to think about ui should the run button become a stop button when the program is running or should there be a separate stop button that appears once it starts running i like the minimalism of having fewer buttons but i think it s cool how the run button goes from outline to solid when the program starts running and it may be clearer to users that it s possible to stop the program if there s an obvious stop button showing
| 0
|
7,529
| 2,610,404,215
|
IssuesEvent
|
2015-02-26 20:11:23
|
chrsmith/republic-at-war
|
https://api.github.com/repos/chrsmith/republic-at-war
|
closed
|
Kamino Space Skirmish Build Pad
|
auto-migrated Priority-Medium Type-Defect
|
```
In the Kamino space skirmish map, player 3 does not have a space build pad.
```
-----
Original issue reported on code.google.com by `KillerHurdz@netscape.net` on 2 Jul 2011 at 9:17
|
1.0
|
Kamino Space Skirmish Build Pad - ```
In the Kamino space skirmish map, player 3 does not have a space build pad.
```
-----
Original issue reported on code.google.com by `KillerHurdz@netscape.net` on 2 Jul 2011 at 9:17
|
defect
|
kamino space skirmish build pad in the kamino space skirmish map player does not have a space build pad original issue reported on code google com by killerhurdz netscape net on jul at
| 1
|
18,274
| 3,039,902,802
|
IssuesEvent
|
2015-08-07 12:21:56
|
rbei-etas/busmaster
|
https://api.github.com/repos/rbei-etas/busmaster
|
closed
|
Application is minimized as soon as we launch it.
|
1.3 patch (defect) 3.3 low priority (EC3)
|
Application is minimized as soon as we launch it.
1. Minimize application.
2. Close the application by right clicking on the icon in the taskbar and selecting close window option.
3. Now launch the application.
Application will be minimized and we cannot maximize it by clicking on the icon in the task bar.
v2.5
|
1.0
|
Application is minimized as soon as we launch it. - Application is minimized as soon as we launch it.
1. Minimize application.
2. Close the application by right clicking on the icon in the taskbar and selecting close window option.
3. Now launch the application.
Application will be minimized and we cannot maximize it by clicking on the icon in the task bar.
v2.5
|
defect
|
application is minimized as soon as we launch it application is minimized as soon as we launch it minimize application close the application by right clicking on the icon in the taskbar and selecting close window option now launch the application application will be minimized and we cannot maximize it by clicking on the icon in the task bar
| 1
|
13,049
| 2,732,890,275
|
IssuesEvent
|
2015-04-17 10:01:15
|
tiku01/oryx-editor
|
https://api.github.com/repos/tiku01/oryx-editor
|
closed
|
BPMN 1.2 step-through does not support collapsed sub-processes
|
academic auto-migrated Priority-Medium Type-Defect
|
```
What steps will reproduce the problem?
1. Create a BPMN 1.2 diagram that contains a collapsed sub-process
2. Perform step-through
What is the expected output?
Sub-processes are treated just like tasks
What do you see instead?
Stepping through stops
```
Original issue reported on code.google.com by `gero.dec...@googlemail.com` on 14 Sep 2009 at 1:08
|
1.0
|
BPMN 1.2 step-through does not support collapsed sub-processes - ```
What steps will reproduce the problem?
1. Create a BPMN 1.2 diagram that contains a collapsed sub-process
2. Perform step-through
What is the expected output?
Sub-processes are treated just like tasks
What do you see instead?
Stepping through stops
```
Original issue reported on code.google.com by `gero.dec...@googlemail.com` on 14 Sep 2009 at 1:08
|
defect
|
bpmn step through does not support collapsed sub processes what steps will reproduce the problem create a bpmn diagram that contains a collapsed sub process perform step through what is the expected output sub processes are treated just like tasks what do you see instead stepping through stops original issue reported on code google com by gero dec googlemail com on sep at
| 1
|
171,387
| 27,111,119,815
|
IssuesEvent
|
2023-02-15 15:22:51
|
WordPress/gutenberg
|
https://api.github.com/repos/WordPress/gutenberg
|
opened
|
Link each component page in the handbook to its corresponding component in Storybook
|
[Type] Developer Documentation Needs Design Feedback Needs Design Developer Experience
|
## What problem does this address?
<!--
Please describe if this feature or enhancement is related to a current problem
or pain point. For example, "I'm always frustrated when ..." or "It is currently
difficult to ...".
-->
Many developers are still unaware of the existence of, and utility of, the [Storybook tool](https://wordpress.github.io/gutenberg/?path=/story/docs-introduction--page). While there are mentions of the Storybook tool in the handbook they are few and far between and are not very prominent and are generally merely made in passing
## What is your proposed solution?
<!--
Please outline the feature or enhancement that you want and how it addresses any
problem identified above.
-->
Having a direct link from each component page in the Component Reference in the handbook would give more prominence to Storybook and raise awareness, not only of its existence but also its usefulness, among developers. It will also increase usage of the Storybook tool and developers consulting the documentation can go directly to the relevant component in Storybook to try it out.
This is something that will be very easy to do and is a good "low-hanging fruit" task which will have real DX impact.
I think a good place would be right below the Table of Contents on each page, with a heading and an icon linking to the Storybook page, though I'm open to other ideas or suggestions as to its placement and would welcome some design input.
So, taking the Button component as an example, the [Button component page](https://developer.wordpress.org/block-editor/reference-guides/components/button/) in the handbook would have a link to the [Button component](https://wordpress.github.io/gutenberg/?path=/story/components-button--default) in Storybook.

|
2.0
|
Link each component page in the handbook to its corresponding component in Storybook - ## What problem does this address?
<!--
Please describe if this feature or enhancement is related to a current problem
or pain point. For example, "I'm always frustrated when ..." or "It is currently
difficult to ...".
-->
Many developers are still unaware of the existence of, and utility of, the [Storybook tool](https://wordpress.github.io/gutenberg/?path=/story/docs-introduction--page). While there are mentions of the Storybook tool in the handbook they are few and far between and are not very prominent and are generally merely made in passing
## What is your proposed solution?
<!--
Please outline the feature or enhancement that you want and how it addresses any
problem identified above.
-->
Having a direct link from each component page in the Component Reference in the handbook would give more prominence to Storybook and raise awareness, not only of its existence but also its usefulness, among developers. It will also increase usage of the Storybook tool and developers consulting the documentation can go directly to the relevant component in Storybook to try it out.
This is something that will be very easy to do and is a good "low-hanging fruit" task which will have real DX impact.
I think a good place would be right below the Table of Contents on each page, with a heading and an icon linking to the Storybook page, though I'm open to other ideas or suggestions as to its placement and would welcome some design input.
So, taking the Button component as an example, the [Button component page](https://developer.wordpress.org/block-editor/reference-guides/components/button/) in the handbook would have a link to the [Button component](https://wordpress.github.io/gutenberg/?path=/story/components-button--default) in Storybook.

|
non_defect
|
link each component page in the handbook to its corresponding component in storybook what problem does this address please describe if this feature or enhancement is related to a current problem or pain point for example i m always frustrated when or it is currently difficult to many developers are still unaware of the existence of and utility of the while there are mentions of the storybook tool in the handbook they are few and far between and are not very prominent and are generally merely made in passing what is your proposed solution please outline the feature or enhancement that you want and how it addresses any problem identified above having a direct link from each component page in the component reference in the handbook would give more prominence to storybook and raise awareness not only of its existence but also its usefulness among developers it will also increase usage of the storybook tool and developers consulting the documentation can go directly to the relevant component in storybook to try it out this is something that will be very easy to do and is a good low hanging fruit task which will have real dx impact i think a good place would be right below the table of contents on each page with a heading and an icon linking to the storybook page though i m open to other ideas or suggestions as to its placement and would welcome some design input so taking the button component as an example the in the handbook would have a link to the in storybook
| 0
|
36,282
| 14,971,088,967
|
IssuesEvent
|
2021-01-27 20:36:11
|
Azure/azure-sdk-for-js
|
https://api.github.com/repos/Azure/azure-sdk-for-js
|
closed
|
[Service Bus] Operation timeout error thrown caused the stress test app to break
|
Client Service Bus
|
The stress test ran fine for a long period and abruptly ended as the OperationTimeoutError was thrown.
I think this was the cause https://github.com/Azure/azure-sdk-for-js/blob/309a14b6ecce12cfcfb66e88028ccd64af52377c/sdk/core/core-amqp/src/requestResponseLink.ts#L166
@richardpark-msft @chradek @ramya-rao-a
|
1.0
|
[Service Bus] Operation timeout error thrown caused the stress test app to break - The stress test ran fine for a long period and abruptly ended as the OperationTimeoutError was thrown.
I think this was the cause https://github.com/Azure/azure-sdk-for-js/blob/309a14b6ecce12cfcfb66e88028ccd64af52377c/sdk/core/core-amqp/src/requestResponseLink.ts#L166
@richardpark-msft @chradek @ramya-rao-a
|
non_defect
|
operation timeout error thrown caused the stress test app to break the stress test ran fine for a long period and abruptly ended as the operationtimeouterror was thrown i think this was the cause richardpark msft chradek ramya rao a
| 0
|
89,589
| 15,831,459,720
|
IssuesEvent
|
2021-04-06 13:39:26
|
azmathasan92/concourse-ci-cd
|
https://api.github.com/repos/azmathasan92/concourse-ci-cd
|
opened
|
CVE-2020-35490 (High) detected in jackson-databind-2.9.6.jar
|
security vulnerability
|
## CVE-2020-35490 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.6.jar</b></p></summary>
<p>General data-binding functionality for Jackson: works on core streaming API</p>
<p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p>
<p>Path to dependency file: concourse-ci-cd/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.6/jackson-databind-2.9.6.jar</p>
<p>
Dependency Hierarchy:
- spring-boot-starter-webflux-2.0.4.RELEASE.jar (Root Library)
- spring-boot-starter-json-2.0.4.RELEASE.jar
- :x: **jackson-databind-2.9.6.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://api.github.com/repos/azmathasan92/concourse-ci-cd/commits/25189b3c991f7766c09157948e0bc21f27ada4f9">25189b3c991f7766c09157948e0bc21f27ada4f9</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
FasterXML jackson-databind 2.x before 2.9.10.8 mishandles the interaction between serialization gadgets and typing, related to org.apache.commons.dbcp2.datasources.PerUserPoolDataSource.
<p>Publish Date: 2020-12-17
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-35490>CVE-2020-35490</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: High
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/FasterXML/jackson-databind/issues/2986">https://github.com/FasterXML/jackson-databind/issues/2986</a></p>
<p>Release Date: 2020-12-17</p>
<p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.9.10.8</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
True
|
CVE-2020-35490 (High) detected in jackson-databind-2.9.6.jar - ## CVE-2020-35490 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.6.jar</b></p></summary>
<p>General data-binding functionality for Jackson: works on core streaming API</p>
<p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p>
<p>Path to dependency file: concourse-ci-cd/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.6/jackson-databind-2.9.6.jar</p>
<p>
Dependency Hierarchy:
- spring-boot-starter-webflux-2.0.4.RELEASE.jar (Root Library)
- spring-boot-starter-json-2.0.4.RELEASE.jar
- :x: **jackson-databind-2.9.6.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://api.github.com/repos/azmathasan92/concourse-ci-cd/commits/25189b3c991f7766c09157948e0bc21f27ada4f9">25189b3c991f7766c09157948e0bc21f27ada4f9</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
FasterXML jackson-databind 2.x before 2.9.10.8 mishandles the interaction between serialization gadgets and typing, related to org.apache.commons.dbcp2.datasources.PerUserPoolDataSource.
<p>Publish Date: 2020-12-17
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-35490>CVE-2020-35490</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: High
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/FasterXML/jackson-databind/issues/2986">https://github.com/FasterXML/jackson-databind/issues/2986</a></p>
<p>Release Date: 2020-12-17</p>
<p>Fix Resolution: com.fasterxml.jackson.core:jackson-databind:2.9.10.8</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
non_defect
|
cve high detected in jackson databind jar cve high severity vulnerability vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to dependency file concourse ci cd pom xml path to vulnerable library home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy spring boot starter webflux release jar root library spring boot starter json release jar x jackson databind jar vulnerable library found in head commit a href found in base branch master vulnerability details fasterxml jackson databind x before mishandles the interaction between serialization gadgets and typing related to org apache commons datasources peruserpooldatasource publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity high privileges required none user interaction none scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution com fasterxml jackson core jackson databind step up your open source security game with whitesource
| 0
|
21,531
| 17,259,871,241
|
IssuesEvent
|
2021-07-22 05:32:27
|
tailscale/tailscale
|
https://api.github.com/repos/tailscale/tailscale
|
closed
|
userspace-networking Subnet Relay drops UDP traffic
|
L1 Very few P3 Can't get started T5 Usability
|
We have a Tailscale node advertising a 10/8 route, there's a DNS server sitting on 10.x.x.x which we would like to send traffic to.
However, Tailscale seems unable to reach the server over UDP. DNS over TCP works fine, all other TCP traffic works fine. UDP DNS from the relay box locally (not over tailscale) works fine.
In the Tailscale relay logs at the time of the request this message is repeated:
```
2021/07/01 14:42:38 acceptUDP: could not create endpoint: no route
2021/07/01 14:42:38 acceptUDP: could not create endpoint: no route
2021/07/01 14:42:38 [RATELIMIT] format("acceptUDP: could not create endpoint: %v")
```
I do occasionally also see these messages indicating some sort of successful UDP traffic, but this doesn't seem to manifest as actually successfully routing traffic:
```
2021/07/01 14:42:47 Accept: UDP{100.x.x.x:40484 > 10.x.x.x:53} 112 ok
```
TCP DNS works fine:
```
2021/07/01 14:44:09 Accept: TCP{100.x.x.x:49211 > 10.x.x.x:53} 60 tcp ok
2021/07/01 14:44:10 Accept: TCP{100.x.x.x:49211 > 10.x.x.x:53} 52 tcp non-syn
2021/07/01 14:44:10 Accept: TCP{100.x.x.x:49211 > 10.x.x.x:53} 138 tcp non-syn
```
Bugreport from the relay:
`BUG-08c6d6900a1bdc6a1c2f0f04882fa5263cc92ec88944717b2229068f50dab4e3-20210701143839Z-d46ced45970c3638`
Bugreport from my laptop, which was making the DNS queries:
`BUG-5b8b2ccb4ec4f5399726d4344f02d46c2718a5864813af8f00481a2b33db4884-20210701144648Z-7ee63f5b0704c13a`
Thanks!
- Alex.
|
True
|
userspace-networking Subnet Relay drops UDP traffic - We have a Tailscale node advertising a 10/8 route, there's a DNS server sitting on 10.x.x.x which we would like to send traffic to.
However, Tailscale seems unable to reach the server over UDP. DNS over TCP works fine, all other TCP traffic works fine. UDP DNS from the relay box locally (not over tailscale) works fine.
In the Tailscale relay logs at the time of the request this message is repeated:
```
2021/07/01 14:42:38 acceptUDP: could not create endpoint: no route
2021/07/01 14:42:38 acceptUDP: could not create endpoint: no route
2021/07/01 14:42:38 [RATELIMIT] format("acceptUDP: could not create endpoint: %v")
```
I do occasionally also see these messages indicating some sort of successful UDP traffic, but this doesn't seem to manifest as actually successfully routing traffic:
```
2021/07/01 14:42:47 Accept: UDP{100.x.x.x:40484 > 10.x.x.x:53} 112 ok
```
TCP DNS works fine:
```
2021/07/01 14:44:09 Accept: TCP{100.x.x.x:49211 > 10.x.x.x:53} 60 tcp ok
2021/07/01 14:44:10 Accept: TCP{100.x.x.x:49211 > 10.x.x.x:53} 52 tcp non-syn
2021/07/01 14:44:10 Accept: TCP{100.x.x.x:49211 > 10.x.x.x:53} 138 tcp non-syn
```
Bugreport from the relay:
`BUG-08c6d6900a1bdc6a1c2f0f04882fa5263cc92ec88944717b2229068f50dab4e3-20210701143839Z-d46ced45970c3638`
Bugreport from my laptop, which was making the DNS queries:
`BUG-5b8b2ccb4ec4f5399726d4344f02d46c2718a5864813af8f00481a2b33db4884-20210701144648Z-7ee63f5b0704c13a`
Thanks!
- Alex.
|
non_defect
|
userspace networking subnet relay drops udp traffic we have a tailscale node advertising a route there s a dns server sitting on x x x which we would like to send traffic to however tailscale seems unable to reach the server over udp dns over tcp works fine all other tcp traffic works fine udp dns from the relay box locally not over tailscale works fine in the tailscale relay logs at the time of the request this message is repeated acceptudp could not create endpoint no route acceptudp could not create endpoint no route format acceptudp could not create endpoint v i do occasionally also see these messages indicating some sort of successful udp traffic but this doesn t seem to manifest as actually successfully routing traffic accept udp x x x x x x ok tcp dns works fine accept tcp x x x x x x tcp ok accept tcp x x x x x x tcp non syn accept tcp x x x x x x tcp non syn bugreport from the relay bug bugreport from my laptop which was making the dns queries bug thanks alex
| 0
|
449,553
| 12,970,691,157
|
IssuesEvent
|
2020-07-21 09:43:21
|
mauriciovigolo/keycloak-angular
|
https://api.github.com/repos/mauriciovigolo/keycloak-angular
|
closed
|
Angular universal
|
Good first issue Priority: Low Type: Enhancement
|
I try to use angular-universal but i'm always facing to errors like
ReferenceError: window is not defined.
I tried to fake window with domino but now i've
ReferenceError: location is not defined
Have you already tried this librairy with SeverSideRendering using Angular-Universal ?
I'm using angular 9.1.0 and
"keycloak-angular": "^7.2.0",
"keycloak-js": "^9.0.2",
|
1.0
|
Angular universal - I try to use angular-universal but i'm always facing to errors like
ReferenceError: window is not defined.
I tried to fake window with domino but now i've
ReferenceError: location is not defined
Have you already tried this librairy with SeverSideRendering using Angular-Universal ?
I'm using angular 9.1.0 and
"keycloak-angular": "^7.2.0",
"keycloak-js": "^9.0.2",
|
non_defect
|
angular universal i try to use angular universal but i m always facing to errors like referenceerror window is not defined i tried to fake window with domino but now i ve referenceerror location is not defined have you already tried this librairy with seversiderendering using angular universal i m using angular and keycloak angular keycloak js
| 0
|
463,210
| 13,261,750,239
|
IssuesEvent
|
2020-08-20 20:28:00
|
hoffstadt/DearPyGui
|
https://api.github.com/repos/hoffstadt/DearPyGui
|
opened
|
Custom Font Glyph Ranges
|
enhancement priority
|
**Describe the solution you'd like**
The ability to specify custom glyph ranges in _add_additional_font_
|
1.0
|
Custom Font Glyph Ranges - **Describe the solution you'd like**
The ability to specify custom glyph ranges in _add_additional_font_
|
non_defect
|
custom font glyph ranges describe the solution you d like the ability to specify custom glyph ranges in add additional font
| 0
|
616,527
| 19,305,123,155
|
IssuesEvent
|
2021-12-13 10:40:33
|
webcompat/web-bugs
|
https://api.github.com/repos/webcompat/web-bugs
|
closed
|
open.spotify.com - video or audio doesn't play
|
browser-firefox priority-critical engine-gecko
|
<!-- @browser: Firefox 96.0 -->
<!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:96.0) Gecko/20100101 Firefox/96.0 -->
<!-- @reported_with: desktop-reporter -->
<!-- @public_url: https://github.com/webcompat/web-bugs/issues/96413 -->
**URL**: https://open.spotify.com/
**Browser / Version**: Firefox 96.0
**Operating System**: Windows 10
**Tested Another Browser**: Yes Chrome
**Problem type**: Video or audio doesn't play
**Description**: There is no audio
**Steps to Reproduce**:
Firefox updated to 96b and then spotify does audio stopped working.
<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: 20211209163454</li><li>channel: aurora</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/2021/12/da4ada00-be1c-4304-af4a-6713fcbfa27b)
_From [webcompat.com](https://webcompat.com/) with ❤️_
|
1.0
|
open.spotify.com - video or audio doesn't play - <!-- @browser: Firefox 96.0 -->
<!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:96.0) Gecko/20100101 Firefox/96.0 -->
<!-- @reported_with: desktop-reporter -->
<!-- @public_url: https://github.com/webcompat/web-bugs/issues/96413 -->
**URL**: https://open.spotify.com/
**Browser / Version**: Firefox 96.0
**Operating System**: Windows 10
**Tested Another Browser**: Yes Chrome
**Problem type**: Video or audio doesn't play
**Description**: There is no audio
**Steps to Reproduce**:
Firefox updated to 96b and then spotify does audio stopped working.
<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: 20211209163454</li><li>channel: aurora</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/2021/12/da4ada00-be1c-4304-af4a-6713fcbfa27b)
_From [webcompat.com](https://webcompat.com/) with ❤️_
|
non_defect
|
open spotify com video or audio doesn t play url browser version firefox operating system windows tested another browser yes chrome problem type video or audio doesn t play description there is no audio steps to reproduce firefox updated to and then spotify does audio stopped working browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel aurora hastouchscreen false mixed active content blocked false mixed passive content blocked false tracking content blocked false from with ❤️
| 0
|
44,845
| 12,406,910,691
|
IssuesEvent
|
2020-05-21 20:02:38
|
DiceMaster/dudge
|
https://api.github.com/repos/DiceMaster/dudge
|
closed
|
Проверка решений не работает из-за невозможности запустить SolutionsQueue
|
Priority-Critical Type-Defect auto-migrated
|
```
При при попытке сдать задачу сервер
вываливает такое исключение:
SEVERE: MDB00050: Message-driven bean [dudge-slave:SolutionsQueue]: Exception
in creating message-driven ejb : [java.lang.IllegalStateException: Exception
attempting to inject Remote ejb-ref
name=dudge.slave.SolutionsQueue/solutionBean,Remote 3.x interface
=dudge.ifaces.SolutionRemote,ejb-link=null,lookup=,mappedName=,jndi-name=dudge.i
faces.SolutionRemote,refType=Session into class dudge.slave.SolutionsQueue:
Lookup failed for 'java:comp/env/dudge.slave.SolutionsQueue/solutionBean' in
SerialContext[myEnv={java.naming.factory.initial=com.sun.enterprise.naming.impl.
SerialInitContextFactory,
java.naming.factory.state=com.sun.corba.ee.impl.presentation.rmi.JNDIStateFactor
yImpl, java.naming.factory.url.pkgs=com.sun.enterprise.naming}]
SEVERE: java.lang.IllegalStateException
java.lang.IllegalStateException: Exception attempting to inject Remote ejb-ref
name=dudge.slave.SolutionsQueue/solutionBean,Remote 3.x interface
=dudge.ifaces.SolutionRemote,ejb-link=null,lookup=,mappedName=,jndi-name=dudge.i
faces.SolutionRemote,refType=Session into class dudge.slave.SolutionsQueue:
Lookup failed for 'java:comp/env/dudge.slave.SolutionsQueue/solutionBean' in
SerialContext[myEnv={java.naming.factory.initial=com.sun.enterprise.naming.impl.
SerialInitContextFactory,
java.naming.factory.state=com.sun.corba.ee.impl.presentation.rmi.JNDIStateFactor
yImpl, java.naming.factory.url.pkgs=com.sun.enterprise.naming}
at org.glassfish.weld.services.InjectionServicesImpl.aroundInject(InjectionServicesImpl.java:145)
at org.jboss.weld.injection.InjectionContextImpl.run(InjectionContextImpl.java:46)
at org.jboss.weld.injection.producer.DefaultInjector.inject(DefaultInjector.java:64)
Проверка зависает на этапе постановки
задачи в очередь.
До мерджа бранча opaque во frontend такой проблемы
не наблюдалось. Протестировать opaque на
предмет ревизии, в которой появилась
проблема, тоже не выходит. Большая часть
ревизий в нем не позволяют развернуть
dudgeSolver выдавая сообщение
SEVERE: Exception while deploying the app [dudgeSolver] : Cannot resolve
reference Local ejb-ref name=dudge.slave.SolutionsQueue/slaveBean,Local 3.x
interface
=dudge.slave.SlaveLocal,ejb-link=null,lookup=,mappedName=,jndi-name=,refType=Ses
sion
```
Original issue reported on code.google.com by `hitrol...@gmail.com` on 24 Apr 2014 at 11:41
|
1.0
|
Проверка решений не работает из-за невозможности запустить SolutionsQueue - ```
При при попытке сдать задачу сервер
вываливает такое исключение:
SEVERE: MDB00050: Message-driven bean [dudge-slave:SolutionsQueue]: Exception
in creating message-driven ejb : [java.lang.IllegalStateException: Exception
attempting to inject Remote ejb-ref
name=dudge.slave.SolutionsQueue/solutionBean,Remote 3.x interface
=dudge.ifaces.SolutionRemote,ejb-link=null,lookup=,mappedName=,jndi-name=dudge.i
faces.SolutionRemote,refType=Session into class dudge.slave.SolutionsQueue:
Lookup failed for 'java:comp/env/dudge.slave.SolutionsQueue/solutionBean' in
SerialContext[myEnv={java.naming.factory.initial=com.sun.enterprise.naming.impl.
SerialInitContextFactory,
java.naming.factory.state=com.sun.corba.ee.impl.presentation.rmi.JNDIStateFactor
yImpl, java.naming.factory.url.pkgs=com.sun.enterprise.naming}]
SEVERE: java.lang.IllegalStateException
java.lang.IllegalStateException: Exception attempting to inject Remote ejb-ref
name=dudge.slave.SolutionsQueue/solutionBean,Remote 3.x interface
=dudge.ifaces.SolutionRemote,ejb-link=null,lookup=,mappedName=,jndi-name=dudge.i
faces.SolutionRemote,refType=Session into class dudge.slave.SolutionsQueue:
Lookup failed for 'java:comp/env/dudge.slave.SolutionsQueue/solutionBean' in
SerialContext[myEnv={java.naming.factory.initial=com.sun.enterprise.naming.impl.
SerialInitContextFactory,
java.naming.factory.state=com.sun.corba.ee.impl.presentation.rmi.JNDIStateFactor
yImpl, java.naming.factory.url.pkgs=com.sun.enterprise.naming}
at org.glassfish.weld.services.InjectionServicesImpl.aroundInject(InjectionServicesImpl.java:145)
at org.jboss.weld.injection.InjectionContextImpl.run(InjectionContextImpl.java:46)
at org.jboss.weld.injection.producer.DefaultInjector.inject(DefaultInjector.java:64)
Проверка зависает на этапе постановки
задачи в очередь.
До мерджа бранча opaque во frontend такой проблемы
не наблюдалось. Протестировать opaque на
предмет ревизии, в которой появилась
проблема, тоже не выходит. Большая часть
ревизий в нем не позволяют развернуть
dudgeSolver выдавая сообщение
SEVERE: Exception while deploying the app [dudgeSolver] : Cannot resolve
reference Local ejb-ref name=dudge.slave.SolutionsQueue/slaveBean,Local 3.x
interface
=dudge.slave.SlaveLocal,ejb-link=null,lookup=,mappedName=,jndi-name=,refType=Ses
sion
```
Original issue reported on code.google.com by `hitrol...@gmail.com` on 24 Apr 2014 at 11:41
|
defect
|
проверка решений не работает из за невозможности запустить solutionsqueue при при попытке сдать задачу сервер вываливает такое исключение severe message driven bean exception in creating message driven ejb java lang illegalstateexception exception attempting to inject remote ejb ref name dudge slave solutionsqueue solutionbean remote x interface dudge ifaces solutionremote ejb link null lookup mappedname jndi name dudge i faces solutionremote reftype session into class dudge slave solutionsqueue lookup failed for java comp env dudge slave solutionsqueue solutionbean in serialcontext myenv java naming factory initial com sun enterprise naming impl serialinitcontextfactory java naming factory state com sun corba ee impl presentation rmi jndistatefactor yimpl java naming factory url pkgs com sun enterprise naming severe java lang illegalstateexception java lang illegalstateexception exception attempting to inject remote ejb ref name dudge slave solutionsqueue solutionbean remote x interface dudge ifaces solutionremote ejb link null lookup mappedname jndi name dudge i faces solutionremote reftype session into class dudge slave solutionsqueue lookup failed for java comp env dudge slave solutionsqueue solutionbean in serialcontext myenv java naming factory initial com sun enterprise naming impl serialinitcontextfactory java naming factory state com sun corba ee impl presentation rmi jndistatefactor yimpl java naming factory url pkgs com sun enterprise naming at org glassfish weld services injectionservicesimpl aroundinject injectionservicesimpl java at org jboss weld injection injectioncontextimpl run injectioncontextimpl java at org jboss weld injection producer defaultinjector inject defaultinjector java проверка зависает на этапе постановки задачи в очередь до мерджа бранча opaque во frontend такой проблемы не наблюдалось протестировать opaque на предмет ревизии в которой появилась проблема тоже не выходит большая часть ревизий в нем не позволяют развернуть dudgesolver выдавая сообщение severe exception while deploying the app cannot resolve reference local ejb ref name dudge slave solutionsqueue slavebean local x interface dudge slave slavelocal ejb link null lookup mappedname jndi name reftype ses sion original issue reported on code google com by hitrol gmail com on apr at
| 1
|
81,920
| 31,811,379,909
|
IssuesEvent
|
2023-09-13 17:05:14
|
vector-im/element-x-android
|
https://api.github.com/repos/vector-im/element-x-android
|
opened
|
DMs are still called rooms in some places
|
T-Defect
|
### Steps to reproduce
1. Open a DM
2. Tap on the chat partner
3. Observe the menu entry to leave the room
### Outcome
#### What did you expect?
It should read "Leave chat"
#### What happened instead?
It reads "Leave room"

### Your phone model
Pixel 5
### Operating system version
Android 13
### Application version and app store
0.1.7-nightly
### Homeserver
element.io
### Will you send logs?
No
### Are you willing to provide a PR?
No
|
1.0
|
DMs are still called rooms in some places - ### Steps to reproduce
1. Open a DM
2. Tap on the chat partner
3. Observe the menu entry to leave the room
### Outcome
#### What did you expect?
It should read "Leave chat"
#### What happened instead?
It reads "Leave room"

### Your phone model
Pixel 5
### Operating system version
Android 13
### Application version and app store
0.1.7-nightly
### Homeserver
element.io
### Will you send logs?
No
### Are you willing to provide a PR?
No
|
defect
|
dms are still called rooms in some places steps to reproduce open a dm tap on the chat partner observe the menu entry to leave the room outcome what did you expect it should read leave chat what happened instead it reads leave room your phone model pixel operating system version android application version and app store nightly homeserver element io will you send logs no are you willing to provide a pr no
| 1
|
47,185
| 13,056,048,509
|
IssuesEvent
|
2020-07-30 03:29:57
|
icecube-trac/tix2
|
https://api.github.com/repos/icecube-trac/tix2
|
closed
|
ithon and tarballing broken (Trac #106)
|
Migrated from Trac cmake defect
|
ithon has a new destination path, lib/python/ithon.so, and this doesn't tarball correctly
Migrated from https://code.icecube.wisc.edu/ticket/106
```json
{
"status": "closed",
"changetime": "2007-11-09T22:33:45",
"description": "ithon has a new destination path, lib/python/ithon.so, and this doesn't tarball correctly\n",
"reporter": "troy",
"cc": "",
"resolution": "duplicate",
"_ts": "1194647625000000",
"component": "cmake",
"summary": "ithon and tarballing broken",
"priority": "normal",
"keywords": "",
"time": "2007-08-30T19:03:32",
"milestone": "",
"owner": "troy",
"type": "defect"
}
```
|
1.0
|
ithon and tarballing broken (Trac #106) - ithon has a new destination path, lib/python/ithon.so, and this doesn't tarball correctly
Migrated from https://code.icecube.wisc.edu/ticket/106
```json
{
"status": "closed",
"changetime": "2007-11-09T22:33:45",
"description": "ithon has a new destination path, lib/python/ithon.so, and this doesn't tarball correctly\n",
"reporter": "troy",
"cc": "",
"resolution": "duplicate",
"_ts": "1194647625000000",
"component": "cmake",
"summary": "ithon and tarballing broken",
"priority": "normal",
"keywords": "",
"time": "2007-08-30T19:03:32",
"milestone": "",
"owner": "troy",
"type": "defect"
}
```
|
defect
|
ithon and tarballing broken trac ithon has a new destination path lib python ithon so and this doesn t tarball correctly migrated from json status closed changetime description ithon has a new destination path lib python ithon so and this doesn t tarball correctly n reporter troy cc resolution duplicate ts component cmake summary ithon and tarballing broken priority normal keywords time milestone owner troy type defect
| 1
|
78,624
| 15,586,050,402
|
IssuesEvent
|
2021-03-18 01:03:27
|
Nehamaefi/fitbit-api-example-java
|
https://api.github.com/repos/Nehamaefi/fitbit-api-example-java
|
opened
|
WS-2016-7105 (Medium) detected in angularjs-1.4.3.jar
|
security vulnerability
|
## WS-2016-7105 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>angularjs-1.4.3.jar</b></p></summary>
<p>WebJar for AngularJS</p>
<p>Library home page: <a href="http://webjars.org">http://webjars.org</a></p>
<p>Path to dependency file: fitbit-api-example-java/pom.xml</p>
<p>Path to vulnerable library: epository/org/webjars/angularjs/1.4.3/angularjs-1.4.3.jar</p>
<p>
Dependency Hierarchy:
- :x: **angularjs-1.4.3.jar** (Vulnerable Library)
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
Security vulnerability was found in angular.js before 1.6.1. Inconsistent handling of $sce trustedUrl with $http.
<p>Publish Date: 2016-09-20
<p>URL: <a href=https://github.com/angular/angular.js/pull/15161>WS-2016-7105</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/angular/angular.js/pull/15161">https://github.com/angular/angular.js/pull/15161</a></p>
<p>Release Date: 2016-09-20</p>
<p>Fix Resolution: angular - 1.6.1</p>
</p>
</details>
<p></p>
***
<!-- REMEDIATE-OPEN-PR-START -->
- [ ] Check this box to open an automated fix PR
<!-- REMEDIATE-OPEN-PR-END -->
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"org.webjars","packageName":"angularjs","packageVersion":"1.4.3","packageFilePaths":["/pom.xml"],"isTransitiveDependency":false,"dependencyTree":"org.webjars:angularjs:1.4.3","isMinimumFixVersionAvailable":true,"minimumFixVersion":"angular - 1.6.1"}],"baseBranches":[],"vulnerabilityIdentifier":"WS-2016-7105","vulnerabilityDetails":"Security vulnerability was found in angular.js before 1.6.1. Inconsistent handling of $sce trustedUrl with $http.","vulnerabilityUrl":"https://github.com/angular/angular.js/pull/15161","cvss3Severity":"medium","cvss3Score":"6.5","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Unchanged","C":"Low","UI":"None","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> -->
|
True
|
WS-2016-7105 (Medium) detected in angularjs-1.4.3.jar - ## WS-2016-7105 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>angularjs-1.4.3.jar</b></p></summary>
<p>WebJar for AngularJS</p>
<p>Library home page: <a href="http://webjars.org">http://webjars.org</a></p>
<p>Path to dependency file: fitbit-api-example-java/pom.xml</p>
<p>Path to vulnerable library: epository/org/webjars/angularjs/1.4.3/angularjs-1.4.3.jar</p>
<p>
Dependency Hierarchy:
- :x: **angularjs-1.4.3.jar** (Vulnerable Library)
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
Security vulnerability was found in angular.js before 1.6.1. Inconsistent handling of $sce trustedUrl with $http.
<p>Publish Date: 2016-09-20
<p>URL: <a href=https://github.com/angular/angular.js/pull/15161>WS-2016-7105</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/angular/angular.js/pull/15161">https://github.com/angular/angular.js/pull/15161</a></p>
<p>Release Date: 2016-09-20</p>
<p>Fix Resolution: angular - 1.6.1</p>
</p>
</details>
<p></p>
***
<!-- REMEDIATE-OPEN-PR-START -->
- [ ] Check this box to open an automated fix PR
<!-- REMEDIATE-OPEN-PR-END -->
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"Java","groupId":"org.webjars","packageName":"angularjs","packageVersion":"1.4.3","packageFilePaths":["/pom.xml"],"isTransitiveDependency":false,"dependencyTree":"org.webjars:angularjs:1.4.3","isMinimumFixVersionAvailable":true,"minimumFixVersion":"angular - 1.6.1"}],"baseBranches":[],"vulnerabilityIdentifier":"WS-2016-7105","vulnerabilityDetails":"Security vulnerability was found in angular.js before 1.6.1. Inconsistent handling of $sce trustedUrl with $http.","vulnerabilityUrl":"https://github.com/angular/angular.js/pull/15161","cvss3Severity":"medium","cvss3Score":"6.5","cvss3Metrics":{"A":"None","AC":"Low","PR":"None","S":"Unchanged","C":"Low","UI":"None","AV":"Network","I":"Low"},"extraData":{}}</REMEDIATE> -->
|
non_defect
|
ws medium detected in angularjs jar ws medium severity vulnerability vulnerable library angularjs jar webjar for angularjs library home page a href path to dependency file fitbit api example java pom xml path to vulnerable library epository org webjars angularjs angularjs jar dependency hierarchy x angularjs jar vulnerable library vulnerability details security vulnerability was found in angular js before inconsistent handling of sce trustedurl with http publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution angular check this box to open an automated fix pr isopenpronvulnerability false ispackagebased true isdefaultbranch true packages istransitivedependency false dependencytree org webjars angularjs isminimumfixversionavailable true minimumfixversion angular basebranches vulnerabilityidentifier ws vulnerabilitydetails security vulnerability was found in angular js before inconsistent handling of sce trustedurl with http vulnerabilityurl
| 0
|
247,166
| 7,904,447,504
|
IssuesEvent
|
2018-07-02 04:38:58
|
ensingm2/saliengame_idler
|
https://api.github.com/repos/ensingm2/saliengame_idler
|
closed
|
Code needs a refactor
|
enhancement low-priority wontfix
|
Not much standardization or object structure went on the first few days since everything was moving so quickly. At some point I'd like to refactor this, and have everything be under a single object, without all globals, etc.
This will definitely mess with anyone currently working on PRs and things, so it'll likely have to wait a bit.
|
1.0
|
Code needs a refactor - Not much standardization or object structure went on the first few days since everything was moving so quickly. At some point I'd like to refactor this, and have everything be under a single object, without all globals, etc.
This will definitely mess with anyone currently working on PRs and things, so it'll likely have to wait a bit.
|
non_defect
|
code needs a refactor not much standardization or object structure went on the first few days since everything was moving so quickly at some point i d like to refactor this and have everything be under a single object without all globals etc this will definitely mess with anyone currently working on prs and things so it ll likely have to wait a bit
| 0
|
336,263
| 10,174,170,788
|
IssuesEvent
|
2019-08-08 14:33:58
|
OkunaOrg/okuna-app
|
https://api.github.com/repos/OkunaOrg/okuna-app
|
closed
|
Mods should be able to disable comments on post
|
feature priority:critical
|
Moderators/Administrators should be able to disable comments on a post in a community to prevent escalation.
- Mods can still comment on the post, and can enable comments again if needed
- When comments are disabled, even the OP cannot comment on their own post.
|
1.0
|
Mods should be able to disable comments on post - Moderators/Administrators should be able to disable comments on a post in a community to prevent escalation.
- Mods can still comment on the post, and can enable comments again if needed
- When comments are disabled, even the OP cannot comment on their own post.
|
non_defect
|
mods should be able to disable comments on post moderators administrators should be able to disable comments on a post in a community to prevent escalation mods can still comment on the post and can enable comments again if needed when comments are disabled even the op cannot comment on their own post
| 0
|
32,218
| 6,737,148,582
|
IssuesEvent
|
2017-10-19 08:19:56
|
xmindltd/xmind
|
https://api.github.com/repos/xmindltd/xmind
|
closed
|
Insert from clipboard freezes Xmind and grabs 100% CPU
|
auto-migrated Priority-Medium Type-Defect
|
```
> What steps will reproduce the problem?
1. create a new map (ctrl+shift+N)
2. copy contents of attached file to clipboard
3. Select main node in new map and choose "Insert from clipboard" (ctrl+V)
> What is the expected output? What do you see instead?
I'd expect that the clipboard contents is inserted into the map while the
structure is maintained. Instead the application freezes. After more than
an hour it still did not return.
> What version of the product are you using? On what operating system?
Xmind v.3.0.1 on Windows XP SP2
java.runtime.version=1.6.0_12-b04
> Please provide any additional information below.
If only the first five lines are copied to the clipboard, then it works in
an instant. Seems that the change to a higher level in line six is the issue.
```
Original issue reported on code.google.com by `c7n...@gmail.com` on 17 Mar 2009 at 12:48
Attachments:
- [subsubsub.txt](https://storage.googleapis.com/google-code-attachments/xmind3/issue-48/comment-0/subsubsub.txt)
|
1.0
|
Insert from clipboard freezes Xmind and grabs 100% CPU - ```
> What steps will reproduce the problem?
1. create a new map (ctrl+shift+N)
2. copy contents of attached file to clipboard
3. Select main node in new map and choose "Insert from clipboard" (ctrl+V)
> What is the expected output? What do you see instead?
I'd expect that the clipboard contents is inserted into the map while the
structure is maintained. Instead the application freezes. After more than
an hour it still did not return.
> What version of the product are you using? On what operating system?
Xmind v.3.0.1 on Windows XP SP2
java.runtime.version=1.6.0_12-b04
> Please provide any additional information below.
If only the first five lines are copied to the clipboard, then it works in
an instant. Seems that the change to a higher level in line six is the issue.
```
Original issue reported on code.google.com by `c7n...@gmail.com` on 17 Mar 2009 at 12:48
Attachments:
- [subsubsub.txt](https://storage.googleapis.com/google-code-attachments/xmind3/issue-48/comment-0/subsubsub.txt)
|
defect
|
insert from clipboard freezes xmind and grabs cpu what steps will reproduce the problem create a new map ctrl shift n copy contents of attached file to clipboard select main node in new map and choose insert from clipboard ctrl v what is the expected output what do you see instead i d expect that the clipboard contents is inserted into the map while the structure is maintained instead the application freezes after more than an hour it still did not return what version of the product are you using on what operating system xmind v on windows xp java runtime version please provide any additional information below if only the first five lines are copied to the clipboard then it works in an instant seems that the change to a higher level in line six is the issue original issue reported on code google com by gmail com on mar at attachments
| 1
|
6,502
| 2,610,255,858
|
IssuesEvent
|
2015-02-26 19:21:44
|
chrsmith/dsdsdaadf
|
https://api.github.com/repos/chrsmith/dsdsdaadf
|
opened
|
深圳激光祛除痤疮行吗
|
auto-migrated Priority-Medium Type-Defect
|
```
深圳激光祛除痤疮行吗【深圳韩方科颜全国热线400-869-1818,24
小时QQ4008691818】深圳韩方科颜专业祛痘连锁机构,机构以韩��
�秘方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品,�
��方科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反弹
”健康祛痘技术并结合先进“先进豪华彩光”仪,开创国内��
�业治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸上�
��痘痘。
```
-----
Original issue reported on code.google.com by `szft...@163.com` on 14 May 2014 at 8:28
|
1.0
|
深圳激光祛除痤疮行吗 - ```
深圳激光祛除痤疮行吗【深圳韩方科颜全国热线400-869-1818,24
小时QQ4008691818】深圳韩方科颜专业祛痘连锁机构,机构以韩��
�秘方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品,�
��方科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反弹
”健康祛痘技术并结合先进“先进豪华彩光”仪,开创国内��
�业治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸上�
��痘痘。
```
-----
Original issue reported on code.google.com by `szft...@163.com` on 14 May 2014 at 8:28
|
defect
|
深圳激光祛除痤疮行吗 深圳激光祛除痤疮行吗【 , 】深圳韩方科颜专业祛痘连锁机构,机构以韩�� �秘方——韩方科颜这一国妆准字号治疗型权威,祛痘佳品,� ��方科颜专业祛痘连锁机构,采用韩国秘方配合专业“不反弹 ”健康祛痘技术并结合先进“先进豪华彩光”仪,开创国内�� �业治疗粉刺、痤疮签约包治先河,成功消除了许多顾客脸上� ��痘痘。 original issue reported on code google com by szft com on may at
| 1
|
715,018
| 24,583,846,904
|
IssuesEvent
|
2022-10-13 17:51:35
|
googleapis/nodejs-bigquery
|
https://api.github.com/repos/googleapis/nodejs-bigquery
|
closed
|
BigQuery BigQuery/Model: "before all" hook for "should get a list of models" failed
|
type: bug priority: p1 api: bigquery flakybot: issue
|
Note: #1008 was also for this test, but it was closed more than 10 days ago. So, I didn't mark it flaky.
----
commit: 7933bfe9a1f706f45077e5ea64591aeebd87b27f
buildURL: [Build Status](https://source.cloud.google.com/results/invocations/4517dc61-0d7f-4f20-94f6-e7fbe3bd513f), [Sponge](http://sponge2/4517dc61-0d7f-4f20-94f6-e7fbe3bd513f)
status: failed
<details><summary>Test output</summary><br><pre>Invalid TypeProto provided for deserialization: (empty proto)
Error: Invalid TypeProto provided for deserialization: (empty proto)
at new ApiError (node_modules/@google-cloud/common/build/src/util.js:75:15)
at Util.parseHttpRespBody (node_modules/@google-cloud/common/build/src/util.js:210:38)
at Util.handleResp (node_modules/@google-cloud/common/build/src/util.js:151:117)
at /workspace/node_modules/@google-cloud/common/build/src/util.js:534:22
at onResponse (node_modules/retry-request/index.js:240:7)
at /workspace/node_modules/teeny-request/build/src/index.js:226:13
-> /workspace/node_modules/teeny-request/src/index.ts:333:11
at processTicksAndRejections (internal/process/task_queues.js:97:5)</pre></details>
|
1.0
|
BigQuery BigQuery/Model: "before all" hook for "should get a list of models" failed - Note: #1008 was also for this test, but it was closed more than 10 days ago. So, I didn't mark it flaky.
----
commit: 7933bfe9a1f706f45077e5ea64591aeebd87b27f
buildURL: [Build Status](https://source.cloud.google.com/results/invocations/4517dc61-0d7f-4f20-94f6-e7fbe3bd513f), [Sponge](http://sponge2/4517dc61-0d7f-4f20-94f6-e7fbe3bd513f)
status: failed
<details><summary>Test output</summary><br><pre>Invalid TypeProto provided for deserialization: (empty proto)
Error: Invalid TypeProto provided for deserialization: (empty proto)
at new ApiError (node_modules/@google-cloud/common/build/src/util.js:75:15)
at Util.parseHttpRespBody (node_modules/@google-cloud/common/build/src/util.js:210:38)
at Util.handleResp (node_modules/@google-cloud/common/build/src/util.js:151:117)
at /workspace/node_modules/@google-cloud/common/build/src/util.js:534:22
at onResponse (node_modules/retry-request/index.js:240:7)
at /workspace/node_modules/teeny-request/build/src/index.js:226:13
-> /workspace/node_modules/teeny-request/src/index.ts:333:11
at processTicksAndRejections (internal/process/task_queues.js:97:5)</pre></details>
|
non_defect
|
bigquery bigquery model before all hook for should get a list of models failed note was also for this test but it was closed more than days ago so i didn t mark it flaky commit buildurl status failed test output invalid typeproto provided for deserialization empty proto error invalid typeproto provided for deserialization empty proto at new apierror node modules google cloud common build src util js at util parsehttprespbody node modules google cloud common build src util js at util handleresp node modules google cloud common build src util js at workspace node modules google cloud common build src util js at onresponse node modules retry request index js at workspace node modules teeny request build src index js workspace node modules teeny request src index ts at processticksandrejections internal process task queues js
| 0
|
130,392
| 12,427,941,594
|
IssuesEvent
|
2020-05-25 04:28:02
|
GenericMappingTools/pygmt
|
https://api.github.com/repos/GenericMappingTools/pygmt
|
closed
|
Add a PyGMT release checklist
|
documentation maintenance
|
**Description of the desired feature**
Like [what we did in the GMT repository](https://github.com/GenericMappingTools/gmt/blob/master/.github/ISSUE_TEMPLATE/release_checklist.md), we could have a release checklist for PyGMT, which can simplify/standardize the process of new releases.
The checklist template should be placed in the `.github/ISSUE_TEMPLATE` directory.
|
1.0
|
Add a PyGMT release checklist - **Description of the desired feature**
Like [what we did in the GMT repository](https://github.com/GenericMappingTools/gmt/blob/master/.github/ISSUE_TEMPLATE/release_checklist.md), we could have a release checklist for PyGMT, which can simplify/standardize the process of new releases.
The checklist template should be placed in the `.github/ISSUE_TEMPLATE` directory.
|
non_defect
|
add a pygmt release checklist description of the desired feature like we could have a release checklist for pygmt which can simplify standardize the process of new releases the checklist template should be placed in the github issue template directory
| 0
|
103,036
| 11,319,735,938
|
IssuesEvent
|
2020-01-21 01:01:12
|
dealii/dealii
|
https://api.github.com/repos/dealii/dealii
|
closed
|
Step-10 tutorial suddenly introduces Utilities::to_string without explanation (or comparison with std::string)
|
Documentation
|
All the way until Step 6, whenever the mesh refinement cycle number was appended to filenames, `std::to_string` was used.
However, in step-10, this suddenly switched to a deal.ii function, `Utilities::to_string`, for eg.
` std::string filename_base = "ball_" + Utilities::to_string(refinement); `
Why is this change? How is the deal.ii version different to the std version?
|
1.0
|
Step-10 tutorial suddenly introduces Utilities::to_string without explanation (or comparison with std::string) - All the way until Step 6, whenever the mesh refinement cycle number was appended to filenames, `std::to_string` was used.
However, in step-10, this suddenly switched to a deal.ii function, `Utilities::to_string`, for eg.
` std::string filename_base = "ball_" + Utilities::to_string(refinement); `
Why is this change? How is the deal.ii version different to the std version?
|
non_defect
|
step tutorial suddenly introduces utilities to string without explanation or comparison with std string all the way until step whenever the mesh refinement cycle number was appended to filenames std to string was used however in step this suddenly switched to a deal ii function utilities to string for eg std string filename base ball utilities to string refinement why is this change how is the deal ii version different to the std version
| 0
|
161,545
| 12,551,073,202
|
IssuesEvent
|
2020-06-06 13:30:14
|
ether/etherpad-lite
|
https://api.github.com/repos/ether/etherpad-lite
|
closed
|
Can't import ordered lists
|
Bug Export/Import Waiting on Testing http api
|
Hi, I've been trying to import a document with ordered lists by calling the HTTP API setHTML, but the resulting document has bullets like:
"1.
1.
1.
1."
That is, all of the bullets are the first element. I've tried multiple different formats for the imported text, but none of them work. For example,
```
<ol class='list-number1' start='1'><li>a</li></ol>
<ol class='list-number1' start='2'><li>b</li></ol>
<ol class='list-number1' start='3'><li>c</li></ol>
<ol class='list-number1' start='4'><li>d</li></ol>
```
and
```
<ol class='list-number1' start='1'><li>a</li>
<li>b</li>
<li>c</li>
<li>d</li></ol>
```
Both lead to bullets of all "1."s.
|
1.0
|
Can't import ordered lists - Hi, I've been trying to import a document with ordered lists by calling the HTTP API setHTML, but the resulting document has bullets like:
"1.
1.
1.
1."
That is, all of the bullets are the first element. I've tried multiple different formats for the imported text, but none of them work. For example,
```
<ol class='list-number1' start='1'><li>a</li></ol>
<ol class='list-number1' start='2'><li>b</li></ol>
<ol class='list-number1' start='3'><li>c</li></ol>
<ol class='list-number1' start='4'><li>d</li></ol>
```
and
```
<ol class='list-number1' start='1'><li>a</li>
<li>b</li>
<li>c</li>
<li>d</li></ol>
```
Both lead to bullets of all "1."s.
|
non_defect
|
can t import ordered lists hi i ve been trying to import a document with ordered lists by calling the http api sethtml but the resulting document has bullets like that is all of the bullets are the first element i ve tried multiple different formats for the imported text but none of them work for example a b c d and a b c d both lead to bullets of all s
| 0
|
50,921
| 13,187,976,503
|
IssuesEvent
|
2020-08-13 05:11:41
|
icecube-trac/tix3
|
https://api.github.com/repos/icecube-trac/tix3
|
closed
|
[iceprod2] sqlite busy error (Trac #1686)
|
Migrated from Trac defect iceprod
|
After running for some minutes, when concurrent activity builds up, sqlite will suddenly start responding with busy errors for all queries. The short-term fix is to restart the db module (closing all connections).
There's probably a lingering connection somewhere, but we don't have a good way to track this. So make one.
<details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/1686">https://code.icecube.wisc.edu/ticket/1686</a>, reported by david.schultz and owned by david.schultz</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2016-05-09T21:55:16",
"description": "After running for some minutes, when concurrent activity builds up, sqlite will suddenly start responding with busy errors for all queries. The short-term fix is to restart the db module (closing all connections).\n\nThere's probably a lingering connection somewhere, but we don't have a good way to track this. So make one.",
"reporter": "david.schultz",
"cc": "",
"resolution": "wontfix",
"_ts": "1462830916934929",
"component": "iceprod",
"summary": "[iceprod2] sqlite busy error",
"priority": "major",
"keywords": "",
"time": "2016-05-03T16:20:58",
"milestone": "",
"owner": "david.schultz",
"type": "defect"
}
```
</p>
</details>
|
1.0
|
[iceprod2] sqlite busy error (Trac #1686) - After running for some minutes, when concurrent activity builds up, sqlite will suddenly start responding with busy errors for all queries. The short-term fix is to restart the db module (closing all connections).
There's probably a lingering connection somewhere, but we don't have a good way to track this. So make one.
<details>
<summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/1686">https://code.icecube.wisc.edu/ticket/1686</a>, reported by david.schultz and owned by david.schultz</em></summary>
<p>
```json
{
"status": "closed",
"changetime": "2016-05-09T21:55:16",
"description": "After running for some minutes, when concurrent activity builds up, sqlite will suddenly start responding with busy errors for all queries. The short-term fix is to restart the db module (closing all connections).\n\nThere's probably a lingering connection somewhere, but we don't have a good way to track this. So make one.",
"reporter": "david.schultz",
"cc": "",
"resolution": "wontfix",
"_ts": "1462830916934929",
"component": "iceprod",
"summary": "[iceprod2] sqlite busy error",
"priority": "major",
"keywords": "",
"time": "2016-05-03T16:20:58",
"milestone": "",
"owner": "david.schultz",
"type": "defect"
}
```
</p>
</details>
|
defect
|
sqlite busy error trac after running for some minutes when concurrent activity builds up sqlite will suddenly start responding with busy errors for all queries the short term fix is to restart the db module closing all connections there s probably a lingering connection somewhere but we don t have a good way to track this so make one migrated from json status closed changetime description after running for some minutes when concurrent activity builds up sqlite will suddenly start responding with busy errors for all queries the short term fix is to restart the db module closing all connections n nthere s probably a lingering connection somewhere but we don t have a good way to track this so make one reporter david schultz cc resolution wontfix ts component iceprod summary sqlite busy error priority major keywords time milestone owner david schultz type defect
| 1
|
195,843
| 14,785,467,109
|
IssuesEvent
|
2021-01-12 02:50:37
|
elastic/apm-agent-dotnet
|
https://api.github.com/repos/elastic/apm-agent-dotnet
|
closed
|
[FLAKY TEST] LoggerTests.Elastic.Apm.Tests.LoggerTests.PayloadSenderNoUserNamePwPrintedForServerUrlWithServerReturn
|
agent-dotnet flaky test
|
`LoggerTests.Elastic.Apm.Tests.LoggerTests.PayloadSenderNoUserNamePwPrintedForServerUrlWithServerReturn` looks to be a flaky test:
https://apm-ci.elastic.co/blue/organizations/jenkins/apm-agent-dotnet%2Fapm-agent-dotnet-mbp/detail/PR-1062/5/tests
```
Error
Expected inMemoryLogger.Lines to contain 1 item(s), but found 0.
Stacktrace
Expected inMemoryLogger.Lines to contain 1 item(s), but found 0.
Stack Trace:
at FluentAssertions.Execution.XUnit2TestFramework.Throw(String message) in C:\projects\fluentassertions-vf06b\Src\FluentAssertions\Execution\XUnit2TestFramework.cs:line 32
at FluentAssertions.Execution.AssertionScope.FailWith(Func`1 failReasonFunc) in C:\projects\fluentassertions-vf06b\Src\FluentAssertions\Execution\AssertionScope.cs:line 181
at FluentAssertions.Collections.SelfReferencingCollectionAssertions`2.HaveCount(Int32 expected, String because, Object[] becauseArgs) in C:\projects\fluentassertions-vf06b\Src\FluentAssertions\Collections\SelfReferencingCollectionAssertions.cs:line 53
at Elastic.Apm.Tests.LoggerTests.PayloadSenderNoUserNamePwPrintedForServerUrlWithServerReturn() in /var/lib/jenkins/workspace/net_apm-agent-dotnet-mbp_PR-1062/apm-agent-dotnet/test/Elastic.Apm.Tests/LoggerTests.cs:line 375
```
|
1.0
|
[FLAKY TEST] LoggerTests.Elastic.Apm.Tests.LoggerTests.PayloadSenderNoUserNamePwPrintedForServerUrlWithServerReturn - `LoggerTests.Elastic.Apm.Tests.LoggerTests.PayloadSenderNoUserNamePwPrintedForServerUrlWithServerReturn` looks to be a flaky test:
https://apm-ci.elastic.co/blue/organizations/jenkins/apm-agent-dotnet%2Fapm-agent-dotnet-mbp/detail/PR-1062/5/tests
```
Error
Expected inMemoryLogger.Lines to contain 1 item(s), but found 0.
Stacktrace
Expected inMemoryLogger.Lines to contain 1 item(s), but found 0.
Stack Trace:
at FluentAssertions.Execution.XUnit2TestFramework.Throw(String message) in C:\projects\fluentassertions-vf06b\Src\FluentAssertions\Execution\XUnit2TestFramework.cs:line 32
at FluentAssertions.Execution.AssertionScope.FailWith(Func`1 failReasonFunc) in C:\projects\fluentassertions-vf06b\Src\FluentAssertions\Execution\AssertionScope.cs:line 181
at FluentAssertions.Collections.SelfReferencingCollectionAssertions`2.HaveCount(Int32 expected, String because, Object[] becauseArgs) in C:\projects\fluentassertions-vf06b\Src\FluentAssertions\Collections\SelfReferencingCollectionAssertions.cs:line 53
at Elastic.Apm.Tests.LoggerTests.PayloadSenderNoUserNamePwPrintedForServerUrlWithServerReturn() in /var/lib/jenkins/workspace/net_apm-agent-dotnet-mbp_PR-1062/apm-agent-dotnet/test/Elastic.Apm.Tests/LoggerTests.cs:line 375
```
|
non_defect
|
loggertests elastic apm tests loggertests payloadsendernousernamepwprintedforserverurlwithserverreturn loggertests elastic apm tests loggertests payloadsendernousernamepwprintedforserverurlwithserverreturn looks to be a flaky test error expected inmemorylogger lines to contain item s but found stacktrace expected inmemorylogger lines to contain item s but found stack trace at fluentassertions execution throw string message in c projects fluentassertions src fluentassertions execution cs line at fluentassertions execution assertionscope failwith func failreasonfunc in c projects fluentassertions src fluentassertions execution assertionscope cs line at fluentassertions collections selfreferencingcollectionassertions havecount expected string because object becauseargs in c projects fluentassertions src fluentassertions collections selfreferencingcollectionassertions cs line at elastic apm tests loggertests payloadsendernousernamepwprintedforserverurlwithserverreturn in var lib jenkins workspace net apm agent dotnet mbp pr apm agent dotnet test elastic apm tests loggertests cs line
| 0
|
54,572
| 13,771,642,050
|
IssuesEvent
|
2020-10-07 22:27:36
|
primefaces/primeng
|
https://api.github.com/repos/primefaces/primeng
|
closed
|
InputNumber cannot set value when format property is false
|
defect
|
**I'm submitting a ...** (check one with "x")
```
[X] bug report => Search github for a similar issue or PR before submitting
[ ] feature request => Please check if request is not on the roadmap already https://github.com/primefaces/primeng/wiki/Roadmap
[ ] support request => Please do not submit support request here, instead see http://forum.primefaces.org/viewforum.php?f=35
```
**Plunkr Case (Bug Reports)**
https://stackblitz.com/edit/github-t9sujt?devtoolsheight=33&file=src/app/app.component.html
**Current behavior**
<!-- Describe how the bug manifests. -->
An error is shown in the console when typing in a number:
`Error: newValue.slice is not a function`
**Expected behavior**
<!-- Describe what the behavior would be without the bug. -->
No error should be thrown.
**Minimal reproduction of the problem with instructions**
<!--
If the current behavior is a bug or you can illustrate your feature request better with an example,
please provide the *STEPS TO REPRODUCE* and if possible a *MINIMAL DEMO* of the problem via
https://plnkr.co or similar (you can use this template as a starting point: http://plnkr.co/edit/tpl:AvJOMERrnz94ekVua0u5).
-->
If you set `format` to false, you get an error when typing in a number. The problem can be reproduced with this simple example:
```
<p-inputNumber [min]="8" [max]="20" [showButtons]="true" [ngModel]="9" [format]="false"></p-inputNumber>
```
**Please tell us about your environment:**
<!-- Operating system, IDE, package manager, HTTP server, ... -->
* **Angular version:** 10.1.4
<!-- Check whether this is still an issue in the most recent Angular version -->
* **PrimeNG version:** 10.0.2
<!-- Check whether this is still an issue in the most recent Angular version -->
|
1.0
|
InputNumber cannot set value when format property is false - **I'm submitting a ...** (check one with "x")
```
[X] bug report => Search github for a similar issue or PR before submitting
[ ] feature request => Please check if request is not on the roadmap already https://github.com/primefaces/primeng/wiki/Roadmap
[ ] support request => Please do not submit support request here, instead see http://forum.primefaces.org/viewforum.php?f=35
```
**Plunkr Case (Bug Reports)**
https://stackblitz.com/edit/github-t9sujt?devtoolsheight=33&file=src/app/app.component.html
**Current behavior**
<!-- Describe how the bug manifests. -->
An error is shown in the console when typing in a number:
`Error: newValue.slice is not a function`
**Expected behavior**
<!-- Describe what the behavior would be without the bug. -->
No error should be thrown.
**Minimal reproduction of the problem with instructions**
<!--
If the current behavior is a bug or you can illustrate your feature request better with an example,
please provide the *STEPS TO REPRODUCE* and if possible a *MINIMAL DEMO* of the problem via
https://plnkr.co or similar (you can use this template as a starting point: http://plnkr.co/edit/tpl:AvJOMERrnz94ekVua0u5).
-->
If you set `format` to false, you get an error when typing in a number. The problem can be reproduced with this simple example:
```
<p-inputNumber [min]="8" [max]="20" [showButtons]="true" [ngModel]="9" [format]="false"></p-inputNumber>
```
**Please tell us about your environment:**
<!-- Operating system, IDE, package manager, HTTP server, ... -->
* **Angular version:** 10.1.4
<!-- Check whether this is still an issue in the most recent Angular version -->
* **PrimeNG version:** 10.0.2
<!-- Check whether this is still an issue in the most recent Angular version -->
|
defect
|
inputnumber cannot set value when format property is false i m submitting a check one with x bug report search github for a similar issue or pr before submitting feature request please check if request is not on the roadmap already support request please do not submit support request here instead see plunkr case bug reports current behavior an error is shown in the console when typing in a number error newvalue slice is not a function expected behavior no error should be thrown minimal reproduction of the problem with instructions if the current behavior is a bug or you can illustrate your feature request better with an example please provide the steps to reproduce and if possible a minimal demo of the problem via or similar you can use this template as a starting point if you set format to false you get an error when typing in a number the problem can be reproduced with this simple example please tell us about your environment angular version primeng version
| 1
|
74,859
| 25,364,039,863
|
IssuesEvent
|
2022-11-21 03:42:26
|
BOINC/boinc
|
https://api.github.com/repos/BOINC/boinc
|
closed
|
[Manager]: fix minor graphics bug in #5010
|
C: Manager P: Minor R: fixed T: Defect
|
**Describe the bug**
Manager command button switches to 'Stop graphics', but has no action.
Applies when graphics window is active: seen on Windows OS only, but expected to apply to Linux too.
Change introduced during work to work round new Mac security demands.
**Steps To Reproduce**
1. Click 'Show graphics' button in Manager.
2. Note button label changes to 'Stop graphics'.
3. Click it. Graphics window remains open.
**Expected behavior**
Button acts and closes window, as it does in v7.20.2 and before.
**System Information**
- OS: Windows 7, 10, 11
- BOINC Version: test build incorporating #5010 or later.
**Additional context**
Alternative solution would be to remove the Show / Stop label change, but the consensus is that keeping the display and re-activating - the action would be better.
|
1.0
|
[Manager]: fix minor graphics bug in #5010 - **Describe the bug**
Manager command button switches to 'Stop graphics', but has no action.
Applies when graphics window is active: seen on Windows OS only, but expected to apply to Linux too.
Change introduced during work to work round new Mac security demands.
**Steps To Reproduce**
1. Click 'Show graphics' button in Manager.
2. Note button label changes to 'Stop graphics'.
3. Click it. Graphics window remains open.
**Expected behavior**
Button acts and closes window, as it does in v7.20.2 and before.
**System Information**
- OS: Windows 7, 10, 11
- BOINC Version: test build incorporating #5010 or later.
**Additional context**
Alternative solution would be to remove the Show / Stop label change, but the consensus is that keeping the display and re-activating - the action would be better.
|
defect
|
fix minor graphics bug in describe the bug manager command button switches to stop graphics but has no action applies when graphics window is active seen on windows os only but expected to apply to linux too change introduced during work to work round new mac security demands steps to reproduce click show graphics button in manager note button label changes to stop graphics click it graphics window remains open expected behavior button acts and closes window as it does in and before system information os windows boinc version test build incorporating or later additional context alternative solution would be to remove the show stop label change but the consensus is that keeping the display and re activating the action would be better
| 1
|
157,210
| 5,996,457,394
|
IssuesEvent
|
2017-06-03 14:31:30
|
universAAL/tools.eclipse-plugins
|
https://api.github.com/repos/universAAL/tools.eclipse-plugins
|
closed
|
incorrect naming and importing of external class (Location)
|
bug imported priority 4
|
_Originally Opened: @Alfiva (2013-03-01 13:49:10_)
_Originally Closed: 2015-01-30 13:33:36_
I have created a new ontology project as usual and created a new class on the diagram.
This class has several properties of type Location, so I imported the Location class from the Model Explorer panel.
I created the properties linking with association the new class to the Location class, and properly named each property as I wanted.
However when I transformed the model into Java I found 2 issues:
-The class Location (of phWorld) is imported from package org.universAAL.ontology.phThing, but it should be org.universAAL.ontology.location.
-Instead of having, say, 5 properties of type Location, I have 1 single property of type Location and name Location, but with 5 getter/setter methods, all with the same getLocation/setLocation names.
Find attached the diagram and UML files.
--
From: _this issue has been automatically imported from our old issue tracker_
|
1.0
|
incorrect naming and importing of external class (Location) - _Originally Opened: @Alfiva (2013-03-01 13:49:10_)
_Originally Closed: 2015-01-30 13:33:36_
I have created a new ontology project as usual and created a new class on the diagram.
This class has several properties of type Location, so I imported the Location class from the Model Explorer panel.
I created the properties linking with association the new class to the Location class, and properly named each property as I wanted.
However when I transformed the model into Java I found 2 issues:
-The class Location (of phWorld) is imported from package org.universAAL.ontology.phThing, but it should be org.universAAL.ontology.location.
-Instead of having, say, 5 properties of type Location, I have 1 single property of type Location and name Location, but with 5 getter/setter methods, all with the same getLocation/setLocation names.
Find attached the diagram and UML files.
--
From: _this issue has been automatically imported from our old issue tracker_
|
non_defect
|
incorrect naming and importing of external class location originally opened alfiva originally closed i have created a new ontology project as usual and created a new class on the diagram this class has several properties of type location so i imported the location class from the model explorer panel i created the properties linking with association the new class to the location class and properly named each property as i wanted however when i transformed the model into java i found issues the class location of phworld is imported from package org universaal ontology phthing but it should be org universaal ontology location instead of having say properties of type location i have single property of type location and name location but with getter setter methods all with the same getlocation setlocation names find attached the diagram and uml files from this issue has been automatically imported from our old issue tracker
| 0
|
16,904
| 2,957,991,917
|
IssuesEvent
|
2015-07-08 19:06:24
|
jansorg/BashSupport
|
https://api.github.com/repos/jansorg/BashSupport
|
closed
|
LightVirtualFIle Exception
|
auto-migrated Priority-Medium Type-Defect wontfix
|
```
no document for: LightVirtualFile: /Bash
java.lang.AssertionError: no document for: LightVirtualFile: /Bash
at com.intellij.execution.console.LanguageConsoleImpl.<init>(LanguageConsoleImpl.java:141)
at com.intellij.execution.console.LanguageConsoleImpl.<init>(LanguageConsoleImpl.java:126)
at com.intellij.execution.console.LanguageConsoleImpl.<init>(LanguageConsoleImpl.java:122)
at com.intellij.execution.console.LanguageConsoleImpl.<init>(LanguageConsoleImpl.java:118)
at com.intellij.execution.console.LanguageConsoleViewImpl.<init>(LanguageConsoleViewImpl.java:36)
at com.ansorgit.plugins.bash.runner.repl.BashConsoleRunner.createConsoleView(BashConsoleRunner.java:48)
at com.ansorgit.plugins.bash.runner.repl.BashConsoleRunner.createConsoleView(BashConsoleRunner.java:41)
at com.intellij.execution.runners.AbstractConsoleRunnerWithHistory.a(AbstractConsoleRunnerWithHistory.java:86)
at com.intellij.execution.runners.AbstractConsoleRunnerWithHistory.access$000(AbstractConsoleRunnerWithHistory.java:50)
at com.intellij.execution.runners.AbstractConsoleRunnerWithHistory$1.run(AbstractConsoleRunnerWithHistory.java:79)
at com.intellij.util.ui.UIUtil.invokeLaterIfNeeded(UIUtil.java:2108)
at com.intellij.execution.runners.AbstractConsoleRunnerWithHistory.initAndRun(AbstractConsoleRunnerWithHistory.java:76)
at com.ansorgit.plugins.bash.actions.AddReplAction.actionPerformed(AddReplAction.java:67)
at com.intellij.openapi.actionSystem.ex.ActionUtil.performActionDumbAware(ActionUtil.java:164)
at com.intellij.openapi.actionSystem.impl.ActionMenuItem$ActionTransmitter$1.run(ActionMenuItem.java:266)
at com.intellij.openapi.wm.impl.FocusManagerImpl.runOnOwnContext(FocusManagerImpl.java:926)
at com.intellij.openapi.wm.impl.IdeFocusManagerImpl.runOnOwnContext(IdeFocusManagerImpl.java:124)
at com.intellij.openapi.actionSystem.impl.ActionMenuItem$ActionTransmitter.actionPerformed(ActionMenuItem.java:236)
at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:2028)
at com.intellij.openapi.actionSystem.impl.ActionMenuItem.fireActionPerformed(ActionMenuItem.java:105)
at javax.swing.AbstractButton$Handler.actionPerformed(AbstractButton.java:2351)
at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:387)
at javax.swing.JToggleButton$ToggleButtonModel.setPressed(JToggleButton.java:291)
at javax.swing.AbstractButton.doClick(AbstractButton.java:389)
at com.apple.laf.ScreenMenuItemCheckbox.itemStateChanged(ScreenMenuItemCheckbox.java:178)
at java.awt.CheckboxMenuItem.processItemEvent(CheckboxMenuItem.java:372)
at java.awt.CheckboxMenuItem.processEvent(CheckboxMenuItem.java:340)
at java.awt.MenuComponent.dispatchEventImpl(MenuComponent.java:343)
at java.awt.MenuComponent.dispatchEvent(MenuComponent.java:331)
at java.awt.EventQueue.dispatchEventImpl(EventQueue.java:720)
at java.awt.EventQueue.access$400(EventQueue.java:82)
at java.awt.EventQueue$2.run(EventQueue.java:676)
at java.awt.EventQueue$2.run(EventQueue.java:674)
at java.security.AccessController.doPrivileged(Native Method)
at java.security.AccessControlContext$1.doIntersectionPrivilege(AccessControlContext.java:86)
at java.security.AccessControlContext$1.doIntersectionPrivilege(AccessControlContext.java:97)
at java.awt.EventQueue$3.run(EventQueue.java:690)
at java.awt.EventQueue$3.run(EventQueue.java:688)
at java.security.AccessController.doPrivileged(Native Method)
at java.security.AccessControlContext$1.doIntersectionPrivilege(AccessControlContext.java:86)
at java.awt.EventQueue.dispatchEvent(EventQueue.java:687)
at com.intellij.ide.IdeEventQueue.e(IdeEventQueue.java:748)
at com.intellij.ide.IdeEventQueue._dispatchEvent(IdeEventQueue.java:577)
at com.intellij.ide.IdeEventQueue.dispatchEvent(IdeEventQueue.java:384)
at java.awt.EventDispatchThread.pumpOneEventForFilters(EventDispatchThread.java:296)
at java.awt.EventDispatchThread.pumpEventsForFilter(EventDispatchThread.java:211)
at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:201)
at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:196)
at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:188)
at java.awt.EventDispatchThread.run(EventDispatchThread.java:122)
```
Original issue reported on code.google.com by `wallaby....@googlemail.com` on 9 Mar 2015 at 9:26
|
1.0
|
LightVirtualFIle Exception - ```
no document for: LightVirtualFile: /Bash
java.lang.AssertionError: no document for: LightVirtualFile: /Bash
at com.intellij.execution.console.LanguageConsoleImpl.<init>(LanguageConsoleImpl.java:141)
at com.intellij.execution.console.LanguageConsoleImpl.<init>(LanguageConsoleImpl.java:126)
at com.intellij.execution.console.LanguageConsoleImpl.<init>(LanguageConsoleImpl.java:122)
at com.intellij.execution.console.LanguageConsoleImpl.<init>(LanguageConsoleImpl.java:118)
at com.intellij.execution.console.LanguageConsoleViewImpl.<init>(LanguageConsoleViewImpl.java:36)
at com.ansorgit.plugins.bash.runner.repl.BashConsoleRunner.createConsoleView(BashConsoleRunner.java:48)
at com.ansorgit.plugins.bash.runner.repl.BashConsoleRunner.createConsoleView(BashConsoleRunner.java:41)
at com.intellij.execution.runners.AbstractConsoleRunnerWithHistory.a(AbstractConsoleRunnerWithHistory.java:86)
at com.intellij.execution.runners.AbstractConsoleRunnerWithHistory.access$000(AbstractConsoleRunnerWithHistory.java:50)
at com.intellij.execution.runners.AbstractConsoleRunnerWithHistory$1.run(AbstractConsoleRunnerWithHistory.java:79)
at com.intellij.util.ui.UIUtil.invokeLaterIfNeeded(UIUtil.java:2108)
at com.intellij.execution.runners.AbstractConsoleRunnerWithHistory.initAndRun(AbstractConsoleRunnerWithHistory.java:76)
at com.ansorgit.plugins.bash.actions.AddReplAction.actionPerformed(AddReplAction.java:67)
at com.intellij.openapi.actionSystem.ex.ActionUtil.performActionDumbAware(ActionUtil.java:164)
at com.intellij.openapi.actionSystem.impl.ActionMenuItem$ActionTransmitter$1.run(ActionMenuItem.java:266)
at com.intellij.openapi.wm.impl.FocusManagerImpl.runOnOwnContext(FocusManagerImpl.java:926)
at com.intellij.openapi.wm.impl.IdeFocusManagerImpl.runOnOwnContext(IdeFocusManagerImpl.java:124)
at com.intellij.openapi.actionSystem.impl.ActionMenuItem$ActionTransmitter.actionPerformed(ActionMenuItem.java:236)
at javax.swing.AbstractButton.fireActionPerformed(AbstractButton.java:2028)
at com.intellij.openapi.actionSystem.impl.ActionMenuItem.fireActionPerformed(ActionMenuItem.java:105)
at javax.swing.AbstractButton$Handler.actionPerformed(AbstractButton.java:2351)
at javax.swing.DefaultButtonModel.fireActionPerformed(DefaultButtonModel.java:387)
at javax.swing.JToggleButton$ToggleButtonModel.setPressed(JToggleButton.java:291)
at javax.swing.AbstractButton.doClick(AbstractButton.java:389)
at com.apple.laf.ScreenMenuItemCheckbox.itemStateChanged(ScreenMenuItemCheckbox.java:178)
at java.awt.CheckboxMenuItem.processItemEvent(CheckboxMenuItem.java:372)
at java.awt.CheckboxMenuItem.processEvent(CheckboxMenuItem.java:340)
at java.awt.MenuComponent.dispatchEventImpl(MenuComponent.java:343)
at java.awt.MenuComponent.dispatchEvent(MenuComponent.java:331)
at java.awt.EventQueue.dispatchEventImpl(EventQueue.java:720)
at java.awt.EventQueue.access$400(EventQueue.java:82)
at java.awt.EventQueue$2.run(EventQueue.java:676)
at java.awt.EventQueue$2.run(EventQueue.java:674)
at java.security.AccessController.doPrivileged(Native Method)
at java.security.AccessControlContext$1.doIntersectionPrivilege(AccessControlContext.java:86)
at java.security.AccessControlContext$1.doIntersectionPrivilege(AccessControlContext.java:97)
at java.awt.EventQueue$3.run(EventQueue.java:690)
at java.awt.EventQueue$3.run(EventQueue.java:688)
at java.security.AccessController.doPrivileged(Native Method)
at java.security.AccessControlContext$1.doIntersectionPrivilege(AccessControlContext.java:86)
at java.awt.EventQueue.dispatchEvent(EventQueue.java:687)
at com.intellij.ide.IdeEventQueue.e(IdeEventQueue.java:748)
at com.intellij.ide.IdeEventQueue._dispatchEvent(IdeEventQueue.java:577)
at com.intellij.ide.IdeEventQueue.dispatchEvent(IdeEventQueue.java:384)
at java.awt.EventDispatchThread.pumpOneEventForFilters(EventDispatchThread.java:296)
at java.awt.EventDispatchThread.pumpEventsForFilter(EventDispatchThread.java:211)
at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:201)
at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:196)
at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:188)
at java.awt.EventDispatchThread.run(EventDispatchThread.java:122)
```
Original issue reported on code.google.com by `wallaby....@googlemail.com` on 9 Mar 2015 at 9:26
|
defect
|
lightvirtualfile exception no document for lightvirtualfile bash java lang assertionerror no document for lightvirtualfile bash at com intellij execution console languageconsoleimpl languageconsoleimpl java at com intellij execution console languageconsoleimpl languageconsoleimpl java at com intellij execution console languageconsoleimpl languageconsoleimpl java at com intellij execution console languageconsoleimpl languageconsoleimpl java at com intellij execution console languageconsoleviewimpl languageconsoleviewimpl java at com ansorgit plugins bash runner repl bashconsolerunner createconsoleview bashconsolerunner java at com ansorgit plugins bash runner repl bashconsolerunner createconsoleview bashconsolerunner java at com intellij execution runners abstractconsolerunnerwithhistory a abstractconsolerunnerwithhistory java at com intellij execution runners abstractconsolerunnerwithhistory access abstractconsolerunnerwithhistory java at com intellij execution runners abstractconsolerunnerwithhistory run abstractconsolerunnerwithhistory java at com intellij util ui uiutil invokelaterifneeded uiutil java at com intellij execution runners abstractconsolerunnerwithhistory initandrun abstractconsolerunnerwithhistory java at com ansorgit plugins bash actions addreplaction actionperformed addreplaction java at com intellij openapi actionsystem ex actionutil performactiondumbaware actionutil java at com intellij openapi actionsystem impl actionmenuitem actiontransmitter run actionmenuitem java at com intellij openapi wm impl focusmanagerimpl runonowncontext focusmanagerimpl java at com intellij openapi wm impl idefocusmanagerimpl runonowncontext idefocusmanagerimpl java at com intellij openapi actionsystem impl actionmenuitem actiontransmitter actionperformed actionmenuitem java at javax swing abstractbutton fireactionperformed abstractbutton java at com intellij openapi actionsystem impl actionmenuitem fireactionperformed actionmenuitem java at javax swing abstractbutton handler actionperformed abstractbutton java at javax swing defaultbuttonmodel fireactionperformed defaultbuttonmodel java at javax swing jtogglebutton togglebuttonmodel setpressed jtogglebutton java at javax swing abstractbutton doclick abstractbutton java at com apple laf screenmenuitemcheckbox itemstatechanged screenmenuitemcheckbox java at java awt checkboxmenuitem processitemevent checkboxmenuitem java at java awt checkboxmenuitem processevent checkboxmenuitem java at java awt menucomponent dispatcheventimpl menucomponent java at java awt menucomponent dispatchevent menucomponent java at java awt eventqueue dispatcheventimpl eventqueue java at java awt eventqueue access eventqueue java at java awt eventqueue run eventqueue java at java awt eventqueue run eventqueue java at java security accesscontroller doprivileged native method at java security accesscontrolcontext dointersectionprivilege accesscontrolcontext java at java security accesscontrolcontext dointersectionprivilege accesscontrolcontext java at java awt eventqueue run eventqueue java at java awt eventqueue run eventqueue java at java security accesscontroller doprivileged native method at java security accesscontrolcontext dointersectionprivilege accesscontrolcontext java at java awt eventqueue dispatchevent eventqueue java at com intellij ide ideeventqueue e ideeventqueue java at com intellij ide ideeventqueue dispatchevent ideeventqueue java at com intellij ide ideeventqueue dispatchevent ideeventqueue java at java awt eventdispatchthread pumponeeventforfilters eventdispatchthread java at java awt eventdispatchthread pumpeventsforfilter eventdispatchthread java at java awt eventdispatchthread pumpeventsforhierarchy eventdispatchthread java at java awt eventdispatchthread pumpevents eventdispatchthread java at java awt eventdispatchthread pumpevents eventdispatchthread java at java awt eventdispatchthread run eventdispatchthread java original issue reported on code google com by wallaby googlemail com on mar at
| 1
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.