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
23,985
3,883,350,144
IssuesEvent
2016-04-13 13:36:34
svnpenn/mp4v2
https://api.github.com/repos/svnpenn/mp4v2
closed
Size of sound atom should be 36 bytes instead of 34
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. Create a alaw atom by calling InsertChildAtom(parent, "alaw", 0) 2. Play with VLC and see in the debug messages that the alaw atom is skipped because it has a size of 34 bytes 3. What is the expected output? What do you see instead? I expected to hear audio, but VLC doesn't parse the alaw atom because the size is too short. Windows Media Player even crashes when playing the file. What version of the product are you using? On what operating system? Version 1.9.0 Please provide any additional information below. I created a .mp4 file with MPEG-4 video and ALAW audio, but VLC was not able to play the audio. WMP even crashes when I wanted to play the file with it. After debugging with the source code of VLC, I saw it was not parsing the alaw atom, because its size was too short (34 bytes). I transcoded another movie with FFMPEG to .mp4 with MPEG-4 video and ALAW audio. The alaw atom in this file was 36 bytes, and I was able to play this file with VLC and WMP. For now, I add a 2-byte long reserved field in each created sound atom. This works for me... ``` Original issue reported on code.google.com by `joostvan...@gmail.com` on 13 Jul 2009 at 11:29
1.0
Size of sound atom should be 36 bytes instead of 34 - ``` What steps will reproduce the problem? 1. Create a alaw atom by calling InsertChildAtom(parent, "alaw", 0) 2. Play with VLC and see in the debug messages that the alaw atom is skipped because it has a size of 34 bytes 3. What is the expected output? What do you see instead? I expected to hear audio, but VLC doesn't parse the alaw atom because the size is too short. Windows Media Player even crashes when playing the file. What version of the product are you using? On what operating system? Version 1.9.0 Please provide any additional information below. I created a .mp4 file with MPEG-4 video and ALAW audio, but VLC was not able to play the audio. WMP even crashes when I wanted to play the file with it. After debugging with the source code of VLC, I saw it was not parsing the alaw atom, because its size was too short (34 bytes). I transcoded another movie with FFMPEG to .mp4 with MPEG-4 video and ALAW audio. The alaw atom in this file was 36 bytes, and I was able to play this file with VLC and WMP. For now, I add a 2-byte long reserved field in each created sound atom. This works for me... ``` Original issue reported on code.google.com by `joostvan...@gmail.com` on 13 Jul 2009 at 11:29
defect
size of sound atom should be bytes instead of what steps will reproduce the problem create a alaw atom by calling insertchildatom parent alaw play with vlc and see in the debug messages that the alaw atom is skipped because it has a size of bytes what is the expected output what do you see instead i expected to hear audio but vlc doesn t parse the alaw atom because the size is too short windows media player even crashes when playing the file what version of the product are you using on what operating system version please provide any additional information below i created a file with mpeg video and alaw audio but vlc was not able to play the audio wmp even crashes when i wanted to play the file with it after debugging with the source code of vlc i saw it was not parsing the alaw atom because its size was too short bytes i transcoded another movie with ffmpeg to with mpeg video and alaw audio the alaw atom in this file was bytes and i was able to play this file with vlc and wmp for now i add a byte long reserved field in each created sound atom this works for me original issue reported on code google com by joostvan gmail com on jul at
1
74,955
25,455,577,032
IssuesEvent
2022-11-24 13:56:30
jOOQ/jOOQ
https://api.github.com/repos/jOOQ/jOOQ
closed
Postgres 9.3 "insert ... on conflict do nothing" emulation ignores provided column for conflict resolution
T: Defect C: Functionality C: DB: PostgreSQL P: Medium E: All Editions
### Expected behavior and actual behavior: There are many (some of them closed) issues similar to this, mainly https://github.com/jOOQ/jOOQ/issues/6462 and https://github.com/jOOQ/jOOQ/issues/6592, but either I misunderstood some of them, or the issue is always slightly different. Sorry if this is a duplicate, I tried :). The emulation of "insert ... on conflict do nothing" for Postgres 9.3 disregards my hint of what column to use for conflict resolution, and uses just the primary key instead. Am I doing something wrong, or this is the intended and only behaviour possible (as suggested in https://github.com/jOOQ/jOOQ/issues/19)? Given this DDL: ```sql CREATE TABLE something ( something_id SERIAL PRIMARY KEY, name TEXT NOT NULL UNIQUE -- yeah, that's a natural primary key in the real code ); ``` in postgres-9.3-mode, I expected this insert: ```java Insert<SomethingRecord> insert = insertInto(SOMETHING) .columns(SOMETHING.NAME) .values("blablabla") .onConflict(SOMETHING.NAME).doNothing(); ``` to generate SQL like: ```sql insert into something (name) select t.name from ( select ? as name where not exists ( select 1 as one from something where something.name = ? -- this line is interesting ) ) as t ``` Instead, I see: ```sql insert into something (name) select t.name from ( select ? as name where not exists ( select 1 as one from something where something.something_id = ? -- issue here ) ) as t ``` ### Versions: - jOOQ: 3.10 - Database (include vendor): PostgreSQL 9.3 - JDBC Driver (include name if inofficial driver): 42.1.3
1.0
Postgres 9.3 "insert ... on conflict do nothing" emulation ignores provided column for conflict resolution - ### Expected behavior and actual behavior: There are many (some of them closed) issues similar to this, mainly https://github.com/jOOQ/jOOQ/issues/6462 and https://github.com/jOOQ/jOOQ/issues/6592, but either I misunderstood some of them, or the issue is always slightly different. Sorry if this is a duplicate, I tried :). The emulation of "insert ... on conflict do nothing" for Postgres 9.3 disregards my hint of what column to use for conflict resolution, and uses just the primary key instead. Am I doing something wrong, or this is the intended and only behaviour possible (as suggested in https://github.com/jOOQ/jOOQ/issues/19)? Given this DDL: ```sql CREATE TABLE something ( something_id SERIAL PRIMARY KEY, name TEXT NOT NULL UNIQUE -- yeah, that's a natural primary key in the real code ); ``` in postgres-9.3-mode, I expected this insert: ```java Insert<SomethingRecord> insert = insertInto(SOMETHING) .columns(SOMETHING.NAME) .values("blablabla") .onConflict(SOMETHING.NAME).doNothing(); ``` to generate SQL like: ```sql insert into something (name) select t.name from ( select ? as name where not exists ( select 1 as one from something where something.name = ? -- this line is interesting ) ) as t ``` Instead, I see: ```sql insert into something (name) select t.name from ( select ? as name where not exists ( select 1 as one from something where something.something_id = ? -- issue here ) ) as t ``` ### Versions: - jOOQ: 3.10 - Database (include vendor): PostgreSQL 9.3 - JDBC Driver (include name if inofficial driver): 42.1.3
defect
postgres insert on conflict do nothing emulation ignores provided column for conflict resolution expected behavior and actual behavior there are many some of them closed issues similar to this mainly and but either i misunderstood some of them or the issue is always slightly different sorry if this is a duplicate i tried the emulation of insert on conflict do nothing for postgres disregards my hint of what column to use for conflict resolution and uses just the primary key instead am i doing something wrong or this is the intended and only behaviour possible as suggested in given this ddl sql create table something something id serial primary key name text not null unique yeah that s a natural primary key in the real code in postgres mode i expected this insert java insert insert insertinto something columns something name values blablabla onconflict something name donothing to generate sql like sql insert into something name select t name from select as name where not exists select as one from something where something name this line is interesting as t instead i see sql insert into something name select t name from select as name where not exists select as one from something where something something id issue here as t versions jooq database include vendor postgresql jdbc driver include name if inofficial driver
1
13,393
2,755,368,098
IssuesEvent
2015-04-26 15:49:41
Badminton-PBO/lion-freaky
https://api.github.com/repos/Badminton-PBO/lion-freaky
closed
Using print button on chrome39 (Win) is not registered in statistics
auto-migrated Priority-Low Type-Defect
``` Currently using following technique to intercept printing request http://www.danolsavsky.com/intercepting-print-requests-with-javascript/ However, we are hitting now following bug in Chrome38/39 https://code.google.com/p/chromium/issues/detail?id=401179 Will apparently be fixed in Chrome40 ``` Original issue reported on code.google.com by `thomas.d...@gmail.com` on 16 Dec 2014 at 9:28
1.0
Using print button on chrome39 (Win) is not registered in statistics - ``` Currently using following technique to intercept printing request http://www.danolsavsky.com/intercepting-print-requests-with-javascript/ However, we are hitting now following bug in Chrome38/39 https://code.google.com/p/chromium/issues/detail?id=401179 Will apparently be fixed in Chrome40 ``` Original issue reported on code.google.com by `thomas.d...@gmail.com` on 16 Dec 2014 at 9:28
defect
using print button on win is not registered in statistics currently using following technique to intercept printing request however we are hitting now following bug in will apparently be fixed in original issue reported on code google com by thomas d gmail com on dec at
1
227,745
18,097,372,389
IssuesEvent
2021-09-22 10:31:45
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
closed
com.hazelcast.jet.core.Job_SeparateClusterTest.when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFail fails with assertion message
Team: Core Type: Test-Failure Source: Internal
com.hazelcast.jet.core.Job_SeparateClusterTest.when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFail fails with assertion message master / 5.1 (commit INSERT_COMMIT_ID_HERE) Failed on Oracle, JDK 8 http://jenkins.hazelcast.com/view/Official%20Builds/job/Hazelcast-master-OracleJDK8-nightly/862/testReport/ Stacktrace: ``` java.lang.AssertionError: Expected: an instance of com.hazelcast.jet.JobAlreadyExistsException but: <org.junit.internal.runners.model.MultipleFailureException: There were 2 errors: com.hazelcast.jet.JobAlreadyExistsException(Another active job with equal name (job1) exists: 06ce-0fb4-63c0-0002) java.lang.AssertionError(There are one or more leaked job classloaders. This is a bug, but it is not necessarily related to this test. The classloader was leaked for the following jobIds: 06ce-0fb4-63c0-0002[490346676872019970=JobClassLoaders{phases=[COORDINATOR]}])> is a org.junit.internal.runners.model.MultipleFailureException Stacktrace was: com.hazelcast.jet.JobAlreadyExistsException: Another active job with equal name (job1) exists: 06ce-0fb4-63c0-0002 at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:280) at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) at java.lang.Thread.run(Thread.java:748) at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) java.lang.AssertionError: There are one or more leaked job classloaders. This is a bug, but it is not necessarily related to this test. The classloader was leaked for the following jobIds: 06ce-0fb4-63c0-0002[490346676872019970=JobClassLoaders{phases=[COORDINATOR]}] at org.junit.Assert.fail(Assert.java:89) at com.hazelcast.jet.core.JetTestSupport.shutdownFactory(JetTestSupport.java:110) at sun.reflect.GeneratedMethodAccessor316.invoke(Unknown Source) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:59) at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12) at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:56) at com.hazelcast.test.AbstractHazelcastClassRunner$ThreadDumpAwareRunAfters.evaluate(AbstractHazelcastClassRunner.java:381) at org.junit.rules.ExpectedException$ExpectedExceptionStatement.evaluate(ExpectedException.java:258) at com.hazelcast.test.DumpBuildInfoOnFailureRule$1.evaluate(DumpBuildInfoOnFailureRule.java:37) at com.hazelcast.test.jitter.JitterRule$1.evaluate(JitterRule.java:104) at com.hazelcast.test.metrics.MetricsRule$1.evaluate(MetricsRule.java:62) at org.junit.runners.ParentRunner$3.evaluate(ParentRunner.java:306) at org.junit.runners.BlockJUnit4ClassRunner$1.evaluate(BlockJUnit4ClassRunner.java:100) at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:366) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:103) at com.hazelcast.test.HazelcastSerialClassRunner.runChild(HazelcastSerialClassRunner.java:50) at com.hazelcast.test.HazelcastSerialClassRunner.runChild(HazelcastSerialClassRunner.java:29) at org.junit.runners.ParentRunner$4.run(ParentRunner.java:331) at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:79) at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:329) at org.junit.runners.ParentRunner.access$100(ParentRunner.java:66) at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:293) at com.hazelcast.test.AfterClassesStatement.evaluate(AfterClassesStatement.java:39) at com.hazelcast.test.OverridePropertyRule$1.evaluate(OverridePropertyRule.java:66) at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:299) at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:293) at java.util.concurrent.FutureTask.run(FutureTask.java:266) at java.lang.Thread.run(Thread.java:748) at org.hamcrest.MatcherAssert.assertThat(MatcherAssert.java:20) at org.junit.Assert.assertThat(Assert.java:964) at org.junit.Assert.assertThat(Assert.java:930) at org.junit.rules.ExpectedException.handleException(ExpectedException.java:271) at org.junit.rules.ExpectedException.access$000(ExpectedException.java:111) at org.junit.rules.ExpectedException$ExpectedExceptionStatement.evaluate(ExpectedException.java:260) at com.hazelcast.test.DumpBuildInfoOnFailureRule$1.evaluate(DumpBuildInfoOnFailureRule.java:37) at com.hazelcast.test.jitter.JitterRule$1.evaluate(JitterRule.java:104) at com.hazelcast.test.metrics.MetricsRule$1.evaluate(MetricsRule.java:62) at org.junit.runners.ParentRunner$3.evaluate(ParentRunner.java:306) at org.junit.runners.BlockJUnit4ClassRunner$1.evaluate(BlockJUnit4ClassRunner.java:100) at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:366) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:103) at com.hazelcast.test.HazelcastSerialClassRunner.runChild(HazelcastSerialClassRunner.java:50) at com.hazelcast.test.HazelcastSerialClassRunner.runChild(HazelcastSerialClassRunner.java:29) at org.junit.runners.ParentRunner$4.run(ParentRunner.java:331) at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:79) at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:329) at org.junit.runners.ParentRunner.access$100(ParentRunner.java:66) at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:293) at com.hazelcast.test.AfterClassesStatement.evaluate(AfterClassesStatement.java:39) at com.hazelcast.test.OverridePropertyRule$1.evaluate(OverridePropertyRule.java:66) at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:299) at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:293) at java.util.concurrent.FutureTask.run(FutureTask.java:266) at java.lang.Thread.run(Thread.java:748) ``` Standard output: ``` Finished Running Test: when_joinFromClientTimesOut_then_futureShouldNotBeCompletedEarly in 1.945 seconds. Started Running Test: when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails 02:22:36,909 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MetricsConfigHelper] Time-limited test - [LOCAL] [dev] [5.0-SNAPSHOT] Overridden metrics configuration with system property 'hazelcast.metrics.collection.frequency'='1' -> 'MetricsConfig.collectionFrequencySeconds'='1' 02:22:36,910 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [logo] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] + + o o o o---o o----o o o---o o o----o o--o--o + + + + | | / \ / | | / / \ | | + + + + + o----o o o o o----o | o o o o----o | + + + + | | / \ / | | \ / \ | | + + o o o o o---o o----o o----o o---o o o o----o o 02:22:36,910 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Copyright (c) 2008-2021, Hazelcast, Inc. All Rights Reserved. 02:22:36,910 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Hazelcast Platform 5.0-SNAPSHOT (20210915 - cc91ae3) starting at [127.0.0.1]:5701 02:22:36,910 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Cluster name: dev 02:22:36,910 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [security] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] ?Status of security related features: ? Custom cluster name used ? Member multicast discovery/join method disabled ? Advanced networking used - Sockets separated ? Server sockets bound to a single network interface ? Jet disabled ? Jet resource upload disabled ? User code deployment disallowed ? Scripting in Management Center disabled ? Security enabled (Enterprise) ? TLS - communication protection (Enterprise) ? Auditlog enabled (Enterprise) Check the hazelcast-security-hardened.xml/yaml example config file to find how to configure these security related settings. 02:22:36,913 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MetricsConfigHelper] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Collecting debug metrics and sending to diagnostics is enabled 02:22:36,916 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [CPSubsystem] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] CP Subsystem is not enabled. CP data structures will operate in UNSAFE mode! Please note that UNSAFE mode will not provide strong consistency guarantees. 02:22:36,917 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JetServiceBackend] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Setting number of cooperative threads and default parallelism to 1 02:22:36,918 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Diagnostics] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Diagnostics disabled. To enable add -Dhazelcast.diagnostics.enabled=true to the JVM arguments. 02:22:36,918 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is STARTING 02:22:36,918 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JetExtension] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Jet is enabled 02:22:36,918 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [ClusterService] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Members {size:1, ver:1} [ Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 this ] 02:22:36,918 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is STARTED 02:22:36,918 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MetricsConfigHelper] Time-limited test - [LOCAL] [dev] [5.0-SNAPSHOT] Overridden metrics configuration with system property 'hazelcast.metrics.collection.frequency'='1' -> 'MetricsConfig.collectionFrequencySeconds'='1' 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [logo] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] + + o o o o---o o----o o o---o o o----o o--o--o + + + + | | / \ / | | / / \ | | + + + + + o----o o o o o----o | o o o o----o | + + + + | | / \ / | | \ / \ | | + + o o o o o---o o----o o----o o---o o o o----o o 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Copyright (c) 2008-2021, Hazelcast, Inc. All Rights Reserved. 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Hazelcast Platform 5.0-SNAPSHOT (20210915 - cc91ae3) starting at [127.0.0.1]:5702 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Cluster name: dev 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [security] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] ?Status of security related features: ? Custom cluster name used ? Member multicast discovery/join method disabled ? Advanced networking used - Sockets separated ? Server sockets bound to a single network interface ? Jet disabled ? Jet resource upload disabled ? User code deployment disallowed ? Scripting in Management Center disabled ? Security enabled (Enterprise) ? TLS - communication protection (Enterprise) ? Auditlog enabled (Enterprise) Check the hazelcast-security-hardened.xml/yaml example config file to find how to configure these security related settings. 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [HealthMonitor] hz.lucid_matsumoto.HealthMonitor - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] processors=8, physical.memory.total=377.6G, physical.memory.free=257.8G, swap.space.total=4.0G, swap.space.free=4.0G, heap.memory.used=1.3G, heap.memory.free=500.9M, heap.memory.total=1.8G, heap.memory.max=1.8G, heap.memory.used/total=72.81%, heap.memory.used/max=72.81%, minor.gc.count=5284, minor.gc.time=55189ms, major.gc.count=7, major.gc.time=1860ms, load.process=0.18%, load.system=16.29%, load.systemAverage=7.01, thread.count=63, thread.peakCount=2126, cluster.timeDiff=0, event.q.size=0, executor.q.async.size=0, executor.q.client.size=0, executor.q.client.query.size=0, executor.q.client.blocking.size=0, executor.q.query.size=0, executor.q.scheduled.size=0, executor.q.io.size=0, executor.q.system.size=0, executor.q.operations.size=0, executor.q.priorityOperation.size=0, operations.completed.count=0, executor.q.mapLoad.size=0, executor.q.mapLoadAllKeys.size=0, executor.q.cluster.size=0, executor.q.response.size=0, operations.running.count=0, operations.pending.invocations.percentage=0.00%, operations.pending.invocations.count=0, proxy.count=0, clientEndpoint.count=0, connection.active.count=0, client.connection.count=0, connection.count=0 02:22:36,922 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MetricsConfigHelper] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Collecting debug metrics and sending to diagnostics is enabled 02:22:36,924 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [CPSubsystem] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] CP Subsystem is not enabled. CP data structures will operate in UNSAFE mode! Please note that UNSAFE mode will not provide strong consistency guarantees. 02:22:36,926 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JetServiceBackend] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Setting number of cooperative threads and default parallelism to 1 02:22:36,926 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Diagnostics] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Diagnostics disabled. To enable add -Dhazelcast.diagnostics.enabled=true to the JVM arguments. 02:22:36,926 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5702 is STARTING 02:22:36,927 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MockServer] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Created connection to endpoint: [127.0.0.1]:5701, connection: MockConnection{localEndpoint=[127.0.0.1]:5702, remoteEndpoint=[127.0.0.1]:5701, alive=true} 02:22:36,927 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MockServer] hz.lucid_matsumoto.priority-generic-operation.thread-0 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Created connection to endpoint: [127.0.0.1]:5702, connection: MockConnection{localEndpoint=[127.0.0.1]:5701, remoteEndpoint=[127.0.0.1]:5702, alive=true} 02:22:36,927 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [ClusterService] hz.lucid_matsumoto.priority-generic-operation.thread-0 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Members {size:2, ver:2} [ Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 this Member [127.0.0.1]:5702 - 49ab8b80-2c4f-4fd8-be43-6e5377dcd047 ] 02:22:36,937 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,019 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,027 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JetExtension] hz.elegant_matsumoto.priority-generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Jet is enabled 02:22:37,028 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [ClusterService] hz.elegant_matsumoto.priority-generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Members {size:2, ver:2} [ Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 Member [127.0.0.1]:5702 - 49ab8b80-2c4f-4fd8-be43-6e5377dcd047 this ] 02:22:37,119 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,219 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,319 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,419 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,427 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5702 is STARTED 02:22:37,428 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [HealthMonitor] hz.elegant_matsumoto.HealthMonitor - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] processors=8, physical.memory.total=377.6G, physical.memory.free=257.7G, swap.space.total=4.0G, swap.space.free=4.0G, heap.memory.used=1.3G, heap.memory.free=493.6M, heap.memory.total=1.8G, heap.memory.max=1.8G, heap.memory.used/total=73.21%, heap.memory.used/max=73.21%, minor.gc.count=5284, minor.gc.time=55189ms, major.gc.count=7, major.gc.time=1860ms, load.process=0.03%, load.system=15.85%, load.systemAverage=7.01, thread.count=89, thread.peakCount=2126, cluster.timeDiff=-1, event.q.size=0, executor.q.async.size=0, executor.q.client.size=0, executor.q.client.query.size=0, executor.q.client.blocking.size=0, executor.q.query.size=0, executor.q.scheduled.size=0, executor.q.io.size=0, executor.q.system.size=0, executor.q.operations.size=0, executor.q.priorityOperation.size=0, operations.completed.count=15, executor.q.mapLoad.size=0, executor.q.mapLoadAllKeys.size=0, executor.q.cluster.size=0, executor.q.response.size=0, operations.running.count=0, operations.pending.invocations.percentage=0.00%, operations.pending.invocations.count=0, proxy.count=1, clientEndpoint.count=0, connection.active.count=0, client.connection.count=0, connection.count=0 02:22:37,429 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [PartitionStateManager] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Initializing cluster partition table arrangement... 02:22:37,429 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Creating job classLoader for job 06ce-0fb3-dd00-0001 02:22:37,429 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Create processor classloader map for job 06ce-0fb3-dd00-0001 02:22:37,429 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,430 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,430 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,430 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,431 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,432 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,434 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,438 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,447 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,463 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,496 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,520 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobRepository] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Job cleanup took 0ms 02:22:37,561 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Starting job 06ce-0fb3-dd00-0001 based on submit request 02:22:37,562 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Didn't find any snapshot to restore for job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,562 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Start executing job 'job1', execution 06ce-0fb3-dd01-0001, execution graph in DOT format: digraph DAG { "test" [localParallelism=1]; } HINT: You can use graphviz or http://viz-js.com to visualize the printed graph. 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Building execution plan for job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Built execution plans for job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [InitExecutionOperation] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Initializing execution plan for job 06ce-0fb3-dd00-0001, execution 06ce-0fb3-dd01-0001 from [127.0.0.1]:5701 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [InitExecutionOperation] hz.elegant_matsumoto.generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Initializing execution plan for job 06ce-0fb3-dd00-0001, execution 06ce-0fb3-dd01-0001 from [127.0.0.1]:5701 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.elegant_matsumoto.generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Creating job classLoader for job 06ce-0fb3-dd00-0001 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.elegant_matsumoto.generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Create processor classloader map for job 06ce-0fb3-dd00-0001 02:22:37,563 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobExecutionService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Execution plan for jobId=06ce-0fb3-dd00-0001, jobName='job1', executionId=06ce-0fb3-dd01-0001 initialized 02:22:37,563 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobExecutionService] hz.elegant_matsumoto.generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Execution plan for jobId=06ce-0fb3-dd00-0001, jobName='job1', executionId=06ce-0fb3-dd01-0001 initialized 02:22:37,563 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Init of job 'job1', execution 06ce-0fb3-dd01-0001 was successful 02:22:37,563 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Executing job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,563 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobExecutionService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Start execution of job 'job1', execution 06ce-0fb3-dd01-0001 from coordinator [127.0.0.1]:5701 02:22:37,563 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobExecutionService] hz.elegant_matsumoto.generic-operation.thread-1 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Start execution of job 'job1', execution 06ce-0fb3-dd01-0001 from coordinator [127.0.0.1]:5701 02:22:37,762 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Job] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Sending SUSPEND_GRACEFUL request for job 06ce-0fb3-dd00-0001 (name ??) 02:22:37,764 ERROR || - [ExecutionContext] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] job 'job1', execution 06ce-0fb3-dd01-0001 encountered an exception in ProcessorSupplier.close(), ignoring it java.lang.AssertionError: Close called without init being called on all the nodes. Init count: 2 node count: 4 at org.junit.Assert.fail(Assert.java:89) ~[junit-4.13.2.jar:4.13.2] at org.junit.Assert.assertTrue(Assert.java:42) ~[junit-4.13.2.jar:4.13.2] at com.hazelcast.jet.core.TestProcessors$MockPS.close(TestProcessors.java:278) ~[test-classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.lambda$null$689bdc39$1(ExecutionContext.java:260) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.lambda$completeExecution$e411c726$1(ExecutionContext.java:260) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.completeExecution(ExecutionContext.java:255) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.lambda$completeExecution$559b0d71$1(JobExecutionService.java:438) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.completeExecution(JobExecutionService.java:438) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.lambda$beginExecution0$10(JobExecutionService.java:482) ~[classes/:?] at com.hazelcast.jet.impl.util.ExceptionUtil.lambda$withTryCatch$0(ExceptionUtil.java:172) ~[classes/:?] at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:774) [?:1.8.0_251] at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:750) [?:1.8.0_251] at java.util.concurrent.CompletableFuture$Completion.exec(CompletableFuture.java:457) [?:1.8.0_251] at java.util.concurrent.ForkJoinTask.doExec(ForkJoinTask.java:289) [?:1.8.0_251] at java.util.concurrent.ForkJoinPool$WorkQueue.runTask(ForkJoinPool.java:1056) [?:1.8.0_251] at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1692) [?:1.8.0_251] at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:157) [?:1.8.0_251] 02:22:37,764 ERROR || - [ExecutionContext] ForkJoinPool.commonPool-worker-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] job 'job1', execution 06ce-0fb3-dd01-0001 encountered an exception in ProcessorSupplier.close(), ignoring it java.lang.AssertionError: Close called without init being called on all the nodes. Init count: 2 node count: 4 at org.junit.Assert.fail(Assert.java:89) ~[junit-4.13.2.jar:4.13.2] at org.junit.Assert.assertTrue(Assert.java:42) ~[junit-4.13.2.jar:4.13.2] at com.hazelcast.jet.core.TestProcessors$MockPS.close(TestProcessors.java:278) ~[test-classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.lambda$null$689bdc39$1(ExecutionContext.java:260) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.lambda$completeExecution$e411c726$1(ExecutionContext.java:260) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.completeExecution(ExecutionContext.java:255) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.lambda$completeExecution$559b0d71$1(JobExecutionService.java:438) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.completeExecution(JobExecutionService.java:438) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.lambda$beginExecution0$10(JobExecutionService.java:482) ~[classes/:?] at com.hazelcast.jet.impl.util.ExceptionUtil.lambda$withTryCatch$0(ExceptionUtil.java:172) ~[classes/:?] at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:774) [?:1.8.0_251] at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:750) [?:1.8.0_251] at java.util.concurrent.CompletableFuture$Completion.exec(CompletableFuture.java:457) [?:1.8.0_251] at java.util.concurrent.ForkJoinTask.doExec(ForkJoinTask.java:289) [?:1.8.0_251] at java.util.concurrent.ForkJoinPool$WorkQueue.runTask(ForkJoinPool.java:1056) [?:1.8.0_251] at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1692) [?:1.8.0_251] at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:157) [?:1.8.0_251] 02:22:37,764 DEBUG || - [JobExecutionService] ForkJoinPool.commonPool-worker-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Completed execution of job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,764 DEBUG || - [JobClassLoaderService] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Finish JobClassLoaders phaseCount = 0, removing classloaders for jobId=06ce-0fb3-dd00-0001 02:22:37,764 DEBUG || - [JobExecutionService] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Completed execution of job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,764 DEBUG || - [JobExecutionService] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Execution of job 'job1', execution 06ce-0fb3-dd01-0001 completed with failure java.util.concurrent.CompletionException: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL at java.util.concurrent.CompletableFuture.encodeThrowable(CompletableFuture.java:292) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.completeThrowable(CompletableFuture.java:308) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:783) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:750) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.postComplete(CompletableFuture.java:488) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.completeExceptionally(CompletableFuture.java:1990) ~[?:1.8.0_251] at com.hazelcast.jet.impl.util.NonCompletableFuture.internalCompleteExceptionally(NonCompletableFuture.java:72) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$ExecutionTracker.taskletDone(TaskletExecutionService.java:489) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.dismissTasklet(TaskletExecutionService.java:420) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.runTasklet(TaskletExecutionService.java:406) ~[classes/:?] at java.util.concurrent.CopyOnWriteArrayList.forEach(CopyOnWriteArrayList.java:891) ~[?:1.8.0_251] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.run(TaskletExecutionService.java:356) ~[classes/:?] at java.lang.Thread.run(Thread.java:748) ~[?:1.8.0_251] Caused by: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL at com.hazelcast.jet.impl.execution.ExecutionContext.terminateExecution(ExecutionContext.java:293) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.terminateExecution0(JobExecutionService.java:600) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.terminateExecution(JobExecutionService.java:596) ~[classes/:?] at com.hazelcast.jet.impl.operation.TerminateExecutionOperation.run(TerminateExecutionOperation.java:58) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.Operation.call(Operation.java:196) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.call(OperationRunnerImpl.java:273) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.run(OperationRunnerImpl.java:249) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.run(OperationRunnerImpl.java:470) ~[classes/:?] at com.hazelcast.spi.impl.operationexecutor.impl.OperationThread.process(OperationThread.java:197) ~[classes/:?] at com.hazelcast.spi.impl.operationexecutor.impl.OperationThread.process(OperationThread.java:137) ~[classes/:?] at com.hazelcast.spi.impl.operationexecutor.impl.OperationThread.executeRun(OperationThread.java:123) ~[classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) ~[classes/:?] 02:22:37,764 DEBUG || - [JobExecutionService] ForkJoinPool.commonPool-worker-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Execution of job 'job1', execution 06ce-0fb3-dd01-0001 completed with failure java.util.concurrent.CompletionException: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL at java.util.concurrent.CompletableFuture.encodeThrowable(CompletableFuture.java:292) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.completeThrowable(CompletableFuture.java:308) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:783) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:750) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.postComplete(CompletableFuture.java:488) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.completeExceptionally(CompletableFuture.java:1990) ~[?:1.8.0_251] at com.hazelcast.jet.impl.util.NonCompletableFuture.internalCompleteExceptionally(NonCompletableFuture.java:72) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$ExecutionTracker.taskletDone(TaskletExecutionService.java:489) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.dismissTasklet(TaskletExecutionService.java:420) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.runTasklet(TaskletExecutionService.java:406) ~[classes/:?] at java.util.concurrent.CopyOnWriteArrayList.forEach(CopyOnWriteArrayList.java:891) ~[?:1.8.0_251] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.run(TaskletExecutionService.java:356) ~[classes/:?] at java.lang.Thread.run(Thread.java:748) ~[?:1.8.0_251] Caused by: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL at com.hazelcast.jet.impl.execution.ExecutionContext.terminateExecution(ExecutionContext.java:293) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.terminateExecution0(JobExecutionService.java:600) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.terminateExecution(JobExecutionService.java:596) ~[classes/:?] at com.hazelcast.jet.impl.operation.TerminateExecutionOperation.run(TerminateExecutionOperation.java:58) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.Operation.call(Operation.java:196) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.call(OperationRunnerImpl.java:273) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.run(OperationRunnerImpl.java:249) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.run(OperationRunnerImpl.java:214) ~[classes/:?] at com.hazelcast.spi.impl.operationexecutor.impl.OperationExecutorImpl.run(OperationExecutorImpl.java:411) ~[classes/:?] at com.hazelcast.spi.impl.operationexecutor.impl.OperationExecutorImpl.runOrExecute(OperationExecutorImpl.java:438) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.Invocation.doInvokeLocal(Invocation.java:600) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.Invocation.doInvoke(Invocation.java:579) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.Invocation.invoke0(Invocation.java:540) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.Invocation.invoke(Invocation.java:240) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.InvocationBuilderImpl.invoke(InvocationBuilderImpl.java:59) ~[classes/:?] at com.hazelcast.jet.impl.MasterContext.invokeOnParticipant(MasterContext.java:294) ~[classes/:?] at com.hazelcast.jet.impl.MasterContext.invokeOnParticipants(MasterContext.java:277) ~[classes/:?] at com.hazelcast.jet.impl.MasterJobContext.lambda$cancelExecutionInvocations$17(MasterJobContext.java:618) ~[classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) ~[?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) ~[?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) ~[?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) ~[classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) ~[classes/:?] 02:22:37,765 DEBUG || - [MasterJobContext] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] job 'job1', execution 06ce-0fb3-dd01-0001 received response to StartExecutionOperation from [127.0.0.1]:5701: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL 02:22:37,765 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] job 'job1', execution 06ce-0fb3-dd01-0001 received response to StartExecutionOperation from [127.0.0.1]:5702: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL 02:22:37,765 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Execution of job 'job1', execution 06ce-0fb3-dd01-0001 has failures: [[127.0.0.1]:5702=com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL, [127.0.0.1]:5701=com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL] 02:22:37,765 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Finish JobClassLoaders phaseCount = 0, removing classloaders for jobId=06ce-0fb3-dd00-0001 02:22:37,962 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is SHUTTING_DOWN 02:22:37,962 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Added a shutting-down member: 67e1f201-35d0-49ee-b383-d1aa87c83fc6 02:22:37,963 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MigrationManager] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Shutdown request of Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 this is handled 02:22:37,963 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MigrationManager] hz.lucid_matsumoto.migration - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Repartitioning cluster data. Migration tasks count: 6 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MigrationManager] hz.lucid_matsumoto.migration - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] All migration tasks have been completed. (repartitionTime=Wed Sep 15 02:22:37 UTC 2021, plannedMigrations=6, completedMigrations=6, remainingMigrations=0, totalCompletedMigrations=6, elapsedMigrationOperationTime=8ms, totalElapsedMigrationOperationTime=8ms, elapsedDestinationCommitTime=0ms, totalElapsedDestinationCommitTime=0ms, elapsedMigrationTime=9ms, totalElapsedMigrationTime=9ms) 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Shutting down connection manager... 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MockServer] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Removed connection to endpoint: [127.0.0.1]:5701, connection: MockConnection{localEndpoint=[127.0.0.1]:5702, remoteEndpoint=[127.0.0.1]:5701, alive=false} 02:22:37,966 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [OutboundResponseHandler] hz.elegant_matsumoto.priority-generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Cannot send response: true to [127.0.0.1]:5701. com.hazelcast.internal.partition.operation.PublishCompletedMigrationsOperation{serviceName='hz:core:partitionService', identityHash=430972487, partitionId=-1, replicaIndex=0, callId=95, invocationTime=1631672557966 (2021-09-15 02:22:37.966), waitTimeout=-1, callTimeout=60000, tenantControl=com.hazelcast.spi.impl.tenantcontrol.NoopTenantControl@0} 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MockServer] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Removed connection to endpoint: [127.0.0.1]:5702, connection: MockConnection{localEndpoint=[127.0.0.1]:5701, remoteEndpoint=[127.0.0.1]:5702, alive=false} 02:22:37,966 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MembershipManager] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 is suspected to be dead for reason: Connection manager is stopped on Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 this 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MembershipManager] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Starting mastership claim process... 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MembershipManager] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Local MembersView{version=2, members=[MemberInfo{address=[127.0.0.1]:5701, uuid=67e1f201-35d0-49ee-b383-d1aa87c83fc6, liteMember=false, memberListJoinVersion=1}, MemberInfo{address=[127.0.0.1]:5702, uuid=49ab8b80-2c4f-4fd8-be43-6e5377dcd047, liteMember=false, memberListJoinVersion=2}]} with suspected members: [Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6] and initial addresses to ask: [] 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Shutting down node engine... 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [ClusterService] hz.elegant_matsumoto.cached.thread-3 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Members {size:1, ver:3} [ Member [127.0.0.1]:5702 - 49ab8b80-2c4f-4fd8-be43-6e5377dcd047 this ] 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MembershipManager] hz.elegant_matsumoto.cached.thread-3 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Mastership is claimed with: MembersView{version=3, members=[MemberInfo{address=[127.0.0.1]:5702, uuid=49ab8b80-2c4f-4fd8-be43-6e5377dcd047, liteMember=false, memberListJoinVersion=2}]} 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [TransactionManagerService] hz.elegant_matsumoto.cached.thread-10 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Committing/rolling-back live transactions of [127.0.0.1]:5701, UUID: 67e1f201-35d0-49ee-b383-d1aa87c83fc6 02:22:37,967 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [NodeExtension] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Destroying node NodeExtension. 02:22:37,967 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Hazelcast Shutdown is completed in 5 ms. 02:22:37,967 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is SHUTDOWN 02:22:37,967 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.elegant_matsumoto.cached.thread-10 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Creating job classLoader for job 06ce-0fb4-63c0-0002 02:22:37,967 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.elegant_matsumoto.cached.thread-10 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Create processor classloader map for job 06ce-0fb4-63c0-0002 02:22:37,968 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-10 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,968 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-6 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,968 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-10 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,969 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,969 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-6 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,970 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,972 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,977 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,985 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,002 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,034 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,099 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,216 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [InternalPartitionService] hz.elegant_matsumoto.migration - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Fetching partition tables from cluster to determine the most recent one... Local stamp: 6034249593370780565 02:22:38,216 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [InternalPartitionService] hz.elegant_matsumoto.migration - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Most recent partition table is determined. 02:22:38,216 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [InternalPartitionService] hz.elegant_matsumoto.migration - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Applying the most recent of partition state... 02:22:38,217 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MigrationManager] hz.elegant_matsumoto.migration - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Partition balance is ok, no need to repartition. 02:22:38,228 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,485 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-6 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,985 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-6 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:39,486 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-5 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:39,986 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-5 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:40,487 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-2 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:40,988 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-2 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:41,489 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-2 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:41,989 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-2 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:42,028 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobRepository] hz.elegant_matsumoto.cached.thread-2 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Job cleanup took 0ms 02:22:42,490 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.jet.JobAlreadyExistsException: Another active job with equal name (job1) exists: 06ce-0fb4-63c0-0002 at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:280) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:42,491 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [AbstractJobProxy] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Sending CANCEL_FORCEFUL request for job 06ce-0fb3-dd00-0001 (name ??) 02:22:42,491 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] job 'job1', execution 0000-0000-0000-0000 is completed 02:22:47,028 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobRepository] hz.elegant_matsumoto.cached.thread-3 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Job cleanup took 0ms 02:22:52,029 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobRepository] hz.elegant_matsumoto.cached.thread-5 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Job cleanup took 0ms 02:22:52,499 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JetTestSupport] Time-limited test - Terminating instanceFactory in JetTestSupport.@After 02:22:52,499 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5702 is SHUTTING_DOWN 02:22:52,499 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Terminating forcefully... 02:22:52,500 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Shutting down connection manager... 02:22:52,500 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Shutting down node engine... 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [NodeExtension] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Destroying node NodeExtension. 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Hazelcast Shutdown is completed in 2 ms. 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5702 is SHUTDOWN 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Thread-5263 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is SHUTTING_DOWN 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] Thread-5263 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Node is already shutting down... Waiting for shutdown process to complete... 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Thread-5263 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is SHUTDOWN BuildInfo right after when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails(com.hazelcast.jet.core.Job_SeparateClusterTest): BuildInfo{version='5.0-SNAPSHOT', build='20210915', buildNumber=20210915, revision=cc91ae3, enterprise=false, serializationVersion=1} Hiccups measured while running test 'when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails(com.hazelcast.jet.core.Job_SeparateClusterTest):' 02:22:35, accumulated pauses: 31 ms, max pause: 0 ms, pauses over 1000 ms: 0 02:22:40, accumulated pauses: 35 ms, max pause: 0 ms, pauses over 1000 ms: 0 02:22:45, accumulated pauses: 36 ms, max pause: 1 ms, pauses over 1000 ms: 0 02:22:50, accumulated pauses: 14 ms, max pause: 0 ms, pauses over 1000 ms: 0 ```
1.0
com.hazelcast.jet.core.Job_SeparateClusterTest.when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFail fails with assertion message - com.hazelcast.jet.core.Job_SeparateClusterTest.when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFail fails with assertion message master / 5.1 (commit INSERT_COMMIT_ID_HERE) Failed on Oracle, JDK 8 http://jenkins.hazelcast.com/view/Official%20Builds/job/Hazelcast-master-OracleJDK8-nightly/862/testReport/ Stacktrace: ``` java.lang.AssertionError: Expected: an instance of com.hazelcast.jet.JobAlreadyExistsException but: <org.junit.internal.runners.model.MultipleFailureException: There were 2 errors: com.hazelcast.jet.JobAlreadyExistsException(Another active job with equal name (job1) exists: 06ce-0fb4-63c0-0002) java.lang.AssertionError(There are one or more leaked job classloaders. This is a bug, but it is not necessarily related to this test. The classloader was leaked for the following jobIds: 06ce-0fb4-63c0-0002[490346676872019970=JobClassLoaders{phases=[COORDINATOR]}])> is a org.junit.internal.runners.model.MultipleFailureException Stacktrace was: com.hazelcast.jet.JobAlreadyExistsException: Another active job with equal name (job1) exists: 06ce-0fb4-63c0-0002 at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:280) at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) at java.lang.Thread.run(Thread.java:748) at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) java.lang.AssertionError: There are one or more leaked job classloaders. This is a bug, but it is not necessarily related to this test. The classloader was leaked for the following jobIds: 06ce-0fb4-63c0-0002[490346676872019970=JobClassLoaders{phases=[COORDINATOR]}] at org.junit.Assert.fail(Assert.java:89) at com.hazelcast.jet.core.JetTestSupport.shutdownFactory(JetTestSupport.java:110) at sun.reflect.GeneratedMethodAccessor316.invoke(Unknown Source) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:498) at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:59) at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12) at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:56) at com.hazelcast.test.AbstractHazelcastClassRunner$ThreadDumpAwareRunAfters.evaluate(AbstractHazelcastClassRunner.java:381) at org.junit.rules.ExpectedException$ExpectedExceptionStatement.evaluate(ExpectedException.java:258) at com.hazelcast.test.DumpBuildInfoOnFailureRule$1.evaluate(DumpBuildInfoOnFailureRule.java:37) at com.hazelcast.test.jitter.JitterRule$1.evaluate(JitterRule.java:104) at com.hazelcast.test.metrics.MetricsRule$1.evaluate(MetricsRule.java:62) at org.junit.runners.ParentRunner$3.evaluate(ParentRunner.java:306) at org.junit.runners.BlockJUnit4ClassRunner$1.evaluate(BlockJUnit4ClassRunner.java:100) at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:366) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:103) at com.hazelcast.test.HazelcastSerialClassRunner.runChild(HazelcastSerialClassRunner.java:50) at com.hazelcast.test.HazelcastSerialClassRunner.runChild(HazelcastSerialClassRunner.java:29) at org.junit.runners.ParentRunner$4.run(ParentRunner.java:331) at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:79) at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:329) at org.junit.runners.ParentRunner.access$100(ParentRunner.java:66) at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:293) at com.hazelcast.test.AfterClassesStatement.evaluate(AfterClassesStatement.java:39) at com.hazelcast.test.OverridePropertyRule$1.evaluate(OverridePropertyRule.java:66) at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:299) at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:293) at java.util.concurrent.FutureTask.run(FutureTask.java:266) at java.lang.Thread.run(Thread.java:748) at org.hamcrest.MatcherAssert.assertThat(MatcherAssert.java:20) at org.junit.Assert.assertThat(Assert.java:964) at org.junit.Assert.assertThat(Assert.java:930) at org.junit.rules.ExpectedException.handleException(ExpectedException.java:271) at org.junit.rules.ExpectedException.access$000(ExpectedException.java:111) at org.junit.rules.ExpectedException$ExpectedExceptionStatement.evaluate(ExpectedException.java:260) at com.hazelcast.test.DumpBuildInfoOnFailureRule$1.evaluate(DumpBuildInfoOnFailureRule.java:37) at com.hazelcast.test.jitter.JitterRule$1.evaluate(JitterRule.java:104) at com.hazelcast.test.metrics.MetricsRule$1.evaluate(MetricsRule.java:62) at org.junit.runners.ParentRunner$3.evaluate(ParentRunner.java:306) at org.junit.runners.BlockJUnit4ClassRunner$1.evaluate(BlockJUnit4ClassRunner.java:100) at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:366) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:103) at com.hazelcast.test.HazelcastSerialClassRunner.runChild(HazelcastSerialClassRunner.java:50) at com.hazelcast.test.HazelcastSerialClassRunner.runChild(HazelcastSerialClassRunner.java:29) at org.junit.runners.ParentRunner$4.run(ParentRunner.java:331) at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:79) at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:329) at org.junit.runners.ParentRunner.access$100(ParentRunner.java:66) at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:293) at com.hazelcast.test.AfterClassesStatement.evaluate(AfterClassesStatement.java:39) at com.hazelcast.test.OverridePropertyRule$1.evaluate(OverridePropertyRule.java:66) at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:299) at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:293) at java.util.concurrent.FutureTask.run(FutureTask.java:266) at java.lang.Thread.run(Thread.java:748) ``` Standard output: ``` Finished Running Test: when_joinFromClientTimesOut_then_futureShouldNotBeCompletedEarly in 1.945 seconds. Started Running Test: when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails 02:22:36,909 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MetricsConfigHelper] Time-limited test - [LOCAL] [dev] [5.0-SNAPSHOT] Overridden metrics configuration with system property 'hazelcast.metrics.collection.frequency'='1' -> 'MetricsConfig.collectionFrequencySeconds'='1' 02:22:36,910 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [logo] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] + + o o o o---o o----o o o---o o o----o o--o--o + + + + | | / \ / | | / / \ | | + + + + + o----o o o o o----o | o o o o----o | + + + + | | / \ / | | \ / \ | | + + o o o o o---o o----o o----o o---o o o o----o o 02:22:36,910 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Copyright (c) 2008-2021, Hazelcast, Inc. All Rights Reserved. 02:22:36,910 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Hazelcast Platform 5.0-SNAPSHOT (20210915 - cc91ae3) starting at [127.0.0.1]:5701 02:22:36,910 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Cluster name: dev 02:22:36,910 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [security] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] ?Status of security related features: ? Custom cluster name used ? Member multicast discovery/join method disabled ? Advanced networking used - Sockets separated ? Server sockets bound to a single network interface ? Jet disabled ? Jet resource upload disabled ? User code deployment disallowed ? Scripting in Management Center disabled ? Security enabled (Enterprise) ? TLS - communication protection (Enterprise) ? Auditlog enabled (Enterprise) Check the hazelcast-security-hardened.xml/yaml example config file to find how to configure these security related settings. 02:22:36,913 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MetricsConfigHelper] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Collecting debug metrics and sending to diagnostics is enabled 02:22:36,916 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [CPSubsystem] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] CP Subsystem is not enabled. CP data structures will operate in UNSAFE mode! Please note that UNSAFE mode will not provide strong consistency guarantees. 02:22:36,917 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JetServiceBackend] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Setting number of cooperative threads and default parallelism to 1 02:22:36,918 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Diagnostics] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Diagnostics disabled. To enable add -Dhazelcast.diagnostics.enabled=true to the JVM arguments. 02:22:36,918 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is STARTING 02:22:36,918 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JetExtension] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Jet is enabled 02:22:36,918 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [ClusterService] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Members {size:1, ver:1} [ Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 this ] 02:22:36,918 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Time-limited test - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is STARTED 02:22:36,918 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MetricsConfigHelper] Time-limited test - [LOCAL] [dev] [5.0-SNAPSHOT] Overridden metrics configuration with system property 'hazelcast.metrics.collection.frequency'='1' -> 'MetricsConfig.collectionFrequencySeconds'='1' 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [logo] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] + + o o o o---o o----o o o---o o o----o o--o--o + + + + | | / \ / | | / / \ | | + + + + + o----o o o o o----o | o o o o----o | + + + + | | / \ / | | \ / \ | | + + o o o o o---o o----o o----o o---o o o o----o o 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Copyright (c) 2008-2021, Hazelcast, Inc. All Rights Reserved. 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Hazelcast Platform 5.0-SNAPSHOT (20210915 - cc91ae3) starting at [127.0.0.1]:5702 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [system] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Cluster name: dev 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [security] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] ?Status of security related features: ? Custom cluster name used ? Member multicast discovery/join method disabled ? Advanced networking used - Sockets separated ? Server sockets bound to a single network interface ? Jet disabled ? Jet resource upload disabled ? User code deployment disallowed ? Scripting in Management Center disabled ? Security enabled (Enterprise) ? TLS - communication protection (Enterprise) ? Auditlog enabled (Enterprise) Check the hazelcast-security-hardened.xml/yaml example config file to find how to configure these security related settings. 02:22:36,919 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [HealthMonitor] hz.lucid_matsumoto.HealthMonitor - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] processors=8, physical.memory.total=377.6G, physical.memory.free=257.8G, swap.space.total=4.0G, swap.space.free=4.0G, heap.memory.used=1.3G, heap.memory.free=500.9M, heap.memory.total=1.8G, heap.memory.max=1.8G, heap.memory.used/total=72.81%, heap.memory.used/max=72.81%, minor.gc.count=5284, minor.gc.time=55189ms, major.gc.count=7, major.gc.time=1860ms, load.process=0.18%, load.system=16.29%, load.systemAverage=7.01, thread.count=63, thread.peakCount=2126, cluster.timeDiff=0, event.q.size=0, executor.q.async.size=0, executor.q.client.size=0, executor.q.client.query.size=0, executor.q.client.blocking.size=0, executor.q.query.size=0, executor.q.scheduled.size=0, executor.q.io.size=0, executor.q.system.size=0, executor.q.operations.size=0, executor.q.priorityOperation.size=0, operations.completed.count=0, executor.q.mapLoad.size=0, executor.q.mapLoadAllKeys.size=0, executor.q.cluster.size=0, executor.q.response.size=0, operations.running.count=0, operations.pending.invocations.percentage=0.00%, operations.pending.invocations.count=0, proxy.count=0, clientEndpoint.count=0, connection.active.count=0, client.connection.count=0, connection.count=0 02:22:36,922 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MetricsConfigHelper] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Collecting debug metrics and sending to diagnostics is enabled 02:22:36,924 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [CPSubsystem] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] CP Subsystem is not enabled. CP data structures will operate in UNSAFE mode! Please note that UNSAFE mode will not provide strong consistency guarantees. 02:22:36,926 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JetServiceBackend] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Setting number of cooperative threads and default parallelism to 1 02:22:36,926 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Diagnostics] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Diagnostics disabled. To enable add -Dhazelcast.diagnostics.enabled=true to the JVM arguments. 02:22:36,926 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5702 is STARTING 02:22:36,927 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MockServer] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Created connection to endpoint: [127.0.0.1]:5701, connection: MockConnection{localEndpoint=[127.0.0.1]:5702, remoteEndpoint=[127.0.0.1]:5701, alive=true} 02:22:36,927 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MockServer] hz.lucid_matsumoto.priority-generic-operation.thread-0 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Created connection to endpoint: [127.0.0.1]:5702, connection: MockConnection{localEndpoint=[127.0.0.1]:5701, remoteEndpoint=[127.0.0.1]:5702, alive=true} 02:22:36,927 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [ClusterService] hz.lucid_matsumoto.priority-generic-operation.thread-0 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Members {size:2, ver:2} [ Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 this Member [127.0.0.1]:5702 - 49ab8b80-2c4f-4fd8-be43-6e5377dcd047 ] 02:22:36,937 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,019 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,027 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JetExtension] hz.elegant_matsumoto.priority-generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Jet is enabled 02:22:37,028 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [ClusterService] hz.elegant_matsumoto.priority-generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Members {size:2, ver:2} [ Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 Member [127.0.0.1]:5702 - 49ab8b80-2c4f-4fd8-be43-6e5377dcd047 this ] 02:22:37,119 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,219 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,319 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,419 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Not starting jobs because partitions are not yet initialized. 02:22:37,427 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5702 is STARTED 02:22:37,428 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [HealthMonitor] hz.elegant_matsumoto.HealthMonitor - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] processors=8, physical.memory.total=377.6G, physical.memory.free=257.7G, swap.space.total=4.0G, swap.space.free=4.0G, heap.memory.used=1.3G, heap.memory.free=493.6M, heap.memory.total=1.8G, heap.memory.max=1.8G, heap.memory.used/total=73.21%, heap.memory.used/max=73.21%, minor.gc.count=5284, minor.gc.time=55189ms, major.gc.count=7, major.gc.time=1860ms, load.process=0.03%, load.system=15.85%, load.systemAverage=7.01, thread.count=89, thread.peakCount=2126, cluster.timeDiff=-1, event.q.size=0, executor.q.async.size=0, executor.q.client.size=0, executor.q.client.query.size=0, executor.q.client.blocking.size=0, executor.q.query.size=0, executor.q.scheduled.size=0, executor.q.io.size=0, executor.q.system.size=0, executor.q.operations.size=0, executor.q.priorityOperation.size=0, operations.completed.count=15, executor.q.mapLoad.size=0, executor.q.mapLoadAllKeys.size=0, executor.q.cluster.size=0, executor.q.response.size=0, operations.running.count=0, operations.pending.invocations.percentage=0.00%, operations.pending.invocations.count=0, proxy.count=1, clientEndpoint.count=0, connection.active.count=0, client.connection.count=0, connection.count=0 02:22:37,429 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [PartitionStateManager] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Initializing cluster partition table arrangement... 02:22:37,429 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Creating job classLoader for job 06ce-0fb3-dd00-0001 02:22:37,429 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Create processor classloader map for job 06ce-0fb3-dd00-0001 02:22:37,429 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,430 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,430 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-3 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,430 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,431 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,432 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,434 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,438 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,447 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,463 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,496 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,520 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobRepository] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Job cleanup took 0ms 02:22:37,561 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Starting job 06ce-0fb3-dd00-0001 based on submit request 02:22:37,562 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Didn't find any snapshot to restore for job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,562 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Start executing job 'job1', execution 06ce-0fb3-dd01-0001, execution graph in DOT format: digraph DAG { "test" [localParallelism=1]; } HINT: You can use graphviz or http://viz-js.com to visualize the printed graph. 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Building execution plan for job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Built execution plans for job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [InitExecutionOperation] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Initializing execution plan for job 06ce-0fb3-dd00-0001, execution 06ce-0fb3-dd01-0001 from [127.0.0.1]:5701 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [InitExecutionOperation] hz.elegant_matsumoto.generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Initializing execution plan for job 06ce-0fb3-dd00-0001, execution 06ce-0fb3-dd01-0001 from [127.0.0.1]:5701 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.elegant_matsumoto.generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Creating job classLoader for job 06ce-0fb3-dd00-0001 02:22:37,562 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.elegant_matsumoto.generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Create processor classloader map for job 06ce-0fb3-dd00-0001 02:22:37,563 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobExecutionService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Execution plan for jobId=06ce-0fb3-dd00-0001, jobName='job1', executionId=06ce-0fb3-dd01-0001 initialized 02:22:37,563 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobExecutionService] hz.elegant_matsumoto.generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Execution plan for jobId=06ce-0fb3-dd00-0001, jobName='job1', executionId=06ce-0fb3-dd01-0001 initialized 02:22:37,563 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Init of job 'job1', execution 06ce-0fb3-dd01-0001 was successful 02:22:37,563 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Executing job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,563 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobExecutionService] hz.lucid_matsumoto.cached.thread-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Start execution of job 'job1', execution 06ce-0fb3-dd01-0001 from coordinator [127.0.0.1]:5701 02:22:37,563 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobExecutionService] hz.elegant_matsumoto.generic-operation.thread-1 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Start execution of job 'job1', execution 06ce-0fb3-dd01-0001 from coordinator [127.0.0.1]:5701 02:22:37,762 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Job] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Sending SUSPEND_GRACEFUL request for job 06ce-0fb3-dd00-0001 (name ??) 02:22:37,764 ERROR || - [ExecutionContext] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] job 'job1', execution 06ce-0fb3-dd01-0001 encountered an exception in ProcessorSupplier.close(), ignoring it java.lang.AssertionError: Close called without init being called on all the nodes. Init count: 2 node count: 4 at org.junit.Assert.fail(Assert.java:89) ~[junit-4.13.2.jar:4.13.2] at org.junit.Assert.assertTrue(Assert.java:42) ~[junit-4.13.2.jar:4.13.2] at com.hazelcast.jet.core.TestProcessors$MockPS.close(TestProcessors.java:278) ~[test-classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.lambda$null$689bdc39$1(ExecutionContext.java:260) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.lambda$completeExecution$e411c726$1(ExecutionContext.java:260) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.completeExecution(ExecutionContext.java:255) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.lambda$completeExecution$559b0d71$1(JobExecutionService.java:438) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.completeExecution(JobExecutionService.java:438) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.lambda$beginExecution0$10(JobExecutionService.java:482) ~[classes/:?] at com.hazelcast.jet.impl.util.ExceptionUtil.lambda$withTryCatch$0(ExceptionUtil.java:172) ~[classes/:?] at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:774) [?:1.8.0_251] at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:750) [?:1.8.0_251] at java.util.concurrent.CompletableFuture$Completion.exec(CompletableFuture.java:457) [?:1.8.0_251] at java.util.concurrent.ForkJoinTask.doExec(ForkJoinTask.java:289) [?:1.8.0_251] at java.util.concurrent.ForkJoinPool$WorkQueue.runTask(ForkJoinPool.java:1056) [?:1.8.0_251] at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1692) [?:1.8.0_251] at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:157) [?:1.8.0_251] 02:22:37,764 ERROR || - [ExecutionContext] ForkJoinPool.commonPool-worker-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] job 'job1', execution 06ce-0fb3-dd01-0001 encountered an exception in ProcessorSupplier.close(), ignoring it java.lang.AssertionError: Close called without init being called on all the nodes. Init count: 2 node count: 4 at org.junit.Assert.fail(Assert.java:89) ~[junit-4.13.2.jar:4.13.2] at org.junit.Assert.assertTrue(Assert.java:42) ~[junit-4.13.2.jar:4.13.2] at com.hazelcast.jet.core.TestProcessors$MockPS.close(TestProcessors.java:278) ~[test-classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.lambda$null$689bdc39$1(ExecutionContext.java:260) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.lambda$completeExecution$e411c726$1(ExecutionContext.java:260) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.execution.ExecutionContext.completeExecution(ExecutionContext.java:255) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.lambda$completeExecution$559b0d71$1(JobExecutionService.java:438) ~[classes/:?] at com.hazelcast.jet.function.RunnableEx.run(RunnableEx.java:31) ~[classes/:?] at com.hazelcast.jet.impl.util.Util.doWithClassLoader(Util.java:516) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.completeExecution(JobExecutionService.java:438) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.lambda$beginExecution0$10(JobExecutionService.java:482) ~[classes/:?] at com.hazelcast.jet.impl.util.ExceptionUtil.lambda$withTryCatch$0(ExceptionUtil.java:172) ~[classes/:?] at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:774) [?:1.8.0_251] at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:750) [?:1.8.0_251] at java.util.concurrent.CompletableFuture$Completion.exec(CompletableFuture.java:457) [?:1.8.0_251] at java.util.concurrent.ForkJoinTask.doExec(ForkJoinTask.java:289) [?:1.8.0_251] at java.util.concurrent.ForkJoinPool$WorkQueue.runTask(ForkJoinPool.java:1056) [?:1.8.0_251] at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1692) [?:1.8.0_251] at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:157) [?:1.8.0_251] 02:22:37,764 DEBUG || - [JobExecutionService] ForkJoinPool.commonPool-worker-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Completed execution of job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,764 DEBUG || - [JobClassLoaderService] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Finish JobClassLoaders phaseCount = 0, removing classloaders for jobId=06ce-0fb3-dd00-0001 02:22:37,764 DEBUG || - [JobExecutionService] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Completed execution of job 'job1', execution 06ce-0fb3-dd01-0001 02:22:37,764 DEBUG || - [JobExecutionService] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Execution of job 'job1', execution 06ce-0fb3-dd01-0001 completed with failure java.util.concurrent.CompletionException: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL at java.util.concurrent.CompletableFuture.encodeThrowable(CompletableFuture.java:292) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.completeThrowable(CompletableFuture.java:308) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:783) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:750) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.postComplete(CompletableFuture.java:488) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.completeExceptionally(CompletableFuture.java:1990) ~[?:1.8.0_251] at com.hazelcast.jet.impl.util.NonCompletableFuture.internalCompleteExceptionally(NonCompletableFuture.java:72) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$ExecutionTracker.taskletDone(TaskletExecutionService.java:489) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.dismissTasklet(TaskletExecutionService.java:420) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.runTasklet(TaskletExecutionService.java:406) ~[classes/:?] at java.util.concurrent.CopyOnWriteArrayList.forEach(CopyOnWriteArrayList.java:891) ~[?:1.8.0_251] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.run(TaskletExecutionService.java:356) ~[classes/:?] at java.lang.Thread.run(Thread.java:748) ~[?:1.8.0_251] Caused by: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL at com.hazelcast.jet.impl.execution.ExecutionContext.terminateExecution(ExecutionContext.java:293) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.terminateExecution0(JobExecutionService.java:600) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.terminateExecution(JobExecutionService.java:596) ~[classes/:?] at com.hazelcast.jet.impl.operation.TerminateExecutionOperation.run(TerminateExecutionOperation.java:58) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.Operation.call(Operation.java:196) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.call(OperationRunnerImpl.java:273) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.run(OperationRunnerImpl.java:249) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.run(OperationRunnerImpl.java:470) ~[classes/:?] at com.hazelcast.spi.impl.operationexecutor.impl.OperationThread.process(OperationThread.java:197) ~[classes/:?] at com.hazelcast.spi.impl.operationexecutor.impl.OperationThread.process(OperationThread.java:137) ~[classes/:?] at com.hazelcast.spi.impl.operationexecutor.impl.OperationThread.executeRun(OperationThread.java:123) ~[classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) ~[classes/:?] 02:22:37,764 DEBUG || - [JobExecutionService] ForkJoinPool.commonPool-worker-4 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Execution of job 'job1', execution 06ce-0fb3-dd01-0001 completed with failure java.util.concurrent.CompletionException: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL at java.util.concurrent.CompletableFuture.encodeThrowable(CompletableFuture.java:292) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.completeThrowable(CompletableFuture.java:308) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:783) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:750) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.postComplete(CompletableFuture.java:488) ~[?:1.8.0_251] at java.util.concurrent.CompletableFuture.completeExceptionally(CompletableFuture.java:1990) ~[?:1.8.0_251] at com.hazelcast.jet.impl.util.NonCompletableFuture.internalCompleteExceptionally(NonCompletableFuture.java:72) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$ExecutionTracker.taskletDone(TaskletExecutionService.java:489) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.dismissTasklet(TaskletExecutionService.java:420) ~[classes/:?] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.runTasklet(TaskletExecutionService.java:406) ~[classes/:?] at java.util.concurrent.CopyOnWriteArrayList.forEach(CopyOnWriteArrayList.java:891) ~[?:1.8.0_251] at com.hazelcast.jet.impl.execution.TaskletExecutionService$CooperativeWorker.run(TaskletExecutionService.java:356) ~[classes/:?] at java.lang.Thread.run(Thread.java:748) ~[?:1.8.0_251] Caused by: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL at com.hazelcast.jet.impl.execution.ExecutionContext.terminateExecution(ExecutionContext.java:293) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.terminateExecution0(JobExecutionService.java:600) ~[classes/:?] at com.hazelcast.jet.impl.JobExecutionService.terminateExecution(JobExecutionService.java:596) ~[classes/:?] at com.hazelcast.jet.impl.operation.TerminateExecutionOperation.run(TerminateExecutionOperation.java:58) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.Operation.call(Operation.java:196) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.call(OperationRunnerImpl.java:273) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.run(OperationRunnerImpl.java:249) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.OperationRunnerImpl.run(OperationRunnerImpl.java:214) ~[classes/:?] at com.hazelcast.spi.impl.operationexecutor.impl.OperationExecutorImpl.run(OperationExecutorImpl.java:411) ~[classes/:?] at com.hazelcast.spi.impl.operationexecutor.impl.OperationExecutorImpl.runOrExecute(OperationExecutorImpl.java:438) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.Invocation.doInvokeLocal(Invocation.java:600) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.Invocation.doInvoke(Invocation.java:579) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.Invocation.invoke0(Invocation.java:540) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.Invocation.invoke(Invocation.java:240) ~[classes/:?] at com.hazelcast.spi.impl.operationservice.impl.InvocationBuilderImpl.invoke(InvocationBuilderImpl.java:59) ~[classes/:?] at com.hazelcast.jet.impl.MasterContext.invokeOnParticipant(MasterContext.java:294) ~[classes/:?] at com.hazelcast.jet.impl.MasterContext.invokeOnParticipants(MasterContext.java:277) ~[classes/:?] at com.hazelcast.jet.impl.MasterJobContext.lambda$cancelExecutionInvocations$17(MasterJobContext.java:618) ~[classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) ~[?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) ~[?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) ~[?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) ~[classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) ~[classes/:?] 02:22:37,765 DEBUG || - [MasterJobContext] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] job 'job1', execution 06ce-0fb3-dd01-0001 received response to StartExecutionOperation from [127.0.0.1]:5701: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL 02:22:37,765 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] job 'job1', execution 06ce-0fb3-dd01-0001 received response to StartExecutionOperation from [127.0.0.1]:5702: com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL 02:22:37,765 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MasterJobContext] ForkJoinPool.commonPool-worker-1 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Execution of job 'job1', execution 06ce-0fb3-dd01-0001 has failures: [[127.0.0.1]:5702=com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL, [127.0.0.1]:5701=com.hazelcast.jet.impl.exception.JobTerminateRequestedException: SUSPEND_FORCEFUL] 02:22:37,765 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Finish JobClassLoaders phaseCount = 0, removing classloaders for jobId=06ce-0fb3-dd00-0001 02:22:37,962 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is SHUTTING_DOWN 02:22:37,962 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Added a shutting-down member: 67e1f201-35d0-49ee-b383-d1aa87c83fc6 02:22:37,963 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MigrationManager] hz.lucid_matsumoto.cached.thread-6 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Shutdown request of Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 this is handled 02:22:37,963 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MigrationManager] hz.lucid_matsumoto.migration - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Repartitioning cluster data. Migration tasks count: 6 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MigrationManager] hz.lucid_matsumoto.migration - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] All migration tasks have been completed. (repartitionTime=Wed Sep 15 02:22:37 UTC 2021, plannedMigrations=6, completedMigrations=6, remainingMigrations=0, totalCompletedMigrations=6, elapsedMigrationOperationTime=8ms, totalElapsedMigrationOperationTime=8ms, elapsedDestinationCommitTime=0ms, totalElapsedDestinationCommitTime=0ms, elapsedMigrationTime=9ms, totalElapsedMigrationTime=9ms) 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Shutting down connection manager... 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MockServer] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Removed connection to endpoint: [127.0.0.1]:5701, connection: MockConnection{localEndpoint=[127.0.0.1]:5702, remoteEndpoint=[127.0.0.1]:5701, alive=false} 02:22:37,966 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [OutboundResponseHandler] hz.elegant_matsumoto.priority-generic-operation.thread-0 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Cannot send response: true to [127.0.0.1]:5701. com.hazelcast.internal.partition.operation.PublishCompletedMigrationsOperation{serviceName='hz:core:partitionService', identityHash=430972487, partitionId=-1, replicaIndex=0, callId=95, invocationTime=1631672557966 (2021-09-15 02:22:37.966), waitTimeout=-1, callTimeout=60000, tenantControl=com.hazelcast.spi.impl.tenantcontrol.NoopTenantControl@0} 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MockServer] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Removed connection to endpoint: [127.0.0.1]:5702, connection: MockConnection{localEndpoint=[127.0.0.1]:5701, remoteEndpoint=[127.0.0.1]:5702, alive=false} 02:22:37,966 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MembershipManager] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 is suspected to be dead for reason: Connection manager is stopped on Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6 this 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MembershipManager] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Starting mastership claim process... 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MembershipManager] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Local MembersView{version=2, members=[MemberInfo{address=[127.0.0.1]:5701, uuid=67e1f201-35d0-49ee-b383-d1aa87c83fc6, liteMember=false, memberListJoinVersion=1}, MemberInfo{address=[127.0.0.1]:5702, uuid=49ab8b80-2c4f-4fd8-be43-6e5377dcd047, liteMember=false, memberListJoinVersion=2}]} with suspected members: [Member [127.0.0.1]:5701 - 67e1f201-35d0-49ee-b383-d1aa87c83fc6] and initial addresses to ask: [] 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Shutting down node engine... 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [ClusterService] hz.elegant_matsumoto.cached.thread-3 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Members {size:1, ver:3} [ Member [127.0.0.1]:5702 - 49ab8b80-2c4f-4fd8-be43-6e5377dcd047 this ] 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MembershipManager] hz.elegant_matsumoto.cached.thread-3 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Mastership is claimed with: MembersView{version=3, members=[MemberInfo{address=[127.0.0.1]:5702, uuid=49ab8b80-2c4f-4fd8-be43-6e5377dcd047, liteMember=false, memberListJoinVersion=2}]} 02:22:37,966 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [TransactionManagerService] hz.elegant_matsumoto.cached.thread-10 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Committing/rolling-back live transactions of [127.0.0.1]:5701, UUID: 67e1f201-35d0-49ee-b383-d1aa87c83fc6 02:22:37,967 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [NodeExtension] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Destroying node NodeExtension. 02:22:37,967 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Hazelcast Shutdown is completed in 5 ms. 02:22:37,967 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is SHUTDOWN 02:22:37,967 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.elegant_matsumoto.cached.thread-10 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Creating job classLoader for job 06ce-0fb4-63c0-0002 02:22:37,967 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobClassLoaderService] hz.elegant_matsumoto.cached.thread-10 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Create processor classloader map for job 06ce-0fb4-63c0-0002 02:22:37,968 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-10 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,968 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-6 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,968 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-10 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,969 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,969 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-6 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,970 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,972 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,977 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:37,985 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,002 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,034 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,099 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,216 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [InternalPartitionService] hz.elegant_matsumoto.migration - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Fetching partition tables from cluster to determine the most recent one... Local stamp: 6034249593370780565 02:22:38,216 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [InternalPartitionService] hz.elegant_matsumoto.migration - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Most recent partition table is determined. 02:22:38,216 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [InternalPartitionService] hz.elegant_matsumoto.migration - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Applying the most recent of partition state... 02:22:38,217 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [MigrationManager] hz.elegant_matsumoto.migration - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Partition balance is ok, no need to repartition. 02:22:38,228 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,485 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-6 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:38,985 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-6 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:39,486 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-5 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:39,986 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-5 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:40,487 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-2 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:40,988 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-2 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:41,489 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-2 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:41,989 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-2 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.spi.exception.RetryableHazelcastException: Cannot submit job with name 'job1' before the master node initializes job coordination service's state at com.hazelcast.jet.impl.JobCoordinationService.hasActiveJobWithName(JobCoordinationService.java:381) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:266) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:42,028 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobRepository] hz.elegant_matsumoto.cached.thread-2 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Job cleanup took 0ms 02:22:42,490 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] null com.hazelcast.jet.JobAlreadyExistsException: Another active job with equal name (job1) exists: 06ce-0fb4-63c0-0002 at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitJob$1(JobCoordinationService.java:280) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$52(JobCoordinationService.java:1227) ~[classes/:?] at com.hazelcast.jet.impl.JobCoordinationService.lambda$submitToCoordinatorThread$53(JobCoordinationService.java:1248) ~[classes/:?] at com.hazelcast.internal.util.executor.CompletableFutureTask.run(CompletableFutureTask.java:64) [classes/:?] at com.hazelcast.internal.util.executor.CachedExecutorServiceDelegate$Worker.run(CachedExecutorServiceDelegate.java:217) [classes/:?] at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149) [?:1.8.0_251] at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624) [?:1.8.0_251] at java.lang.Thread.run(Thread.java:748) [?:1.8.0_251] at com.hazelcast.internal.util.executor.HazelcastManagedThread.executeRun(HazelcastManagedThread.java:76) [classes/:?] at com.hazelcast.internal.util.executor.HazelcastManagedThread.run(HazelcastManagedThread.java:102) [classes/:?] 02:22:42,491 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [AbstractJobProxy] Time-limited test - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Sending CANCEL_FORCEFUL request for job 06ce-0fb3-dd00-0001 (name ??) 02:22:42,491 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobCoordinationService] hz.elegant_matsumoto.cached.thread-9 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] job 'job1', execution 0000-0000-0000-0000 is completed 02:22:47,028 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobRepository] hz.elegant_matsumoto.cached.thread-3 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Job cleanup took 0ms 02:22:52,029 DEBUG |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JobRepository] hz.elegant_matsumoto.cached.thread-5 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Job cleanup took 0ms 02:22:52,499 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [JetTestSupport] Time-limited test - Terminating instanceFactory in JetTestSupport.@After 02:22:52,499 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5702 is SHUTTING_DOWN 02:22:52,499 WARN |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Terminating forcefully... 02:22:52,500 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Shutting down connection manager... 02:22:52,500 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Shutting down node engine... 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [NodeExtension] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Destroying node NodeExtension. 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] Hazelcast Shutdown is completed in 2 ms. 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Thread-5263 - [127.0.0.1]:5702 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5702 is SHUTDOWN 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Thread-5263 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is SHUTTING_DOWN 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [Node] Thread-5263 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] Node is already shutting down... Waiting for shutdown process to complete... 02:22:52,501 INFO |when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails| - [LifecycleService] Thread-5263 - [127.0.0.1]:5701 [dev] [5.0-SNAPSHOT] [127.0.0.1]:5701 is SHUTDOWN BuildInfo right after when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails(com.hazelcast.jet.core.Job_SeparateClusterTest): BuildInfo{version='5.0-SNAPSHOT', build='20210915', buildNumber=20210915, revision=cc91ae3, enterprise=false, serializationVersion=1} Hiccups measured while running test 'when_suspendedJobScannedOnNewMaster_then_newJobWithEqualNameFails(com.hazelcast.jet.core.Job_SeparateClusterTest):' 02:22:35, accumulated pauses: 31 ms, max pause: 0 ms, pauses over 1000 ms: 0 02:22:40, accumulated pauses: 35 ms, max pause: 0 ms, pauses over 1000 ms: 0 02:22:45, accumulated pauses: 36 ms, max pause: 1 ms, pauses over 1000 ms: 0 02:22:50, accumulated pauses: 14 ms, max pause: 0 ms, pauses over 1000 ms: 0 ```
non_defect
com hazelcast jet core job separateclustertest when suspendedjobscannedonnewmaster then newjobwithequalnamefail fails with assertion message com hazelcast jet core job separateclustertest when suspendedjobscannedonnewmaster then newjobwithequalnamefail fails with assertion message master commit insert commit id here failed on oracle jdk stacktrace java lang assertionerror expected an instance of com hazelcast jet jobalreadyexistsexception but org junit internal runners model multiplefailureexception there were errors com hazelcast jet jobalreadyexistsexception another active job with equal name exists java lang assertionerror there are one or more leaked job classloaders this is a bug but it is not necessarily related to this test the classloader was leaked for the following jobids is a org junit internal runners model multiplefailureexception stacktrace was com hazelcast jet jobalreadyexistsexception another active job with equal name exists at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java java lang assertionerror there are one or more leaked job classloaders this is a bug but it is not necessarily related to this test the classloader was leaked for the following jobids at org junit assert fail assert java at com hazelcast jet core jettestsupport shutdownfactory jettestsupport java at sun reflect invoke unknown source at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org junit runners model frameworkmethod runreflectivecall frameworkmethod java at org junit internal runners model reflectivecallable run reflectivecallable java at org junit runners model frameworkmethod invokeexplosively frameworkmethod java at com hazelcast test abstracthazelcastclassrunner threaddumpawarerunafters evaluate abstracthazelcastclassrunner java at org junit rules expectedexception expectedexceptionstatement evaluate expectedexception java at com hazelcast test dumpbuildinfoonfailurerule evaluate dumpbuildinfoonfailurerule java at com hazelcast test jitter jitterrule evaluate jitterrule java at com hazelcast test metrics metricsrule evaluate metricsrule java at org junit runners parentrunner evaluate parentrunner java at org junit runners evaluate java at org junit runners parentrunner runleaf parentrunner java at org junit runners runchild java at com hazelcast test hazelcastserialclassrunner runchild hazelcastserialclassrunner java at com hazelcast test hazelcastserialclassrunner runchild hazelcastserialclassrunner java at org junit runners parentrunner run parentrunner java at org junit runners parentrunner schedule parentrunner java at org junit runners parentrunner runchildren parentrunner java at org junit runners parentrunner access parentrunner java at org junit runners parentrunner evaluate parentrunner java at com hazelcast test afterclassesstatement evaluate afterclassesstatement java at com hazelcast test overridepropertyrule evaluate overridepropertyrule java at org junit internal runners statements failontimeout callablestatement call failontimeout java at org junit internal runners statements failontimeout callablestatement call failontimeout java at java util concurrent futuretask run futuretask java at java lang thread run thread java at org hamcrest matcherassert assertthat matcherassert java at org junit assert assertthat assert java at org junit assert assertthat assert java at org junit rules expectedexception handleexception expectedexception java at org junit rules expectedexception access expectedexception java at org junit rules expectedexception expectedexceptionstatement evaluate expectedexception java at com hazelcast test dumpbuildinfoonfailurerule evaluate dumpbuildinfoonfailurerule java at com hazelcast test jitter jitterrule evaluate jitterrule java at com hazelcast test metrics metricsrule evaluate metricsrule java at org junit runners parentrunner evaluate parentrunner java at org junit runners evaluate java at org junit runners parentrunner runleaf parentrunner java at org junit runners runchild java at com hazelcast test hazelcastserialclassrunner runchild hazelcastserialclassrunner java at com hazelcast test hazelcastserialclassrunner runchild hazelcastserialclassrunner java at org junit runners parentrunner run parentrunner java at org junit runners parentrunner schedule parentrunner java at org junit runners parentrunner runchildren parentrunner java at org junit runners parentrunner access parentrunner java at org junit runners parentrunner evaluate parentrunner java at com hazelcast test afterclassesstatement evaluate afterclassesstatement java at com hazelcast test overridepropertyrule evaluate overridepropertyrule java at org junit internal runners statements failontimeout callablestatement call failontimeout java at org junit internal runners statements failontimeout callablestatement call failontimeout java at java util concurrent futuretask run futuretask java at java lang thread run thread java standard output finished running test when joinfromclienttimesout then futureshouldnotbecompletedearly in seconds started running test when suspendedjobscannedonnewmaster then newjobwithequalnamefails info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test overridden metrics configuration with system property hazelcast metrics collection frequency metricsconfig collectionfrequencyseconds info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test copyright c hazelcast inc all rights reserved info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test hazelcast platform snapshot starting at info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test cluster name dev info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test status of security related features custom cluster name used member multicast discovery join method disabled advanced networking used sockets separated server sockets bound to a single network interface jet disabled jet resource upload disabled user code deployment disallowed scripting in management center disabled security enabled enterprise tls communication protection enterprise auditlog enabled enterprise check the hazelcast security hardened xml yaml example config file to find how to configure these security related settings info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test collecting debug metrics and sending to diagnostics is enabled warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test cp subsystem is not enabled cp data structures will operate in unsafe mode please note that unsafe mode will not provide strong consistency guarantees info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test setting number of cooperative threads and default parallelism to info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test diagnostics disabled to enable add dhazelcast diagnostics enabled true to the jvm arguments info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test is starting info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test jet is enabled info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test members size ver member this info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test is started debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread not starting jobs because partitions are not yet initialized info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test overridden metrics configuration with system property hazelcast metrics collection frequency metricsconfig collectionfrequencyseconds info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o o info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test copyright c hazelcast inc all rights reserved info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test hazelcast platform snapshot starting at info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test cluster name dev info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test status of security related features custom cluster name used member multicast discovery join method disabled advanced networking used sockets separated server sockets bound to a single network interface jet disabled jet resource upload disabled user code deployment disallowed scripting in management center disabled security enabled enterprise tls communication protection enterprise auditlog enabled enterprise check the hazelcast security hardened xml yaml example config file to find how to configure these security related settings info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto healthmonitor processors physical memory total physical memory free swap space total swap space free heap memory used heap memory free heap memory total heap memory max heap memory used total heap memory used max minor gc count minor gc time major gc count major gc time load process load system load systemaverage thread count thread peakcount cluster timediff event q size executor q async size executor q client size executor q client query size executor q client blocking size executor q query size executor q scheduled size executor q io size executor q system size executor q operations size executor q priorityoperation size operations completed count executor q mapload size executor q maploadallkeys size executor q cluster size executor q response size operations running count operations pending invocations percentage operations pending invocations count proxy count clientendpoint count connection active count client connection count connection count info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test collecting debug metrics and sending to diagnostics is enabled warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test cp subsystem is not enabled cp data structures will operate in unsafe mode please note that unsafe mode will not provide strong consistency guarantees info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test setting number of cooperative threads and default parallelism to info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test diagnostics disabled to enable add dhazelcast diagnostics enabled true to the jvm arguments info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test is starting info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test created connection to endpoint connection mockconnection localendpoint remoteendpoint alive true info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto priority generic operation thread created connection to endpoint connection mockconnection localendpoint remoteendpoint alive true info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto priority generic operation thread members size ver member this member debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread not starting jobs because partitions are not yet initialized debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread not starting jobs because partitions are not yet initialized info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto priority generic operation thread jet is enabled info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto priority generic operation thread members size ver member member this debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread not starting jobs because partitions are not yet initialized debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread not starting jobs because partitions are not yet initialized debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread not starting jobs because partitions are not yet initialized debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread not starting jobs because partitions are not yet initialized info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test is started info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto healthmonitor processors physical memory total physical memory free swap space total swap space free heap memory used heap memory free heap memory total heap memory max heap memory used total heap memory used max minor gc count minor gc time major gc count major gc time load process load system load systemaverage thread count thread peakcount cluster timediff event q size executor q async size executor q client size executor q client query size executor q client blocking size executor q query size executor q scheduled size executor q io size executor q system size executor q operations size executor q priorityoperation size operations completed count executor q mapload size executor q maploadallkeys size executor q cluster size executor q response size operations running count operations pending invocations percentage operations pending invocations count proxy count clientendpoint count connection active count client connection count connection count info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread initializing cluster partition table arrangement debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread creating job classloader for job debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread create processor classloader map for job warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread job cleanup took info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread starting job based on submit request info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread didn t find any snapshot to restore for job execution info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread start executing job execution execution graph in dot format digraph dag test hint you can use graphviz or to visualize the printed graph debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread building execution plan for job execution debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread built execution plans for job execution debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread initializing execution plan for job execution from debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto generic operation thread initializing execution plan for job execution from debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto generic operation thread creating job classloader for job debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto generic operation thread create processor classloader map for job info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread execution plan for jobid jobname executionid initialized info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto generic operation thread execution plan for jobid jobname executionid initialized debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread init of job execution was successful debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread executing job execution info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread start execution of job execution from coordinator info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto generic operation thread start execution of job execution from coordinator debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails sending suspend graceful request for job name error forkjoinpool commonpool worker job execution encountered an exception in processorsupplier close ignoring it java lang assertionerror close called without init being called on all the nodes init count node count at org junit assert fail assert java at org junit assert asserttrue assert java at com hazelcast jet core testprocessors mockps close testprocessors java at com hazelcast jet impl execution executioncontext lambda null executioncontext java at com hazelcast jet function runnableex run runnableex java at com hazelcast jet impl util util dowithclassloader util java at com hazelcast jet impl execution executioncontext lambda completeexecution executioncontext java at com hazelcast jet function runnableex run runnableex java at com hazelcast jet impl util util dowithclassloader util java at com hazelcast jet impl execution executioncontext completeexecution executioncontext java at com hazelcast jet impl jobexecutionservice lambda completeexecution jobexecutionservice java at com hazelcast jet function runnableex run runnableex java at com hazelcast jet impl util util dowithclassloader util java at com hazelcast jet impl jobexecutionservice completeexecution jobexecutionservice java at com hazelcast jet impl jobexecutionservice lambda jobexecutionservice java at com hazelcast jet impl util exceptionutil lambda withtrycatch exceptionutil java at java util concurrent completablefuture uniwhencomplete completablefuture java at java util concurrent completablefuture uniwhencomplete tryfire completablefuture java at java util concurrent completablefuture completion exec completablefuture java at java util concurrent forkjointask doexec forkjointask java at java util concurrent forkjoinpool workqueue runtask forkjoinpool java at java util concurrent forkjoinpool runworker forkjoinpool java at java util concurrent forkjoinworkerthread run forkjoinworkerthread java error forkjoinpool commonpool worker job execution encountered an exception in processorsupplier close ignoring it java lang assertionerror close called without init being called on all the nodes init count node count at org junit assert fail assert java at org junit assert asserttrue assert java at com hazelcast jet core testprocessors mockps close testprocessors java at com hazelcast jet impl execution executioncontext lambda null executioncontext java at com hazelcast jet function runnableex run runnableex java at com hazelcast jet impl util util dowithclassloader util java at com hazelcast jet impl execution executioncontext lambda completeexecution executioncontext java at com hazelcast jet function runnableex run runnableex java at com hazelcast jet impl util util dowithclassloader util java at com hazelcast jet impl execution executioncontext completeexecution executioncontext java at com hazelcast jet impl jobexecutionservice lambda completeexecution jobexecutionservice java at com hazelcast jet function runnableex run runnableex java at com hazelcast jet impl util util dowithclassloader util java at com hazelcast jet impl jobexecutionservice completeexecution jobexecutionservice java at com hazelcast jet impl jobexecutionservice lambda jobexecutionservice java at com hazelcast jet impl util exceptionutil lambda withtrycatch exceptionutil java at java util concurrent completablefuture uniwhencomplete completablefuture java at java util concurrent completablefuture uniwhencomplete tryfire completablefuture java at java util concurrent completablefuture completion exec completablefuture java at java util concurrent forkjointask doexec forkjointask java at java util concurrent forkjoinpool workqueue runtask forkjoinpool java at java util concurrent forkjoinpool runworker forkjoinpool java at java util concurrent forkjoinworkerthread run forkjoinworkerthread java debug forkjoinpool commonpool worker completed execution of job execution debug forkjoinpool commonpool worker finish jobclassloaders phasecount removing classloaders for jobid debug forkjoinpool commonpool worker completed execution of job execution debug forkjoinpool commonpool worker execution of job execution completed with failure java util concurrent completionexception com hazelcast jet impl exception jobterminaterequestedexception suspend forceful at java util concurrent completablefuture encodethrowable completablefuture java at java util concurrent completablefuture completethrowable completablefuture java at java util concurrent completablefuture uniwhencomplete completablefuture java at java util concurrent completablefuture uniwhencomplete tryfire completablefuture java at java util concurrent completablefuture postcomplete completablefuture java at java util concurrent completablefuture completeexceptionally completablefuture java at com hazelcast jet impl util noncompletablefuture internalcompleteexceptionally noncompletablefuture java at com hazelcast jet impl execution taskletexecutionservice executiontracker taskletdone taskletexecutionservice java at com hazelcast jet impl execution taskletexecutionservice cooperativeworker dismisstasklet taskletexecutionservice java at com hazelcast jet impl execution taskletexecutionservice cooperativeworker runtasklet taskletexecutionservice java at java util concurrent copyonwritearraylist foreach copyonwritearraylist java at com hazelcast jet impl execution taskletexecutionservice cooperativeworker run taskletexecutionservice java at java lang thread run thread java caused by com hazelcast jet impl exception jobterminaterequestedexception suspend forceful at com hazelcast jet impl execution executioncontext terminateexecution executioncontext java at com hazelcast jet impl jobexecutionservice jobexecutionservice java at com hazelcast jet impl jobexecutionservice terminateexecution jobexecutionservice java at com hazelcast jet impl operation terminateexecutionoperation run terminateexecutionoperation java at com hazelcast spi impl operationservice operation call operation java at com hazelcast spi impl operationservice impl operationrunnerimpl call operationrunnerimpl java at com hazelcast spi impl operationservice impl operationrunnerimpl run operationrunnerimpl java at com hazelcast spi impl operationservice impl operationrunnerimpl run operationrunnerimpl java at com hazelcast spi impl operationexecutor impl operationthread process operationthread java at com hazelcast spi impl operationexecutor impl operationthread process operationthread java at com hazelcast spi impl operationexecutor impl operationthread executerun operationthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java debug forkjoinpool commonpool worker execution of job execution completed with failure java util concurrent completionexception com hazelcast jet impl exception jobterminaterequestedexception suspend forceful at java util concurrent completablefuture encodethrowable completablefuture java at java util concurrent completablefuture completethrowable completablefuture java at java util concurrent completablefuture uniwhencomplete completablefuture java at java util concurrent completablefuture uniwhencomplete tryfire completablefuture java at java util concurrent completablefuture postcomplete completablefuture java at java util concurrent completablefuture completeexceptionally completablefuture java at com hazelcast jet impl util noncompletablefuture internalcompleteexceptionally noncompletablefuture java at com hazelcast jet impl execution taskletexecutionservice executiontracker taskletdone taskletexecutionservice java at com hazelcast jet impl execution taskletexecutionservice cooperativeworker dismisstasklet taskletexecutionservice java at com hazelcast jet impl execution taskletexecutionservice cooperativeworker runtasklet taskletexecutionservice java at java util concurrent copyonwritearraylist foreach copyonwritearraylist java at com hazelcast jet impl execution taskletexecutionservice cooperativeworker run taskletexecutionservice java at java lang thread run thread java caused by com hazelcast jet impl exception jobterminaterequestedexception suspend forceful at com hazelcast jet impl execution executioncontext terminateexecution executioncontext java at com hazelcast jet impl jobexecutionservice jobexecutionservice java at com hazelcast jet impl jobexecutionservice terminateexecution jobexecutionservice java at com hazelcast jet impl operation terminateexecutionoperation run terminateexecutionoperation java at com hazelcast spi impl operationservice operation call operation java at com hazelcast spi impl operationservice impl operationrunnerimpl call operationrunnerimpl java at com hazelcast spi impl operationservice impl operationrunnerimpl run operationrunnerimpl java at com hazelcast spi impl operationservice impl operationrunnerimpl run operationrunnerimpl java at com hazelcast spi impl operationexecutor impl operationexecutorimpl run operationexecutorimpl java at com hazelcast spi impl operationexecutor impl operationexecutorimpl runorexecute operationexecutorimpl java at com hazelcast spi impl operationservice impl invocation doinvokelocal invocation java at com hazelcast spi impl operationservice impl invocation doinvoke invocation java at com hazelcast spi impl operationservice impl invocation invocation java at com hazelcast spi impl operationservice impl invocation invoke invocation java at com hazelcast spi impl operationservice impl invocationbuilderimpl invoke invocationbuilderimpl java at com hazelcast jet impl mastercontext invokeonparticipant mastercontext java at com hazelcast jet impl mastercontext invokeonparticipants mastercontext java at com hazelcast jet impl masterjobcontext lambda cancelexecutioninvocations masterjobcontext java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java debug forkjoinpool commonpool worker job execution received response to startexecutionoperation from com hazelcast jet impl exception jobterminaterequestedexception suspend forceful debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails forkjoinpool commonpool worker job execution received response to startexecutionoperation from com hazelcast jet impl exception jobterminaterequestedexception suspend forceful debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails forkjoinpool commonpool worker execution of job execution has failures com hazelcast jet impl exception jobterminaterequestedexception suspend forceful com hazelcast jet impl exception jobterminaterequestedexception suspend forceful debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread finish jobclassloaders phasecount removing classloaders for jobid info when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails is shutting down debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails added a shutting down member info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto cached thread shutdown request of member this is handled info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto migration repartitioning cluster data migration tasks count info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz lucid matsumoto migration all migration tasks have been completed repartitiontime wed sep utc plannedmigrations completedmigrations remainingmigrations totalcompletedmigrations elapsedmigrationoperationtime totalelapsedmigrationoperationtime elapseddestinationcommittime totalelapseddestinationcommittime elapsedmigrationtime totalelapsedmigrationtime info when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails shutting down connection manager info when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails removed connection to endpoint connection mockconnection localendpoint remoteendpoint alive false warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto priority generic operation thread cannot send response true to com hazelcast internal partition operation publishcompletedmigrationsoperation servicename hz core partitionservice identityhash partitionid replicaindex callid invocationtime waittimeout calltimeout tenantcontrol com hazelcast spi impl tenantcontrol nooptenantcontrol info when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails removed connection to endpoint connection mockconnection localendpoint remoteendpoint alive false warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails member is suspected to be dead for reason connection manager is stopped on member this info when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails starting mastership claim process info when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails local membersview version members uuid litemember false memberlistjoinversion memberinfo address uuid litemember false memberlistjoinversion with suspected members and initial addresses to ask info when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails shutting down node engine info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread members size ver member this info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread mastership is claimed with membersview version members uuid litemember false memberlistjoinversion info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread committing rolling back live transactions of uuid info when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails destroying node nodeextension info when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails hazelcast shutdown is completed in ms info when suspendedjobscannedonnewmaster then newjobwithequalnamefails when suspendedjobscannedonnewmaster then newjobwithequalnamefails is shutdown debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread creating job classloader for job debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread create processor classloader map for job warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto migration fetching partition tables from cluster to determine the most recent one local stamp info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto migration most recent partition table is determined info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto migration applying the most recent of partition state info when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto migration partition balance is ok no need to repartition warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast spi exception retryablehazelcastexception cannot submit job with name before the master node initializes job coordination service s state at com hazelcast jet impl jobcoordinationservice hasactivejobwithname jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread job cleanup took warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread null com hazelcast jet jobalreadyexistsexception another active job with equal name exists at com hazelcast jet impl jobcoordinationservice lambda submitjob jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast jet impl jobcoordinationservice lambda submittocoordinatorthread jobcoordinationservice java at com hazelcast internal util executor completablefuturetask run completablefuturetask java at com hazelcast internal util executor cachedexecutorservicedelegate worker run cachedexecutorservicedelegate java at java util concurrent threadpoolexecutor runworker threadpoolexecutor java at java util concurrent threadpoolexecutor worker run threadpoolexecutor java at java lang thread run thread java at com hazelcast internal util executor hazelcastmanagedthread executerun hazelcastmanagedthread java at com hazelcast internal util executor hazelcastmanagedthread run hazelcastmanagedthread java debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test sending cancel forceful request for job name debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread job execution is completed debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread job cleanup took debug when suspendedjobscannedonnewmaster then newjobwithequalnamefails hz elegant matsumoto cached thread job cleanup took info when suspendedjobscannedonnewmaster then newjobwithequalnamefails time limited test terminating instancefactory in jettestsupport after info when suspendedjobscannedonnewmaster then newjobwithequalnamefails thread is shutting down warn when suspendedjobscannedonnewmaster then newjobwithequalnamefails thread terminating forcefully info when suspendedjobscannedonnewmaster then newjobwithequalnamefails thread shutting down connection manager info when suspendedjobscannedonnewmaster then newjobwithequalnamefails thread shutting down node engine info when suspendedjobscannedonnewmaster then newjobwithequalnamefails thread destroying node nodeextension info when suspendedjobscannedonnewmaster then newjobwithequalnamefails thread hazelcast shutdown is completed in ms info when suspendedjobscannedonnewmaster then newjobwithequalnamefails thread is shutdown info when suspendedjobscannedonnewmaster then newjobwithequalnamefails thread is shutting down info when suspendedjobscannedonnewmaster then newjobwithequalnamefails thread node is already shutting down waiting for shutdown process to complete info when suspendedjobscannedonnewmaster then newjobwithequalnamefails thread is shutdown buildinfo right after when suspendedjobscannedonnewmaster then newjobwithequalnamefails com hazelcast jet core job separateclustertest buildinfo version snapshot build buildnumber revision enterprise false serializationversion hiccups measured while running test when suspendedjobscannedonnewmaster then newjobwithequalnamefails com hazelcast jet core job separateclustertest accumulated pauses ms max pause ms pauses over ms accumulated pauses ms max pause ms pauses over ms accumulated pauses ms max pause ms pauses over ms accumulated pauses ms max pause ms pauses over ms
0
31,875
4,294,711,090
IssuesEvent
2016-07-19 01:58:48
geetsisbac/YE7GLKCP77LP3XTRJGXDSBHN
https://api.github.com/repos/geetsisbac/YE7GLKCP77LP3XTRJGXDSBHN
closed
xqMRtKr8leDEp/GuaIYV7nENib7o6ZJjV/h34zStRb7fiU4Y1MhRA28JKUy460hUpceK3u8TVbQCUl5eelNW8w4OswN8WoC9DhxYNXTzsKMhGPySnmz7WQOzfN0Tuc2dzu2VgQmbPXQLu7STLpA3yROT0w2t6M/XfyNIc2hVJkk=
design
XdHxjFP4QqtO4yWRFGrOcJJfZ10EFP6ddn42WkdEOB2Y9PQdCzJ/uEu9+Ei3qxB4UNLVidbsbzBxsCr8MWdeMKe+xfhf3yfPa/V97G6+pJRJWNprF2jEUKL9HVllzPtc+X6gvrMXVuXLjT+ZsjY4TYYaGCqmqNxCKj+layVpWV/PWt4DmHoa5XmCY0q61OiYw0Vvr1aptZaZ/bjvaOpDguUMFXRiJ9vFKVpxdQGHt9W1yxa1Udqn7uX3lCy4MixuKkG/OhLZkL+NISbVhaAbTyXMKmMFnxJPykPf1EbbvMNPpKDMdhAUNg/9DzbRisuMPBGqcw+E5uZ4gJJOyp7I9ZEE2EnqMgpE3KRL+miamoSjFjas4odKVz6X1A4bdJpls8lcYGFZlGX91UE4R3/FqE60+FxmV7DuYjivs2tOQnPlzDOiJqHh09Klc9KbCuZU9ux3D9CPhQ1PUkmD0jqkFyvVblZvmJc/dgZkq/Anx4nHhtM1IUWMYY7X8f1lfJgBOv3d5R+dfyw9nakPkRCtEJP4yi4EI30h17eczJbr+fFMZrLJ15LKqSQtthFBMuj37fpZHQ5oQE5rrbtrAFYl3vzX35Q0zGOtZOSR5VAFYmTgddRSinmYYIKu3pBBP7m5IDqYkdpWeOyqXSpv/hSGtuBq3h6yMytSoqOW9ak1a1PIK9xGW40UAXCo9GhbaqepO/honqzBxvg6LyUFFxSSKPh6zpICdNnF0tyvYrDUXiXCobTQNxSlPEFBtvu0SQAHN3UteNWH05fa4tGaoHc9/8tV7o/qnU6MI/vqAd1CJbp++CTVDnhGYIVN1KDd4fgHMaOJAw1h4hX1RLSNSRSz9AeCYVwJR8ussqx57VDBA7TbXJknHmdPzB25P5PbU9Wb8gLLAIY+Z8DWWmVuLbUT1v845Zhgg3z5/ywJEKXCU+xxDovdy8A/tWkQMV327m1J5/WGXbd+OWu2DRTpzbsPNTQNvLxkcL8DYi/ukIgWXyW+w87b1N08qwsxPIp92FJNfiX9Jwu+qAniEZnZhJ/uBm+D79sL90j9su8arYQEoZk7D+ggBJI3bKbxNI+3MKpeI344W0kbhpGtpiKJc2CGykb9HenzArM2LcDJdYvJLjNUMXipUEkWCmhdAh4Oaasm6Y741QUQTaWFPa/tbqoa/5k+K+oUwyZ8mEhXwC5Plp4MJhimnBr1BHZ6nR2iKIDhmlj4ptJ0BDz1swEI2M2XY+ToDgeR290a9nZ3tQbnX5cqoIxLt6vivOxgfqzZcmVnlmjHt4qdLbKiLs4mB1L6hmswLRNNRod/2cqRwIxHa9EF7zS4Er3a3WYYaqIJJOjZxO5nDyldGSrqz/M8e3+h0l1UomXwrjhR78kC+Dqx/XWe+kuKHb6Eti6cfjQDnTXvVti2w5YvW1Nqo+NVDawU3al55ZSrxcrBYIL8KGpUgQ912r2sgc+9szKS/8cmzZrUcV8OJqm8Mxf+6m7xObVu9SEBFuObWWVbIvylx78rZqf1inI4FlcBY7QCfeB3m5TZItgHDzpZuEN/EyWR8jWEDp0yV1e3Ehb2jheC1wcIoyjGt5tUU03ThqI01biSSumGIEjHyQ22c/P5z6hhIwBttTFjH4YyfK/KAR6lFw3iFILSchrEBLZQI5j/HTzvD7Stg3GeK42jw7W1JK+EP/OSkjSc3R8DWzErUNOwvVEPhfjLUeOjlisdNJwHrqwXB8z5PyaVdhttDZML1PO/dd6lKLbH+gDi6Yn89R6dg8OdhsdrSM2CNNei+e0jACrQYsSG+uAtaIyHSbyWe+pLRWnTLYx5MTZ4FvrZWM1DcWeEazS0KZmSZbJv2PYTs1BCBerAmarQUb2+nWqjxLooUCzloZZA2DLNBoMHcoAN0zoPjq5fUM8Rf7OOweNEPzebzRATmAJ5xst4ki6uZmRAduVikDKZOUuY1gQhW12xzONEnaI5ImQT/1L+OJnNYOizGzgl9ug/XlJIc+LZaOHVv8YsWJRDPWIh8wf0jM6l1oJTL1GNl4wLWiTe1mJPSGH60O6bFuYZiFDvLC0rxLIiymBzXoiK/A6++QL9AstJ2Uk23oMJU/MaM01e/4O+gFO9BkRmNUaJZEuxBe39BGEtLd04BV/aWyLwEb9tG8FJXMhSs/zIwE4KrT37lpAxWdrXa21VMfLRlYzndqMal55rphVhQJH83w7sZYDk/wK0zuBGwUi3sldoWIq3IKfW8jBsDJVtPFCb0hSDyUEAApkqj+92o+Xm16i7sOjva6PqxQfRZd53nk9d7iUyZigGZAZOKv5Qfta6CauKoBq6nEss8iuF7GljDW1J6LM5ta48HmCkunerEuZYgY4q32RkS9/uCOczqVFMqlJObI2UgsKdMbOFh6P8zHjLCxdYZ5GmnLxXKNroxrKKusXJRy7JXX2LqUJ2lFjts8lA7EhWrRhGhfCaLqQKMG1n5rBr8EbxOoMkMhNCwmkywLIUud9N+ySH+sAV7wHizLtxg+wmAnYH2sDv2cYR6ASyowyGCJdQuZ6wMyk9O6czKzLUZVTt03ZFiTmKIykFGIJRxOgCgNDNUCEeQHEJLzLEPlNZVsP6RnaIbgwHLsDaqjmnVlJ8dUlyOS9fESoVjG+oNmMg5ZUqEE+G9/liFpejauoE/WMj9xFdVk5hkbki4qZC/AM6huHM/c5mvKgAwJIPzO/J8NTCFRTxF1MOlgi/7s3/zTNLERopEAXw2MhbljkWH4tiAL92DHpf4c4GSu2bJueWC41+BfWwYyv/xm//48QdRoa/5VxLqk2aHr7UofR0d6Tj4HB1FCuICUhe4CrJJrWDoTBoS3xzEb4zKbme597tvboCm55YO/fuDe7ZaKGzKOPs4HscyDOxEMY5hn4dqX42g4nkwSgk7Hty2J7FLnLOhDw7Y5X0FLhmcebSHpRIamLUKzbLRmpVehk+zKtxvv3f2YYzvGxefD8Y6mwcBQcEWlWxkLyQ79LuDe7ZaKGzKOPs4HscyDOxtiAaGXkCY10NOPTc5Sq3xjXpOHlGyyi6yuZok9ro5KXuDe7ZaKGzKOPs4HscyDOx+rAPsPFQwVl0G6cDG9EJHeziu69oaoVb+cvdHS/yInajFwfLx5tOaOHgIP06JHivCAjC1tgXb7VOQe42OPY+7QX4JpJrev4B2rbaqd/zqAR+Kw4jBqMTHlpYjgXJGtzYCWwhQSgUIlceV3jPHCHgLxht6JSKDw/VkvxMOoXryD8mTT40FZ2HrfxH0Z6+ESB4dn9WP8GR8L+k0DqNVzP2bf0HHgWXf0TTBF4uX8gl6MH5DOEswcZCo3cMSgPHQmCbtsIubE3GpOM+J2A2FV5shRuthTx8WhNMUAQOn715O4TD2YObWcdamdOeGCTVAQOpePosanKEtKBXcu+mUPCnTx+uwhdsqhj1a9bxIS72jMzOYTHMIqA/ilUi34E3u7yDYq/XIui+DGi3WH3i2mHLUqZfLReNxn0QkG6C6G5fa+TM7X7eb/fdWT3qC2YVLfHQuMuHFg88JEORm/e1c1Bi3+zJQ+A4hHwonMZEylPaA5IcESmk50j2T7hOdvDLT2I9WOX/MmZGZAzNkTXzPxRSBeBiM+mftPloKGfTbqThZ2yASxc2LNvAIFNCunzjWa62jZ+iZaQYVvfYBfAoR1/WAHWLo/M6V/ssuWMzOgrfj5sDepp6yQNh4Mdi/ExT2dULPRGhbhPVMK4p5IsXJhABeBH98kczgpGqngBR1wiVUvoXWQkmjY1Q5mpekpgFlOpq9PyFJmUMhzQXKNh+miLAJZkiIDM5JbvRfraNj9e53cP9Ygo4qOdglIiLlvkp3Ex2ouBB8uHURVw/+Etkzn2JbphIW3psZbQtXhzHAqhFm8vxHd7CBSkp3v4HqlmHM2bKeVeRKXLT2W6hXgkmrVW1AA3G6iTnrWSt4R5FYLKU9wullMbE051D33gnaiZjFfbsAEpMLrpYTgJc4yOqutirHaJTz4v8ssZbSPVA5Bd/R6J3LptALAPYky76nbD5bqW5evhVLbEjgojpBzuxoPOU+QQqiAIc3+ZFVe1tTS/NR2mA7W2pe4xC1fAsUn3JkVX3IAKipZSmTXA8nselgQ334oZhp9j86DkM7wUQTnoU7HY9SL/fNWR0y+zQh6OlXuKLe7oy1kQ5sppqFyqXO7jIS51YvvXKAqqWWrV6j1RbwqS/OvLhPo+pA60cTO6Fa7VDwexYvNCGlfrWxOl2XW0h1bXx3HFVIwZWvylNukE+rojQI3WSLIkOopm9tmTmM8ThHsUA6HWmRp6teLPJXhS1xgkZRzDNuSUDmSnQs/nBLvEmI0nrpgv7++BoGpG1QCpohxKC4e3xrf5ZvAndUEuSLcD9VtSmO++cp7VdPQFx5sl4vEM1xPLtsfmxrGzO1be4bD0j43dXeebhEyRT3AlYI4Y/lFcC12JjCreemAM38oqBI8ulAABXwkfaLoNV8xrleEDsXEJHxSEQj44Qje1EI+raMR0i9qtYI/LjVN7XuI7ETCbE9NDhjpp88IEy6sVOWKSPQ/ITmGse9BkSt81V5vROI8Do8lFwdUQ9Rw/Twb/wfmlFGuTxu6Z3zt4F9+SOgaP0m4BCJZIZPKmWsH2Kz38H2BA0R1BA53PqED6a4ECSCDVLqxxMm3F+p2fp+jYZxNtG2YnVFeBDRZMduWxSrs3D/U0nmWZaT2Rp08D6Ul4qqrvzhq+RmXPDIvXmJBjPYSEb78iCFKN+MPpgLD2LYn+9veYbZ3zXuzUO2Dg895d7/cXgJQxk71Th+WamAFC2x+8TXWLW50zybCpSKua6gVRrLfd9ZS+H/Ps8lxm9VkCtAWmuzCaWtHL2ZeQPNZHifnJnKkPtb0K0OwXYElkytskVZN/0D7Z0dsq5XioMPSJZaWtTjbTso5U1hWviIX9e1RZR3kORdQXqQexCSEkCEPIImQ4WwXtbDmL7nj4CcOHZ2mCjzZMoPXWBY6RAv5svB5wu6j22gkPEADKljK+fq6MBTAGPqy9jRI2ec/HUF2v3gRV5jWgcAT+kzLzgRgR8XQegsRFWdFpCRQqwb3/mlf9poqIztlAXBoeVcrBbzfCg337sxTTsvaC11jHIuD9TmHY6BKiOCivHS5xJth3ZeXmUruqj+0BUzCmC+PknsQ2X9+t4HjxkzwBBlq2zBTWy9Ag7VpZzYLTn/pjfyhZk6nPN+jRym0ekEmj8Y/+7J8/W3YBMFfP9B7WBks7jZ/tby4gVznyqQg63WDnaKuC5Xmpf23NseAkYcUXHXFfAefa+sLBYDh2txzq5oCLG7aEKmSRPsdT+z0tykmCY0ZE8bS5wIpKQt1SyLxWX4YtOtWeY+Ws1ixV2Vv3cO/pR59+4xJX3MFGgt3HdpBrEXL49ArgLADFWxqHUpL9Z/NCeT9Ck4twu3W7U6PKq1fzJvjRnPpjD0Al3UHcVjlb6lJ7Jh8SV9zBRoLdx3aQaxFy+PQK4CwAxVsah1KS/WfzQnk/QpOLcLt1u1OjyqtX8yb40Z74d5lkbi1HVfiI06LQvu+QpiRBIz5EwCNHgMSFG7GzVakCBHymCeQZIj1xIWJM/bRwYkiUaEl5EZviVTB40t6brFXYLTGF74dUFp7ZAQNu+3PLpRCmgFMH9TaB5DqQTIbHTh+pSSEf/Yrwc9hI1nXwFtBa+UJbqTdmdM+b3UzZeml5bw3qQo9HcOLPcA4QghDAecll7bS7+XIlJ6FLHIrg6TgwhpN705VSY74IFCSrcSJqH49yCEaCG6HhdUImG+eu0KucfNuKEyxLBPsNYEgz+vxJ4Qkzru89zX8CiSm7+clB3QI0Zy7GrSC2b23+mcFvprUUOvXeoVRTOQECAZS4k0qRcUHf1ipHAm6WZsZVN+ZeJOj0QqLewEASq53Y60Lrf0nhu9w3TDvXTUOr514q4SfEnyEDXzsWU2aokHJV+n98fCMlpWRdRZtYLaDJsE8TbRtmJ1RXgQ0WTHblsUq5hhL8ENqz/5dYDWrj9aUmSTbyldZ+aUpqqTznHjnSMgIQkybr/c/KKy1L0uZg7IBLlKsy17ps3fmlaRiMLfM/T1aWs0+AVEy+PnvsDPCnMLX5MlC5xYi5ZYdP+gjThqks6cfMnq/hSNu/9jBP/5XioWFeIKgXC9ZA+4+dk5mXvv3HbxE25IPmUA8iuFi/LYtXV9sr+7DokniX12g8UXp5f6B2EpWrIEAEdG/y38CHgScr+FflPB18Wr4SYLPtsjdgvPHa40IasmlLjLKp0qZFT
1.0
xqMRtKr8leDEp/GuaIYV7nENib7o6ZJjV/h34zStRb7fiU4Y1MhRA28JKUy460hUpceK3u8TVbQCUl5eelNW8w4OswN8WoC9DhxYNXTzsKMhGPySnmz7WQOzfN0Tuc2dzu2VgQmbPXQLu7STLpA3yROT0w2t6M/XfyNIc2hVJkk= - XdHxjFP4QqtO4yWRFGrOcJJfZ10EFP6ddn42WkdEOB2Y9PQdCzJ/uEu9+Ei3qxB4UNLVidbsbzBxsCr8MWdeMKe+xfhf3yfPa/V97G6+pJRJWNprF2jEUKL9HVllzPtc+X6gvrMXVuXLjT+ZsjY4TYYaGCqmqNxCKj+layVpWV/PWt4DmHoa5XmCY0q61OiYw0Vvr1aptZaZ/bjvaOpDguUMFXRiJ9vFKVpxdQGHt9W1yxa1Udqn7uX3lCy4MixuKkG/OhLZkL+NISbVhaAbTyXMKmMFnxJPykPf1EbbvMNPpKDMdhAUNg/9DzbRisuMPBGqcw+E5uZ4gJJOyp7I9ZEE2EnqMgpE3KRL+miamoSjFjas4odKVz6X1A4bdJpls8lcYGFZlGX91UE4R3/FqE60+FxmV7DuYjivs2tOQnPlzDOiJqHh09Klc9KbCuZU9ux3D9CPhQ1PUkmD0jqkFyvVblZvmJc/dgZkq/Anx4nHhtM1IUWMYY7X8f1lfJgBOv3d5R+dfyw9nakPkRCtEJP4yi4EI30h17eczJbr+fFMZrLJ15LKqSQtthFBMuj37fpZHQ5oQE5rrbtrAFYl3vzX35Q0zGOtZOSR5VAFYmTgddRSinmYYIKu3pBBP7m5IDqYkdpWeOyqXSpv/hSGtuBq3h6yMytSoqOW9ak1a1PIK9xGW40UAXCo9GhbaqepO/honqzBxvg6LyUFFxSSKPh6zpICdNnF0tyvYrDUXiXCobTQNxSlPEFBtvu0SQAHN3UteNWH05fa4tGaoHc9/8tV7o/qnU6MI/vqAd1CJbp++CTVDnhGYIVN1KDd4fgHMaOJAw1h4hX1RLSNSRSz9AeCYVwJR8ussqx57VDBA7TbXJknHmdPzB25P5PbU9Wb8gLLAIY+Z8DWWmVuLbUT1v845Zhgg3z5/ywJEKXCU+xxDovdy8A/tWkQMV327m1J5/WGXbd+OWu2DRTpzbsPNTQNvLxkcL8DYi/ukIgWXyW+w87b1N08qwsxPIp92FJNfiX9Jwu+qAniEZnZhJ/uBm+D79sL90j9su8arYQEoZk7D+ggBJI3bKbxNI+3MKpeI344W0kbhpGtpiKJc2CGykb9HenzArM2LcDJdYvJLjNUMXipUEkWCmhdAh4Oaasm6Y741QUQTaWFPa/tbqoa/5k+K+oUwyZ8mEhXwC5Plp4MJhimnBr1BHZ6nR2iKIDhmlj4ptJ0BDz1swEI2M2XY+ToDgeR290a9nZ3tQbnX5cqoIxLt6vivOxgfqzZcmVnlmjHt4qdLbKiLs4mB1L6hmswLRNNRod/2cqRwIxHa9EF7zS4Er3a3WYYaqIJJOjZxO5nDyldGSrqz/M8e3+h0l1UomXwrjhR78kC+Dqx/XWe+kuKHb6Eti6cfjQDnTXvVti2w5YvW1Nqo+NVDawU3al55ZSrxcrBYIL8KGpUgQ912r2sgc+9szKS/8cmzZrUcV8OJqm8Mxf+6m7xObVu9SEBFuObWWVbIvylx78rZqf1inI4FlcBY7QCfeB3m5TZItgHDzpZuEN/EyWR8jWEDp0yV1e3Ehb2jheC1wcIoyjGt5tUU03ThqI01biSSumGIEjHyQ22c/P5z6hhIwBttTFjH4YyfK/KAR6lFw3iFILSchrEBLZQI5j/HTzvD7Stg3GeK42jw7W1JK+EP/OSkjSc3R8DWzErUNOwvVEPhfjLUeOjlisdNJwHrqwXB8z5PyaVdhttDZML1PO/dd6lKLbH+gDi6Yn89R6dg8OdhsdrSM2CNNei+e0jACrQYsSG+uAtaIyHSbyWe+pLRWnTLYx5MTZ4FvrZWM1DcWeEazS0KZmSZbJv2PYTs1BCBerAmarQUb2+nWqjxLooUCzloZZA2DLNBoMHcoAN0zoPjq5fUM8Rf7OOweNEPzebzRATmAJ5xst4ki6uZmRAduVikDKZOUuY1gQhW12xzONEnaI5ImQT/1L+OJnNYOizGzgl9ug/XlJIc+LZaOHVv8YsWJRDPWIh8wf0jM6l1oJTL1GNl4wLWiTe1mJPSGH60O6bFuYZiFDvLC0rxLIiymBzXoiK/A6++QL9AstJ2Uk23oMJU/MaM01e/4O+gFO9BkRmNUaJZEuxBe39BGEtLd04BV/aWyLwEb9tG8FJXMhSs/zIwE4KrT37lpAxWdrXa21VMfLRlYzndqMal55rphVhQJH83w7sZYDk/wK0zuBGwUi3sldoWIq3IKfW8jBsDJVtPFCb0hSDyUEAApkqj+92o+Xm16i7sOjva6PqxQfRZd53nk9d7iUyZigGZAZOKv5Qfta6CauKoBq6nEss8iuF7GljDW1J6LM5ta48HmCkunerEuZYgY4q32RkS9/uCOczqVFMqlJObI2UgsKdMbOFh6P8zHjLCxdYZ5GmnLxXKNroxrKKusXJRy7JXX2LqUJ2lFjts8lA7EhWrRhGhfCaLqQKMG1n5rBr8EbxOoMkMhNCwmkywLIUud9N+ySH+sAV7wHizLtxg+wmAnYH2sDv2cYR6ASyowyGCJdQuZ6wMyk9O6czKzLUZVTt03ZFiTmKIykFGIJRxOgCgNDNUCEeQHEJLzLEPlNZVsP6RnaIbgwHLsDaqjmnVlJ8dUlyOS9fESoVjG+oNmMg5ZUqEE+G9/liFpejauoE/WMj9xFdVk5hkbki4qZC/AM6huHM/c5mvKgAwJIPzO/J8NTCFRTxF1MOlgi/7s3/zTNLERopEAXw2MhbljkWH4tiAL92DHpf4c4GSu2bJueWC41+BfWwYyv/xm//48QdRoa/5VxLqk2aHr7UofR0d6Tj4HB1FCuICUhe4CrJJrWDoTBoS3xzEb4zKbme597tvboCm55YO/fuDe7ZaKGzKOPs4HscyDOxEMY5hn4dqX42g4nkwSgk7Hty2J7FLnLOhDw7Y5X0FLhmcebSHpRIamLUKzbLRmpVehk+zKtxvv3f2YYzvGxefD8Y6mwcBQcEWlWxkLyQ79LuDe7ZaKGzKOPs4HscyDOxtiAaGXkCY10NOPTc5Sq3xjXpOHlGyyi6yuZok9ro5KXuDe7ZaKGzKOPs4HscyDOx+rAPsPFQwVl0G6cDG9EJHeziu69oaoVb+cvdHS/yInajFwfLx5tOaOHgIP06JHivCAjC1tgXb7VOQe42OPY+7QX4JpJrev4B2rbaqd/zqAR+Kw4jBqMTHlpYjgXJGtzYCWwhQSgUIlceV3jPHCHgLxht6JSKDw/VkvxMOoXryD8mTT40FZ2HrfxH0Z6+ESB4dn9WP8GR8L+k0DqNVzP2bf0HHgWXf0TTBF4uX8gl6MH5DOEswcZCo3cMSgPHQmCbtsIubE3GpOM+J2A2FV5shRuthTx8WhNMUAQOn715O4TD2YObWcdamdOeGCTVAQOpePosanKEtKBXcu+mUPCnTx+uwhdsqhj1a9bxIS72jMzOYTHMIqA/ilUi34E3u7yDYq/XIui+DGi3WH3i2mHLUqZfLReNxn0QkG6C6G5fa+TM7X7eb/fdWT3qC2YVLfHQuMuHFg88JEORm/e1c1Bi3+zJQ+A4hHwonMZEylPaA5IcESmk50j2T7hOdvDLT2I9WOX/MmZGZAzNkTXzPxRSBeBiM+mftPloKGfTbqThZ2yASxc2LNvAIFNCunzjWa62jZ+iZaQYVvfYBfAoR1/WAHWLo/M6V/ssuWMzOgrfj5sDepp6yQNh4Mdi/ExT2dULPRGhbhPVMK4p5IsXJhABeBH98kczgpGqngBR1wiVUvoXWQkmjY1Q5mpekpgFlOpq9PyFJmUMhzQXKNh+miLAJZkiIDM5JbvRfraNj9e53cP9Ygo4qOdglIiLlvkp3Ex2ouBB8uHURVw/+Etkzn2JbphIW3psZbQtXhzHAqhFm8vxHd7CBSkp3v4HqlmHM2bKeVeRKXLT2W6hXgkmrVW1AA3G6iTnrWSt4R5FYLKU9wullMbE051D33gnaiZjFfbsAEpMLrpYTgJc4yOqutirHaJTz4v8ssZbSPVA5Bd/R6J3LptALAPYky76nbD5bqW5evhVLbEjgojpBzuxoPOU+QQqiAIc3+ZFVe1tTS/NR2mA7W2pe4xC1fAsUn3JkVX3IAKipZSmTXA8nselgQ334oZhp9j86DkM7wUQTnoU7HY9SL/fNWR0y+zQh6OlXuKLe7oy1kQ5sppqFyqXO7jIS51YvvXKAqqWWrV6j1RbwqS/OvLhPo+pA60cTO6Fa7VDwexYvNCGlfrWxOl2XW0h1bXx3HFVIwZWvylNukE+rojQI3WSLIkOopm9tmTmM8ThHsUA6HWmRp6teLPJXhS1xgkZRzDNuSUDmSnQs/nBLvEmI0nrpgv7++BoGpG1QCpohxKC4e3xrf5ZvAndUEuSLcD9VtSmO++cp7VdPQFx5sl4vEM1xPLtsfmxrGzO1be4bD0j43dXeebhEyRT3AlYI4Y/lFcC12JjCreemAM38oqBI8ulAABXwkfaLoNV8xrleEDsXEJHxSEQj44Qje1EI+raMR0i9qtYI/LjVN7XuI7ETCbE9NDhjpp88IEy6sVOWKSPQ/ITmGse9BkSt81V5vROI8Do8lFwdUQ9Rw/Twb/wfmlFGuTxu6Z3zt4F9+SOgaP0m4BCJZIZPKmWsH2Kz38H2BA0R1BA53PqED6a4ECSCDVLqxxMm3F+p2fp+jYZxNtG2YnVFeBDRZMduWxSrs3D/U0nmWZaT2Rp08D6Ul4qqrvzhq+RmXPDIvXmJBjPYSEb78iCFKN+MPpgLD2LYn+9veYbZ3zXuzUO2Dg895d7/cXgJQxk71Th+WamAFC2x+8TXWLW50zybCpSKua6gVRrLfd9ZS+H/Ps8lxm9VkCtAWmuzCaWtHL2ZeQPNZHifnJnKkPtb0K0OwXYElkytskVZN/0D7Z0dsq5XioMPSJZaWtTjbTso5U1hWviIX9e1RZR3kORdQXqQexCSEkCEPIImQ4WwXtbDmL7nj4CcOHZ2mCjzZMoPXWBY6RAv5svB5wu6j22gkPEADKljK+fq6MBTAGPqy9jRI2ec/HUF2v3gRV5jWgcAT+kzLzgRgR8XQegsRFWdFpCRQqwb3/mlf9poqIztlAXBoeVcrBbzfCg337sxTTsvaC11jHIuD9TmHY6BKiOCivHS5xJth3ZeXmUruqj+0BUzCmC+PknsQ2X9+t4HjxkzwBBlq2zBTWy9Ag7VpZzYLTn/pjfyhZk6nPN+jRym0ekEmj8Y/+7J8/W3YBMFfP9B7WBks7jZ/tby4gVznyqQg63WDnaKuC5Xmpf23NseAkYcUXHXFfAefa+sLBYDh2txzq5oCLG7aEKmSRPsdT+z0tykmCY0ZE8bS5wIpKQt1SyLxWX4YtOtWeY+Ws1ixV2Vv3cO/pR59+4xJX3MFGgt3HdpBrEXL49ArgLADFWxqHUpL9Z/NCeT9Ck4twu3W7U6PKq1fzJvjRnPpjD0Al3UHcVjlb6lJ7Jh8SV9zBRoLdx3aQaxFy+PQK4CwAxVsah1KS/WfzQnk/QpOLcLt1u1OjyqtX8yb40Z74d5lkbi1HVfiI06LQvu+QpiRBIz5EwCNHgMSFG7GzVakCBHymCeQZIj1xIWJM/bRwYkiUaEl5EZviVTB40t6brFXYLTGF74dUFp7ZAQNu+3PLpRCmgFMH9TaB5DqQTIbHTh+pSSEf/Yrwc9hI1nXwFtBa+UJbqTdmdM+b3UzZeml5bw3qQo9HcOLPcA4QghDAecll7bS7+XIlJ6FLHIrg6TgwhpN705VSY74IFCSrcSJqH49yCEaCG6HhdUImG+eu0KucfNuKEyxLBPsNYEgz+vxJ4Qkzru89zX8CiSm7+clB3QI0Zy7GrSC2b23+mcFvprUUOvXeoVRTOQECAZS4k0qRcUHf1ipHAm6WZsZVN+ZeJOj0QqLewEASq53Y60Lrf0nhu9w3TDvXTUOr514q4SfEnyEDXzsWU2aokHJV+n98fCMlpWRdRZtYLaDJsE8TbRtmJ1RXgQ0WTHblsUq5hhL8ENqz/5dYDWrj9aUmSTbyldZ+aUpqqTznHjnSMgIQkybr/c/KKy1L0uZg7IBLlKsy17ps3fmlaRiMLfM/T1aWs0+AVEy+PnvsDPCnMLX5MlC5xYi5ZYdP+gjThqks6cfMnq/hSNu/9jBP/5XioWFeIKgXC9ZA+4+dk5mXvv3HbxE25IPmUA8iuFi/LYtXV9sr+7DokniX12g8UXp5f6B2EpWrIEAEdG/y38CHgScr+FflPB18Wr4SYLPtsjdgvPHa40IasmlLjLKp0qZFT
non_defect
layvpwv ohlzkl dgzkq ywjekxcu wgxbd ukigwxyw qanieznzhj ubm tbqoa k dqx xwe ep uataiyhsbywe xljic ysh lifpejauoe bfwwyyv xm cvdhs zqar mupcntx xiui zjq mmzgzaznktxzpxrsbebim wahwlo ovlhpo twb h wfzqnk pssef ujbqtdmdm aupqqtznhjnsmgiqkybr c avey hsnu
0
281,331
21,315,395,828
IssuesEvent
2022-04-16 07:18:11
Ashuh/pe
https://api.github.com/repos/Ashuh/pe
opened
Example screenshot in UG too small
severity.VeryLow type.DocumentationBug
The following screenshots in the UG (page 6) are quite hard to view without zooming in. ![image.png](https://raw.githubusercontent.com/Ashuh/pe/main/files/f0fc8290-9151-46df-8fb0-30efbc3f344b.png) <!--session: 1650088779280-ef69f189-aecb-4921-b33c-524bc09ebe45--> <!--Version: Web v3.4.2-->
1.0
Example screenshot in UG too small - The following screenshots in the UG (page 6) are quite hard to view without zooming in. ![image.png](https://raw.githubusercontent.com/Ashuh/pe/main/files/f0fc8290-9151-46df-8fb0-30efbc3f344b.png) <!--session: 1650088779280-ef69f189-aecb-4921-b33c-524bc09ebe45--> <!--Version: Web v3.4.2-->
non_defect
example screenshot in ug too small the following screenshots in the ug page are quite hard to view without zooming in
0
7,473
2,610,387,985
IssuesEvent
2015-02-26 20:05:32
chrsmith/hedgewars
https://api.github.com/repos/chrsmith/hedgewars
opened
hedgewars should check if players are dead after a knock (rope, snowball)
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. poison a player until he reach 1 life point 2. kill it with a snow ball (1 damage) 3. What is the expected output? What do you see instead? The player should die, instead the player dies at the end of the timeout, or after using a second weapon What version of the product are you using? On what operating system? 0.9.17 ubuntu Please provide any additional information below. ``` ----- Original issue reported on code.google.com by `costamag...@gmail.com` on 2 Jan 2012 at 12:05
1.0
hedgewars should check if players are dead after a knock (rope, snowball) - ``` What steps will reproduce the problem? 1. poison a player until he reach 1 life point 2. kill it with a snow ball (1 damage) 3. What is the expected output? What do you see instead? The player should die, instead the player dies at the end of the timeout, or after using a second weapon What version of the product are you using? On what operating system? 0.9.17 ubuntu Please provide any additional information below. ``` ----- Original issue reported on code.google.com by `costamag...@gmail.com` on 2 Jan 2012 at 12:05
defect
hedgewars should check if players are dead after a knock rope snowball what steps will reproduce the problem poison a player until he reach life point kill it with a snow ball damage what is the expected output what do you see instead the player should die instead the player dies at the end of the timeout or after using a second weapon what version of the product are you using on what operating system ubuntu please provide any additional information below original issue reported on code google com by costamag gmail com on jan at
1
74,046
24,919,432,001
IssuesEvent
2022-10-30 19:36:00
bcpierce00/unison
https://api.github.com/repos/bcpierce00/unison
opened
Progress calculator treats deletions as zero-cost (or only considers network transfers?)
defect effort-high impact-low
Reported privately to me by someone running 2.53.0alpha1 on NetBSD, all works, except that the progress meter treats deletions as free, even though it can take a fs a while to sync the metadata. If one is syncing some data and deleting a lot (e.g. 20 GB), then the reported progress can go to 100% quickly and then stay there for a while. It may turn out that the progress mechanism is currently only about the network and not the filesystem, and that better estimates are hard, but this is a defect ticket about the user-observed behavior. Probably it deserves `effort-veryhigh` but we already have too many labels.
1.0
Progress calculator treats deletions as zero-cost (or only considers network transfers?) - Reported privately to me by someone running 2.53.0alpha1 on NetBSD, all works, except that the progress meter treats deletions as free, even though it can take a fs a while to sync the metadata. If one is syncing some data and deleting a lot (e.g. 20 GB), then the reported progress can go to 100% quickly and then stay there for a while. It may turn out that the progress mechanism is currently only about the network and not the filesystem, and that better estimates are hard, but this is a defect ticket about the user-observed behavior. Probably it deserves `effort-veryhigh` but we already have too many labels.
defect
progress calculator treats deletions as zero cost or only considers network transfers reported privately to me by someone running on netbsd all works except that the progress meter treats deletions as free even though it can take a fs a while to sync the metadata if one is syncing some data and deleting a lot e g gb then the reported progress can go to quickly and then stay there for a while it may turn out that the progress mechanism is currently only about the network and not the filesystem and that better estimates are hard but this is a defect ticket about the user observed behavior probably it deserves effort veryhigh but we already have too many labels
1
380,201
11,255,432,123
IssuesEvent
2020-01-12 09:13:38
Wraparound/wrap
https://api.github.com/repos/Wraparound/wrap
closed
panic: index out of range error with underscore, full stop, eol
module/pdf priority/critical type/bug
**Describe the bug** Wrap will error trying to generate a PDF if the input Fountain file contains a line ending with `_.` **To Reproduce** Steps to reproduce the behavior: 1. `wrap pdf INPUT.fountain` 2. See error Given the following example: ~~~ Clark's other hand. He loosens his grip. _Lets go of the rope_. ~~~ Command `wrap pdf INPUT.fountain` results in the following: ~~~ panic: runtime error: index out of range [-1] goroutine 1 [running]: github.com/Wraparound/wrap/pdf.wordwrap(0xc00005c4e0, 0x3, 0x4, 0x2, 0x11e3f 6b, 0xc000020240, 0x128a33d) /home/elecprog/Development/wrap/pdf/wordwrap.go:53 +0xb16 github.com/Wraparound/wrap/pdf.cellify(0xc00000c380, 0x1, 0x1, 0xc000020502, 0x128a33d, 0x7, 0x3) /home/elecprog/Development/wrap/pdf/cellifying.go:44 +0xc9 github.com/Wraparound/wrap/pdf.sectionize(0x12d8880, 0xc00000c3a0, 0x0, 0x0, 0x0, 0x0, 0x0) /home/elecprog/Development/wrap/pdf/sectionize.go:27 +0x1a7f github.com/Wraparound/wrap/pdf.buildPDF(0xc000010bd0, 0x10a9f66, 0x5e1ada94, 0xc02c6280c8) /home/elecprog/Development/wrap/pdf/pdf.go:104 +0x53a github.com/Wraparound/wrap/pdf.WritePDF(0xc000010bd0, 0x12d8140, 0xc00002020 0, 0xc0000da000, 0xc00000e0d8) /home/elecprog/Development/wrap/pdf/files.go:35 +0x2b github.com/Wraparound/wrap/cli.export(0xc0000508e0, 0x1, 0x1, 0x1289937, 0x3 , 0x12999b0) /home/elecprog/Development/wrap/cli/export.go:62 +0x276 github.com/Wraparound/wrap/cli.pdfRun(0x1466cc0, 0xc0000508e0, 0x1, 0x1) /home/elecprog/Development/wrap/cli/pdf.go:88 +0x3c5 github.com/spf13/cobra.(*Command).execute(0x1466cc0, 0xc0000508b0, 0x1, 0x1, 0x1466cc0, 0xc0000508b0) /home/elecprog/go/pkg/mod/github.com/spf13/cobra@v0.0.3/command.go:7 66 +0x2aa github.com/spf13/cobra.(*Command).ExecuteC(0x1466f20, 0xc000042750, 0xc00007 af50, 0x100535f) /home/elecprog/go/pkg/mod/github.com/spf13/cobra@v0.0.3/command.go:8 52 +0x2ea github.com/spf13/cobra.(*Command).Execute(...) /home/elecprog/go/pkg/mod/github.com/spf13/cobra@v0.0.3/command.go:8 00 main.main() /home/elecprog/Development/wrap/wrap.go:15 +0x31 ~~~ **Expected behavior** PDF output generated. **Version** - Wrap: Wrap v0.3.0 on Darwin - OS: macOS 10.15.2 (19C57) **Additional context** The error can be worked around by switching the underscore and full stop, i.e. ~~~ _Lets go of the rope._ ~~~ However, I tend to write it the other way around, for aesthetic considerations.
1.0
panic: index out of range error with underscore, full stop, eol - **Describe the bug** Wrap will error trying to generate a PDF if the input Fountain file contains a line ending with `_.` **To Reproduce** Steps to reproduce the behavior: 1. `wrap pdf INPUT.fountain` 2. See error Given the following example: ~~~ Clark's other hand. He loosens his grip. _Lets go of the rope_. ~~~ Command `wrap pdf INPUT.fountain` results in the following: ~~~ panic: runtime error: index out of range [-1] goroutine 1 [running]: github.com/Wraparound/wrap/pdf.wordwrap(0xc00005c4e0, 0x3, 0x4, 0x2, 0x11e3f 6b, 0xc000020240, 0x128a33d) /home/elecprog/Development/wrap/pdf/wordwrap.go:53 +0xb16 github.com/Wraparound/wrap/pdf.cellify(0xc00000c380, 0x1, 0x1, 0xc000020502, 0x128a33d, 0x7, 0x3) /home/elecprog/Development/wrap/pdf/cellifying.go:44 +0xc9 github.com/Wraparound/wrap/pdf.sectionize(0x12d8880, 0xc00000c3a0, 0x0, 0x0, 0x0, 0x0, 0x0) /home/elecprog/Development/wrap/pdf/sectionize.go:27 +0x1a7f github.com/Wraparound/wrap/pdf.buildPDF(0xc000010bd0, 0x10a9f66, 0x5e1ada94, 0xc02c6280c8) /home/elecprog/Development/wrap/pdf/pdf.go:104 +0x53a github.com/Wraparound/wrap/pdf.WritePDF(0xc000010bd0, 0x12d8140, 0xc00002020 0, 0xc0000da000, 0xc00000e0d8) /home/elecprog/Development/wrap/pdf/files.go:35 +0x2b github.com/Wraparound/wrap/cli.export(0xc0000508e0, 0x1, 0x1, 0x1289937, 0x3 , 0x12999b0) /home/elecprog/Development/wrap/cli/export.go:62 +0x276 github.com/Wraparound/wrap/cli.pdfRun(0x1466cc0, 0xc0000508e0, 0x1, 0x1) /home/elecprog/Development/wrap/cli/pdf.go:88 +0x3c5 github.com/spf13/cobra.(*Command).execute(0x1466cc0, 0xc0000508b0, 0x1, 0x1, 0x1466cc0, 0xc0000508b0) /home/elecprog/go/pkg/mod/github.com/spf13/cobra@v0.0.3/command.go:7 66 +0x2aa github.com/spf13/cobra.(*Command).ExecuteC(0x1466f20, 0xc000042750, 0xc00007 af50, 0x100535f) /home/elecprog/go/pkg/mod/github.com/spf13/cobra@v0.0.3/command.go:8 52 +0x2ea github.com/spf13/cobra.(*Command).Execute(...) /home/elecprog/go/pkg/mod/github.com/spf13/cobra@v0.0.3/command.go:8 00 main.main() /home/elecprog/Development/wrap/wrap.go:15 +0x31 ~~~ **Expected behavior** PDF output generated. **Version** - Wrap: Wrap v0.3.0 on Darwin - OS: macOS 10.15.2 (19C57) **Additional context** The error can be worked around by switching the underscore and full stop, i.e. ~~~ _Lets go of the rope._ ~~~ However, I tend to write it the other way around, for aesthetic considerations.
non_defect
panic index out of range error with underscore full stop eol describe the bug wrap will error trying to generate a pdf if the input fountain file contains a line ending with to reproduce steps to reproduce the behavior wrap pdf input fountain see error given the following example clark s other hand he loosens his grip lets go of the rope command wrap pdf input fountain results in the following panic runtime error index out of range goroutine github com wraparound wrap pdf wordwrap home elecprog development wrap pdf wordwrap go github com wraparound wrap pdf cellify home elecprog development wrap pdf cellifying go github com wraparound wrap pdf sectionize home elecprog development wrap pdf sectionize go github com wraparound wrap pdf buildpdf home elecprog development wrap pdf pdf go github com wraparound wrap pdf writepdf home elecprog development wrap pdf files go github com wraparound wrap cli export home elecprog development wrap cli export go github com wraparound wrap cli pdfrun home elecprog development wrap cli pdf go github com cobra command execute home elecprog go pkg mod github com cobra command go github com cobra command executec home elecprog go pkg mod github com cobra command go github com cobra command execute home elecprog go pkg mod github com cobra command go main main home elecprog development wrap wrap go expected behavior pdf output generated version wrap wrap on darwin os macos additional context the error can be worked around by switching the underscore and full stop i e lets go of the rope however i tend to write it the other way around for aesthetic considerations
0
274,044
8,556,362,319
IssuesEvent
2018-11-08 12:56:58
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
moodle.ub.edu.bz - site is not usable
browser-firefox priority-normal
<!-- @browser: Firefox 64.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; WOW64; rv:64.0) Gecko/20100101 Firefox/64.0 --> <!-- @reported_with: desktop-reporter --> **URL**: http://moodle.ub.edu.bz/login/index.php **Browser / Version**: Firefox 64.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes **Problem type**: Site is not usable **Description**: the app dosent load in good. **Steps to Reproduce**: i tried to load moodle and it doesn't work [![Screenshot Description](https://webcompat.com/uploads/2018/11/ac049a93-6917-41fd-a7fb-ef6e36d585a7-thumb.jpeg)](https://webcompat.com/uploads/2018/11/ac049a93-6917-41fd-a7fb-ef6e36d585a7.jpeg) <details> <summary>Browser Configuration</summary> <ul> <li>mixed active content blocked: false</li><li>image.mem.shared: true</li><li>buildID: 20181029164536</li><li>tracking content blocked: false</li><li>gfx.webrender.blob-images: true</li><li>hasTouchScreen: false</li><li>mixed passive content blocked: false</li><li>gfx.webrender.enabled: false</li><li>gfx.webrender.all: false</li><li>channel: beta</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
moodle.ub.edu.bz - site is not usable - <!-- @browser: Firefox 64.0 --> <!-- @ua_header: Mozilla/5.0 (Windows NT 10.0; WOW64; rv:64.0) Gecko/20100101 Firefox/64.0 --> <!-- @reported_with: desktop-reporter --> **URL**: http://moodle.ub.edu.bz/login/index.php **Browser / Version**: Firefox 64.0 **Operating System**: Windows 10 **Tested Another Browser**: Yes **Problem type**: Site is not usable **Description**: the app dosent load in good. **Steps to Reproduce**: i tried to load moodle and it doesn't work [![Screenshot Description](https://webcompat.com/uploads/2018/11/ac049a93-6917-41fd-a7fb-ef6e36d585a7-thumb.jpeg)](https://webcompat.com/uploads/2018/11/ac049a93-6917-41fd-a7fb-ef6e36d585a7.jpeg) <details> <summary>Browser Configuration</summary> <ul> <li>mixed active content blocked: false</li><li>image.mem.shared: true</li><li>buildID: 20181029164536</li><li>tracking content blocked: false</li><li>gfx.webrender.blob-images: true</li><li>hasTouchScreen: false</li><li>mixed passive content blocked: false</li><li>gfx.webrender.enabled: false</li><li>gfx.webrender.all: false</li><li>channel: beta</li> </ul> </details> _From [webcompat.com](https://webcompat.com/) with ❤️_
non_defect
moodle ub edu bz site is not usable url browser version firefox operating system windows tested another browser yes problem type site is not usable description the app dosent load in good steps to reproduce i tried to load moodle and it doesn t work browser configuration mixed active content blocked false image mem shared true buildid tracking content blocked false gfx webrender blob images true hastouchscreen false mixed passive content blocked false gfx webrender enabled false gfx webrender all false channel beta from with ❤️
0
15,348
2,850,649,105
IssuesEvent
2015-05-31 19:10:11
damonkohler/sl4a
https://api.github.com/repos/damonkohler/sl4a
opened
ERROR/sl4a.FileUtils:121(2049): Failed to create directory.
auto-migrated Priority-Medium Type-Defect
_From @GoogleCodeExporter on May 31, 2015 11:29_ ``` What device(s) are you experiencing the problem on? miumiu 9 (android 2.1) What firmware version are you running on the device? What steps will reproduce the problem? 1. install sl4a_r3.apk using adb 2. try to run it 3. What is the expected output? What do you see instead? Logcat 03-17 20:19:58.676: VERBOSE/sl4a.FileUtils:119(2049): Creating directory: scripts 03-17 20:19:58.676: ERROR/sl4a.FileUtils:121(2049): Failed to create directory. 03-17 20:19:58.676: DEBUG/AndroidRuntime(2049): Shutting down VM 03-17 20:19:58.676: WARN/dalvikvm(2049): threadid=3: thread exiting with uncaught exception (group=0x4001b168) 03-17 20:19:58.686: ERROR/AndroidRuntime(2049): Uncaught handler: thread main exiting due to uncaught exception 03-17 20:19:58.696: ERROR/AndroidRuntime(2049): java.lang.RuntimeException: Unable to start activity ComponentInfo{com.googlecode.android_scripting/com.googlecode.android_scripting. activity.ScriptManager}: java.lang.RuntimeException: Failed to create scripts directory. at android.app.ActivityThread.performLaunchActivity(ActivityThread.java:2496) at android.app.ActivityThread.handleLaunchActivity(ActivityThread.java:2512) at android.app.ActivityThread.access$2200(ActivityThread.java:119) at android.app.ActivityThread$H.handleMessage(ActivityThread.java:1863) at android.os.Handler.dispatchMessage(Handler.java:99) at android.os.Looper.loop(Looper.java:123) at android.app.ActivityThread.main(ActivityThread.java:4363) at java.lang.reflect.Method.invokeNative(Native Method) at java.lang.reflect.Method.invoke(Method.java:521) at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:860) at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:618) at dalvik.system.NativeStart.main(Native Method) Caused by: java.lang.RuntimeException: Failed to create scripts directory. at com.googlecode.android_scripting.activity.ScriptManager.onCreate(ScriptManager.java:112) at android.app.Instrumentation.callActivityOnCreate(Instrumentation.java:1047) at android.app.ActivityThread.performLaunchActivity(ActivityThread.java:2459) ... 11 more What version of the product are you using? On what operating system? Please provide any additional information below. I unmounted the SD just in case ``` Original issue reported on code.google.com by `scottbur...@gmail.com` on 17 Mar 2011 at 8:23 _Copied from original issue: damonkohler/android-scripting#532_
1.0
ERROR/sl4a.FileUtils:121(2049): Failed to create directory. - _From @GoogleCodeExporter on May 31, 2015 11:29_ ``` What device(s) are you experiencing the problem on? miumiu 9 (android 2.1) What firmware version are you running on the device? What steps will reproduce the problem? 1. install sl4a_r3.apk using adb 2. try to run it 3. What is the expected output? What do you see instead? Logcat 03-17 20:19:58.676: VERBOSE/sl4a.FileUtils:119(2049): Creating directory: scripts 03-17 20:19:58.676: ERROR/sl4a.FileUtils:121(2049): Failed to create directory. 03-17 20:19:58.676: DEBUG/AndroidRuntime(2049): Shutting down VM 03-17 20:19:58.676: WARN/dalvikvm(2049): threadid=3: thread exiting with uncaught exception (group=0x4001b168) 03-17 20:19:58.686: ERROR/AndroidRuntime(2049): Uncaught handler: thread main exiting due to uncaught exception 03-17 20:19:58.696: ERROR/AndroidRuntime(2049): java.lang.RuntimeException: Unable to start activity ComponentInfo{com.googlecode.android_scripting/com.googlecode.android_scripting. activity.ScriptManager}: java.lang.RuntimeException: Failed to create scripts directory. at android.app.ActivityThread.performLaunchActivity(ActivityThread.java:2496) at android.app.ActivityThread.handleLaunchActivity(ActivityThread.java:2512) at android.app.ActivityThread.access$2200(ActivityThread.java:119) at android.app.ActivityThread$H.handleMessage(ActivityThread.java:1863) at android.os.Handler.dispatchMessage(Handler.java:99) at android.os.Looper.loop(Looper.java:123) at android.app.ActivityThread.main(ActivityThread.java:4363) at java.lang.reflect.Method.invokeNative(Native Method) at java.lang.reflect.Method.invoke(Method.java:521) at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:860) at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:618) at dalvik.system.NativeStart.main(Native Method) Caused by: java.lang.RuntimeException: Failed to create scripts directory. at com.googlecode.android_scripting.activity.ScriptManager.onCreate(ScriptManager.java:112) at android.app.Instrumentation.callActivityOnCreate(Instrumentation.java:1047) at android.app.ActivityThread.performLaunchActivity(ActivityThread.java:2459) ... 11 more What version of the product are you using? On what operating system? Please provide any additional information below. I unmounted the SD just in case ``` Original issue reported on code.google.com by `scottbur...@gmail.com` on 17 Mar 2011 at 8:23 _Copied from original issue: damonkohler/android-scripting#532_
defect
error fileutils failed to create directory from googlecodeexporter on may what device s are you experiencing the problem on miumiu android what firmware version are you running on the device what steps will reproduce the problem install apk using adb try to run it what is the expected output what do you see instead logcat verbose fileutils creating directory scripts error fileutils failed to create directory debug androidruntime shutting down vm warn dalvikvm threadid thread exiting with uncaught exception group error androidruntime uncaught handler thread main exiting due to uncaught exception error androidruntime java lang runtimeexception unable to start activity componentinfo com googlecode android scripting com googlecode android scripting activity scriptmanager java lang runtimeexception failed to create scripts directory at android app activitythread performlaunchactivity activitythread java at android app activitythread handlelaunchactivity 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 invokenative native method at java lang reflect method invoke method java at com android internal os zygoteinit methodandargscaller run zygoteinit java at com android internal os zygoteinit main zygoteinit java at dalvik system nativestart main native method caused by java lang runtimeexception failed to create scripts directory at com googlecode android scripting activity scriptmanager oncreate scriptmanager java at android app instrumentation callactivityoncreate instrumentation java at android app activitythread performlaunchactivity activitythread java more what version of the product are you using on what operating system please provide any additional information below i unmounted the sd just in case original issue reported on code google com by scottbur gmail com on mar at copied from original issue damonkohler android scripting
1
28,522
5,284,880,467
IssuesEvent
2017-02-08 02:06:22
jquery/esprima
https://api.github.com/repos/jquery/esprima
closed
Async arrow incorrectly produces spread elements instead of rest elements
defect es2017
Test case: ```js esprima.parse('async (...x) => y').body[0].expression.params ``` Actual: ```js [ { type: 'SpreadElement', argument: { type: 'Identifier', name: 'x' } } ] ``` Expected: ```js [ { type: 'RestElement', argument: { type: 'Identifier', name: 'x' } } ] ``` <hr> Compare it with the case without async (which is already correct): ```js > esprima.parse('(...x) => y').body[0].expression.params [ { type: 'RestElement', argument: { type: 'Identifier', name: 'x' } } ] ```
1.0
Async arrow incorrectly produces spread elements instead of rest elements - Test case: ```js esprima.parse('async (...x) => y').body[0].expression.params ``` Actual: ```js [ { type: 'SpreadElement', argument: { type: 'Identifier', name: 'x' } } ] ``` Expected: ```js [ { type: 'RestElement', argument: { type: 'Identifier', name: 'x' } } ] ``` <hr> Compare it with the case without async (which is already correct): ```js > esprima.parse('(...x) => y').body[0].expression.params [ { type: 'RestElement', argument: { type: 'Identifier', name: 'x' } } ] ```
defect
async arrow incorrectly produces spread elements instead of rest elements test case js esprima parse async x y body expression params actual js type spreadelement argument type identifier name x expected js type restelement argument type identifier name x compare it with the case without async which is already correct js esprima parse x y body expression params type restelement argument type identifier name x
1
50,136
13,187,341,733
IssuesEvent
2020-08-13 03:06:21
icecube-trac/tix3
https://api.github.com/repos/icecube-trac/tix3
closed
improve PF servers reaction to stop requests (Trac #179)
Migrated from Trac defect jeb + pnf
JEB server queue tries to flush all yet filtered events after a stop. an outlet succeeds the queue within PF server. it will request a tray suspension when processing the first event that was flushed by the queue so that filtered events will be probably lost. this needs some detailed checking and would be great to resolve... however, stopping JEB + PnF components is a task by itself. <details> <summary>_Migrated from https://code.icecube.wisc.edu/ticket/179 , reported by tschmidt and owned by tschmidt_</summary> <p> ```json { "status": "closed", "changetime": "2015-02-11T19:44:03", "description": "JEB server queue tries to flush all yet filtered events after a stop. an outlet succeeds the queue within PF server. it will request a tray suspension when processing the first event that was flushed by the queue so that filtered events will be probably lost. this needs some detailed checking and would be great to resolve... however, stopping JEB + PnF components is a task by itself.", "reporter": "tschmidt", "cc": "", "resolution": "worksforme", "_ts": "1423683843619339", "component": "jeb + pnf", "summary": "improve PF servers reaction to stop requests", "priority": "normal", "keywords": "JEB, JEB server queue, outlet", "time": "2009-11-04T16:45:54", "milestone": "", "owner": "tschmidt", "type": "defect" } ``` </p> </details>
1.0
improve PF servers reaction to stop requests (Trac #179) - JEB server queue tries to flush all yet filtered events after a stop. an outlet succeeds the queue within PF server. it will request a tray suspension when processing the first event that was flushed by the queue so that filtered events will be probably lost. this needs some detailed checking and would be great to resolve... however, stopping JEB + PnF components is a task by itself. <details> <summary>_Migrated from https://code.icecube.wisc.edu/ticket/179 , reported by tschmidt and owned by tschmidt_</summary> <p> ```json { "status": "closed", "changetime": "2015-02-11T19:44:03", "description": "JEB server queue tries to flush all yet filtered events after a stop. an outlet succeeds the queue within PF server. it will request a tray suspension when processing the first event that was flushed by the queue so that filtered events will be probably lost. this needs some detailed checking and would be great to resolve... however, stopping JEB + PnF components is a task by itself.", "reporter": "tschmidt", "cc": "", "resolution": "worksforme", "_ts": "1423683843619339", "component": "jeb + pnf", "summary": "improve PF servers reaction to stop requests", "priority": "normal", "keywords": "JEB, JEB server queue, outlet", "time": "2009-11-04T16:45:54", "milestone": "", "owner": "tschmidt", "type": "defect" } ``` </p> </details>
defect
improve pf servers reaction to stop requests trac jeb server queue tries to flush all yet filtered events after a stop an outlet succeeds the queue within pf server it will request a tray suspension when processing the first event that was flushed by the queue so that filtered events will be probably lost this needs some detailed checking and would be great to resolve however stopping jeb pnf components is a task by itself migrated from reported by tschmidt and owned by tschmidt json status closed changetime description jeb server queue tries to flush all yet filtered events after a stop an outlet succeeds the queue within pf server it will request a tray suspension when processing the first event that was flushed by the queue so that filtered events will be probably lost this needs some detailed checking and would be great to resolve however stopping jeb pnf components is a task by itself reporter tschmidt cc resolution worksforme ts component jeb pnf summary improve pf servers reaction to stop requests priority normal keywords jeb jeb server queue outlet time milestone owner tschmidt type defect
1
10,806
2,622,190,884
IssuesEvent
2015-03-04 00:23:01
byzhang/cudpp
https://api.github.com/repos/byzhang/cudpp
closed
cudppSort error in cudpp 1.1.1 for a large array
auto-migrated OpSys-Linux Priority-High Type-Defect
``` What steps will reproduce the problem? 1. tar -xzvf sort_test.tar.gz 2. cd sort_test 3. make 4. ./testsort 1000000 What is the expected output? What do you see instead? expected : before sort radix sort : 0.00834246 s 1000000 elements what I see : before sort radix sort : 0.00834246 s 1000000 elements sort error 1 539193 259683 $./cudpp_testrig -sort -n=1000000 Using device 0: Quadroplex 2200 S4 Quadroplex 2200 S4; global mem: 4294705152B; compute v1.3; clock: 1296000 kHz Running a sort of 1000000 unsigned int key-value pairs Unordered key[1]:35632 > key[2]:17645 Incorrectly sorted value[0] (382903) 1001492540 != 2704 GPU test FAILED Average execution time: 8.087020 ms 1 tests failed What version of the product are you using? On what operating system? device is shown above. cudpp 1.1.1 cuda sdk 2.3 $uname -a Linux tesla 2.6.18-128.1.1.el5 #1 SMP Tue Feb 10 11:36:29 EST 2009 x86_64 x86_64 x86_64 GNU/Linux $cat /proc/driver/nvidia/version NVRM version: NVIDIA UNIX x86_64 Kernel Module 190.53 Wed Dec 9 15:29:46 PST 2009 GCC version: gcc version 4.1.2 20080704 (Red Hat 4.1.2-44) Please provide any additional information below. I have included compiled cudpp library in the attachment. If it is a driver mismatch, please specify an appropriate version number. Thank yu. ``` Original issue reported on code.google.com by `Eunjin...@gmail.com` on 30 Mar 2010 at 12:31 Attachments: * [sort_test.tar.gz](https://storage.googleapis.com/google-code-attachments/cudpp/issue-51/comment-0/sort_test.tar.gz)
1.0
cudppSort error in cudpp 1.1.1 for a large array - ``` What steps will reproduce the problem? 1. tar -xzvf sort_test.tar.gz 2. cd sort_test 3. make 4. ./testsort 1000000 What is the expected output? What do you see instead? expected : before sort radix sort : 0.00834246 s 1000000 elements what I see : before sort radix sort : 0.00834246 s 1000000 elements sort error 1 539193 259683 $./cudpp_testrig -sort -n=1000000 Using device 0: Quadroplex 2200 S4 Quadroplex 2200 S4; global mem: 4294705152B; compute v1.3; clock: 1296000 kHz Running a sort of 1000000 unsigned int key-value pairs Unordered key[1]:35632 > key[2]:17645 Incorrectly sorted value[0] (382903) 1001492540 != 2704 GPU test FAILED Average execution time: 8.087020 ms 1 tests failed What version of the product are you using? On what operating system? device is shown above. cudpp 1.1.1 cuda sdk 2.3 $uname -a Linux tesla 2.6.18-128.1.1.el5 #1 SMP Tue Feb 10 11:36:29 EST 2009 x86_64 x86_64 x86_64 GNU/Linux $cat /proc/driver/nvidia/version NVRM version: NVIDIA UNIX x86_64 Kernel Module 190.53 Wed Dec 9 15:29:46 PST 2009 GCC version: gcc version 4.1.2 20080704 (Red Hat 4.1.2-44) Please provide any additional information below. I have included compiled cudpp library in the attachment. If it is a driver mismatch, please specify an appropriate version number. Thank yu. ``` Original issue reported on code.google.com by `Eunjin...@gmail.com` on 30 Mar 2010 at 12:31 Attachments: * [sort_test.tar.gz](https://storage.googleapis.com/google-code-attachments/cudpp/issue-51/comment-0/sort_test.tar.gz)
defect
cudppsort error in cudpp for a large array what steps will reproduce the problem tar xzvf sort test tar gz cd sort test make testsort what is the expected output what do you see instead expected before sort radix sort s elements what i see before sort radix sort s elements sort error cudpp testrig sort n using device quadroplex quadroplex global mem compute clock khz running a sort of unsigned int key value pairs unordered key key incorrectly sorted value gpu test failed average execution time ms tests failed what version of the product are you using on what operating system device is shown above cudpp cuda sdk uname a linux tesla smp tue feb est gnu linux cat proc driver nvidia version nvrm version nvidia unix kernel module wed dec pst gcc version gcc version red hat please provide any additional information below i have included compiled cudpp library in the attachment if it is a driver mismatch please specify an appropriate version number thank yu original issue reported on code google com by eunjin gmail com on mar at attachments
1
15,407
9,548,264,961
IssuesEvent
2019-05-02 04:15:02
MindLeaps/tracker
https://api.github.com/repos/MindLeaps/tracker
opened
Scope grades by policy
enhancement security
Currently, the API for Grades returns grades across all organizations, regardless of the user requesting them. We should scope grades by organization, unless the user is a global user.
True
Scope grades by policy - Currently, the API for Grades returns grades across all organizations, regardless of the user requesting them. We should scope grades by organization, unless the user is a global user.
non_defect
scope grades by policy currently the api for grades returns grades across all organizations regardless of the user requesting them we should scope grades by organization unless the user is a global user
0
10,107
2,618,936,474
IssuesEvent
2015-03-03 00:02:17
chrsmith/open-ig
https://api.github.com/repos/chrsmith/open-ig
closed
Keys unresponsive.
auto-migrated Component-UI Priority-Medium Type-Defect
``` Game version: open-ig-0.95.151.jar Operating System: (e.g., Windows 7 x86, Windows XP 64-bit) Mac OS X 10.9 Java runtime version: (run java -version) 1.7.0_45-b18 Installed using the Launcher? (yes, no) yes Game language (en, hu, de): en What steps will reproduce the problem? 1. java -Xmx768M -jar open-ig-0.95.151.jar -memonce What is the expected output? What do you see instead? I expect to be able to use hotkeys, type a name for my save game, etc. Instead, nothing on my keyboard appears to have any effect on the game. Please provide any additional information below. The mouse works fine. The OS X short-cut for quit the app (command-q) works fine to shut down the game. Please upload any save before and/or after the problem happened. Please attach the open-ig.log file found in the application's directory. I can't find an open-ig.log file anywhere. ``` Original issue reported on code.google.com by `lhunath@lyndir.com` on 30 Nov 2013 at 1:17
1.0
Keys unresponsive. - ``` Game version: open-ig-0.95.151.jar Operating System: (e.g., Windows 7 x86, Windows XP 64-bit) Mac OS X 10.9 Java runtime version: (run java -version) 1.7.0_45-b18 Installed using the Launcher? (yes, no) yes Game language (en, hu, de): en What steps will reproduce the problem? 1. java -Xmx768M -jar open-ig-0.95.151.jar -memonce What is the expected output? What do you see instead? I expect to be able to use hotkeys, type a name for my save game, etc. Instead, nothing on my keyboard appears to have any effect on the game. Please provide any additional information below. The mouse works fine. The OS X short-cut for quit the app (command-q) works fine to shut down the game. Please upload any save before and/or after the problem happened. Please attach the open-ig.log file found in the application's directory. I can't find an open-ig.log file anywhere. ``` Original issue reported on code.google.com by `lhunath@lyndir.com` on 30 Nov 2013 at 1:17
defect
keys unresponsive game version open ig jar operating system e g windows windows xp bit mac os x java runtime version run java version installed using the launcher yes no yes game language en hu de en what steps will reproduce the problem java jar open ig jar memonce what is the expected output what do you see instead i expect to be able to use hotkeys type a name for my save game etc instead nothing on my keyboard appears to have any effect on the game please provide any additional information below the mouse works fine the os x short cut for quit the app command q works fine to shut down the game please upload any save before and or after the problem happened please attach the open ig log file found in the application s directory i can t find an open ig log file anywhere original issue reported on code google com by lhunath lyndir com on nov at
1
300
2,523,937,999
IssuesEvent
2015-01-20 14:43:38
contao/core
https://api.github.com/repos/contao/core
closed
Seitencache ignoriert Cache-Einstellung
defect unconfirmed
Man kann ja unter Systemeinstellungen die Die Anweisung setzen, dass nur der Servercache verwendet werden soll. Leider ignoriert Contao diese Einstellung, wenn eine Seite aus dem Cache kommt. Dort wird das "no-store must-revalidate" Flag nicht gesetzt. [Ausgabe einer ungecachten Seite](https://github.com/contao/core/blob/16d1d433c7f12410727b8f976ea4fd587e37b783/system/modules/core/classes/FrontendTemplate.php#L252) vs. [Ausgabe gecachte Seite](https://github.com/contao/core/blob/aa700cc155574813f57f312dce34a6ef9134b0c3/index.php#L418). HTTP Response Header gecachte Seite: ``` HTTP/1.1 200 OK Date: Wed, 19 Nov 2014 10:54:45 GMT Server: Apache/2.2.22 X-Powered-By: PHP/5.4.16 Vary: User-Agent,Accept-Encoding Cache-Control: no-cache, pre-check=0, post-check=0 Expires: Fri, 06 Jun 1975 15:10:00 GMT Pragma: no-cache Set-Cookie: **** Last-Modified: Wed, 19 Nov 2014 10:54:45 GMT Connection: close Content-Type: text/html; charset=utf-8 ``` HTTP Response Header ungecachte Seite: ``` HTTP/1.1 200 OK Date: Wed, 19 Nov 2014 10:54:59 GMT Server: Apache/2.2.22 X-Powered-By: PHP/5.4.16 Cache-Control: no-store, no-cache, must-revalidate, post-check=0, pre-check=0 Pragma: no-cache Expires: Fri, 06 Jun 1975 15:10:00 GMT Vary: User-Agent,Accept-Encoding Set-Cookie: **** Set-Cookie: **** Set-Cookie: **** Last-Modified: Wed, 19 Nov 2014 10:54:59 GMT Connection: close Content-Type: text/html; charset=utf-8 ```
1.0
Seitencache ignoriert Cache-Einstellung - Man kann ja unter Systemeinstellungen die Die Anweisung setzen, dass nur der Servercache verwendet werden soll. Leider ignoriert Contao diese Einstellung, wenn eine Seite aus dem Cache kommt. Dort wird das "no-store must-revalidate" Flag nicht gesetzt. [Ausgabe einer ungecachten Seite](https://github.com/contao/core/blob/16d1d433c7f12410727b8f976ea4fd587e37b783/system/modules/core/classes/FrontendTemplate.php#L252) vs. [Ausgabe gecachte Seite](https://github.com/contao/core/blob/aa700cc155574813f57f312dce34a6ef9134b0c3/index.php#L418). HTTP Response Header gecachte Seite: ``` HTTP/1.1 200 OK Date: Wed, 19 Nov 2014 10:54:45 GMT Server: Apache/2.2.22 X-Powered-By: PHP/5.4.16 Vary: User-Agent,Accept-Encoding Cache-Control: no-cache, pre-check=0, post-check=0 Expires: Fri, 06 Jun 1975 15:10:00 GMT Pragma: no-cache Set-Cookie: **** Last-Modified: Wed, 19 Nov 2014 10:54:45 GMT Connection: close Content-Type: text/html; charset=utf-8 ``` HTTP Response Header ungecachte Seite: ``` HTTP/1.1 200 OK Date: Wed, 19 Nov 2014 10:54:59 GMT Server: Apache/2.2.22 X-Powered-By: PHP/5.4.16 Cache-Control: no-store, no-cache, must-revalidate, post-check=0, pre-check=0 Pragma: no-cache Expires: Fri, 06 Jun 1975 15:10:00 GMT Vary: User-Agent,Accept-Encoding Set-Cookie: **** Set-Cookie: **** Set-Cookie: **** Last-Modified: Wed, 19 Nov 2014 10:54:59 GMT Connection: close Content-Type: text/html; charset=utf-8 ```
defect
seitencache ignoriert cache einstellung man kann ja unter systemeinstellungen die die anweisung setzen dass nur der servercache verwendet werden soll leider ignoriert contao diese einstellung wenn eine seite aus dem cache kommt dort wird das no store must revalidate flag nicht gesetzt vs http response header gecachte seite http ok date wed nov gmt server apache x powered by php vary user agent accept encoding cache control no cache pre check post check expires fri jun gmt pragma no cache set cookie last modified wed nov gmt connection close content type text html charset utf http response header ungecachte seite http ok date wed nov gmt server apache x powered by php cache control no store no cache must revalidate post check pre check pragma no cache expires fri jun gmt vary user agent accept encoding set cookie set cookie set cookie last modified wed nov gmt connection close content type text html charset utf
1
2,746
2,607,938,225
IssuesEvent
2015-02-26 00:29:43
chrsmithdemos/minify
https://api.github.com/repos/chrsmithdemos/minify
closed
URL rewriting when minifying css file outside document root
auto-migrated Priority-Medium Release-2.1.5 Type-Defect
``` While minifying a bootstrap library css file I noticed that if file is not under document root and not symlinked in document root the url rewriter blindly fails trying to remove document root path from absolute url. Minify commit/version: 2.1.7 PHP version: any What steps will reproduce the problem? groupsConfig.php: return array( 'test2.css'=> array ( '/var/h/lib/bootstrap-3.0.3/css/test.css', ) ); test.css: @font-face { font-family: 'Glyphicons Halflings'; src: url('../fonts/glyphicons-halflings-regular.eot'); } debug output: /* Minify_CSS_UriRewriter::$debugText docRoot : /var/www/www.example.org/public_html currentDir : /var/h/lib/bootstrap-3.0.3/css file-relative URI : ../fonts/glyphicons-halflings-regular.eot path prepended : /var/h/lib/bootstrap-3.0.3/css/../fonts/glyphicons-halflings-regular.eot docroot stripped : hicons-halflings-regular.eot <<<<<------- DOCROOT SHOULD NOT BE STRIPPED AS PATH WAS ABSOLUTE traversals removed : hicons-halflings-regular.eot */ /* test.css */ /* 1 */ /* 2 */ @font-face { /* 3 */ font-family: 'Glyphicons Halflings'; /* 4 */ src: url('hicons-halflings-regular.eot'); /* 5 */ } /* 6 */ I could not find any documentation about wether or not it should be possible to minify files out of document root, but a possible easy solution would be to modify UriRewriter line 163: // strip doc root $path = substr($path, strlen($realDocRoot)); to check if $path contains $realDocRoot before cutting it. ``` ----- Original issue reported on code.google.com by `lui...@gmail.com` on 26 Dec 2013 at 10:46
1.0
URL rewriting when minifying css file outside document root - ``` While minifying a bootstrap library css file I noticed that if file is not under document root and not symlinked in document root the url rewriter blindly fails trying to remove document root path from absolute url. Minify commit/version: 2.1.7 PHP version: any What steps will reproduce the problem? groupsConfig.php: return array( 'test2.css'=> array ( '/var/h/lib/bootstrap-3.0.3/css/test.css', ) ); test.css: @font-face { font-family: 'Glyphicons Halflings'; src: url('../fonts/glyphicons-halflings-regular.eot'); } debug output: /* Minify_CSS_UriRewriter::$debugText docRoot : /var/www/www.example.org/public_html currentDir : /var/h/lib/bootstrap-3.0.3/css file-relative URI : ../fonts/glyphicons-halflings-regular.eot path prepended : /var/h/lib/bootstrap-3.0.3/css/../fonts/glyphicons-halflings-regular.eot docroot stripped : hicons-halflings-regular.eot <<<<<------- DOCROOT SHOULD NOT BE STRIPPED AS PATH WAS ABSOLUTE traversals removed : hicons-halflings-regular.eot */ /* test.css */ /* 1 */ /* 2 */ @font-face { /* 3 */ font-family: 'Glyphicons Halflings'; /* 4 */ src: url('hicons-halflings-regular.eot'); /* 5 */ } /* 6 */ I could not find any documentation about wether or not it should be possible to minify files out of document root, but a possible easy solution would be to modify UriRewriter line 163: // strip doc root $path = substr($path, strlen($realDocRoot)); to check if $path contains $realDocRoot before cutting it. ``` ----- Original issue reported on code.google.com by `lui...@gmail.com` on 26 Dec 2013 at 10:46
defect
url rewriting when minifying css file outside document root while minifying a bootstrap library css file i noticed that if file is not under document root and not symlinked in document root the url rewriter blindly fails trying to remove document root path from absolute url minify commit version php version any what steps will reproduce the problem groupsconfig php return array css array var h lib bootstrap css test css test css font face font family glyphicons halflings src url fonts glyphicons halflings regular eot debug output minify css urirewriter debugtext docroot var www currentdir var h lib bootstrap css file relative uri fonts glyphicons halflings regular eot path prepended var h lib bootstrap css fonts glyphicons halflings regular eot docroot stripped hicons halflings regular eot docroot should not be stripped as path was absolute traversals removed hicons halflings regular eot test css font face font family glyphicons halflings src url hicons halflings regular eot i could not find any documentation about wether or not it should be possible to minify files out of document root but a possible easy solution would be to modify urirewriter line strip doc root path substr path strlen realdocroot to check if path contains realdocroot before cutting it original issue reported on code google com by lui gmail com on dec at
1
49,663
13,187,248,161
IssuesEvent
2020-08-13 02:48:58
icecube-trac/tix3
https://api.github.com/repos/icecube-trac/tix3
opened
[production-histograms] Expression histogram default behavior. (Trac #1838)
Incomplete Migration Migrated from Trac defect other
<details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/1838">https://code.icecube.wisc.edu/ticket/1838</a>, reported by jgonzalez and owned by </em></summary> <p> ```json { "status": "closed", "changetime": "2016-09-09T17:43:17", "description": "I think there is a missing return statement in expression_histogram.py. As it is now, an exception when evaluating the expression causes a valid entry equal to zero. I would expect either no entry at all or something like NAN. A value of zero is not only a perfectly reasonable value, it is also common (some parameters in toprec are set to zero when the thing fails).\n\n{{{\n--- python/histograms/expression_histogram.py\t(revision 149418)\n+++ python/histograms/expression_histogram.py\t(working copy)\n@@ -52,7 +52,7 @@\n icetray.logging.log_debug(\"%s\" % str(e))\n icetray.logging.log_debug(\"Histogram Name : %s\" % self.name)\n icetray.logging.log_debug(\"Calling : %s\" % self.expression)\n-\n+ return\n # Call fill and catch all errors\n try:\n self.fill(value)\n}}}", "reporter": "jgonzalez", "cc": "", "resolution": "fixed", "_ts": "1473442997427743", "component": "other", "summary": "[production-histograms] Expression histogram default behavior.", "priority": "normal", "keywords": "", "time": "2016-08-29T15:58:34", "milestone": "", "owner": "", "type": "defect" } ``` </p> </details>
1.0
[production-histograms] Expression histogram default behavior. (Trac #1838) - <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/ticket/1838">https://code.icecube.wisc.edu/ticket/1838</a>, reported by jgonzalez and owned by </em></summary> <p> ```json { "status": "closed", "changetime": "2016-09-09T17:43:17", "description": "I think there is a missing return statement in expression_histogram.py. As it is now, an exception when evaluating the expression causes a valid entry equal to zero. I would expect either no entry at all or something like NAN. A value of zero is not only a perfectly reasonable value, it is also common (some parameters in toprec are set to zero when the thing fails).\n\n{{{\n--- python/histograms/expression_histogram.py\t(revision 149418)\n+++ python/histograms/expression_histogram.py\t(working copy)\n@@ -52,7 +52,7 @@\n icetray.logging.log_debug(\"%s\" % str(e))\n icetray.logging.log_debug(\"Histogram Name : %s\" % self.name)\n icetray.logging.log_debug(\"Calling : %s\" % self.expression)\n-\n+ return\n # Call fill and catch all errors\n try:\n self.fill(value)\n}}}", "reporter": "jgonzalez", "cc": "", "resolution": "fixed", "_ts": "1473442997427743", "component": "other", "summary": "[production-histograms] Expression histogram default behavior.", "priority": "normal", "keywords": "", "time": "2016-08-29T15:58:34", "milestone": "", "owner": "", "type": "defect" } ``` </p> </details>
defect
expression histogram default behavior trac migrated from json status closed changetime description i think there is a missing return statement in expression histogram py as it is now an exception when evaluating the expression causes a valid entry equal to zero i would expect either no entry at all or something like nan a value of zero is not only a perfectly reasonable value it is also common some parameters in toprec are set to zero when the thing fails n n n python histograms expression histogram py t revision n python histograms expression histogram py t working copy n n icetray logging log debug s str e n icetray logging log debug histogram name s self name n icetray logging log debug calling s self expression n n return n call fill and catch all errors n try n self fill value n reporter jgonzalez cc resolution fixed ts component other summary expression histogram default behavior priority normal keywords time milestone owner type defect
1
68,272
21,576,321,756
IssuesEvent
2022-05-02 14:06:04
primefaces/primereact
https://api.github.com/repos/primefaces/primereact
closed
Carousel: Display issues when loading less items that the allocated slots
defect
### Describe the bug Originally reported on PrimeFaces: https://github.com/primefaces/primefaces/issues/8265 The bug is in the calculation of the `totalIndicators` value. ### Reproducer https://github.com/eframsergio/tests/raw/main/primefaces-test-master.zip ### PrimeReact version 8.0.0 ### React version 18.x ### Language ES6 ### Build / Runtime Next.js ### Browser(s) ALL ### Steps to reproduce the behavior 1 Create a Carousel with only 1 data item ```js productService.getProductsSmall().then(data => setProducts(data.slice(0, 1))); ``` 2. Set its numVisible={1} like... ```xml <Carousel value={products} numVisible={3} numScroll={1} itemTemplate={productTemplate} /> ``` ### Expected behavior ![image](https://user-images.githubusercontent.com/4399574/165819536-44b68d6e-2d06-49cf-b5ae-d3f8f7d6f4f9.png)
1.0
Carousel: Display issues when loading less items that the allocated slots - ### Describe the bug Originally reported on PrimeFaces: https://github.com/primefaces/primefaces/issues/8265 The bug is in the calculation of the `totalIndicators` value. ### Reproducer https://github.com/eframsergio/tests/raw/main/primefaces-test-master.zip ### PrimeReact version 8.0.0 ### React version 18.x ### Language ES6 ### Build / Runtime Next.js ### Browser(s) ALL ### Steps to reproduce the behavior 1 Create a Carousel with only 1 data item ```js productService.getProductsSmall().then(data => setProducts(data.slice(0, 1))); ``` 2. Set its numVisible={1} like... ```xml <Carousel value={products} numVisible={3} numScroll={1} itemTemplate={productTemplate} /> ``` ### Expected behavior ![image](https://user-images.githubusercontent.com/4399574/165819536-44b68d6e-2d06-49cf-b5ae-d3f8f7d6f4f9.png)
defect
carousel display issues when loading less items that the allocated slots describe the bug originally reported on primefaces the bug is in the calculation of the totalindicators value reproducer primereact version react version x language build runtime next js browser s all steps to reproduce the behavior create a carousel with only data item js productservice getproductssmall then data setproducts data slice set its numvisible like xml expected behavior
1
1,289
2,603,748,523
IssuesEvent
2015-02-24 17:43:20
chrsmith/bwapi
https://api.github.com/repos/chrsmith/bwapi
closed
Scourge attack doesn't trigger onUnitDestroy
auto-migrated Type-Defect
``` What steps will reproduce the problem? Print whenever onUnitDestroy is called, then attack a scourge into an air unit. What is the expected output? What do you see instead? I expect onUnitDestroy to be called since the scourge is removed from the game. Instead, it is not called. What version of the product are you using? On what operating system? Beta 2.4 on Windows XP Please provide any additional information below. onUnitDestroy is called when a scourge is killed by other means. ``` ----- Original issue reported on code.google.com by `sharpe.m...@gmail.com` on 21 Dec 2009 at 2:26
1.0
Scourge attack doesn't trigger onUnitDestroy - ``` What steps will reproduce the problem? Print whenever onUnitDestroy is called, then attack a scourge into an air unit. What is the expected output? What do you see instead? I expect onUnitDestroy to be called since the scourge is removed from the game. Instead, it is not called. What version of the product are you using? On what operating system? Beta 2.4 on Windows XP Please provide any additional information below. onUnitDestroy is called when a scourge is killed by other means. ``` ----- Original issue reported on code.google.com by `sharpe.m...@gmail.com` on 21 Dec 2009 at 2:26
defect
scourge attack doesn t trigger onunitdestroy what steps will reproduce the problem print whenever onunitdestroy is called then attack a scourge into an air unit what is the expected output what do you see instead i expect onunitdestroy to be called since the scourge is removed from the game instead it is not called what version of the product are you using on what operating system beta on windows xp please provide any additional information below onunitdestroy is called when a scourge is killed by other means original issue reported on code google com by sharpe m gmail com on dec at
1
79,366
28,132,431,416
IssuesEvent
2023-04-01 02:09:44
scipy/scipy
https://api.github.com/repos/scipy/scipy
opened
The geometric distribution entropy is incorrect
defect
### Describe your issue. ``` ss.geom(0.0146).entropy() /home/neil/.cache/pypoetry/virtualenvs/efax-ZssyUsLU-py3.11/lib/python3.11/site-packages/scipy/stats/_distn_infrastructure.py:3814: RuntimeWarning: expect(): sum did not converge warnings.warn('expect(): sum did not converge', RuntimeWarning) Out[2]: 2.9609120114214393 ``` Should be: 5.219397961962304 This should be calculated analytically since the geometric distribution is an exponential family with zero carrier measure. Therefore, it's entropy is simply its log-normalizer minus the product of its expectation parameter with its natural parameter: ``` -log(p) - log(1-p) * (1-p) / p ``` or as numpy code: ```python -np.log(p) - np.log1p(-p) * (1.0-p) / p ``` ### Reproducing Code Example ```python . ``` ### Error message ```shell . ``` ### SciPy/NumPy/Python version and system information ```shell . ```
1.0
The geometric distribution entropy is incorrect - ### Describe your issue. ``` ss.geom(0.0146).entropy() /home/neil/.cache/pypoetry/virtualenvs/efax-ZssyUsLU-py3.11/lib/python3.11/site-packages/scipy/stats/_distn_infrastructure.py:3814: RuntimeWarning: expect(): sum did not converge warnings.warn('expect(): sum did not converge', RuntimeWarning) Out[2]: 2.9609120114214393 ``` Should be: 5.219397961962304 This should be calculated analytically since the geometric distribution is an exponential family with zero carrier measure. Therefore, it's entropy is simply its log-normalizer minus the product of its expectation parameter with its natural parameter: ``` -log(p) - log(1-p) * (1-p) / p ``` or as numpy code: ```python -np.log(p) - np.log1p(-p) * (1.0-p) / p ``` ### Reproducing Code Example ```python . ``` ### Error message ```shell . ``` ### SciPy/NumPy/Python version and system information ```shell . ```
defect
the geometric distribution entropy is incorrect describe your issue ss geom entropy home neil cache pypoetry virtualenvs efax zssyuslu lib site packages scipy stats distn infrastructure py runtimewarning expect sum did not converge warnings warn expect sum did not converge runtimewarning out should be this should be calculated analytically since the geometric distribution is an exponential family with zero carrier measure therefore it s entropy is simply its log normalizer minus the product of its expectation parameter with its natural parameter log p log p p p or as numpy code python np log p np p p p reproducing code example python error message shell scipy numpy python version and system information shell
1
196,759
22,534,039,570
IssuesEvent
2022-06-25 01:03:55
snykiotcubedev/redis-6.2.3
https://api.github.com/repos/snykiotcubedev/redis-6.2.3
opened
CVE-2022-33105 (Medium) detected in redis6.2.6
security vulnerability
## CVE-2022-33105 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>redis6.2.6</b></p></summary> <p> <p>Redis is an in-memory database that persists on disk. The data model is key-value, but many different kind of values are supported: Strings, Lists, Sets, Sorted Sets, Hashes, Streams, HyperLogLogs, Bitmaps.</p> <p>Library home page: <a href=https://github.com/redis/redis.git>https://github.com/redis/redis.git</a></p> <p>Found in HEAD commit: <a href="https://github.com/snykiotcubedev/redis-6.2.3/commit/4d9d45af08df0c37729fafce88f139952f155020">4d9d45af08df0c37729fafce88f139952f155020</a></p> <p>Found in base branch: <b>main</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (1)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/src/t_stream.c</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Redis v7.0 was discovered to contain a memory leak via the component streamGetEdgeID. <p>Publish Date: 2022-06-23 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-33105>CVE-2022-33105</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Release Date: 2022-06-23</p> <p>Fix Resolution: 7.0.1</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2022-33105 (Medium) detected in redis6.2.6 - ## CVE-2022-33105 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>redis6.2.6</b></p></summary> <p> <p>Redis is an in-memory database that persists on disk. The data model is key-value, but many different kind of values are supported: Strings, Lists, Sets, Sorted Sets, Hashes, Streams, HyperLogLogs, Bitmaps.</p> <p>Library home page: <a href=https://github.com/redis/redis.git>https://github.com/redis/redis.git</a></p> <p>Found in HEAD commit: <a href="https://github.com/snykiotcubedev/redis-6.2.3/commit/4d9d45af08df0c37729fafce88f139952f155020">4d9d45af08df0c37729fafce88f139952f155020</a></p> <p>Found in base branch: <b>main</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (1)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/src/t_stream.c</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Redis v7.0 was discovered to contain a memory leak via the component streamGetEdgeID. <p>Publish Date: 2022-06-23 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-33105>CVE-2022-33105</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Release Date: 2022-06-23</p> <p>Fix Resolution: 7.0.1</p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve medium detected in cve medium severity vulnerability vulnerable library redis is an in memory database that persists on disk the data model is key value but many different kind of values are supported strings lists sets sorted sets hashes streams hyperloglogs bitmaps library home page a href found in head commit a href found in base branch main vulnerable source files src t stream c vulnerability details redis was discovered to contain a memory leak via the component streamgetedgeid publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required none user interaction required scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version release date fix resolution step up your open source security game with mend
0
75,966
26,183,327,132
IssuesEvent
2023-01-02 19:00:46
mozilla/blurts-server
https://api.github.com/repos/mozilla/blurts-server
opened
Unhandled error when unsubcribing by token
defect
When sending a `POST /user/unsubscribe` via a verification token, a SQL error is raised: ``` delete from "subscribers" where "primary_verification_token" = $1 and "primary_sha1" = $2 - update or delete on table "subscribers" violates foreign key constraint "email_addresses_subscriber_id_foreign" on table "email_addresses" ``` This appears to crash the process and require a restart. Tracked in Sentry: * Team link: https://sentry.io/organizations/mozilla/issues/3520992928 * Public link: https://sentry.io/share/issue/76a5620c1ed64ba8b35c63824e75f1c1/
1.0
Unhandled error when unsubcribing by token - When sending a `POST /user/unsubscribe` via a verification token, a SQL error is raised: ``` delete from "subscribers" where "primary_verification_token" = $1 and "primary_sha1" = $2 - update or delete on table "subscribers" violates foreign key constraint "email_addresses_subscriber_id_foreign" on table "email_addresses" ``` This appears to crash the process and require a restart. Tracked in Sentry: * Team link: https://sentry.io/organizations/mozilla/issues/3520992928 * Public link: https://sentry.io/share/issue/76a5620c1ed64ba8b35c63824e75f1c1/
defect
unhandled error when unsubcribing by token when sending a post user unsubscribe via a verification token a sql error is raised delete from subscribers where primary verification token and primary update or delete on table subscribers violates foreign key constraint email addresses subscriber id foreign on table email addresses this appears to crash the process and require a restart tracked in sentry team link public link
1
126,686
17,094,424,702
IssuesEvent
2021-07-08 22:44:26
paketo-buildpacks/paketo-website
https://api.github.com/repos/paketo-buildpacks/paketo-website
closed
Make Menu Section Headers Un-click-able
website-redesign
## What happened? <!-- Please provide some details about the task you are trying to accomplish and what went wrong. --> When viewing the Paketo site, some docs menu items are click-able and the cursor turns into a pointer over them, but they don't have any effect other than to reload the current page when clicked. These docs menu items are section headers and _shouldn't_ be active links. ![screenshot7721](https://user-images.githubusercontent.com/21328286/124815868-c9648180-df35-11eb-82d2-98ce662dc00e.png) ## A/C `AS` a user on the Paketo site on mobile AND desktop `WHEN` I click/tap the Reference, Concepts or How To docs menu headers `THEN` They are **not** clickable links `AND` The click is a no-op (no page reload, no new page displayed) ## Checklist <!-- Please confirm the following --> * [ ] I have included log output. * [ ] The log output includes an error message. * [x] I have included steps for reproduction.
1.0
Make Menu Section Headers Un-click-able - ## What happened? <!-- Please provide some details about the task you are trying to accomplish and what went wrong. --> When viewing the Paketo site, some docs menu items are click-able and the cursor turns into a pointer over them, but they don't have any effect other than to reload the current page when clicked. These docs menu items are section headers and _shouldn't_ be active links. ![screenshot7721](https://user-images.githubusercontent.com/21328286/124815868-c9648180-df35-11eb-82d2-98ce662dc00e.png) ## A/C `AS` a user on the Paketo site on mobile AND desktop `WHEN` I click/tap the Reference, Concepts or How To docs menu headers `THEN` They are **not** clickable links `AND` The click is a no-op (no page reload, no new page displayed) ## Checklist <!-- Please confirm the following --> * [ ] I have included log output. * [ ] The log output includes an error message. * [x] I have included steps for reproduction.
non_defect
make menu section headers un click able what happened please provide some details about the task you are trying to accomplish and what went wrong when viewing the paketo site some docs menu items are click able and the cursor turns into a pointer over them but they don t have any effect other than to reload the current page when clicked these docs menu items are section headers and shouldn t be active links a c as a user on the paketo site on mobile and desktop when i click tap the reference concepts or how to docs menu headers then they are not clickable links and the click is a no op no page reload no new page displayed checklist i have included log output the log output includes an error message i have included steps for reproduction
0
71,504
23,663,140,239
IssuesEvent
2022-08-26 17:41:36
SAP/fundamental-ngx
https://api.github.com/repos/SAP/fundamental-ngx
closed
Defect Hunting: Table bugs
bug core Defect Hunting table
#### Is this a bug, enhancement, or feature request? bug #### Briefly describe your proposal. - [x] Table core - [sorting/filtering example](https://fundamental-ngx.netlify.app/#/core/table#column-sorting) -> filter the content and then pick sort ascending/descending -> nothing happens. The sorting works if the filtering is not applied https://github.com/SAP/fundamental-ngx/pull/8568 <img width="689" alt="Screen Shot 2022-02-14 at 10 20 42" src="https://user-images.githubusercontent.com/4380815/153892045-8e5845bd-b19e-4d40-ad26-f234bb3c0cbb.png">
1.0
Defect Hunting: Table bugs - #### Is this a bug, enhancement, or feature request? bug #### Briefly describe your proposal. - [x] Table core - [sorting/filtering example](https://fundamental-ngx.netlify.app/#/core/table#column-sorting) -> filter the content and then pick sort ascending/descending -> nothing happens. The sorting works if the filtering is not applied https://github.com/SAP/fundamental-ngx/pull/8568 <img width="689" alt="Screen Shot 2022-02-14 at 10 20 42" src="https://user-images.githubusercontent.com/4380815/153892045-8e5845bd-b19e-4d40-ad26-f234bb3c0cbb.png">
defect
defect hunting table bugs is this a bug enhancement or feature request bug briefly describe your proposal table core filter the content and then pick sort ascending descending nothing happens the sorting works if the filtering is not applied img width alt screen shot at src
1
266
2,496,551,006
IssuesEvent
2015-01-06 20:23:59
diplomod/WellBet-App
https://api.github.com/repos/diplomod/WellBet-App
opened
"See Detailed Results" => "See detailed results"
enhancement Testenvironment dokuhl
In closed WellBets - so we are in line with all other buttons ![2015-01-06 21 21 26](https://cloud.githubusercontent.com/assets/7487883/5635546/4acbdefe-95ea-11e4-8f97-c47e4886de8d.png)
1.0
"See Detailed Results" => "See detailed results" - In closed WellBets - so we are in line with all other buttons ![2015-01-06 21 21 26](https://cloud.githubusercontent.com/assets/7487883/5635546/4acbdefe-95ea-11e4-8f97-c47e4886de8d.png)
non_defect
see detailed results see detailed results in closed wellbets so we are in line with all other buttons
0
536,789
15,713,351,552
IssuesEvent
2021-03-27 15:48:57
salewski/ads-github-tools
https://api.github.com/repos/salewski/ads-github-tools
closed
ads-github-cache: ignore letter case of http response headers
priority: 1 (now) severity: 4 (important) status:in-progress type:bug
The `ads-github-cache` program is currently comparing the `Link:` HTTP response header in a case-sensitive fashion: it recognizes `'Link:'` but not `'link:'`. Sometime in the past few days GitHub's API responses started using all lowercase letters for the HTTP header names in at least some responses. For example: ```console link: <https://api.github.com/user/repos?page=2&per_page=100>; rel="next", <https://api.github.com/user/repos?page=19&per_page=100>; rel="last" ``` Since the responses are cached "as is", the `ads-github-cache(1)` program is no longer able to locate the entry from the cached value: ```console $ ads-github-cache --verbose --update ads-github-cache (info): attempting to update 1 item ads-github-cache (info): updating item 1 of 1: https://api.github.com/user/repos ads-github-cache (error): was error while extracting Link: header from (compressed) "paged collection" metadata file: /path/to/.ads-github-tools.d/cache/gh-user-salewski/c-v1/gh-api-v3/user--repos/af/5aebf8765867b59e7b689b251e0e779dcea8e87af8cef3c91bfdad23cc146f/HEAD-meta.zst; bailing out ``` The use of lowercase headers is consistent with [RFC 7230](https://tools.ietf.org/html/rfc7230) section 3.2 ("Header Fields"), so the bug is not upstream. The `ads-github-cache` program should be modified to treat HTTP headers in a case-insensitive fashion. Version: ```console $ ads-github-cache --version ads-github-cache 0.3.2 (built: 2020-10-29 19:50:12) Copyright (C) 2020 Alan D. Salewski <ads@salewski.email> License GPLv2+: GNU GPL version 2 or later <http://gnu.org/licenses/gpl.html>. This is free software: you are free to change and redistribute it. There is NO WARRANTY, to the extent permitted by law. Written by Alan D. Salewski. ```
1.0
ads-github-cache: ignore letter case of http response headers - The `ads-github-cache` program is currently comparing the `Link:` HTTP response header in a case-sensitive fashion: it recognizes `'Link:'` but not `'link:'`. Sometime in the past few days GitHub's API responses started using all lowercase letters for the HTTP header names in at least some responses. For example: ```console link: <https://api.github.com/user/repos?page=2&per_page=100>; rel="next", <https://api.github.com/user/repos?page=19&per_page=100>; rel="last" ``` Since the responses are cached "as is", the `ads-github-cache(1)` program is no longer able to locate the entry from the cached value: ```console $ ads-github-cache --verbose --update ads-github-cache (info): attempting to update 1 item ads-github-cache (info): updating item 1 of 1: https://api.github.com/user/repos ads-github-cache (error): was error while extracting Link: header from (compressed) "paged collection" metadata file: /path/to/.ads-github-tools.d/cache/gh-user-salewski/c-v1/gh-api-v3/user--repos/af/5aebf8765867b59e7b689b251e0e779dcea8e87af8cef3c91bfdad23cc146f/HEAD-meta.zst; bailing out ``` The use of lowercase headers is consistent with [RFC 7230](https://tools.ietf.org/html/rfc7230) section 3.2 ("Header Fields"), so the bug is not upstream. The `ads-github-cache` program should be modified to treat HTTP headers in a case-insensitive fashion. Version: ```console $ ads-github-cache --version ads-github-cache 0.3.2 (built: 2020-10-29 19:50:12) Copyright (C) 2020 Alan D. Salewski <ads@salewski.email> License GPLv2+: GNU GPL version 2 or later <http://gnu.org/licenses/gpl.html>. This is free software: you are free to change and redistribute it. There is NO WARRANTY, to the extent permitted by law. Written by Alan D. Salewski. ```
non_defect
ads github cache ignore letter case of http response headers the ads github cache program is currently comparing the link http response header in a case sensitive fashion it recognizes link but not link sometime in the past few days github s api responses started using all lowercase letters for the http header names in at least some responses for example console link rel next rel last since the responses are cached as is the ads github cache program is no longer able to locate the entry from the cached value console ads github cache verbose update ads github cache info attempting to update item ads github cache info updating item of ads github cache error was error while extracting link header from compressed paged collection metadata file path to ads github tools d cache gh user salewski c gh api user repos af head meta zst bailing out the use of lowercase headers is consistent with section header fields so the bug is not upstream the ads github cache program should be modified to treat http headers in a case insensitive fashion version console ads github cache version ads github cache built copyright c alan d salewski license gnu gpl version or later this is free software you are free to change and redistribute it there is no warranty to the extent permitted by law written by alan d salewski
0
221,191
24,592,146,374
IssuesEvent
2022-10-14 04:00:13
kxxt/kxxt-website
https://api.github.com/repos/kxxt/kxxt-website
closed
WS-2022-0239 (Medium) detected in parse-url-7.0.2.tgz - autoclosed
security vulnerability
## WS-2022-0239 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>parse-url-7.0.2.tgz</b></p></summary> <p>An advanced url parser supporting git urls too.</p> <p>Library home page: <a href="https://registry.npmjs.org/parse-url/-/parse-url-7.0.2.tgz">https://registry.npmjs.org/parse-url/-/parse-url-7.0.2.tgz</a></p> <p>Path to dependency file: /package.json</p> <p>Path to vulnerable library: /node_modules/parse-url/package.json</p> <p> Dependency Hierarchy: - gatsby-plugin-page-creator-4.22.0.tgz (Root Library) - gatsby-telemetry-3.22.0.tgz - git-up-6.0.0.tgz - :x: **parse-url-7.0.2.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/kxxt/kxxt-website/commit/b78a7bd60f30863e85a1504356f0db900b70f11f">b78a7bd60f30863e85a1504356f0db900b70f11f</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> Cross-Site Scripting via Improper Input Validation (parser differential) in parse-url before 8.0.0. Through this vulnerability, an attacker is capable to execute malicious JS codes. <p>Publish Date: 2022-07-02 <p>URL: <a href=https://github.com/ionicabizau/parse-url/commit/b88c81df8f4c5168af454eaa4f92afa9349e4e13>WS-2022-0239</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://huntr.dev/bounties/5fa3115f-5c97-4928-874c-3cc6302e154e">https://huntr.dev/bounties/5fa3115f-5c97-4928-874c-3cc6302e154e</a></p> <p>Release Date: 2022-07-02</p> <p>Fix Resolution: parse-url - 8.0.0 </p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
WS-2022-0239 (Medium) detected in parse-url-7.0.2.tgz - autoclosed - ## WS-2022-0239 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>parse-url-7.0.2.tgz</b></p></summary> <p>An advanced url parser supporting git urls too.</p> <p>Library home page: <a href="https://registry.npmjs.org/parse-url/-/parse-url-7.0.2.tgz">https://registry.npmjs.org/parse-url/-/parse-url-7.0.2.tgz</a></p> <p>Path to dependency file: /package.json</p> <p>Path to vulnerable library: /node_modules/parse-url/package.json</p> <p> Dependency Hierarchy: - gatsby-plugin-page-creator-4.22.0.tgz (Root Library) - gatsby-telemetry-3.22.0.tgz - git-up-6.0.0.tgz - :x: **parse-url-7.0.2.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/kxxt/kxxt-website/commit/b78a7bd60f30863e85a1504356f0db900b70f11f">b78a7bd60f30863e85a1504356f0db900b70f11f</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> Cross-Site Scripting via Improper Input Validation (parser differential) in parse-url before 8.0.0. Through this vulnerability, an attacker is capable to execute malicious JS codes. <p>Publish Date: 2022-07-02 <p>URL: <a href=https://github.com/ionicabizau/parse-url/commit/b88c81df8f4c5168af454eaa4f92afa9349e4e13>WS-2022-0239</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://huntr.dev/bounties/5fa3115f-5c97-4928-874c-3cc6302e154e">https://huntr.dev/bounties/5fa3115f-5c97-4928-874c-3cc6302e154e</a></p> <p>Release Date: 2022-07-02</p> <p>Fix Resolution: parse-url - 8.0.0 </p> </p> </details> <p></p> *** Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
ws medium detected in parse url tgz autoclosed ws medium severity vulnerability vulnerable library parse url tgz an advanced url parser supporting git urls too library home page a href path to dependency file package json path to vulnerable library node modules parse url package json dependency hierarchy gatsby plugin page creator tgz root library gatsby telemetry tgz git up tgz x parse url tgz vulnerable library found in head commit a href found in base branch master vulnerability details cross site scripting via improper input validation parser differential in parse url before through this vulnerability an attacker is capable to execute malicious js codes 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 parse url step up your open source security game with mend
0
6,848
2,610,297,741
IssuesEvent
2015-02-26 19:35:43
chrsmith/hedgewars
https://api.github.com/repos/chrsmith/hedgewars
closed
NETWORK GAME doesnt work - app crash - need to: kill -9 pid
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. Load game (0.9.15 appstore update from lower version) 2. Push under NETWORK GAME 3. Official Server 4. APPLICATION CRASH AND FREEZED Process: hedgewars [1125] Path: /Applications/Juegos/Hedgewars.app/Contents/MacOS/hedgewars Identifier: org.hedgewars.desktop Version: 0.9.15 (4830) App Item ID: 406787445 App External ID: 3289113 Code Type: X86-64 (Native) Parent Process: launchd [838] Date/Time: 2011-02-01 18:33:17.966 +0100 OS Version: Mac OS X 10.6.6 (10J567) Report Version: 6 Interval Since Last Report: 294861 sec Crashes Since Last Report: 5 Per-App Interval Since Last Report: 2194 sec Per-App Crashes Since Last Report: 4 Anonymous UUID: 68CD5D4C-A6E5-4E4B-91DF-60D7F9C26246 Exception Type: EXC_BAD_ACCESS (SIGSEGV) Exception Codes: KERN_PROTECTION_FAILURE at 0x00007fff5f3ffff8 Crashed Thread: 0 Dispatch queue: com.apple.main-thread Please provide any additional information below. Lower version works fine!!! ``` ----- Original issue reported on code.google.com by `wadal...@gmail.com` on 1 Feb 2011 at 5:35
1.0
NETWORK GAME doesnt work - app crash - need to: kill -9 pid - ``` What steps will reproduce the problem? 1. Load game (0.9.15 appstore update from lower version) 2. Push under NETWORK GAME 3. Official Server 4. APPLICATION CRASH AND FREEZED Process: hedgewars [1125] Path: /Applications/Juegos/Hedgewars.app/Contents/MacOS/hedgewars Identifier: org.hedgewars.desktop Version: 0.9.15 (4830) App Item ID: 406787445 App External ID: 3289113 Code Type: X86-64 (Native) Parent Process: launchd [838] Date/Time: 2011-02-01 18:33:17.966 +0100 OS Version: Mac OS X 10.6.6 (10J567) Report Version: 6 Interval Since Last Report: 294861 sec Crashes Since Last Report: 5 Per-App Interval Since Last Report: 2194 sec Per-App Crashes Since Last Report: 4 Anonymous UUID: 68CD5D4C-A6E5-4E4B-91DF-60D7F9C26246 Exception Type: EXC_BAD_ACCESS (SIGSEGV) Exception Codes: KERN_PROTECTION_FAILURE at 0x00007fff5f3ffff8 Crashed Thread: 0 Dispatch queue: com.apple.main-thread Please provide any additional information below. Lower version works fine!!! ``` ----- Original issue reported on code.google.com by `wadal...@gmail.com` on 1 Feb 2011 at 5:35
defect
network game doesnt work app crash need to kill pid what steps will reproduce the problem load game appstore update from lower version push under network game official server application crash and freezed process hedgewars path applications juegos hedgewars app contents macos hedgewars identifier org hedgewars desktop version app item id app external id code type native parent process launchd date time os version mac os x report version interval since last report sec crashes since last report per app interval since last report sec per app crashes since last report anonymous uuid exception type exc bad access sigsegv exception codes kern protection failure at crashed thread dispatch queue com apple main thread please provide any additional information below lower version works fine original issue reported on code google com by wadal gmail com on feb at
1
40,490
10,021,545,408
IssuesEvent
2019-07-16 14:50:45
idaholab/moose
https://api.github.com/repos/idaholab/moose
closed
Spurious warning about grouped variables in ReferenceResidualProblem
T: defect
## Bug Description If I group together more than 2 field variables in ReferenceResidualProblem, I get this warning: `In the 'group_variables' parameter, standard variables and scalar variables are grouped together in group 0`. This is because the logic that generates this error only works for up to 2 field variables. ## Steps to Reproduce Give a list of more than 2 field variables in the `group_variables` parameter of `ReferenceResidualProblem`. ## Impact It's just an annoyance. It generates a warning about something that is actually a non-issue.
1.0
Spurious warning about grouped variables in ReferenceResidualProblem - ## Bug Description If I group together more than 2 field variables in ReferenceResidualProblem, I get this warning: `In the 'group_variables' parameter, standard variables and scalar variables are grouped together in group 0`. This is because the logic that generates this error only works for up to 2 field variables. ## Steps to Reproduce Give a list of more than 2 field variables in the `group_variables` parameter of `ReferenceResidualProblem`. ## Impact It's just an annoyance. It generates a warning about something that is actually a non-issue.
defect
spurious warning about grouped variables in referenceresidualproblem bug description if i group together more than field variables in referenceresidualproblem i get this warning in the group variables parameter standard variables and scalar variables are grouped together in group this is because the logic that generates this error only works for up to field variables steps to reproduce give a list of more than field variables in the group variables parameter of referenceresidualproblem impact it s just an annoyance it generates a warning about something that is actually a non issue
1
3,503
2,610,063,874
IssuesEvent
2015-02-26 18:18:47
chrsmith/jsjsj122
https://api.github.com/repos/chrsmith/jsjsj122
opened
黄岩看不育多少钱
auto-migrated Priority-Medium Type-Defect
``` 黄岩看不育多少钱【台州五洲生殖医院】24小时健康咨询热线 :0576-88066933-(扣扣800080609)-(微信号tzwzszyy)医院地址:台州市椒江 区枫南路229号(枫南大转盘旁)乘车线路:乘坐104、108、118、1 98及椒江一金清公交车直达枫南小区,乘坐107、105、109、112、 901、 902公交车到星星广场下车,步行即可到院。 诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,�� �精,无精。包皮包茎,精索静脉曲张,淋病等。 台州五洲生殖医院是台州最大的男科医院,权威专家在线免�� �咨询,拥有专业完善的男科检查治疗设备,严格按照国家标� ��收费。尖端医疗设备,与世界同步。权威专家,成就专业典 范。人性化服务,一切以患者为中心。 看男科就选台州五洲生殖医院,专业男科为男人。 ``` ----- Original issue reported on code.google.com by `poweragr...@gmail.com` on 30 May 2014 at 7:59
1.0
黄岩看不育多少钱 - ``` 黄岩看不育多少钱【台州五洲生殖医院】24小时健康咨询热线 :0576-88066933-(扣扣800080609)-(微信号tzwzszyy)医院地址:台州市椒江 区枫南路229号(枫南大转盘旁)乘车线路:乘坐104、108、118、1 98及椒江一金清公交车直达枫南小区,乘坐107、105、109、112、 901、 902公交车到星星广场下车,步行即可到院。 诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,�� �精,无精。包皮包茎,精索静脉曲张,淋病等。 台州五洲生殖医院是台州最大的男科医院,权威专家在线免�� �咨询,拥有专业完善的男科检查治疗设备,严格按照国家标� ��收费。尖端医疗设备,与世界同步。权威专家,成就专业典 范。人性化服务,一切以患者为中心。 看男科就选台州五洲生殖医院,专业男科为男人。 ``` ----- Original issue reported on code.google.com by `poweragr...@gmail.com` on 30 May 2014 at 7:59
defect
黄岩看不育多少钱 黄岩看不育多少钱【台州五洲生殖医院】 微信号tzwzszyy 医院地址 台州市椒江 (枫南大转盘旁)乘车线路 、 、 、 , 、 、 、 、 、 ,步行即可到院。 诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,�� �精,无精。包皮包茎,精索静脉曲张,淋病等。 台州五洲生殖医院是台州最大的男科医院,权威专家在线免�� �咨询,拥有专业完善的男科检查治疗设备,严格按照国家标� ��收费。尖端医疗设备,与世界同步。权威专家,成就专业典 范。人性化服务,一切以患者为中心。 看男科就选台州五洲生殖医院,专业男科为男人。 original issue reported on code google com by poweragr gmail com on may at
1
175,537
13,563,447,687
IssuesEvent
2020-09-18 08:33:38
TimKDJ/jasp-desktop
https://api.github.com/repos/TimKDJ/jasp-desktop
closed
[Reliability] Bayesian Single-Test Reliability Analysis
Test: Analysis
Commit messages since the previous release: ``` Reliability: fixes KLD issue, some minor improvements in display of tables and plots (#4249) * fixes table display issue with checking unchecking stuff * fixes KLD issue * per requested changes to PR Text fixes Reliability analysis. (#4260) - Rewrite of the Reliablity Analysis placed some gettext() around variables. This is fixed. - Removed obsolete reliabilityanalysis.R [Reliability] changes list indexing requested in last PR (#4205) * fix errors * fix ordering issues * requested changes in list indexing Reliability fix (#4202) * fix errors * PR changes requested * fix ordering issues ``` You can find information about the testing procedure [here](https://github.com/jasp-stats/jasp-test-release/blob/master/README.md). Please do not post the bugs you find in this issue, but open a new issue for each bug.
1.0
[Reliability] Bayesian Single-Test Reliability Analysis - Commit messages since the previous release: ``` Reliability: fixes KLD issue, some minor improvements in display of tables and plots (#4249) * fixes table display issue with checking unchecking stuff * fixes KLD issue * per requested changes to PR Text fixes Reliability analysis. (#4260) - Rewrite of the Reliablity Analysis placed some gettext() around variables. This is fixed. - Removed obsolete reliabilityanalysis.R [Reliability] changes list indexing requested in last PR (#4205) * fix errors * fix ordering issues * requested changes in list indexing Reliability fix (#4202) * fix errors * PR changes requested * fix ordering issues ``` You can find information about the testing procedure [here](https://github.com/jasp-stats/jasp-test-release/blob/master/README.md). Please do not post the bugs you find in this issue, but open a new issue for each bug.
non_defect
bayesian single test reliability analysis commit messages since the previous release reliability fixes kld issue some minor improvements in display of tables and plots fixes table display issue with checking unchecking stuff fixes kld issue per requested changes to pr text fixes reliability analysis rewrite of the reliablity analysis placed some gettext around variables this is fixed removed obsolete reliabilityanalysis r changes list indexing requested in last pr fix errors fix ordering issues requested changes in list indexing reliability fix fix errors pr changes requested fix ordering issues you can find information about the testing procedure please do not post the bugs you find in this issue but open a new issue for each bug
0
65,494
19,540,553,517
IssuesEvent
2021-12-31 20:47:37
scipy/scipy
https://api.github.com/repos/scipy/scipy
closed
BUG: Wrong limit and no warning in stats.t for df=np.inf
defect scipy.stats
### Describe your issue. Scipy's stats module for Student's t distribution does not have the correct limit of a Gaussian distribution if the degree-of-freedom (`df`) parameter is set to `np.inf`. Most importantly, Scipy does not print a warning nor does it raise an error, instead it simply yields a completely wrong result. While I think it would make sense to branch for `df=np.inf`, it certainly does not make sense to let the user plug in values that produce bogus results. ### Reproducing Code Example ```python In [1]: import numpy as np In [2]: from scipy.stats import norm as stats_norm In [3]: from scipy.stats import t as stats_t In [4]: stats_t.sf(loc=3., df=99999., x=2., scale=1.) Out[4]: 0.8413435362058463 In [5]: stats_t.sf(loc=3., df=np.inf, x=2., scale=1.) Out[5]: 0.5 ``` ### Error message ```shell None ``` ### SciPy/NumPy/Python version information 1.7.1 1.21.2 sys.version_info(major=3, minor=9, micro=7, releaselevel='final', serial=0)
1.0
BUG: Wrong limit and no warning in stats.t for df=np.inf - ### Describe your issue. Scipy's stats module for Student's t distribution does not have the correct limit of a Gaussian distribution if the degree-of-freedom (`df`) parameter is set to `np.inf`. Most importantly, Scipy does not print a warning nor does it raise an error, instead it simply yields a completely wrong result. While I think it would make sense to branch for `df=np.inf`, it certainly does not make sense to let the user plug in values that produce bogus results. ### Reproducing Code Example ```python In [1]: import numpy as np In [2]: from scipy.stats import norm as stats_norm In [3]: from scipy.stats import t as stats_t In [4]: stats_t.sf(loc=3., df=99999., x=2., scale=1.) Out[4]: 0.8413435362058463 In [5]: stats_t.sf(loc=3., df=np.inf, x=2., scale=1.) Out[5]: 0.5 ``` ### Error message ```shell None ``` ### SciPy/NumPy/Python version information 1.7.1 1.21.2 sys.version_info(major=3, minor=9, micro=7, releaselevel='final', serial=0)
defect
bug wrong limit and no warning in stats t for df np inf describe your issue scipy s stats module for student s t distribution does not have the correct limit of a gaussian distribution if the degree of freedom df parameter is set to np inf most importantly scipy does not print a warning nor does it raise an error instead it simply yields a completely wrong result while i think it would make sense to branch for df np inf it certainly does not make sense to let the user plug in values that produce bogus results reproducing code example python in import numpy as np in from scipy stats import norm as stats norm in from scipy stats import t as stats t in stats t sf loc df x scale out in stats t sf loc df np inf x scale out error message shell none scipy numpy python version information sys version info major minor micro releaselevel final serial
1
460,610
13,213,624,903
IssuesEvent
2020-08-16 13:46:58
ctm/mb2-doc
https://api.github.com/repos/ctm/mb2-doc
opened
tooltips for color-coded indicators
chore easy high priority
As I'm rewriting the documentation, it pains me to mention various colors of indicators knowing that some people (including, to some extent, our beloved Enabler) are color blind. Yes, that's a sad reflection that I regret more the documenting of the behavior than the behavior itself, but it is what it is... Anyway, adding tooltips for the various indicators is trivial and so I'll do that "now". Yak-shaving, FTW!
1.0
tooltips for color-coded indicators - As I'm rewriting the documentation, it pains me to mention various colors of indicators knowing that some people (including, to some extent, our beloved Enabler) are color blind. Yes, that's a sad reflection that I regret more the documenting of the behavior than the behavior itself, but it is what it is... Anyway, adding tooltips for the various indicators is trivial and so I'll do that "now". Yak-shaving, FTW!
non_defect
tooltips for color coded indicators as i m rewriting the documentation it pains me to mention various colors of indicators knowing that some people including to some extent our beloved enabler are color blind yes that s a sad reflection that i regret more the documenting of the behavior than the behavior itself but it is what it is anyway adding tooltips for the various indicators is trivial and so i ll do that now yak shaving ftw
0
74,175
8,983,612,686
IssuesEvent
2019-01-31 07:45:17
magento/magento2
https://api.github.com/repos/magento/magento2
closed
Empty block rendering in My Account page sidebar
Area: Design/Frontend Component: Customer Fixed in 2.3.x Issue: Clear Description Issue: Confirmed Issue: Format is valid Issue: Ready for Work Reproduced on 2.2.x Reproduced on 2.3.x
### Summary When you log in Magento 2.3 you can see a space 2x more than expected created by a block rendered without content. ### Examples In this image below I show where it happens. <img width="2032" alt="screenshot 2018-11-09 15 13 31" src="https://user-images.githubusercontent.com/610598/48286353-5bd5bf80-e433-11e8-8366-4fc9174f1bd9.png"> ### Proposed solution To check the content to render it.
1.0
Empty block rendering in My Account page sidebar - ### Summary When you log in Magento 2.3 you can see a space 2x more than expected created by a block rendered without content. ### Examples In this image below I show where it happens. <img width="2032" alt="screenshot 2018-11-09 15 13 31" src="https://user-images.githubusercontent.com/610598/48286353-5bd5bf80-e433-11e8-8366-4fc9174f1bd9.png"> ### Proposed solution To check the content to render it.
non_defect
empty block rendering in my account page sidebar summary when you log in magento you can see a space more than expected created by a block rendered without content examples in this image below i show where it happens img width alt screenshot src proposed solution to check the content to render it
0
496,792
14,354,759,093
IssuesEvent
2020-11-30 09:08:38
MikeVedsted/JoinMe
https://api.github.com/repos/MikeVedsted/JoinMe
opened
[ADMIN] Configure eslint to match contribution guidelines
Priority: Medium :zap: Status: Received :inbox_tray: Type: Admin :tophat:
## 🐱‍🏍 To the rescue! *Describe the main idea of the issue that should be solved* Currently, the eslint configuration doesn't match the contribution guidelines, causing confusion about the preferred style. ## 🦸‍♂️What should I wear? *Describe the requirements if any* Change the eslint configuration to match the contribution guidelines. ## 🔥 What do you mean the house is on fire? *Add anything that might help prioritizing the issue*
1.0
[ADMIN] Configure eslint to match contribution guidelines - ## 🐱‍🏍 To the rescue! *Describe the main idea of the issue that should be solved* Currently, the eslint configuration doesn't match the contribution guidelines, causing confusion about the preferred style. ## 🦸‍♂️What should I wear? *Describe the requirements if any* Change the eslint configuration to match the contribution guidelines. ## 🔥 What do you mean the house is on fire? *Add anything that might help prioritizing the issue*
non_defect
configure eslint to match contribution guidelines 🐱‍🏍 to the rescue describe the main idea of the issue that should be solved currently the eslint configuration doesn t match the contribution guidelines causing confusion about the preferred style 🦸‍♂️what should i wear describe the requirements if any change the eslint configuration to match the contribution guidelines 🔥 what do you mean the house is on fire add anything that might help prioritizing the issue
0
3,947
15,021,535,679
IssuesEvent
2021-02-01 15:55:18
coolOrangeLabs/powerGateTemplate
https://api.github.com/repos/coolOrangeLabs/powerGateTemplate
closed
Initial Checks: Development Workstation Test Environment
Automation
## Client environment for Developing This client environment is required for the coolOrange developers in order to test and develop the customizations. It does NOT simulate a real end-user environment: + **The reseller or IT** of the customer prepares this environment by executing the steps below. + coolOrange will verify this environment as soon as all points are checked by the Reseller/Customer ### Client checklist - [ ] **Exclusive access for coolOrange** during the project - [ ] Operating System: see [powerGate Installation Requirements](https://www.coolorange.com/wiki/doku.php?id=powergate:installation#requirements) - [ ] Hardware: Identical to a CAD workstation - [ ] PowerShell 4.0 or higher - [ ] Windows User with local Administrator rights - [ ] Autodesk Vault Workgroup/Professional Client - [ ] Autodesk Datastandard for Vault Workgroup/Professional - [ ] Vault User (user permissions) - [ ] Vault is licensed - [ ] Autodesk Inventor Professional - [ ] Installed Vault-Addin - [ ] Autodesk Datastandard for Inventor Professional - [ ] Inventor is licensed - [ ] Project File must be configured to work with the parallel installed Vault - [ ] ERP Client Software - [ ] ERP Client User + Password (user permissions) - [ ] coolOrange Windows user with installation permissions - [ ] Install coolOrange powerVault: [Download here](http://download.coolorange.com/) and [Installation guide here](https://www.coolorange.com/wiki/doku.php?id=powervault) - [ ] Activate the test license, you will find it the Github Wiki under "Licenses" - [ ] coolOrange powerGate Client: [Download here](http://download.coolorange.com/) and [Installation guide here](https://www.coolorange.com/wiki/doku.php?id=powergate:installation) - [ ] Activate the test license, you will find it the Github Wiki under "Licenses" - [ ] coolOrange powerEvents: [Download here](http://download.coolorange.com/) and [Installation guide here](https://www.coolorange.com/wiki/doku.php?id=powerEvents:installation) - [ ] Activate the test license, you will find it the Github Wiki under "Licenses" - [ ] Install Telerik Fiddler: [Download here](https://www.telerik.com/download/fiddler) - [ ] Install Visual Studio Code with the below settings: [Download here](https://code.visualstudio.com/Download) - [ ] Select in the Installer `Add "Open with Code" action Windows Explorer file context menu` - [ ] Select in the Installer `Add "Open with Code" action Windows Explorer directory context menu` - [ ] Install git commant tools: [Download here](https://git-scm.com/downloads)
1.0
Initial Checks: Development Workstation Test Environment - ## Client environment for Developing This client environment is required for the coolOrange developers in order to test and develop the customizations. It does NOT simulate a real end-user environment: + **The reseller or IT** of the customer prepares this environment by executing the steps below. + coolOrange will verify this environment as soon as all points are checked by the Reseller/Customer ### Client checklist - [ ] **Exclusive access for coolOrange** during the project - [ ] Operating System: see [powerGate Installation Requirements](https://www.coolorange.com/wiki/doku.php?id=powergate:installation#requirements) - [ ] Hardware: Identical to a CAD workstation - [ ] PowerShell 4.0 or higher - [ ] Windows User with local Administrator rights - [ ] Autodesk Vault Workgroup/Professional Client - [ ] Autodesk Datastandard for Vault Workgroup/Professional - [ ] Vault User (user permissions) - [ ] Vault is licensed - [ ] Autodesk Inventor Professional - [ ] Installed Vault-Addin - [ ] Autodesk Datastandard for Inventor Professional - [ ] Inventor is licensed - [ ] Project File must be configured to work with the parallel installed Vault - [ ] ERP Client Software - [ ] ERP Client User + Password (user permissions) - [ ] coolOrange Windows user with installation permissions - [ ] Install coolOrange powerVault: [Download here](http://download.coolorange.com/) and [Installation guide here](https://www.coolorange.com/wiki/doku.php?id=powervault) - [ ] Activate the test license, you will find it the Github Wiki under "Licenses" - [ ] coolOrange powerGate Client: [Download here](http://download.coolorange.com/) and [Installation guide here](https://www.coolorange.com/wiki/doku.php?id=powergate:installation) - [ ] Activate the test license, you will find it the Github Wiki under "Licenses" - [ ] coolOrange powerEvents: [Download here](http://download.coolorange.com/) and [Installation guide here](https://www.coolorange.com/wiki/doku.php?id=powerEvents:installation) - [ ] Activate the test license, you will find it the Github Wiki under "Licenses" - [ ] Install Telerik Fiddler: [Download here](https://www.telerik.com/download/fiddler) - [ ] Install Visual Studio Code with the below settings: [Download here](https://code.visualstudio.com/Download) - [ ] Select in the Installer `Add "Open with Code" action Windows Explorer file context menu` - [ ] Select in the Installer `Add "Open with Code" action Windows Explorer directory context menu` - [ ] Install git commant tools: [Download here](https://git-scm.com/downloads)
non_defect
initial checks development workstation test environment client environment for developing this client environment is required for the coolorange developers in order to test and develop the customizations it does not simulate a real end user environment the reseller or it of the customer prepares this environment by executing the steps below coolorange will verify this environment as soon as all points are checked by the reseller customer client checklist exclusive access for coolorange during the project operating system see hardware identical to a cad workstation powershell or higher windows user with local administrator rights autodesk vault workgroup professional client autodesk datastandard for vault workgroup professional vault user user permissions vault is licensed autodesk inventor professional installed vault addin autodesk datastandard for inventor professional inventor is licensed project file must be configured to work with the parallel installed vault erp client software erp client user password user permissions coolorange windows user with installation permissions install coolorange powervault and activate the test license you will find it the github wiki under licenses coolorange powergate client and activate the test license you will find it the github wiki under licenses coolorange powerevents and activate the test license you will find it the github wiki under licenses install telerik fiddler install visual studio code with the below settings select in the installer add open with code action windows explorer file context menu select in the installer add open with code action windows explorer directory context menu install git commant tools
0
18,351
6,582,932,263
IssuesEvent
2017-09-13 02:03:59
peri4n/bIO
https://api.github.com/repos/peri4n/bIO
closed
Separate the index logic into another subproject
build
# Description The Lucene indexing logic (it's tokenizers and so on) are independent of akka streams and our domain models. Therefore it should be separated into a subproject (named index). # Acceptance Criteria - Create a subproject that contains all the Lucene indexing logic
1.0
Separate the index logic into another subproject - # Description The Lucene indexing logic (it's tokenizers and so on) are independent of akka streams and our domain models. Therefore it should be separated into a subproject (named index). # Acceptance Criteria - Create a subproject that contains all the Lucene indexing logic
non_defect
separate the index logic into another subproject description the lucene indexing logic it s tokenizers and so on are independent of akka streams and our domain models therefore it should be separated into a subproject named index acceptance criteria create a subproject that contains all the lucene indexing logic
0
77,167
26,815,919,310
IssuesEvent
2023-02-02 04:38:16
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
opened
Tenant control should be done less intrusive.
Type: Defect
The tenant control currently is smeared out into the core of Hazelcast. In many cases it will not be used since Hazelcast is run standalone, and not in an application server. The hooks seems to be made especially for flowlogix; so it doesn't even serve most applications running on an application server so its usage is very limited. So I'm in favor of restoring the old functionality of the OperationRunner (so before any of the tenant control code has been added). And the same goes for restoring the OperationRunnerImpl. So how can we keep supporting this functionality? I believe this can be done by adding a new OperationRunner that extends the existing Operation runner and overrides the run operation method and you end up with something like this: ``` protected void run(Operation op, long startNanos) { executedOperationsCounter.inc(); boolean publishCurrentTask = publishCurrentTask(); if (publishCurrentTask) { currentTask = op; } try { if (!metWithPreconditions(op)) { return; } if (op.isTenantAvailable()) { op.pushThreadContext(); op.beforeRun(); call(op); } else { operationService.operationExecutor.execute(op); } } catch (Throwable e) { handleOperationError(op, e); } finally { op.afterRunFinal(); if (publishCurrentTask) { currentTask = null; } op.popThreadContext(); record(op, startNanos); } } ``` The statistics in the OperationThread will be different because currently some metrics are not updated when the operation is rejected; I think this is flawed because we can't see what is going on and the current implementation hacks the execution model and doesn't make use of an Offload mechanism but a flaky 'busy' loop.
1.0
Tenant control should be done less intrusive. - The tenant control currently is smeared out into the core of Hazelcast. In many cases it will not be used since Hazelcast is run standalone, and not in an application server. The hooks seems to be made especially for flowlogix; so it doesn't even serve most applications running on an application server so its usage is very limited. So I'm in favor of restoring the old functionality of the OperationRunner (so before any of the tenant control code has been added). And the same goes for restoring the OperationRunnerImpl. So how can we keep supporting this functionality? I believe this can be done by adding a new OperationRunner that extends the existing Operation runner and overrides the run operation method and you end up with something like this: ``` protected void run(Operation op, long startNanos) { executedOperationsCounter.inc(); boolean publishCurrentTask = publishCurrentTask(); if (publishCurrentTask) { currentTask = op; } try { if (!metWithPreconditions(op)) { return; } if (op.isTenantAvailable()) { op.pushThreadContext(); op.beforeRun(); call(op); } else { operationService.operationExecutor.execute(op); } } catch (Throwable e) { handleOperationError(op, e); } finally { op.afterRunFinal(); if (publishCurrentTask) { currentTask = null; } op.popThreadContext(); record(op, startNanos); } } ``` The statistics in the OperationThread will be different because currently some metrics are not updated when the operation is rejected; I think this is flawed because we can't see what is going on and the current implementation hacks the execution model and doesn't make use of an Offload mechanism but a flaky 'busy' loop.
defect
tenant control should be done less intrusive the tenant control currently is smeared out into the core of hazelcast in many cases it will not be used since hazelcast is run standalone and not in an application server the hooks seems to be made especially for flowlogix so it doesn t even serve most applications running on an application server so its usage is very limited so i m in favor of restoring the old functionality of the operationrunner so before any of the tenant control code has been added and the same goes for restoring the operationrunnerimpl so how can we keep supporting this functionality i believe this can be done by adding a new operationrunner that extends the existing operation runner and overrides the run operation method and you end up with something like this protected void run operation op long startnanos executedoperationscounter inc boolean publishcurrenttask publishcurrenttask if publishcurrenttask currenttask op try if metwithpreconditions op return if op istenantavailable op pushthreadcontext op beforerun call op else operationservice operationexecutor execute op catch throwable e handleoperationerror op e finally op afterrunfinal if publishcurrenttask currenttask null op popthreadcontext record op startnanos the statistics in the operationthread will be different because currently some metrics are not updated when the operation is rejected i think this is flawed because we can t see what is going on and the current implementation hacks the execution model and doesn t make use of an offload mechanism but a flaky busy loop
1
78,060
27,303,369,626
IssuesEvent
2023-02-24 05:21:43
zed-industries/community
https://api.github.com/repos/zed-industries/community
opened
Zed crashes when click “Reveal in Finder” more than once in full screen mode
defect triage
### Check for existing issues - [X] Completed ### Describe the bug / provide steps to reproduce it 1. Open Zed in full screen 2. Right-click on a file and click “Reveal in Finder” 3. Do it again. It's not always reproducible. ### Environment Zed: v0.74.2 (stable) OS: macOS 13.2.1 Memory: 8 GiB Architecture: aarch64 ### If applicable, add mockups / screenshots to help explain present your vision of the feature _No response_ ### If applicable, attach your `~/Library/Logs/Zed/Zed.log` file to this issue. If you only need the most recent lines, you can run the `zed: open log` command palette action to see the last 1000. There was some of the same panic information in the log after I reproduced this issue several times: ```shell 2023-02-24T05:14:45 [ERROR] thread 'main' panicked at 'already mutably borrowed: BorrowError': /Users/administrator/actions-org-runner/_work/zed/zed/crates/gpui/src/app.rs:398 0: backtrace::capture::Backtrace::new 1: Zed::init_panic_hook::{{closure}} 2: std::panicking::rust_panic_with_hook 3: std::panicking::begin_panic_handler::{{closure}} 4: std::sys_common::backtrace::__rust_end_short_backtrace 5: _rust_begin_unwind 6: core::panicking::panic_fmt 7: core::result::unwrap_failed 8: gpui::app::WeakModelHandle<T>::upgrade 9: lsp::LanguageServer::on_custom_notification::{{closure}} 10: <util::LogErrorFuture<F> as core::future::future::Future>::poll 11: gpui::executor::any_local_future::{{closure}} 12: async_task::raw::RawTask<F,T,S>::run 13: <unknown> 14: <unknown> 15: <unknown> 16: <unknown> 17: <unknown> 18: <unknown> 19: <unknown> 20: <unknown> 21: <unknown> 22: <unknown> 23: <unknown> 24: <unknown> 25: <unknown> 26: <unknown> 27: <unknown> 28: <unknown> 29: <unknown> 30: project_panel::ProjectPanel::reveal_in_finder 31: gpui::app::MutableAppContext::add_action_internal::{{closure}} 32: gpui::app::MutableAppContext::handle_dispatch_action_from_effect::{{closure}}::{{closure}} 33: gpui::app::MutableAppContext::update 34: gpui::app::MutableAppContext::flush_effects 35: gpui::app::MutableAppContext::register_platform_window::{{closure}} 36: gpui::platform::mac::window::handle_view_event 37: <unknown> 38: <unknown> 39: gpui::platform::mac::window::send_event 40: <unknown> 41: gpui::platform::mac::platform::send_event 42: <unknown> 43: <unknown> 44: <gpui::platform::mac::platform::MacForegroundPlatform as gpui::platform::ForegroundPlatform>::run 45: gpui::app::App::run 46: Zed::main 47: std::sys_common::backtrace::__rust_begin_short_backtrace 48: std::rt::lang_start::{{closure}} 49: std::rt::lang_start_internal 50: _main ```
1.0
Zed crashes when click “Reveal in Finder” more than once in full screen mode - ### Check for existing issues - [X] Completed ### Describe the bug / provide steps to reproduce it 1. Open Zed in full screen 2. Right-click on a file and click “Reveal in Finder” 3. Do it again. It's not always reproducible. ### Environment Zed: v0.74.2 (stable) OS: macOS 13.2.1 Memory: 8 GiB Architecture: aarch64 ### If applicable, add mockups / screenshots to help explain present your vision of the feature _No response_ ### If applicable, attach your `~/Library/Logs/Zed/Zed.log` file to this issue. If you only need the most recent lines, you can run the `zed: open log` command palette action to see the last 1000. There was some of the same panic information in the log after I reproduced this issue several times: ```shell 2023-02-24T05:14:45 [ERROR] thread 'main' panicked at 'already mutably borrowed: BorrowError': /Users/administrator/actions-org-runner/_work/zed/zed/crates/gpui/src/app.rs:398 0: backtrace::capture::Backtrace::new 1: Zed::init_panic_hook::{{closure}} 2: std::panicking::rust_panic_with_hook 3: std::panicking::begin_panic_handler::{{closure}} 4: std::sys_common::backtrace::__rust_end_short_backtrace 5: _rust_begin_unwind 6: core::panicking::panic_fmt 7: core::result::unwrap_failed 8: gpui::app::WeakModelHandle<T>::upgrade 9: lsp::LanguageServer::on_custom_notification::{{closure}} 10: <util::LogErrorFuture<F> as core::future::future::Future>::poll 11: gpui::executor::any_local_future::{{closure}} 12: async_task::raw::RawTask<F,T,S>::run 13: <unknown> 14: <unknown> 15: <unknown> 16: <unknown> 17: <unknown> 18: <unknown> 19: <unknown> 20: <unknown> 21: <unknown> 22: <unknown> 23: <unknown> 24: <unknown> 25: <unknown> 26: <unknown> 27: <unknown> 28: <unknown> 29: <unknown> 30: project_panel::ProjectPanel::reveal_in_finder 31: gpui::app::MutableAppContext::add_action_internal::{{closure}} 32: gpui::app::MutableAppContext::handle_dispatch_action_from_effect::{{closure}}::{{closure}} 33: gpui::app::MutableAppContext::update 34: gpui::app::MutableAppContext::flush_effects 35: gpui::app::MutableAppContext::register_platform_window::{{closure}} 36: gpui::platform::mac::window::handle_view_event 37: <unknown> 38: <unknown> 39: gpui::platform::mac::window::send_event 40: <unknown> 41: gpui::platform::mac::platform::send_event 42: <unknown> 43: <unknown> 44: <gpui::platform::mac::platform::MacForegroundPlatform as gpui::platform::ForegroundPlatform>::run 45: gpui::app::App::run 46: Zed::main 47: std::sys_common::backtrace::__rust_begin_short_backtrace 48: std::rt::lang_start::{{closure}} 49: std::rt::lang_start_internal 50: _main ```
defect
zed crashes when click “reveal in finder” more than once in full screen mode check for existing issues completed describe the bug provide steps to reproduce it open zed in full screen right click on a file and click “reveal in finder” do it again it s not always reproducible environment zed stable os macos memory gib architecture if applicable add mockups screenshots to help explain present your vision of the feature no response if applicable attach your library logs zed zed log file to this issue if you only need the most recent lines you can run the zed open log command palette action to see the last there was some of the same panic information in the log after i reproduced this issue several times shell thread main panicked at already mutably borrowed borrowerror users administrator actions org runner work zed zed crates gpui src app rs backtrace capture backtrace new zed init panic hook closure std panicking rust panic with hook std panicking begin panic handler closure std sys common backtrace rust end short backtrace rust begin unwind core panicking panic fmt core result unwrap failed gpui app weakmodelhandle upgrade lsp languageserver on custom notification closure as core future future future poll gpui executor any local future closure async task raw rawtask run project panel projectpanel reveal in finder gpui app mutableappcontext add action internal closure gpui app mutableappcontext handle dispatch action from effect closure closure gpui app mutableappcontext update gpui app mutableappcontext flush effects gpui app mutableappcontext register platform window closure gpui platform mac window handle view event gpui platform mac window send event gpui platform mac platform send event run gpui app app run zed main std sys common backtrace rust begin short backtrace std rt lang start closure std rt lang start internal main
1
10,335
3,377,161,114
IssuesEvent
2015-11-25 01:11:36
astropy/halotools
https://api.github.com/repos/astropy/halotools
closed
TPCF no random pairs
documentation mock-observables
The TPCF functions should throw a warning when there are no random pairs in a radial bin. As of now, they continue ahead and return 'inf'. This can be confusing to the user.
1.0
TPCF no random pairs - The TPCF functions should throw a warning when there are no random pairs in a radial bin. As of now, they continue ahead and return 'inf'. This can be confusing to the user.
non_defect
tpcf no random pairs the tpcf functions should throw a warning when there are no random pairs in a radial bin as of now they continue ahead and return inf this can be confusing to the user
0
67,019
20,814,542,748
IssuesEvent
2022-03-18 08:47:13
jOOQ/jOOQ
https://api.github.com/repos/jOOQ/jOOQ
closed
Improve DSLContext.batchStore Javadoc with a better example
T: Defect C: Documentation P: Medium R: Wontfix E: All Editions
The example given in the `DSLContext.batchStore()` Javadoc isn't very clear, and even seems wrong: > ```java > // Let's assume, odd numbers result in INSERTs and even numbers in UPDATES > // Let's also assume a[n] are all of the same type, just as b[n], c[n]... > int[] result = create.batchStore(a1, a2, a3, b1, a4, c1, b3, a5) > .execute(); > ``` > > The above results in result.length == 8 and the following 4 separate batch statements: > > 1. INSERT a1, a3, a5 > 2. UPDATE a2, a4 > 3. INSERT b1, b3 > 4. INSERT c1 Better re-phrase it entirely with a less abstract example.
1.0
Improve DSLContext.batchStore Javadoc with a better example - The example given in the `DSLContext.batchStore()` Javadoc isn't very clear, and even seems wrong: > ```java > // Let's assume, odd numbers result in INSERTs and even numbers in UPDATES > // Let's also assume a[n] are all of the same type, just as b[n], c[n]... > int[] result = create.batchStore(a1, a2, a3, b1, a4, c1, b3, a5) > .execute(); > ``` > > The above results in result.length == 8 and the following 4 separate batch statements: > > 1. INSERT a1, a3, a5 > 2. UPDATE a2, a4 > 3. INSERT b1, b3 > 4. INSERT c1 Better re-phrase it entirely with a less abstract example.
defect
improve dslcontext batchstore javadoc with a better example the example given in the dslcontext batchstore javadoc isn t very clear and even seems wrong java let s assume odd numbers result in inserts and even numbers in updates let s also assume a are all of the same type just as b c int result create batchstore execute the above results in result length and the following separate batch statements insert update insert insert better re phrase it entirely with a less abstract example
1
287,252
24,818,799,435
IssuesEvent
2022-10-25 14:56:15
Pylons-tech/pylons
https://api.github.com/repos/Pylons-tech/pylons
closed
Android Easel- When User is Uploading Video NFT Error
bug test Easel App [zube]: To Do P3 - Low
<!-- < < < < < < < < < < < < < < < < < < < < < < < < < < < < < < < < < ☺ v ✰ Thanks for opening an issue! ✰ v Before smashing the submit button please review the template. v Please also ensure that this is not a duplicate issue :) ☺ > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > --> <!-- IMPORTANT: Prior to opening a bug report, please check whether the issue discovered is affecting security. In such a case, please consider contacting us directly instead of opening a public issue on this repository. --> ## Summary of Bug Note: Issue only in Android. There is two issues: 1.When user uploads video and gets error message that the memory exceeds to long.. and user waits over 2-3 mins to only find out the video is not valid. User should receive a message before instead of waiting after 2-3 mins to only find out video is not valid. User should automatically know that the video is not valid once they try to upload video in the first step of when user is uploading video. See screenshot for error message: <img width="401" alt="Screen Shot 2022-10-04 at 4 30 59 PM" src="https://user-images.githubusercontent.com/93543576/193921837-044df80a-40a8-43ba-a09d-b0b98f301fc6.png"> 2.Actual Results: Android Easel- When User is Uploading Video NFT Half of the Playback Audio box is missing. Expected Results: When user is Uploading Video NFT, user should be able to see Playback Audio box from beginging to end. Please see video: https://user-images.githubusercontent.com/93543576/193921643-eeee54b5-cab5-460e-8a34-10355e8b849e.mov <!-- Concisely describe the issue --> ## Version Latest Build-https://we.tl/t-AQvXloFBte <!-- git commit hash or release version --> ## Steps to Reproduce 1.Open Easel 2.Upload Video 3.Wait for confirmation for video upload which you will see the video does not upload at all and the playback box for audio is missing. <!-- What commands in order should someone run to reproduce your problem? --> ____ ## For Admin Use - [ ] Not duplicate issue - [ ] Appropriate labels applied - [ ] Appropriate contributors tagged - [ ] Contributor assigned/self-assigned
1.0
Android Easel- When User is Uploading Video NFT Error - <!-- < < < < < < < < < < < < < < < < < < < < < < < < < < < < < < < < < ☺ v ✰ Thanks for opening an issue! ✰ v Before smashing the submit button please review the template. v Please also ensure that this is not a duplicate issue :) ☺ > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > --> <!-- IMPORTANT: Prior to opening a bug report, please check whether the issue discovered is affecting security. In such a case, please consider contacting us directly instead of opening a public issue on this repository. --> ## Summary of Bug Note: Issue only in Android. There is two issues: 1.When user uploads video and gets error message that the memory exceeds to long.. and user waits over 2-3 mins to only find out the video is not valid. User should receive a message before instead of waiting after 2-3 mins to only find out video is not valid. User should automatically know that the video is not valid once they try to upload video in the first step of when user is uploading video. See screenshot for error message: <img width="401" alt="Screen Shot 2022-10-04 at 4 30 59 PM" src="https://user-images.githubusercontent.com/93543576/193921837-044df80a-40a8-43ba-a09d-b0b98f301fc6.png"> 2.Actual Results: Android Easel- When User is Uploading Video NFT Half of the Playback Audio box is missing. Expected Results: When user is Uploading Video NFT, user should be able to see Playback Audio box from beginging to end. Please see video: https://user-images.githubusercontent.com/93543576/193921643-eeee54b5-cab5-460e-8a34-10355e8b849e.mov <!-- Concisely describe the issue --> ## Version Latest Build-https://we.tl/t-AQvXloFBte <!-- git commit hash or release version --> ## Steps to Reproduce 1.Open Easel 2.Upload Video 3.Wait for confirmation for video upload which you will see the video does not upload at all and the playback box for audio is missing. <!-- What commands in order should someone run to reproduce your problem? --> ____ ## For Admin Use - [ ] Not duplicate issue - [ ] Appropriate labels applied - [ ] Appropriate contributors tagged - [ ] Contributor assigned/self-assigned
non_defect
android easel when user is uploading video nft error ☺ v ✰ thanks for opening an issue ✰ v before smashing the submit button please review the template v please also ensure that this is not a duplicate issue ☺ important prior to opening a bug report please check whether the issue discovered is affecting security in such a case please consider contacting us directly instead of opening a public issue on this repository summary of bug note issue only in android there is two issues when user uploads video and gets error message that the memory exceeds to long and user waits over mins to only find out the video is not valid user should receive a message before instead of waiting after mins to only find out video is not valid user should automatically know that the video is not valid once they try to upload video in the first step of when user is uploading video see screenshot for error message img width alt screen shot at pm src actual results android easel when user is uploading video nft half of the playback audio box is missing expected results when user is uploading video nft user should be able to see playback audio box from beginging to end please see video version latest build steps to reproduce open easel upload video wait for confirmation for video upload which you will see the video does not upload at all and the playback box for audio is missing for admin use not duplicate issue appropriate labels applied appropriate contributors tagged contributor assigned self assigned
0
42,464
6,980,376,060
IssuesEvent
2017-12-13 01:21:31
Microsoft/vscode-azureappservice
https://api.github.com/repos/Microsoft/vscode-azureappservice
closed
Add documentation for log points feature
documentation
We should add a "Preview Features" section to the main README with instructions on how to enable the feature. It should also link to documentation for the feature itself (since the log points feature seems kind of complex). For example, you could put a README in [this folder](https://github.com/Microsoft/vscode-azureappservice/tree/master/src/diagnostics) and link to that
1.0
Add documentation for log points feature - We should add a "Preview Features" section to the main README with instructions on how to enable the feature. It should also link to documentation for the feature itself (since the log points feature seems kind of complex). For example, you could put a README in [this folder](https://github.com/Microsoft/vscode-azureappservice/tree/master/src/diagnostics) and link to that
non_defect
add documentation for log points feature we should add a preview features section to the main readme with instructions on how to enable the feature it should also link to documentation for the feature itself since the log points feature seems kind of complex for example you could put a readme in and link to that
0
492,690
14,217,735,196
IssuesEvent
2020-11-17 10:46:21
dmwm/CRABServer
https://api.github.com/repos/dmwm/CRABServer
opened
Reduce number of mount points for TW/Publisher container
Priority: Medium Type: Enhancement
- [ ] Remove `/etc/vomses/` mount point. **Solution**: touch needed files during docker image creation process - [ ] Merge following mount points into one 1. `-v /data/container/[TaskWorker/Publisher*]/logs/ : /data/srv/[TaskManager/Publisher]/logs` 2. `-v /data/container/[TaskWorker/Publisher*]/cfg/ : /data/srv/cfg/` 3. `-v /data/container/Publisher*/PublisherFiles/ : /data/srv/Publisher_files` **Solution**: replace it with new mount point `-v /data/container:/data/hostdisk/`. Modify TaskWorker/Publisher `start.sh` scripts to create symlinks to `/data/hostdisk/` if they do not exists yet (it will not exist during first run after TW/Publisher version upgrade, later if we stop/start service, links will be already there)
1.0
Reduce number of mount points for TW/Publisher container - - [ ] Remove `/etc/vomses/` mount point. **Solution**: touch needed files during docker image creation process - [ ] Merge following mount points into one 1. `-v /data/container/[TaskWorker/Publisher*]/logs/ : /data/srv/[TaskManager/Publisher]/logs` 2. `-v /data/container/[TaskWorker/Publisher*]/cfg/ : /data/srv/cfg/` 3. `-v /data/container/Publisher*/PublisherFiles/ : /data/srv/Publisher_files` **Solution**: replace it with new mount point `-v /data/container:/data/hostdisk/`. Modify TaskWorker/Publisher `start.sh` scripts to create symlinks to `/data/hostdisk/` if they do not exists yet (it will not exist during first run after TW/Publisher version upgrade, later if we stop/start service, links will be already there)
non_defect
reduce number of mount points for tw publisher container remove etc vomses mount point solution touch needed files during docker image creation process merge following mount points into one v data container logs data srv logs v data container cfg data srv cfg v data container publisher publisherfiles data srv publisher files solution replace it with new mount point v data container data hostdisk modify taskworker publisher start sh scripts to create symlinks to data hostdisk if they do not exists yet it will not exist during first run after tw publisher version upgrade later if we stop start service links will be already there
0
22,168
3,606,266,819
IssuesEvent
2016-02-04 10:29:15
kostapc/putty-tunnel-manager
https://api.github.com/repos/kostapc/putty-tunnel-manager
closed
Not possible to enter local address as source of tunnel
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. add a new Tunnel and try to add a source address It's only possible to define the sourceport for the tunnel. This is needed for local ports which are allready occupied like 127.0.0.2:3389 to forward Remoteaccess to a different host on the target site. An example of a plink commandline: -L 127.0.0.2:3389:host1.lan:3389 -L 127.0.0.3:3389:host2.lan:3389 -L 127.0.0.4:3389:host3.lan:3389 ``` Original issue reported on code.google.com by `stefan.h...@gmail.com` on 6 Jul 2009 at 10:56
1.0
Not possible to enter local address as source of tunnel - ``` What steps will reproduce the problem? 1. add a new Tunnel and try to add a source address It's only possible to define the sourceport for the tunnel. This is needed for local ports which are allready occupied like 127.0.0.2:3389 to forward Remoteaccess to a different host on the target site. An example of a plink commandline: -L 127.0.0.2:3389:host1.lan:3389 -L 127.0.0.3:3389:host2.lan:3389 -L 127.0.0.4:3389:host3.lan:3389 ``` Original issue reported on code.google.com by `stefan.h...@gmail.com` on 6 Jul 2009 at 10:56
defect
not possible to enter local address as source of tunnel what steps will reproduce the problem add a new tunnel and try to add a source address it s only possible to define the sourceport for the tunnel this is needed for local ports which are allready occupied like to forward remoteaccess to a different host on the target site an example of a plink commandline l lan l lan l lan original issue reported on code google com by stefan h gmail com on jul at
1
3,662
6,694,649,054
IssuesEvent
2017-10-10 03:25:58
york-region-tpss/stp
https://api.github.com/repos/york-region-tpss/stp
opened
Watering Assignment - Restore Previous Comments and On-hold Numbers
enhancement process workflow
For a new assignment, pull default number from the latest assignment for on-holds and comments, location notes.
1.0
Watering Assignment - Restore Previous Comments and On-hold Numbers - For a new assignment, pull default number from the latest assignment for on-holds and comments, location notes.
non_defect
watering assignment restore previous comments and on hold numbers for a new assignment pull default number from the latest assignment for on holds and comments location notes
0
641,939
20,862,771,034
IssuesEvent
2022-03-22 01:44:59
khalidsaadat/soen341
https://api.github.com/repos/khalidsaadat/soen341
closed
[USER STORY] As a normal user, I want to be able to search and filter products by name or category so that I could shop for the right product.
user story 3 pts Medium Priority Low Risk
- [x] #50 - [x] #110
1.0
[USER STORY] As a normal user, I want to be able to search and filter products by name or category so that I could shop for the right product. - - [x] #50 - [x] #110
non_defect
as a normal user i want to be able to search and filter products by name or category so that i could shop for the right product
0
52,624
13,224,868,535
IssuesEvent
2020-08-17 20:00:48
icecube-trac/tix4
https://api.github.com/repos/icecube-trac/tix4
closed
all tickets by milestone report broken (Trac #74)
Migrated from Trac defect infrastructure
all tickets by milestone report broken. <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/74">https://code.icecube.wisc.edu/projects/icecube/ticket/74</a>, reported by troyand owned by cgils</em></summary> <p> ```json { "status": "closed", "changetime": "2007-07-06T14:18:10", "_ts": "1183731490000000", "description": "all tickets by milestone report broken.\n", "reporter": "troy", "cc": "", "resolution": "duplicate", "time": "2007-06-27T18:25:30", "component": "infrastructure", "summary": "all tickets by milestone report broken", "priority": "normal", "keywords": "", "milestone": "", "owner": "cgils", "type": "defect" } ``` </p> </details>
1.0
all tickets by milestone report broken (Trac #74) - all tickets by milestone report broken. <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/74">https://code.icecube.wisc.edu/projects/icecube/ticket/74</a>, reported by troyand owned by cgils</em></summary> <p> ```json { "status": "closed", "changetime": "2007-07-06T14:18:10", "_ts": "1183731490000000", "description": "all tickets by milestone report broken.\n", "reporter": "troy", "cc": "", "resolution": "duplicate", "time": "2007-06-27T18:25:30", "component": "infrastructure", "summary": "all tickets by milestone report broken", "priority": "normal", "keywords": "", "milestone": "", "owner": "cgils", "type": "defect" } ``` </p> </details>
defect
all tickets by milestone report broken trac all tickets by milestone report broken migrated from json status closed changetime ts description all tickets by milestone report broken n reporter troy cc resolution duplicate time component infrastructure summary all tickets by milestone report broken priority normal keywords milestone owner cgils type defect
1
18,734
3,083,163,816
IssuesEvent
2015-08-24 06:50:44
uzh/gc3pie
https://api.github.com/repos/uzh/gc3pie
closed
stdout argument of Application class cannot be set with relative path
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. Application(..., stdout='logs/blabla.txt') What is the expected output? What do you see instead? Should create the file and write standard output into it. Instead no file is created. What version of the product are you using? On what operating system? 2.3 Please provide any additional information below. It works if only the filename (basename) is provided, e.g. stdout='blabla.txt' ``` Original issue reported on code.google.com by `markusdh...@gmail.com` on 7 Jul 2015 at 8:57
1.0
stdout argument of Application class cannot be set with relative path - ``` What steps will reproduce the problem? 1. Application(..., stdout='logs/blabla.txt') What is the expected output? What do you see instead? Should create the file and write standard output into it. Instead no file is created. What version of the product are you using? On what operating system? 2.3 Please provide any additional information below. It works if only the filename (basename) is provided, e.g. stdout='blabla.txt' ``` Original issue reported on code.google.com by `markusdh...@gmail.com` on 7 Jul 2015 at 8:57
defect
stdout argument of application class cannot be set with relative path what steps will reproduce the problem application stdout logs blabla txt what is the expected output what do you see instead should create the file and write standard output into it instead no file is created what version of the product are you using on what operating system please provide any additional information below it works if only the filename basename is provided e g stdout blabla txt original issue reported on code google com by markusdh gmail com on jul at
1
383,050
11,349,202,646
IssuesEvent
2020-01-24 03:44:12
dlothian/MichifConjugator
https://api.github.com/repos/dlothian/MichifConjugator
closed
Menu-Bar: Redirect not working.
bug high priority
The tutorial I am following (https://www.youtube.com/watch?v=I82_roQSgco&t=30s), although Ionic 4, does not have all of the same pregenerated stuff. I think this is causing a redirect issue, specifically, the difference between a .module.ts file and a -redirect.module.ts file.
1.0
Menu-Bar: Redirect not working. - The tutorial I am following (https://www.youtube.com/watch?v=I82_roQSgco&t=30s), although Ionic 4, does not have all of the same pregenerated stuff. I think this is causing a redirect issue, specifically, the difference between a .module.ts file and a -redirect.module.ts file.
non_defect
menu bar redirect not working the tutorial i am following although ionic does not have all of the same pregenerated stuff i think this is causing a redirect issue specifically the difference between a module ts file and a redirect module ts file
0
152,752
12,125,746,409
IssuesEvent
2020-04-22 15:58:45
mozilla-mobile/firefox-ios
https://api.github.com/repos/mozilla-mobile/firefox-ios
closed
[L10nScreenshots tests] Update the list of locales
Test Automation :robot:
There are some discrepancies between the [locales list] in the l10n repo(https://github.com/mozilla-l10n/firefoxios-l10n) and the [list of locales] in the script(https://github.com/mozilla-mobile/firefox-ios/blob/master/l10n-screenshots.sh#L24) to run the screenshots test. We need to update the script so that the screenshots for the correct locales are generated
1.0
[L10nScreenshots tests] Update the list of locales - There are some discrepancies between the [locales list] in the l10n repo(https://github.com/mozilla-l10n/firefoxios-l10n) and the [list of locales] in the script(https://github.com/mozilla-mobile/firefox-ios/blob/master/l10n-screenshots.sh#L24) to run the screenshots test. We need to update the script so that the screenshots for the correct locales are generated
non_defect
update the list of locales there are some discrepancies between the in the repo and the in the script to run the screenshots test we need to update the script so that the screenshots for the correct locales are generated
0
78,484
9,744,805,630
IssuesEvent
2019-06-03 08:03:10
hotosm/hotosm-website
https://api.github.com/repos/hotosm/hotosm-website
opened
Country page: UI/UX Review
country-page design/theming discussion
From https://github.com/hotosm/hotosm-website/issues/557 - Capturing @katia-utochkina's review on country page: - Path to the “Country” page requires a lot of clicks - Inconsistency between the tab label (“Country Contact” ) and the content behind it. - Some sentences are much longer than they need to be. This makes the tab panel viewing and scanning hard. - There’s no quick way to unselect multiple filters at once. - Insufficient visual feedback for users interacting with filters - Map legend missing an item ----- ### Path to the “Country” page requires a lot of clicks It would be good to change the way users are provided access to the “Country” page. At the moment, it’s not gained easily. And visitors have to make a lot of clicks to get to the destination. For those who’re unfamiliar with the interface, it would probably take at least 6 clicks to get to the “Country“ page. Making users perform so many clicks is an experience that could introduce a lot of frustration “Our work” --> “Countries We Work In” ---> “Locations mapped” --> “[ ]” --> Regions ---> Countries ![](https://lh5.googleusercontent.com/CmdkTUuNv33FBSEp_23mYsaFy92rfBEOrOgLA4ljV4w46BDfH2zksSVqqiWVKrL9vQzCzZ77vNtX0Qe_5xHcmTnvkPNbAUbugL3BPpFYYxdHtKmfmd3etU_tHjwg1JYXYxR57NNa) ![](https://lh4.googleusercontent.com/GX8ym9A2SKchSVov9933ol-_z6jj5eWQDZyrXrOc8p0DdkAUBRaUzb1Gol1zkyrbkcC5lj8nbFD52LFyypIaRBJtfJw_3FTSnx7iD6M9szvcLKCuOFtIxlNCRWwdcU0IaXIzxiHr) ### Inconsistency between the tab label (“Country Contact” ) and the content behind it. The section uses a left/right pane design. On the left hand side, we’ve got a map. On the right — a tab panel with 2 options : “Country Contact” and “Campaign Filters”. ![](https://lh3.googleusercontent.com/f6ATfzJJ0UhYK8s2Oapr31n3g3_d0ryd8VYCgK_Sk4r6o3L_hY1AJPNUYNnodpGpQL3TPkf6z4V8zfjgpWcL6-OfXA9Tzon9-eYi7YWr) As a user, I would expect tab labels to succinctly describe the content they represent. That is not the case with the “Country Contact” tab at the moment. Currently, its content isn’t tailored to the label. And apart from contact details, it has an overview of mapping campaigns, too. This is confusing. ![](https://lh5.googleusercontent.com/PZSgscr_WpYa04MpWJWBKlO_4WmYZMh5b4xcECXRNFjd3V8veknC8yAH2e9ppr2hb1pyonEbBpqV8hO_7QCMlUKif2d-Fdemaa3dPQnh) It would probably make sense to take what appears under the “Country Contact” tab and reorganize the information so that all info is where it belongs. ### Some sentences are much longer than they need to be. This makes the tab panel viewing and scanning hard. ![](https://lh6.googleusercontent.com/7i-WYMQXfUeoBrXlLb_D2eZDl1nI4ECSvWSt2dQCLBkYb8tRePq9W2ldspjpal_lATSHgy0r3iyQYt4Oo55xWJmvH8uAwlaLpvHRrR6bJ-ddLv0EzVqJQamxYU_hKgTsl0qe9s33) It would be good to reduce the mental effort required for processing tabs’ data. The more we can edit their content down, the more likely it is that users will eyeball/read it. ### There’s no quick way to unselect multiple filters at once. Not having an option like that makes for a frustrating experience. ![](https://lh4.googleusercontent.com/Yp-bxMzPbW1S_CHyFtR-nCWLSkSaTt1lsznf_oUZXwJghgmUvNVAXlxgMey0HQjav35_QJFnTN5DcCK4Oe11k0-4zbV8k6FHK07ZQDW9) ### Insufficient visual feedback for users interacting with filters a) Users should be aware at any time which filters have been applied. That’s not obvious enough at the moment. For example, when interacting with the “status” filters, I felt unsure about which filters I toggled on and which ones I toggled off. ![](https://lh4.googleusercontent.com/CvpAuv_IpWE0qqlKCVkuyOTIomDZdBbq_ceYzDyLhVRFaE7CfegNR0CalYoW7-YFjZkHaPXelXDzxT4MV0iIsQZR4HyqaJY-rd0nFRRgxiQs4XOvs5CQv4iIxSlDoP4ZEsV9tUdO) b) Also, at the moment, filters are applied as soon are they are clicked. Not everyone may notice instant visual changes and realize the results have been updated. A little bit of testing would go a long way here, I guess. It’d be good to see what users say about the filter implementation. ### Map legend missing an item Very few symbols/icons can be universally recognized by users. It would probably be good to include ![](https://lh5.googleusercontent.com/G5xTg39SQuIo4fUMVS_7w4Z2L8zjPXKBuM91T6tqmUzH2F0R-mByg6Xt-sBNV6yeRGXzW2EYVoY7ithg0anEH2dHDb2psVhpdYFMFIbaPN9BSL3-QkhTTP5xZlxdqcUpKvbgPtud) in the legend and indicate that it represents Mapping Campaigns (and remove “sized by edits” ). Doing so would reduce ambiguity and help visitors find meaning in map data quicker and with greater ease.
1.0
Country page: UI/UX Review - From https://github.com/hotosm/hotosm-website/issues/557 - Capturing @katia-utochkina's review on country page: - Path to the “Country” page requires a lot of clicks - Inconsistency between the tab label (“Country Contact” ) and the content behind it. - Some sentences are much longer than they need to be. This makes the tab panel viewing and scanning hard. - There’s no quick way to unselect multiple filters at once. - Insufficient visual feedback for users interacting with filters - Map legend missing an item ----- ### Path to the “Country” page requires a lot of clicks It would be good to change the way users are provided access to the “Country” page. At the moment, it’s not gained easily. And visitors have to make a lot of clicks to get to the destination. For those who’re unfamiliar with the interface, it would probably take at least 6 clicks to get to the “Country“ page. Making users perform so many clicks is an experience that could introduce a lot of frustration “Our work” --> “Countries We Work In” ---> “Locations mapped” --> “[ ]” --> Regions ---> Countries ![](https://lh5.googleusercontent.com/CmdkTUuNv33FBSEp_23mYsaFy92rfBEOrOgLA4ljV4w46BDfH2zksSVqqiWVKrL9vQzCzZ77vNtX0Qe_5xHcmTnvkPNbAUbugL3BPpFYYxdHtKmfmd3etU_tHjwg1JYXYxR57NNa) ![](https://lh4.googleusercontent.com/GX8ym9A2SKchSVov9933ol-_z6jj5eWQDZyrXrOc8p0DdkAUBRaUzb1Gol1zkyrbkcC5lj8nbFD52LFyypIaRBJtfJw_3FTSnx7iD6M9szvcLKCuOFtIxlNCRWwdcU0IaXIzxiHr) ### Inconsistency between the tab label (“Country Contact” ) and the content behind it. The section uses a left/right pane design. On the left hand side, we’ve got a map. On the right — a tab panel with 2 options : “Country Contact” and “Campaign Filters”. ![](https://lh3.googleusercontent.com/f6ATfzJJ0UhYK8s2Oapr31n3g3_d0ryd8VYCgK_Sk4r6o3L_hY1AJPNUYNnodpGpQL3TPkf6z4V8zfjgpWcL6-OfXA9Tzon9-eYi7YWr) As a user, I would expect tab labels to succinctly describe the content they represent. That is not the case with the “Country Contact” tab at the moment. Currently, its content isn’t tailored to the label. And apart from contact details, it has an overview of mapping campaigns, too. This is confusing. ![](https://lh5.googleusercontent.com/PZSgscr_WpYa04MpWJWBKlO_4WmYZMh5b4xcECXRNFjd3V8veknC8yAH2e9ppr2hb1pyonEbBpqV8hO_7QCMlUKif2d-Fdemaa3dPQnh) It would probably make sense to take what appears under the “Country Contact” tab and reorganize the information so that all info is where it belongs. ### Some sentences are much longer than they need to be. This makes the tab panel viewing and scanning hard. ![](https://lh6.googleusercontent.com/7i-WYMQXfUeoBrXlLb_D2eZDl1nI4ECSvWSt2dQCLBkYb8tRePq9W2ldspjpal_lATSHgy0r3iyQYt4Oo55xWJmvH8uAwlaLpvHRrR6bJ-ddLv0EzVqJQamxYU_hKgTsl0qe9s33) It would be good to reduce the mental effort required for processing tabs’ data. The more we can edit their content down, the more likely it is that users will eyeball/read it. ### There’s no quick way to unselect multiple filters at once. Not having an option like that makes for a frustrating experience. ![](https://lh4.googleusercontent.com/Yp-bxMzPbW1S_CHyFtR-nCWLSkSaTt1lsznf_oUZXwJghgmUvNVAXlxgMey0HQjav35_QJFnTN5DcCK4Oe11k0-4zbV8k6FHK07ZQDW9) ### Insufficient visual feedback for users interacting with filters a) Users should be aware at any time which filters have been applied. That’s not obvious enough at the moment. For example, when interacting with the “status” filters, I felt unsure about which filters I toggled on and which ones I toggled off. ![](https://lh4.googleusercontent.com/CvpAuv_IpWE0qqlKCVkuyOTIomDZdBbq_ceYzDyLhVRFaE7CfegNR0CalYoW7-YFjZkHaPXelXDzxT4MV0iIsQZR4HyqaJY-rd0nFRRgxiQs4XOvs5CQv4iIxSlDoP4ZEsV9tUdO) b) Also, at the moment, filters are applied as soon are they are clicked. Not everyone may notice instant visual changes and realize the results have been updated. A little bit of testing would go a long way here, I guess. It’d be good to see what users say about the filter implementation. ### Map legend missing an item Very few symbols/icons can be universally recognized by users. It would probably be good to include ![](https://lh5.googleusercontent.com/G5xTg39SQuIo4fUMVS_7w4Z2L8zjPXKBuM91T6tqmUzH2F0R-mByg6Xt-sBNV6yeRGXzW2EYVoY7ithg0anEH2dHDb2psVhpdYFMFIbaPN9BSL3-QkhTTP5xZlxdqcUpKvbgPtud) in the legend and indicate that it represents Mapping Campaigns (and remove “sized by edits” ). Doing so would reduce ambiguity and help visitors find meaning in map data quicker and with greater ease.
non_defect
country page ui ux review from capturing katia utochkina s review on country page path to the “country” page requires a lot of clicks inconsistency between the tab label “country contact” and the content behind it some sentences are much longer than they need to be this makes the tab panel viewing and scanning hard there’s no quick way to unselect multiple filters at once insufficient visual feedback for users interacting with filters map legend missing an item path to the “country” page requires a lot of clicks it would be good to change the way users are provided access to the “country” page at the moment it’s not gained easily and visitors have to make a lot of clicks to get to the destination for those who’re unfamiliar with the interface it would probably take at least clicks to get to the “country“ page making users perform so many clicks is an experience that could introduce a lot of frustration “our work” “countries we work in” “locations mapped” “ ” regions countries inconsistency between the tab label “country contact” and the content behind it the section uses a left right pane design on the left hand side we’ve got a map on the right — a tab panel with options “country contact” and “campaign filters” as a user i would expect tab labels to succinctly describe the content they represent that is not the case with the “country contact” tab at the moment currently its content isn’t tailored to the label and apart from contact details it has an overview of mapping campaigns too this is confusing it would probably make sense to take what appears under the “country contact” tab and reorganize the information so that all info is where it belongs some sentences are much longer than they need to be this makes the tab panel viewing and scanning hard it would be good to reduce the mental effort required for processing tabs’ data the more we can edit their content down the more likely it is that users will eyeball read it there’s no quick way to unselect multiple filters at once not having an option like that makes for a frustrating experience insufficient visual feedback for users interacting with filters a users should be aware at any time which filters have been applied that’s not obvious enough at the moment for example when interacting with the “status” filters i felt unsure about which filters i toggled on and which ones i toggled off b also at the moment filters are applied as soon are they are clicked not everyone may notice instant visual changes and realize the results have been updated a little bit of testing would go a long way here i guess it’d be good to see what users say about the filter implementation map legend missing an item very few symbols icons can be universally recognized by users it would probably be good to include in the legend and indicate that it represents mapping campaigns and remove “sized by edits” doing so would reduce ambiguity and help visitors find meaning in map data quicker and with greater ease
0
18,038
3,021,605,690
IssuesEvent
2015-07-31 15:38:17
jOOQ/jOOQ
https://api.github.com/repos/jOOQ/jOOQ
closed
CUBRID doesn't support savepoints
C: DB: CUBRID C: Functionality P: Medium T: Defect
The transaction API currently cannot be used with CUBRID as CUBRID doesn't support savepoints: ``` org.jooq.exception.DataAccessException: Cannot set savepoint at org.jooq.impl.DefaultConnectionProvider.setSavepoint(DefaultConnectionProvider.java:155) at org.jooq.impl.DefaultTransactionProvider.setSavepoint(DefaultTransactionProvider.java:168) at org.jooq.impl.DefaultTransactionProvider.begin(DefaultTransactionProvider.java:150) at org.jooq.impl.DefaultDSLContext.transactionResult(DefaultDSLContext.java:317) at org.jooq.impl.DefaultDSLContext.transaction(DefaultDSLContext.java:346) at org.jooq.test.all.testcases.TransactionTests.testTransactionsWithJDBCSimple(TransactionTests.java:118) at org.jooq.test.jOOQAbstractTest.testTransactionsWithJDBCSimple(jOOQAbstractTest.java:3681) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:497) at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:47) at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12) at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:44) at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17) at org.junit.internal.runners.statements.RunBefores.evaluate(RunBefores.java:26) at org.junit.internal.runners.statements.RunAfters.evaluate(RunAfters.java:27) at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:271) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:70) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:50) at org.junit.runners.ParentRunner$3.run(ParentRunner.java:238) at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:63) at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:236) at org.junit.runners.ParentRunner.access$000(ParentRunner.java:53) at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:229) at org.junit.internal.runners.statements.RunBefores.evaluate(RunBefores.java:26) at org.junit.internal.runners.statements.RunAfters.evaluate(RunAfters.java:27) at org.junit.runners.ParentRunner.run(ParentRunner.java:309) at org.eclipse.jdt.internal.junit4.runner.JUnit4TestReference.run(JUnit4TestReference.java:86) at org.eclipse.jdt.internal.junit.runner.TestExecution.run(TestExecution.java:38) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.runTests(RemoteTestRunner.java:459) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.runTests(RemoteTestRunner.java:675) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.run(RemoteTestRunner.java:382) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.main(RemoteTestRunner.java:192) Caused by: java.lang.UnsupportedOperationException at cubrid.jdbc.driver.CUBRIDConnection.setSavepoint(CUBRIDConnection.java:547) at org.jooq.impl.DefaultConnectionProvider.setSavepoint(DefaultConnectionProvider.java:152) ... 33 more ```
1.0
CUBRID doesn't support savepoints - The transaction API currently cannot be used with CUBRID as CUBRID doesn't support savepoints: ``` org.jooq.exception.DataAccessException: Cannot set savepoint at org.jooq.impl.DefaultConnectionProvider.setSavepoint(DefaultConnectionProvider.java:155) at org.jooq.impl.DefaultTransactionProvider.setSavepoint(DefaultTransactionProvider.java:168) at org.jooq.impl.DefaultTransactionProvider.begin(DefaultTransactionProvider.java:150) at org.jooq.impl.DefaultDSLContext.transactionResult(DefaultDSLContext.java:317) at org.jooq.impl.DefaultDSLContext.transaction(DefaultDSLContext.java:346) at org.jooq.test.all.testcases.TransactionTests.testTransactionsWithJDBCSimple(TransactionTests.java:118) at org.jooq.test.jOOQAbstractTest.testTransactionsWithJDBCSimple(jOOQAbstractTest.java:3681) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:497) at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:47) at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12) at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:44) at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17) at org.junit.internal.runners.statements.RunBefores.evaluate(RunBefores.java:26) at org.junit.internal.runners.statements.RunAfters.evaluate(RunAfters.java:27) at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:271) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:70) at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:50) at org.junit.runners.ParentRunner$3.run(ParentRunner.java:238) at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:63) at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:236) at org.junit.runners.ParentRunner.access$000(ParentRunner.java:53) at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:229) at org.junit.internal.runners.statements.RunBefores.evaluate(RunBefores.java:26) at org.junit.internal.runners.statements.RunAfters.evaluate(RunAfters.java:27) at org.junit.runners.ParentRunner.run(ParentRunner.java:309) at org.eclipse.jdt.internal.junit4.runner.JUnit4TestReference.run(JUnit4TestReference.java:86) at org.eclipse.jdt.internal.junit.runner.TestExecution.run(TestExecution.java:38) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.runTests(RemoteTestRunner.java:459) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.runTests(RemoteTestRunner.java:675) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.run(RemoteTestRunner.java:382) at org.eclipse.jdt.internal.junit.runner.RemoteTestRunner.main(RemoteTestRunner.java:192) Caused by: java.lang.UnsupportedOperationException at cubrid.jdbc.driver.CUBRIDConnection.setSavepoint(CUBRIDConnection.java:547) at org.jooq.impl.DefaultConnectionProvider.setSavepoint(DefaultConnectionProvider.java:152) ... 33 more ```
defect
cubrid doesn t support savepoints the transaction api currently cannot be used with cubrid as cubrid doesn t support savepoints org jooq exception dataaccessexception cannot set savepoint at org jooq impl defaultconnectionprovider setsavepoint defaultconnectionprovider java at org jooq impl defaulttransactionprovider setsavepoint defaulttransactionprovider java at org jooq impl defaulttransactionprovider begin defaulttransactionprovider java at org jooq impl defaultdslcontext transactionresult defaultdslcontext java at org jooq impl defaultdslcontext transaction defaultdslcontext java at org jooq test all testcases transactiontests testtransactionswithjdbcsimple transactiontests java at org jooq test jooqabstracttest testtransactionswithjdbcsimple jooqabstracttest java at sun reflect nativemethodaccessorimpl native method at sun reflect nativemethodaccessorimpl invoke nativemethodaccessorimpl java at sun reflect delegatingmethodaccessorimpl invoke delegatingmethodaccessorimpl java at java lang reflect method invoke method java at org junit runners model frameworkmethod runreflectivecall frameworkmethod java at org junit internal runners model reflectivecallable run reflectivecallable java at org junit runners model frameworkmethod invokeexplosively frameworkmethod java at org junit internal runners statements invokemethod evaluate invokemethod java at org junit internal runners statements runbefores evaluate runbefores java at org junit internal runners statements runafters evaluate runafters java at org junit runners parentrunner runleaf parentrunner java at org junit runners runchild java at org junit runners runchild java at org junit runners parentrunner run parentrunner java at org junit runners parentrunner schedule parentrunner java at org junit runners parentrunner runchildren parentrunner java at org junit runners parentrunner access parentrunner java at org junit runners parentrunner evaluate parentrunner java at org junit internal runners statements runbefores evaluate runbefores java at org junit internal runners statements runafters evaluate runafters java at org junit runners parentrunner run parentrunner java at org eclipse jdt internal runner run java at org eclipse jdt internal junit runner testexecution run testexecution java at org eclipse jdt internal junit runner remotetestrunner runtests remotetestrunner java at org eclipse jdt internal junit runner remotetestrunner runtests remotetestrunner java at org eclipse jdt internal junit runner remotetestrunner run remotetestrunner java at org eclipse jdt internal junit runner remotetestrunner main remotetestrunner java caused by java lang unsupportedoperationexception at cubrid jdbc driver cubridconnection setsavepoint cubridconnection java at org jooq impl defaultconnectionprovider setsavepoint defaultconnectionprovider java more
1
57,231
15,727,104,893
IssuesEvent
2021-03-29 12:14:59
danmar/testissues
https://api.github.com/repos/danmar/testissues
opened
macro replaced with incorrect value instead of variable name (Trac #127)
Incomplete Migration Migrated from Trac Other defect noone
Migrated from https://trac.cppcheck.net/ticket/127 ```json { "status": "closed", "changetime": "2009-03-04T15:27:09", "description": "{{{\n#define TEST(var) var##_new = var++;\n\nvoid func()\n{\n\tint result = 0;\n\tint result_new = 0;\n\tTEST(result)\n}\n}}}\n\nwill be tokenized to\n\n{{{\n1:\n2:\n3: void func ( )\n4: {\n5: int result@1 ; result@1 = 0 ;\n6: int result_new@2 ; result_new@2 = 0 ;\n7: result_new@2 = 0 ;\n8: }\n}}}\n\nIf you use this macro:\n\n{{{\n#define TEST(var) var##_new = var + 25;\n}}}\n\nit will be tokenzied to:\n\n{{{\n7: result_new@2 = 0 + 25 ;\n}}}\n\n\n\n", "reporter": "kidkat", "cc": "sigra", "resolution": "fixed", "_ts": "1236180429000000", "component": "Other", "summary": "macro replaced with incorrect value instead of variable name", "priority": "", "keywords": "", "time": "2009-03-01T13:25:02", "milestone": "1.30", "owner": "noone", "type": "defect" } ```
1.0
macro replaced with incorrect value instead of variable name (Trac #127) - Migrated from https://trac.cppcheck.net/ticket/127 ```json { "status": "closed", "changetime": "2009-03-04T15:27:09", "description": "{{{\n#define TEST(var) var##_new = var++;\n\nvoid func()\n{\n\tint result = 0;\n\tint result_new = 0;\n\tTEST(result)\n}\n}}}\n\nwill be tokenized to\n\n{{{\n1:\n2:\n3: void func ( )\n4: {\n5: int result@1 ; result@1 = 0 ;\n6: int result_new@2 ; result_new@2 = 0 ;\n7: result_new@2 = 0 ;\n8: }\n}}}\n\nIf you use this macro:\n\n{{{\n#define TEST(var) var##_new = var + 25;\n}}}\n\nit will be tokenzied to:\n\n{{{\n7: result_new@2 = 0 + 25 ;\n}}}\n\n\n\n", "reporter": "kidkat", "cc": "sigra", "resolution": "fixed", "_ts": "1236180429000000", "component": "Other", "summary": "macro replaced with incorrect value instead of variable name", "priority": "", "keywords": "", "time": "2009-03-01T13:25:02", "milestone": "1.30", "owner": "noone", "type": "defect" } ```
defect
macro replaced with incorrect value instead of variable name trac migrated from json status closed changetime description n define test var var new var n nvoid func n n tint result n tint result new n ttest result n n n nwill be tokenized to n n void func int result result int result new result new result new n n nif you use this macro n n n define test var var new var n n nit will be tokenzied to n n result new n n n n n reporter kidkat cc sigra resolution fixed ts component other summary macro replaced with incorrect value instead of variable name priority keywords time milestone owner noone type defect
1
12,957
2,731,407,179
IssuesEvent
2015-04-16 20:11:00
ClearTK/cleartk
https://api.github.com/repos/ClearTK/cleartk
closed
ClearTK Exceptions
Priority-Medium Type-Defect
Original [issue 134](https://code.google.com/p/cleartk/issues/detail?id=134) created by ClearTK on 2009-12-16T23:43:07.000Z: [from Steve] I'm a little concerned about the proliferation of CleartkException. So the whole point of checked exceptions is that the user should be able to know enough about what went wrong to correct it in the code. If they can't do this, the exception should be a runtime exception[1]. I think at the moment CleartkException gives so little information that there is no way a user can reasonably catch and handle such an exception. Since I know you guys are opposed to changing it to a runtime exception, I think instead, we need to make a bunch of more specific subclasses so that people have some hope of handling them and doing something with them. Here are some possibilities, looking at the code: CleartkSerializationWritingException org.cleartk.classifier.encoder.features.NameNumberFeaturesEncoder.finalizeFeatureSet(File) org.cleartk.classifier.libsvm.LIBSVMDataWriter.writeEncoded(FeatureVector, OUTPUTOUTCOME_TYPE) org.cleartk.classifier.mallet.MalletDataWriter.writeEncoded(List&lt;NameNumber&gt;, String) org.cleartk.classifier.opennlp.MaxentDataWriter.writeEncoded(List&lt;NameNumber&gt;, String) org.cleartk.classifier.svmlight.SVMlightDataWriter.writeEncoded(FeatureVector, Boolean) org.cleartk.classifier.util.tfidf.IDFMapWriter.finish() org.cleartk.classifier.viterbi.ViterbiDataWriter.finish() CleartkSerializationReadingException org.cleartk.classifier.svmlight.OVASVMlightClassifier.OVASVMlightClassifier(JarFile) org.cleartk.classifier.util.tfidf.IDFMapWriter.consumeFeatures(Collection&lt;Feature&gt;) CleartkNoSuchAnnotationException org.cleartk.classifier.feature.extractor.annotationpair.MatchingAnnotationPairExtractor.extract(JCas, Annotation, Annotation) org.cleartk.classifier.feature.extractor.simple.FirstInstanceExtractor.extract(JCas, Annotation) org.cleartk.classifier.feature.extractor.simple.LastInstanceExtractor.extract(JCas, Annotation) CleartkIllegalArgumentException org.cleartk.classifier.util.featurevector.ArrayFeatureVector.set(int, double) org.cleartk.classifier.util.featurevector.SparseFeatureVector.set(int, double) I'm certainly not married to the names or the groupings, but I think if we're going to add checked exceptions all over the place, they should be specific enough that the user has some hope of handling them.
1.0
ClearTK Exceptions - Original [issue 134](https://code.google.com/p/cleartk/issues/detail?id=134) created by ClearTK on 2009-12-16T23:43:07.000Z: [from Steve] I'm a little concerned about the proliferation of CleartkException. So the whole point of checked exceptions is that the user should be able to know enough about what went wrong to correct it in the code. If they can't do this, the exception should be a runtime exception[1]. I think at the moment CleartkException gives so little information that there is no way a user can reasonably catch and handle such an exception. Since I know you guys are opposed to changing it to a runtime exception, I think instead, we need to make a bunch of more specific subclasses so that people have some hope of handling them and doing something with them. Here are some possibilities, looking at the code: CleartkSerializationWritingException org.cleartk.classifier.encoder.features.NameNumberFeaturesEncoder.finalizeFeatureSet(File) org.cleartk.classifier.libsvm.LIBSVMDataWriter.writeEncoded(FeatureVector, OUTPUTOUTCOME_TYPE) org.cleartk.classifier.mallet.MalletDataWriter.writeEncoded(List&lt;NameNumber&gt;, String) org.cleartk.classifier.opennlp.MaxentDataWriter.writeEncoded(List&lt;NameNumber&gt;, String) org.cleartk.classifier.svmlight.SVMlightDataWriter.writeEncoded(FeatureVector, Boolean) org.cleartk.classifier.util.tfidf.IDFMapWriter.finish() org.cleartk.classifier.viterbi.ViterbiDataWriter.finish() CleartkSerializationReadingException org.cleartk.classifier.svmlight.OVASVMlightClassifier.OVASVMlightClassifier(JarFile) org.cleartk.classifier.util.tfidf.IDFMapWriter.consumeFeatures(Collection&lt;Feature&gt;) CleartkNoSuchAnnotationException org.cleartk.classifier.feature.extractor.annotationpair.MatchingAnnotationPairExtractor.extract(JCas, Annotation, Annotation) org.cleartk.classifier.feature.extractor.simple.FirstInstanceExtractor.extract(JCas, Annotation) org.cleartk.classifier.feature.extractor.simple.LastInstanceExtractor.extract(JCas, Annotation) CleartkIllegalArgumentException org.cleartk.classifier.util.featurevector.ArrayFeatureVector.set(int, double) org.cleartk.classifier.util.featurevector.SparseFeatureVector.set(int, double) I'm certainly not married to the names or the groupings, but I think if we're going to add checked exceptions all over the place, they should be specific enough that the user has some hope of handling them.
defect
cleartk exceptions original created by cleartk on i m a little concerned about the proliferation of cleartkexception so the whole point of checked exceptions is that the user should be able to know enough about what went wrong to correct it in the code if they can t do this the exception should be a runtime exception i think at the moment cleartkexception gives so little information that there is no way a user can reasonably catch and handle such an exception since i know you guys are opposed to changing it to a runtime exception i think instead we need to make a bunch of more specific subclasses so that people have some hope of handling them and doing something with them here are some possibilities looking at the code cleartkserializationwritingexception org cleartk classifier encoder features namenumberfeaturesencoder finalizefeatureset file org cleartk classifier libsvm libsvmdatawriter writeencoded featurevector outputoutcome type org cleartk classifier mallet malletdatawriter writeencoded list lt namenumber gt string org cleartk classifier opennlp maxentdatawriter writeencoded list lt namenumber gt string org cleartk classifier svmlight svmlightdatawriter writeencoded featurevector boolean org cleartk classifier util tfidf idfmapwriter finish org cleartk classifier viterbi viterbidatawriter finish cleartkserializationreadingexception org cleartk classifier svmlight ovasvmlightclassifier ovasvmlightclassifier jarfile org cleartk classifier util tfidf idfmapwriter consumefeatures collection lt feature gt cleartknosuchannotationexception org cleartk classifier feature extractor annotationpair matchingannotationpairextractor extract jcas annotation annotation org cleartk classifier feature extractor simple firstinstanceextractor extract jcas annotation org cleartk classifier feature extractor simple lastinstanceextractor extract jcas annotation cleartkillegalargumentexception org cleartk classifier util featurevector arrayfeaturevector set int double org cleartk classifier util featurevector sparsefeaturevector set int double i m certainly not married to the names or the groupings but i think if we re going to add checked exceptions all over the place they should be specific enough that the user has some hope of handling them
1
76,364
3,487,412,476
IssuesEvent
2016-01-01 21:48:42
UniversityRadioYork/MyRadio
https://api.github.com/repos/UniversityRadioYork/MyRadio
closed
Membership year not using term dates
bug high-priority
For some reason, anyone who signs in from 1 Jan 2016 is being marked as logged in for membership year 2016 -- i.e. academic year. Causing major issues especially with payments etc.
1.0
Membership year not using term dates - For some reason, anyone who signs in from 1 Jan 2016 is being marked as logged in for membership year 2016 -- i.e. academic year. Causing major issues especially with payments etc.
non_defect
membership year not using term dates for some reason anyone who signs in from jan is being marked as logged in for membership year i e academic year causing major issues especially with payments etc
0
407,928
11,939,534,949
IssuesEvent
2020-04-02 15:20:48
HE-Arc/CSRuby
https://api.github.com/repos/HE-Arc/CSRuby
closed
Mise en place du "infinite scroll" ou pagination
extra low priority
Chargement des autres éléments de la liste lorsqu'on scroll à la fin de la liste.
1.0
Mise en place du "infinite scroll" ou pagination - Chargement des autres éléments de la liste lorsqu'on scroll à la fin de la liste.
non_defect
mise en place du infinite scroll ou pagination chargement des autres éléments de la liste lorsqu on scroll à la fin de la liste
0
31,049
6,415,662,055
IssuesEvent
2017-08-08 13:18:34
primefaces/primeng
https://api.github.com/repos/primefaces/primeng
closed
Slider doesn't work when using range + orientation vertical
defect
### There is no guarantee in receiving a response in GitHub Issue Tracker, If you'd like to secure our response, you may consider *PrimeNG PRO Support* where support is provided within 4 business hours **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)** http://plnkr.co/edit/UEegqgJdrC78E9xeLhrQ **Current behavior** Using the Slider in vertical mode with Range doesn't work. **Expected behavior** Being able to use the slider with range working in vertical like it does in horizontal. **What is the motivation / use case for changing the behavior?** Using the slider with range should not be dependant of the slider orientation? * **Angular version:** 4.1.3 <!-- Check whether this is still an issue in the most recent Angular version --> * **PrimeNG version:** 4.1.2 <!-- Check whether this is still an issue in the most recent Angular version --> * **Browser:** [all] * **Language:** [TypeScript 2.3.4]
1.0
Slider doesn't work when using range + orientation vertical - ### There is no guarantee in receiving a response in GitHub Issue Tracker, If you'd like to secure our response, you may consider *PrimeNG PRO Support* where support is provided within 4 business hours **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)** http://plnkr.co/edit/UEegqgJdrC78E9xeLhrQ **Current behavior** Using the Slider in vertical mode with Range doesn't work. **Expected behavior** Being able to use the slider with range working in vertical like it does in horizontal. **What is the motivation / use case for changing the behavior?** Using the slider with range should not be dependant of the slider orientation? * **Angular version:** 4.1.3 <!-- Check whether this is still an issue in the most recent Angular version --> * **PrimeNG version:** 4.1.2 <!-- Check whether this is still an issue in the most recent Angular version --> * **Browser:** [all] * **Language:** [TypeScript 2.3.4]
defect
slider doesn t work when using range orientation vertical there is no guarantee in receiving a response in github issue tracker if you d like to secure our response you may consider primeng pro support where support is provided within business hours 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 using the slider in vertical mode with range doesn t work expected behavior being able to use the slider with range working in vertical like it does in horizontal what is the motivation use case for changing the behavior using the slider with range should not be dependant of the slider orientation angular version primeng version browser language
1
76,924
3,506,085,032
IssuesEvent
2016-01-08 03:23:46
bethlakshmi/GBE2
https://api.github.com/repos/bethlakshmi/GBE2
closed
Act Tech review form - conference chooser needed.
Medium Priority Ready For Review
http://localhost:8282/reports/acttechinfo/view_summary 1 - put a conference chooser at the top (like bid reviews) and then have the list of shows at the top be the list of shows for the currently selected conference. Right now, they show the list of EVERY show and that's more than most users will care about most of the time. Marked medium because the year reference of '15 on old shows is an OK work around in this area.
1.0
Act Tech review form - conference chooser needed. - http://localhost:8282/reports/acttechinfo/view_summary 1 - put a conference chooser at the top (like bid reviews) and then have the list of shows at the top be the list of shows for the currently selected conference. Right now, they show the list of EVERY show and that's more than most users will care about most of the time. Marked medium because the year reference of '15 on old shows is an OK work around in this area.
non_defect
act tech review form conference chooser needed put a conference chooser at the top like bid reviews and then have the list of shows at the top be the list of shows for the currently selected conference right now they show the list of every show and that s more than most users will care about most of the time marked medium because the year reference of on old shows is an ok work around in this area
0
37,814
8,519,589,570
IssuesEvent
2018-11-01 15:05:03
GoldenSoftwareLtd/gedemin
https://api.github.com/repos/GoldenSoftwareLtd/gedemin
closed
Сбивается прорисовка колонок в гриде.
Component-UI GedeminExe Grid Priority-Low Type-Defect
Originally reported on Google Code with ID 1363 ``` На некоторых документах сбивается отрисовка колонок в гриде. Пример запроса в ЗП: SELECT P.CONTACTKEY, P.FIRSTNAME, P.SURNAME, P.MIDDLENAME, P.NICKNAME, P.RANK, P.HPLACEKEY, P.HADDRESS, P.HCITY, P.HREGION, P.HZIP, P.HCOUNTRY, P.HDISTRICT, P.HPHONE, P.WCOMPANYKEY, P.WCOMPANYNAME, P.WDEPARTMENT, P.PASSPORTNUMBER, P.PASSPORTEXPDATE, P.PASSPORTISSDATE, P.PASSPORTISSUER, P.PASSPORTISSCITY, P.PERSONALNUMBER, P.WPOSITIONKEY, P.SPOUSE, P.CHILDREN, P.SEX, P.BIRTHDAY, P.VISITCARD, P.PHOTO, WPOS.NAME AS NEWRANK, Z.ID, Z.LB, Z.RB, Z.PARENT, Z.CONTACTTYPE, Z.NAME, Z.ADDRESS, Z.DISTRICT, Z.CITY, Z.REGION, Z.ZIP, Z.COUNTRY, Z.PLACEKEY, Z.NOTE, Z.EXTERNALKEY, Z.EMAIL, Z.URL, Z.POBOX, Z.PHONE, Z.FAX, Z.EDITORKEY, Z.EDITIONDATE, Z.AFULL, Z.ACHAG, Z.AVIEW, Z.DISABLED, Z.RESERVED, Z.USR$WG_LISTNUM, Z.USR$WAGE_OLDEMPLKEY, Z.USR$WAGE_OLDDEPTKEY, Z.USR$IMNSKEY, Z_USR$IMNSKEY.USR$NAME AS Z_USR$IMNSKEY_USR$NAME, Z_USR$IMNSKEY.USR$ALIAS AS Z_USR$IMNSKEY_USR$ALIAS, P.USR$WG_BCOUNTRY, P.USR$ACCOUNT, P.USR$BANK, P_USR$BANK.NAME AS P_USR$BANK_NAME, P.USR$WG_BREGION, P.USR$WG_BCITY, P.USR$WG_BDISTRICT, P.USR$INSURANCENUMBER, WPOS.USR$CATEGORYKEY, WPOS_USR$CATEGORYKEY.USR$NAME AS WPOS_USR$CATEGORYKEY_USR$NAME, WPOS.USR$UNFIXED, WPOS.USR$UNHEALTHY, WPOS.USR$BASELONG, WPOS.USR$BASEMIN FROM GD_CONTACT Z JOIN GD_PEOPLE P ON P.CONTACTKEY = Z.ID JOIN GD_CONTACT CP ON CP.ID = Z.PARENT AND CP.CONTACTTYPE IN ( 3, 4, 5 ) LEFT JOIN WG_POSITION WPOS ON P.WPOSITIONKEY = WPOS.ID LEFT JOIN USR$WG_IMNS Z_USR$IMNSKEY ON Z_USR$IMNSKEY.ID = Z.USR$IMNSKEY LEFT JOIN GD_CONTACT P_USR$BANK ON P_USR$BANK.ID = P.USR$BANK LEFT JOIN USR$WG_STAFFCATEGORY WPOS_USR$CATEGORYKEY ON WPOS_USR$CATEGORYKEY.ID = WPOS.USR$CATEGORYKEY WHERE -- ( Z.PARENT = :parent ) -- AND EXISTS ( SELECT ID FROM USR$WG_EMPLWORKTERM WHERE USR$EMPLKEY = Z.ID AND USR$DATEBEGIN <= :dateend AND ( USR$DATEEND > :datebegin OR USR$DATEEND IS NULL ) ) ORDER BY Z.NAME Похоже проблема в procedure TgsCustomDBGrid.Paint; /////////////////////////////////////////////////////////////// // Осуществляем расчет и заполнение массива точек для рисования // вертикальных линий for I := TotalColCount to TotalColCount + TotalRowCount - 1 do begin Inc(Y, DefaultRowHeight + GridLineWidth * Integer(dgRowLines in Options)); if dgRowLines in Options then begin Rects^[I] := Rect( ColWidths[0] * Integer(dgIndicator in Options), Y, X, Y ); PointCount^[I] := 2; end; ///////////////////////////////////////// // Если режим полосатости - рисуем полосы if FStriped and (not GridStripeProh) then begin/////////////////// // Вычисляем полосу if (((I - TotalColCount) + RowCount) mod 2) = 0 then begin if FMyOdd = skOdd then Canvas.Brush.Color := FStripeOdd else if FMyOdd = skEven then Canvas.Brush.Color := FStripeEven; end else begin if FMyEven = skOdd then Canvas.Brush.Color := FStripeOdd else if FMyEven = skEven then Canvas.Brush.Color := FStripeEven; end; end else Canvas.Brush.Color := Color; /////////////////////////////// // Осуществляем рисование полос Canvas.FillRect(Rect ( ColWidths[0] * Integer(dgindicator in Options), Y - DefaultRowHeight - GridLineWidth * Integer(dgRowLines in Options) + Integer(I = TotalColCount), X, Y )); ``` Reported by `Alexander.GoldenSoft` on 2009-05-08 09:16:52 <hr> - _Attachment: [grid.JPG](https://storage.googleapis.com/google-code-attachments/gedemin/issue-1363/comment-0/grid.JPG)_
1.0
Сбивается прорисовка колонок в гриде. - Originally reported on Google Code with ID 1363 ``` На некоторых документах сбивается отрисовка колонок в гриде. Пример запроса в ЗП: SELECT P.CONTACTKEY, P.FIRSTNAME, P.SURNAME, P.MIDDLENAME, P.NICKNAME, P.RANK, P.HPLACEKEY, P.HADDRESS, P.HCITY, P.HREGION, P.HZIP, P.HCOUNTRY, P.HDISTRICT, P.HPHONE, P.WCOMPANYKEY, P.WCOMPANYNAME, P.WDEPARTMENT, P.PASSPORTNUMBER, P.PASSPORTEXPDATE, P.PASSPORTISSDATE, P.PASSPORTISSUER, P.PASSPORTISSCITY, P.PERSONALNUMBER, P.WPOSITIONKEY, P.SPOUSE, P.CHILDREN, P.SEX, P.BIRTHDAY, P.VISITCARD, P.PHOTO, WPOS.NAME AS NEWRANK, Z.ID, Z.LB, Z.RB, Z.PARENT, Z.CONTACTTYPE, Z.NAME, Z.ADDRESS, Z.DISTRICT, Z.CITY, Z.REGION, Z.ZIP, Z.COUNTRY, Z.PLACEKEY, Z.NOTE, Z.EXTERNALKEY, Z.EMAIL, Z.URL, Z.POBOX, Z.PHONE, Z.FAX, Z.EDITORKEY, Z.EDITIONDATE, Z.AFULL, Z.ACHAG, Z.AVIEW, Z.DISABLED, Z.RESERVED, Z.USR$WG_LISTNUM, Z.USR$WAGE_OLDEMPLKEY, Z.USR$WAGE_OLDDEPTKEY, Z.USR$IMNSKEY, Z_USR$IMNSKEY.USR$NAME AS Z_USR$IMNSKEY_USR$NAME, Z_USR$IMNSKEY.USR$ALIAS AS Z_USR$IMNSKEY_USR$ALIAS, P.USR$WG_BCOUNTRY, P.USR$ACCOUNT, P.USR$BANK, P_USR$BANK.NAME AS P_USR$BANK_NAME, P.USR$WG_BREGION, P.USR$WG_BCITY, P.USR$WG_BDISTRICT, P.USR$INSURANCENUMBER, WPOS.USR$CATEGORYKEY, WPOS_USR$CATEGORYKEY.USR$NAME AS WPOS_USR$CATEGORYKEY_USR$NAME, WPOS.USR$UNFIXED, WPOS.USR$UNHEALTHY, WPOS.USR$BASELONG, WPOS.USR$BASEMIN FROM GD_CONTACT Z JOIN GD_PEOPLE P ON P.CONTACTKEY = Z.ID JOIN GD_CONTACT CP ON CP.ID = Z.PARENT AND CP.CONTACTTYPE IN ( 3, 4, 5 ) LEFT JOIN WG_POSITION WPOS ON P.WPOSITIONKEY = WPOS.ID LEFT JOIN USR$WG_IMNS Z_USR$IMNSKEY ON Z_USR$IMNSKEY.ID = Z.USR$IMNSKEY LEFT JOIN GD_CONTACT P_USR$BANK ON P_USR$BANK.ID = P.USR$BANK LEFT JOIN USR$WG_STAFFCATEGORY WPOS_USR$CATEGORYKEY ON WPOS_USR$CATEGORYKEY.ID = WPOS.USR$CATEGORYKEY WHERE -- ( Z.PARENT = :parent ) -- AND EXISTS ( SELECT ID FROM USR$WG_EMPLWORKTERM WHERE USR$EMPLKEY = Z.ID AND USR$DATEBEGIN <= :dateend AND ( USR$DATEEND > :datebegin OR USR$DATEEND IS NULL ) ) ORDER BY Z.NAME Похоже проблема в procedure TgsCustomDBGrid.Paint; /////////////////////////////////////////////////////////////// // Осуществляем расчет и заполнение массива точек для рисования // вертикальных линий for I := TotalColCount to TotalColCount + TotalRowCount - 1 do begin Inc(Y, DefaultRowHeight + GridLineWidth * Integer(dgRowLines in Options)); if dgRowLines in Options then begin Rects^[I] := Rect( ColWidths[0] * Integer(dgIndicator in Options), Y, X, Y ); PointCount^[I] := 2; end; ///////////////////////////////////////// // Если режим полосатости - рисуем полосы if FStriped and (not GridStripeProh) then begin/////////////////// // Вычисляем полосу if (((I - TotalColCount) + RowCount) mod 2) = 0 then begin if FMyOdd = skOdd then Canvas.Brush.Color := FStripeOdd else if FMyOdd = skEven then Canvas.Brush.Color := FStripeEven; end else begin if FMyEven = skOdd then Canvas.Brush.Color := FStripeOdd else if FMyEven = skEven then Canvas.Brush.Color := FStripeEven; end; end else Canvas.Brush.Color := Color; /////////////////////////////// // Осуществляем рисование полос Canvas.FillRect(Rect ( ColWidths[0] * Integer(dgindicator in Options), Y - DefaultRowHeight - GridLineWidth * Integer(dgRowLines in Options) + Integer(I = TotalColCount), X, Y )); ``` Reported by `Alexander.GoldenSoft` on 2009-05-08 09:16:52 <hr> - _Attachment: [grid.JPG](https://storage.googleapis.com/google-code-attachments/gedemin/issue-1363/comment-0/grid.JPG)_
defect
сбивается прорисовка колонок в гриде originally reported on google code with id на некоторых документах сбивается отрисовка колонок в гриде пример запроса в зп select p contactkey p firstname p surname p middlename p nickname p rank p hplacekey p haddress p hcity p hregion p hzip p hcountry p hdistrict p hphone p wcompanykey p wcompanyname p wdepartment p passportnumber p passportexpdate p passportissdate p passportissuer p passportisscity p personalnumber p wpositionkey p spouse p children p sex p birthday p visitcard p photo wpos name as newrank z id z lb z rb z parent z contacttype z name z address z district z city z region z zip z country z placekey z note z externalkey z email z url z pobox z phone z fax z editorkey z editiondate z afull z achag z aview z disabled z reserved z usr wg listnum z usr wage oldemplkey z usr wage olddeptkey z usr imnskey z usr imnskey usr name as z usr imnskey usr name z usr imnskey usr alias as z usr imnskey usr alias p usr wg bcountry p usr account p usr bank p usr bank name as p usr bank name p usr wg bregion p usr wg bcity p usr wg bdistrict p usr insurancenumber wpos usr categorykey wpos usr categorykey usr name as wpos usr categorykey usr name wpos usr unfixed wpos usr unhealthy wpos usr baselong wpos usr basemin from gd contact z join gd people p on p contactkey z id join gd contact cp on cp id z parent and cp contacttype in left join wg position wpos on p wpositionkey wpos id left join usr wg imns z usr imnskey on z usr imnskey id z usr imnskey left join gd contact p usr bank on p usr bank id p usr bank left join usr wg staffcategory wpos usr categorykey on wpos usr categorykey id wpos usr categorykey where z parent parent and exists select id from usr wg emplworkterm where usr emplkey z id and usr datebegin dateend and usr dateend datebegin or usr dateend is null order by z name похоже проблема в procedure tgscustomdbgrid paint осуществляем расчет и заполнение массива точек для рисования вертикальных линий for i totalcolcount to totalcolcount totalrowcount do begin inc y defaultrowheight gridlinewidth integer dgrowlines in options if dgrowlines in options then begin rects rect colwidths integer dgindicator in options y x y pointcount end если режим полосатости рисуем полосы if fstriped and not gridstripeproh then begin вычисляем полосу if i totalcolcount rowcount mod then begin if fmyodd skodd then canvas brush color fstripeodd else if fmyodd skeven then canvas brush color fstripeeven end else begin if fmyeven skodd then canvas brush color fstripeodd else if fmyeven skeven then canvas brush color fstripeeven end end else canvas brush color color осуществляем рисование полос canvas fillrect rect colwidths integer dgindicator in options y defaultrowheight gridlinewidth integer dgrowlines in options integer i totalcolcount x y reported by alexander goldensoft on attachment
1
226,185
17,971,344,560
IssuesEvent
2021-09-14 02:40:11
kubernetes/test-infra
https://api.github.com/repos/kubernetes/test-infra
closed
Filter out useless parts in the commit message body by comment tags
area/prow sig/testing kind/feature area/prow/tide
<!-- Please only use this template for submitting enhancement requests --> **What would you like to be added**: I hope to be able to define a group of `<!-- skip commit message start -->`, `<!- -skip commit message end -->` These tags are used to mark which part in the PR body does not need to appear in the commit message. **Why is this needed**: When we use the squash method of tide to merge PR, we hope to use some of the information (such as release-note、releated-issue-number ) in the PR body, but not all of it, we don't need the tips comment and checked list. ![image](https://user-images.githubusercontent.com/5086433/132501808-d1f5e606-7dd8-4cd7-a0c2-689d1c146c36.png) Hope to get a more useful commit message through minor changes. **Related discussions**: https://internals.tidb.io/t/topic/361/2
1.0
Filter out useless parts in the commit message body by comment tags - <!-- Please only use this template for submitting enhancement requests --> **What would you like to be added**: I hope to be able to define a group of `<!-- skip commit message start -->`, `<!- -skip commit message end -->` These tags are used to mark which part in the PR body does not need to appear in the commit message. **Why is this needed**: When we use the squash method of tide to merge PR, we hope to use some of the information (such as release-note、releated-issue-number ) in the PR body, but not all of it, we don't need the tips comment and checked list. ![image](https://user-images.githubusercontent.com/5086433/132501808-d1f5e606-7dd8-4cd7-a0c2-689d1c146c36.png) Hope to get a more useful commit message through minor changes. **Related discussions**: https://internals.tidb.io/t/topic/361/2
non_defect
filter out useless parts in the commit message body by comment tags what would you like to be added i hope to be able to define a group of these tags are used to mark which part in the pr body does not need to appear in the commit message why is this needed when we use the squash method of tide to merge pr we hope to use some of the information such as release note、releated issue number in the pr body but not all of it we don t need the tips comment and checked list hope to get a more useful commit message through minor changes related discussions
0
325,937
27,969,879,022
IssuesEvent
2023-03-25 00:14:13
unifyai/ivy
https://api.github.com/repos/unifyai/ivy
reopened
Fix layers.test_conv3d_transpose
Sub Task Ivy Functional API Failing Test
| | | |---|---| |tensorflow|<a href="https://github.com/unifyai/ivy/actions/runs/4514303460/jobs/7950223095" rel="noopener noreferrer" target="_blank"><img src=https://img.shields.io/badge/-failure-red></a> |torch|<a href="https://github.com/unifyai/ivy/actions/runs/4514303460/jobs/7950223095" rel="noopener noreferrer" target="_blank"><img src=https://img.shields.io/badge/-failure-red></a> |numpy|<a href="https://github.com/unifyai/ivy/actions/runs/4514303460/jobs/7950223095" rel="noopener noreferrer" target="_blank"><img src=https://img.shields.io/badge/-failure-red></a> |jax|<a href="https://github.com/unifyai/ivy/actions/runs/4514303460/jobs/7950223095" rel="noopener noreferrer" target="_blank"><img src=https://img.shields.io/badge/-failure-red></a> <details> <summary>FAILED ivy_tests/test_ivy/test_functional/test_nn/test_layers.py::test_conv3d_transpose[cpu-ivy.functional.backends.jax-False-False]</summary> 2023-03-24T19:46:35.3477790Z E AssertionError: There are no parameters in the inputs to connect the outputs to 2023-03-24T19:46:35.3478164Z E Falsifying example: test_conv3d_transpose( 2023-03-24T19:46:35.3478495Z E x_f_d_df=(['float32'], 2023-03-24T19:46:35.3478758Z E array([[[[[0.5]]]]], dtype=float32), 2023-03-24T19:46:35.3479096Z E array([[[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3479327Z E 2023-03-24T19:46:35.3479521Z E 2023-03-24T19:46:35.3479812Z E [[[5.00000e-01, 5.00000e-01]]]], 2023-03-24T19:46:35.3480036Z E 2023-03-24T19:46:35.3480226Z E 2023-03-24T19:46:35.3480416Z E 2023-03-24T19:46:35.3480705Z E [[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3480926Z E 2023-03-24T19:46:35.3481114Z E 2023-03-24T19:46:35.3481434Z E [[[5.00000e-01, 9.62965e-35]]]]], dtype=float32), 2023-03-24T19:46:35.3481680Z E 1, 2023-03-24T19:46:35.3481915Z E 'NDHWC', 2023-03-24T19:46:35.3482117Z E 2, 2023-03-24T19:46:35.3482347Z E 'SAME', 2023-03-24T19:46:35.3482551Z E None, 2023-03-24T19:46:35.3482759Z E 1), 2023-03-24T19:46:35.3482987Z E test_flags=FunctionTestFlags( 2023-03-24T19:46:35.3483256Z E num_positional_args=4, 2023-03-24T19:46:35.3483496Z E with_out=False, 2023-03-24T19:46:35.3483739Z E instance_method=False, 2023-03-24T19:46:35.3483991Z E test_gradients=False, 2023-03-24T19:46:35.3484239Z E test_compile=True, 2023-03-24T19:46:35.3484478Z E as_variable=[False], 2023-03-24T19:46:35.3484723Z E native_arrays=[False], 2023-03-24T19:46:35.3484968Z E container=[False], 2023-03-24T19:46:35.3485183Z E ), 2023-03-24T19:46:35.3485460Z E fn_name='conv3d_transpose', 2023-03-24T19:46:35.3485766Z E ground_truth_backend='jax', 2023-03-24T19:46:35.3486271Z E backend_fw=<module 'ivy.functional.backends.jax' from '/ivy/ivy/functional/backends/jax/__init__.py'>, 2023-03-24T19:46:35.3486668Z E on_device='cpu', 2023-03-24T19:46:35.3486880Z E ) 2023-03-24T19:46:35.3487068Z E 2023-03-24T19:46:35.3487698Z E You can reproduce this example by temporarily adding @reproduce_failure('6.70.0', b'AXicY2BgZGBkZGAAUQwo4ACNmMc5kSwB2QkAn80G1w==') as a decorator on your test case </details> <details> <summary>FAILED ivy_tests/test_ivy/test_functional/test_nn/test_layers.py::test_conv3d_transpose[cpu-ivy.functional.backends.jax-False-False]</summary> 2023-03-24T19:46:35.3477790Z E AssertionError: There are no parameters in the inputs to connect the outputs to 2023-03-24T19:46:35.3478164Z E Falsifying example: test_conv3d_transpose( 2023-03-24T19:46:35.3478495Z E x_f_d_df=(['float32'], 2023-03-24T19:46:35.3478758Z E array([[[[[0.5]]]]], dtype=float32), 2023-03-24T19:46:35.3479096Z E array([[[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3479327Z E 2023-03-24T19:46:35.3479521Z E 2023-03-24T19:46:35.3479812Z E [[[5.00000e-01, 5.00000e-01]]]], 2023-03-24T19:46:35.3480036Z E 2023-03-24T19:46:35.3480226Z E 2023-03-24T19:46:35.3480416Z E 2023-03-24T19:46:35.3480705Z E [[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3480926Z E 2023-03-24T19:46:35.3481114Z E 2023-03-24T19:46:35.3481434Z E [[[5.00000e-01, 9.62965e-35]]]]], dtype=float32), 2023-03-24T19:46:35.3481680Z E 1, 2023-03-24T19:46:35.3481915Z E 'NDHWC', 2023-03-24T19:46:35.3482117Z E 2, 2023-03-24T19:46:35.3482347Z E 'SAME', 2023-03-24T19:46:35.3482551Z E None, 2023-03-24T19:46:35.3482759Z E 1), 2023-03-24T19:46:35.3482987Z E test_flags=FunctionTestFlags( 2023-03-24T19:46:35.3483256Z E num_positional_args=4, 2023-03-24T19:46:35.3483496Z E with_out=False, 2023-03-24T19:46:35.3483739Z E instance_method=False, 2023-03-24T19:46:35.3483991Z E test_gradients=False, 2023-03-24T19:46:35.3484239Z E test_compile=True, 2023-03-24T19:46:35.3484478Z E as_variable=[False], 2023-03-24T19:46:35.3484723Z E native_arrays=[False], 2023-03-24T19:46:35.3484968Z E container=[False], 2023-03-24T19:46:35.3485183Z E ), 2023-03-24T19:46:35.3485460Z E fn_name='conv3d_transpose', 2023-03-24T19:46:35.3485766Z E ground_truth_backend='jax', 2023-03-24T19:46:35.3486271Z E backend_fw=<module 'ivy.functional.backends.jax' from '/ivy/ivy/functional/backends/jax/__init__.py'>, 2023-03-24T19:46:35.3486668Z E on_device='cpu', 2023-03-24T19:46:35.3486880Z E ) 2023-03-24T19:46:35.3487068Z E 2023-03-24T19:46:35.3487698Z E You can reproduce this example by temporarily adding @reproduce_failure('6.70.0', b'AXicY2BgZGBkZGAAUQwo4ACNmMc5kSwB2QkAn80G1w==') as a decorator on your test case </details> <details> <summary>FAILED ivy_tests/test_ivy/test_functional/test_nn/test_layers.py::test_conv3d_transpose[cpu-ivy.functional.backends.jax-False-False]</summary> 2023-03-24T19:46:35.3477790Z E AssertionError: There are no parameters in the inputs to connect the outputs to 2023-03-24T19:46:35.3478164Z E Falsifying example: test_conv3d_transpose( 2023-03-24T19:46:35.3478495Z E x_f_d_df=(['float32'], 2023-03-24T19:46:35.3478758Z E array([[[[[0.5]]]]], dtype=float32), 2023-03-24T19:46:35.3479096Z E array([[[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3479327Z E 2023-03-24T19:46:35.3479521Z E 2023-03-24T19:46:35.3479812Z E [[[5.00000e-01, 5.00000e-01]]]], 2023-03-24T19:46:35.3480036Z E 2023-03-24T19:46:35.3480226Z E 2023-03-24T19:46:35.3480416Z E 2023-03-24T19:46:35.3480705Z E [[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3480926Z E 2023-03-24T19:46:35.3481114Z E 2023-03-24T19:46:35.3481434Z E [[[5.00000e-01, 9.62965e-35]]]]], dtype=float32), 2023-03-24T19:46:35.3481680Z E 1, 2023-03-24T19:46:35.3481915Z E 'NDHWC', 2023-03-24T19:46:35.3482117Z E 2, 2023-03-24T19:46:35.3482347Z E 'SAME', 2023-03-24T19:46:35.3482551Z E None, 2023-03-24T19:46:35.3482759Z E 1), 2023-03-24T19:46:35.3482987Z E test_flags=FunctionTestFlags( 2023-03-24T19:46:35.3483256Z E num_positional_args=4, 2023-03-24T19:46:35.3483496Z E with_out=False, 2023-03-24T19:46:35.3483739Z E instance_method=False, 2023-03-24T19:46:35.3483991Z E test_gradients=False, 2023-03-24T19:46:35.3484239Z E test_compile=True, 2023-03-24T19:46:35.3484478Z E as_variable=[False], 2023-03-24T19:46:35.3484723Z E native_arrays=[False], 2023-03-24T19:46:35.3484968Z E container=[False], 2023-03-24T19:46:35.3485183Z E ), 2023-03-24T19:46:35.3485460Z E fn_name='conv3d_transpose', 2023-03-24T19:46:35.3485766Z E ground_truth_backend='jax', 2023-03-24T19:46:35.3486271Z E backend_fw=<module 'ivy.functional.backends.jax' from '/ivy/ivy/functional/backends/jax/__init__.py'>, 2023-03-24T19:46:35.3486668Z E on_device='cpu', 2023-03-24T19:46:35.3486880Z E ) 2023-03-24T19:46:35.3487068Z E 2023-03-24T19:46:35.3487698Z E You can reproduce this example by temporarily adding @reproduce_failure('6.70.0', b'AXicY2BgZGBkZGAAUQwo4ACNmMc5kSwB2QkAn80G1w==') as a decorator on your test case </details> <details> <summary>FAILED ivy_tests/test_ivy/test_functional/test_nn/test_layers.py::test_conv3d_transpose[cpu-ivy.functional.backends.jax-False-False]</summary> 2023-03-24T19:46:35.3477790Z E AssertionError: There are no parameters in the inputs to connect the outputs to 2023-03-24T19:46:35.3478164Z E Falsifying example: test_conv3d_transpose( 2023-03-24T19:46:35.3478495Z E x_f_d_df=(['float32'], 2023-03-24T19:46:35.3478758Z E array([[[[[0.5]]]]], dtype=float32), 2023-03-24T19:46:35.3479096Z E array([[[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3479327Z E 2023-03-24T19:46:35.3479521Z E 2023-03-24T19:46:35.3479812Z E [[[5.00000e-01, 5.00000e-01]]]], 2023-03-24T19:46:35.3480036Z E 2023-03-24T19:46:35.3480226Z E 2023-03-24T19:46:35.3480416Z E 2023-03-24T19:46:35.3480705Z E [[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3480926Z E 2023-03-24T19:46:35.3481114Z E 2023-03-24T19:46:35.3481434Z E [[[5.00000e-01, 9.62965e-35]]]]], dtype=float32), 2023-03-24T19:46:35.3481680Z E 1, 2023-03-24T19:46:35.3481915Z E 'NDHWC', 2023-03-24T19:46:35.3482117Z E 2, 2023-03-24T19:46:35.3482347Z E 'SAME', 2023-03-24T19:46:35.3482551Z E None, 2023-03-24T19:46:35.3482759Z E 1), 2023-03-24T19:46:35.3482987Z E test_flags=FunctionTestFlags( 2023-03-24T19:46:35.3483256Z E num_positional_args=4, 2023-03-24T19:46:35.3483496Z E with_out=False, 2023-03-24T19:46:35.3483739Z E instance_method=False, 2023-03-24T19:46:35.3483991Z E test_gradients=False, 2023-03-24T19:46:35.3484239Z E test_compile=True, 2023-03-24T19:46:35.3484478Z E as_variable=[False], 2023-03-24T19:46:35.3484723Z E native_arrays=[False], 2023-03-24T19:46:35.3484968Z E container=[False], 2023-03-24T19:46:35.3485183Z E ), 2023-03-24T19:46:35.3485460Z E fn_name='conv3d_transpose', 2023-03-24T19:46:35.3485766Z E ground_truth_backend='jax', 2023-03-24T19:46:35.3486271Z E backend_fw=<module 'ivy.functional.backends.jax' from '/ivy/ivy/functional/backends/jax/__init__.py'>, 2023-03-24T19:46:35.3486668Z E on_device='cpu', 2023-03-24T19:46:35.3486880Z E ) 2023-03-24T19:46:35.3487068Z E 2023-03-24T19:46:35.3487698Z E You can reproduce this example by temporarily adding @reproduce_failure('6.70.0', b'AXicY2BgZGBkZGAAUQwo4ACNmMc5kSwB2QkAn80G1w==') as a decorator on your test case </details>
1.0
Fix layers.test_conv3d_transpose - | | | |---|---| |tensorflow|<a href="https://github.com/unifyai/ivy/actions/runs/4514303460/jobs/7950223095" rel="noopener noreferrer" target="_blank"><img src=https://img.shields.io/badge/-failure-red></a> |torch|<a href="https://github.com/unifyai/ivy/actions/runs/4514303460/jobs/7950223095" rel="noopener noreferrer" target="_blank"><img src=https://img.shields.io/badge/-failure-red></a> |numpy|<a href="https://github.com/unifyai/ivy/actions/runs/4514303460/jobs/7950223095" rel="noopener noreferrer" target="_blank"><img src=https://img.shields.io/badge/-failure-red></a> |jax|<a href="https://github.com/unifyai/ivy/actions/runs/4514303460/jobs/7950223095" rel="noopener noreferrer" target="_blank"><img src=https://img.shields.io/badge/-failure-red></a> <details> <summary>FAILED ivy_tests/test_ivy/test_functional/test_nn/test_layers.py::test_conv3d_transpose[cpu-ivy.functional.backends.jax-False-False]</summary> 2023-03-24T19:46:35.3477790Z E AssertionError: There are no parameters in the inputs to connect the outputs to 2023-03-24T19:46:35.3478164Z E Falsifying example: test_conv3d_transpose( 2023-03-24T19:46:35.3478495Z E x_f_d_df=(['float32'], 2023-03-24T19:46:35.3478758Z E array([[[[[0.5]]]]], dtype=float32), 2023-03-24T19:46:35.3479096Z E array([[[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3479327Z E 2023-03-24T19:46:35.3479521Z E 2023-03-24T19:46:35.3479812Z E [[[5.00000e-01, 5.00000e-01]]]], 2023-03-24T19:46:35.3480036Z E 2023-03-24T19:46:35.3480226Z E 2023-03-24T19:46:35.3480416Z E 2023-03-24T19:46:35.3480705Z E [[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3480926Z E 2023-03-24T19:46:35.3481114Z E 2023-03-24T19:46:35.3481434Z E [[[5.00000e-01, 9.62965e-35]]]]], dtype=float32), 2023-03-24T19:46:35.3481680Z E 1, 2023-03-24T19:46:35.3481915Z E 'NDHWC', 2023-03-24T19:46:35.3482117Z E 2, 2023-03-24T19:46:35.3482347Z E 'SAME', 2023-03-24T19:46:35.3482551Z E None, 2023-03-24T19:46:35.3482759Z E 1), 2023-03-24T19:46:35.3482987Z E test_flags=FunctionTestFlags( 2023-03-24T19:46:35.3483256Z E num_positional_args=4, 2023-03-24T19:46:35.3483496Z E with_out=False, 2023-03-24T19:46:35.3483739Z E instance_method=False, 2023-03-24T19:46:35.3483991Z E test_gradients=False, 2023-03-24T19:46:35.3484239Z E test_compile=True, 2023-03-24T19:46:35.3484478Z E as_variable=[False], 2023-03-24T19:46:35.3484723Z E native_arrays=[False], 2023-03-24T19:46:35.3484968Z E container=[False], 2023-03-24T19:46:35.3485183Z E ), 2023-03-24T19:46:35.3485460Z E fn_name='conv3d_transpose', 2023-03-24T19:46:35.3485766Z E ground_truth_backend='jax', 2023-03-24T19:46:35.3486271Z E backend_fw=<module 'ivy.functional.backends.jax' from '/ivy/ivy/functional/backends/jax/__init__.py'>, 2023-03-24T19:46:35.3486668Z E on_device='cpu', 2023-03-24T19:46:35.3486880Z E ) 2023-03-24T19:46:35.3487068Z E 2023-03-24T19:46:35.3487698Z E You can reproduce this example by temporarily adding @reproduce_failure('6.70.0', b'AXicY2BgZGBkZGAAUQwo4ACNmMc5kSwB2QkAn80G1w==') as a decorator on your test case </details> <details> <summary>FAILED ivy_tests/test_ivy/test_functional/test_nn/test_layers.py::test_conv3d_transpose[cpu-ivy.functional.backends.jax-False-False]</summary> 2023-03-24T19:46:35.3477790Z E AssertionError: There are no parameters in the inputs to connect the outputs to 2023-03-24T19:46:35.3478164Z E Falsifying example: test_conv3d_transpose( 2023-03-24T19:46:35.3478495Z E x_f_d_df=(['float32'], 2023-03-24T19:46:35.3478758Z E array([[[[[0.5]]]]], dtype=float32), 2023-03-24T19:46:35.3479096Z E array([[[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3479327Z E 2023-03-24T19:46:35.3479521Z E 2023-03-24T19:46:35.3479812Z E [[[5.00000e-01, 5.00000e-01]]]], 2023-03-24T19:46:35.3480036Z E 2023-03-24T19:46:35.3480226Z E 2023-03-24T19:46:35.3480416Z E 2023-03-24T19:46:35.3480705Z E [[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3480926Z E 2023-03-24T19:46:35.3481114Z E 2023-03-24T19:46:35.3481434Z E [[[5.00000e-01, 9.62965e-35]]]]], dtype=float32), 2023-03-24T19:46:35.3481680Z E 1, 2023-03-24T19:46:35.3481915Z E 'NDHWC', 2023-03-24T19:46:35.3482117Z E 2, 2023-03-24T19:46:35.3482347Z E 'SAME', 2023-03-24T19:46:35.3482551Z E None, 2023-03-24T19:46:35.3482759Z E 1), 2023-03-24T19:46:35.3482987Z E test_flags=FunctionTestFlags( 2023-03-24T19:46:35.3483256Z E num_positional_args=4, 2023-03-24T19:46:35.3483496Z E with_out=False, 2023-03-24T19:46:35.3483739Z E instance_method=False, 2023-03-24T19:46:35.3483991Z E test_gradients=False, 2023-03-24T19:46:35.3484239Z E test_compile=True, 2023-03-24T19:46:35.3484478Z E as_variable=[False], 2023-03-24T19:46:35.3484723Z E native_arrays=[False], 2023-03-24T19:46:35.3484968Z E container=[False], 2023-03-24T19:46:35.3485183Z E ), 2023-03-24T19:46:35.3485460Z E fn_name='conv3d_transpose', 2023-03-24T19:46:35.3485766Z E ground_truth_backend='jax', 2023-03-24T19:46:35.3486271Z E backend_fw=<module 'ivy.functional.backends.jax' from '/ivy/ivy/functional/backends/jax/__init__.py'>, 2023-03-24T19:46:35.3486668Z E on_device='cpu', 2023-03-24T19:46:35.3486880Z E ) 2023-03-24T19:46:35.3487068Z E 2023-03-24T19:46:35.3487698Z E You can reproduce this example by temporarily adding @reproduce_failure('6.70.0', b'AXicY2BgZGBkZGAAUQwo4ACNmMc5kSwB2QkAn80G1w==') as a decorator on your test case </details> <details> <summary>FAILED ivy_tests/test_ivy/test_functional/test_nn/test_layers.py::test_conv3d_transpose[cpu-ivy.functional.backends.jax-False-False]</summary> 2023-03-24T19:46:35.3477790Z E AssertionError: There are no parameters in the inputs to connect the outputs to 2023-03-24T19:46:35.3478164Z E Falsifying example: test_conv3d_transpose( 2023-03-24T19:46:35.3478495Z E x_f_d_df=(['float32'], 2023-03-24T19:46:35.3478758Z E array([[[[[0.5]]]]], dtype=float32), 2023-03-24T19:46:35.3479096Z E array([[[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3479327Z E 2023-03-24T19:46:35.3479521Z E 2023-03-24T19:46:35.3479812Z E [[[5.00000e-01, 5.00000e-01]]]], 2023-03-24T19:46:35.3480036Z E 2023-03-24T19:46:35.3480226Z E 2023-03-24T19:46:35.3480416Z E 2023-03-24T19:46:35.3480705Z E [[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3480926Z E 2023-03-24T19:46:35.3481114Z E 2023-03-24T19:46:35.3481434Z E [[[5.00000e-01, 9.62965e-35]]]]], dtype=float32), 2023-03-24T19:46:35.3481680Z E 1, 2023-03-24T19:46:35.3481915Z E 'NDHWC', 2023-03-24T19:46:35.3482117Z E 2, 2023-03-24T19:46:35.3482347Z E 'SAME', 2023-03-24T19:46:35.3482551Z E None, 2023-03-24T19:46:35.3482759Z E 1), 2023-03-24T19:46:35.3482987Z E test_flags=FunctionTestFlags( 2023-03-24T19:46:35.3483256Z E num_positional_args=4, 2023-03-24T19:46:35.3483496Z E with_out=False, 2023-03-24T19:46:35.3483739Z E instance_method=False, 2023-03-24T19:46:35.3483991Z E test_gradients=False, 2023-03-24T19:46:35.3484239Z E test_compile=True, 2023-03-24T19:46:35.3484478Z E as_variable=[False], 2023-03-24T19:46:35.3484723Z E native_arrays=[False], 2023-03-24T19:46:35.3484968Z E container=[False], 2023-03-24T19:46:35.3485183Z E ), 2023-03-24T19:46:35.3485460Z E fn_name='conv3d_transpose', 2023-03-24T19:46:35.3485766Z E ground_truth_backend='jax', 2023-03-24T19:46:35.3486271Z E backend_fw=<module 'ivy.functional.backends.jax' from '/ivy/ivy/functional/backends/jax/__init__.py'>, 2023-03-24T19:46:35.3486668Z E on_device='cpu', 2023-03-24T19:46:35.3486880Z E ) 2023-03-24T19:46:35.3487068Z E 2023-03-24T19:46:35.3487698Z E You can reproduce this example by temporarily adding @reproduce_failure('6.70.0', b'AXicY2BgZGBkZGAAUQwo4ACNmMc5kSwB2QkAn80G1w==') as a decorator on your test case </details> <details> <summary>FAILED ivy_tests/test_ivy/test_functional/test_nn/test_layers.py::test_conv3d_transpose[cpu-ivy.functional.backends.jax-False-False]</summary> 2023-03-24T19:46:35.3477790Z E AssertionError: There are no parameters in the inputs to connect the outputs to 2023-03-24T19:46:35.3478164Z E Falsifying example: test_conv3d_transpose( 2023-03-24T19:46:35.3478495Z E x_f_d_df=(['float32'], 2023-03-24T19:46:35.3478758Z E array([[[[[0.5]]]]], dtype=float32), 2023-03-24T19:46:35.3479096Z E array([[[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3479327Z E 2023-03-24T19:46:35.3479521Z E 2023-03-24T19:46:35.3479812Z E [[[5.00000e-01, 5.00000e-01]]]], 2023-03-24T19:46:35.3480036Z E 2023-03-24T19:46:35.3480226Z E 2023-03-24T19:46:35.3480416Z E 2023-03-24T19:46:35.3480705Z E [[[[5.00000e-01, 5.00000e-01]]], 2023-03-24T19:46:35.3480926Z E 2023-03-24T19:46:35.3481114Z E 2023-03-24T19:46:35.3481434Z E [[[5.00000e-01, 9.62965e-35]]]]], dtype=float32), 2023-03-24T19:46:35.3481680Z E 1, 2023-03-24T19:46:35.3481915Z E 'NDHWC', 2023-03-24T19:46:35.3482117Z E 2, 2023-03-24T19:46:35.3482347Z E 'SAME', 2023-03-24T19:46:35.3482551Z E None, 2023-03-24T19:46:35.3482759Z E 1), 2023-03-24T19:46:35.3482987Z E test_flags=FunctionTestFlags( 2023-03-24T19:46:35.3483256Z E num_positional_args=4, 2023-03-24T19:46:35.3483496Z E with_out=False, 2023-03-24T19:46:35.3483739Z E instance_method=False, 2023-03-24T19:46:35.3483991Z E test_gradients=False, 2023-03-24T19:46:35.3484239Z E test_compile=True, 2023-03-24T19:46:35.3484478Z E as_variable=[False], 2023-03-24T19:46:35.3484723Z E native_arrays=[False], 2023-03-24T19:46:35.3484968Z E container=[False], 2023-03-24T19:46:35.3485183Z E ), 2023-03-24T19:46:35.3485460Z E fn_name='conv3d_transpose', 2023-03-24T19:46:35.3485766Z E ground_truth_backend='jax', 2023-03-24T19:46:35.3486271Z E backend_fw=<module 'ivy.functional.backends.jax' from '/ivy/ivy/functional/backends/jax/__init__.py'>, 2023-03-24T19:46:35.3486668Z E on_device='cpu', 2023-03-24T19:46:35.3486880Z E ) 2023-03-24T19:46:35.3487068Z E 2023-03-24T19:46:35.3487698Z E You can reproduce this example by temporarily adding @reproduce_failure('6.70.0', b'AXicY2BgZGBkZGAAUQwo4ACNmMc5kSwB2QkAn80G1w==') as a decorator on your test case </details>
non_defect
fix layers test transpose tensorflow img src torch img src numpy img src jax img src failed ivy tests test ivy test functional test nn test layers py test transpose e assertionerror there are no parameters in the inputs to connect the outputs to e falsifying example test transpose e x f d df e array dtype e array e e e e e e e e e e dtype e e ndhwc e e same e none e e test flags functiontestflags e num positional args e with out false e instance method false e test gradients false e test compile true e as variable e native arrays e container e e fn name transpose e ground truth backend jax e backend fw e on device cpu e e e you can reproduce this example by temporarily adding reproduce failure b as a decorator on your test case failed ivy tests test ivy test functional test nn test layers py test transpose e assertionerror there are no parameters in the inputs to connect the outputs to e falsifying example test transpose e x f d df e array dtype e array e e e e e e e e e e dtype e e ndhwc e e same e none e e test flags functiontestflags e num positional args e with out false e instance method false e test gradients false e test compile true e as variable e native arrays e container e e fn name transpose e ground truth backend jax e backend fw e on device cpu e e e you can reproduce this example by temporarily adding reproduce failure b as a decorator on your test case failed ivy tests test ivy test functional test nn test layers py test transpose e assertionerror there are no parameters in the inputs to connect the outputs to e falsifying example test transpose e x f d df e array dtype e array e e e e e e e e e e dtype e e ndhwc e e same e none e e test flags functiontestflags e num positional args e with out false e instance method false e test gradients false e test compile true e as variable e native arrays e container e e fn name transpose e ground truth backend jax e backend fw e on device cpu e e e you can reproduce this example by temporarily adding reproduce failure b as a decorator on your test case failed ivy tests test ivy test functional test nn test layers py test transpose e assertionerror there are no parameters in the inputs to connect the outputs to e falsifying example test transpose e x f d df e array dtype e array e e e e e e e e e e dtype e e ndhwc e e same e none e e test flags functiontestflags e num positional args e with out false e instance method false e test gradients false e test compile true e as variable e native arrays e container e e fn name transpose e ground truth backend jax e backend fw e on device cpu e e e you can reproduce this example by temporarily adding reproduce failure b as a decorator on your test case
0
705,754
24,247,754,221
IssuesEvent
2022-09-27 12:01:23
webcompat/web-bugs
https://api.github.com/repos/webcompat/web-bugs
closed
www.cvs.com - site is not usable
priority-normal browser-fenix engine-gecko type-geolocation
<!-- @browser: Firefox Mobile 107.0 --> <!-- @ua_header: Mozilla/5.0 (Android 12; Mobile; rv:107.0) Gecko/107.0 Firefox/107.0 --> <!-- @reported_with: android-components-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/111398 --> <!-- @extra_labels: browser-fenix --> **URL**: https://www.cvs.com/vaccine/intake/store/schedule-options **Browser / Version**: Firefox Mobile 107.0 **Operating System**: Android 12 **Tested Another Browser**: No **Problem type**: Site is not usable **Description**: Page not loading correctly **Steps to Reproduce**: Won't let me restart scheduling <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2022/9/8c5eab49-f8f7-4441-af04-3883534e41bf.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20220924093346</li><li>channel: nightly</li><li>hasTouchScreen: true</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2022/9/e5a3661d-da8a-4716-b842-de636c109979) _From [webcompat.com](https://webcompat.com/) with ❤️_
1.0
www.cvs.com - site is not usable - <!-- @browser: Firefox Mobile 107.0 --> <!-- @ua_header: Mozilla/5.0 (Android 12; Mobile; rv:107.0) Gecko/107.0 Firefox/107.0 --> <!-- @reported_with: android-components-reporter --> <!-- @public_url: https://github.com/webcompat/web-bugs/issues/111398 --> <!-- @extra_labels: browser-fenix --> **URL**: https://www.cvs.com/vaccine/intake/store/schedule-options **Browser / Version**: Firefox Mobile 107.0 **Operating System**: Android 12 **Tested Another Browser**: No **Problem type**: Site is not usable **Description**: Page not loading correctly **Steps to Reproduce**: Won't let me restart scheduling <details> <summary>View the screenshot</summary> <img alt="Screenshot" src="https://webcompat.com/uploads/2022/9/8c5eab49-f8f7-4441-af04-3883534e41bf.jpeg"> </details> <details> <summary>Browser Configuration</summary> <ul> <li>gfx.webrender.all: false</li><li>gfx.webrender.blob-images: true</li><li>gfx.webrender.enabled: false</li><li>image.mem.shared: true</li><li>buildID: 20220924093346</li><li>channel: nightly</li><li>hasTouchScreen: true</li><li>mixed active content blocked: false</li><li>mixed passive content blocked: false</li><li>tracking content blocked: false</li> </ul> </details> [View console log messages](https://webcompat.com/console_logs/2022/9/e5a3661d-da8a-4716-b842-de636c109979) _From [webcompat.com](https://webcompat.com/) with ❤️_
non_defect
site is not usable url browser version firefox mobile operating system android tested another browser no problem type site is not usable description page not loading correctly steps to reproduce won t let me restart scheduling view the screenshot img alt screenshot src browser configuration gfx webrender all false gfx webrender blob images true gfx webrender enabled false image mem shared true buildid channel nightly hastouchscreen true mixed active content blocked false mixed passive content blocked false tracking content blocked false from with ❤️
0
8,325
2,611,486,829
IssuesEvent
2015-02-27 05:27:50
chrsmith/switchlist
https://api.github.com/repos/chrsmith/switchlist
opened
SwitchLists's web server window is excessively prominent
auto-migrated Priority-Medium Type-Defect
``` SwitchList's web server window is a bit annoying because it takes up a fair amount of screen space, and because it insists on always being above all other windows. Consider other alternatives to the window - smaller, more controllable versions of the existing window, putting the web server status at the bottom of each window, or hiding web server status altogether. Original issue from Gerard: I have been wondering as to what the rationale is behind the fact that the web-server information window always stays on top of all other windows, especially since when I switch of the displaying of this window in the preference pane, the webserver stops. REQUESTS: Better control over the webserver and it's information window in "Preferences" It would be nice to have 2 switches instead of one: 1. "Display Web Server control panel" - that actually does what it says, control the displaying of the panel 2. "Activate Web Server" - that controls the activation of the webserver, separate from wether it's info is displayed or not Sticky-ness of webserver window Perhaps a third switch in the Preferences pane: 3. "Make webserver panel sticky on top" - or not Statistics displaying in webserver window? As I'm writing this I'm thinking of still better use for the webserver window. Perhaps for future expansion, it could display statistic info about how many devices are connected, how often each page is being referenced, how many sessions we have had today, etc. This could lead to another switch in Preferences: 4. "Display statistics in webserver panel" ``` Original issue reported on code.google.com by `rwbowdi...@gmail.com` on 21 Aug 2014 at 5:34
1.0
SwitchLists's web server window is excessively prominent - ``` SwitchList's web server window is a bit annoying because it takes up a fair amount of screen space, and because it insists on always being above all other windows. Consider other alternatives to the window - smaller, more controllable versions of the existing window, putting the web server status at the bottom of each window, or hiding web server status altogether. Original issue from Gerard: I have been wondering as to what the rationale is behind the fact that the web-server information window always stays on top of all other windows, especially since when I switch of the displaying of this window in the preference pane, the webserver stops. REQUESTS: Better control over the webserver and it's information window in "Preferences" It would be nice to have 2 switches instead of one: 1. "Display Web Server control panel" - that actually does what it says, control the displaying of the panel 2. "Activate Web Server" - that controls the activation of the webserver, separate from wether it's info is displayed or not Sticky-ness of webserver window Perhaps a third switch in the Preferences pane: 3. "Make webserver panel sticky on top" - or not Statistics displaying in webserver window? As I'm writing this I'm thinking of still better use for the webserver window. Perhaps for future expansion, it could display statistic info about how many devices are connected, how often each page is being referenced, how many sessions we have had today, etc. This could lead to another switch in Preferences: 4. "Display statistics in webserver panel" ``` Original issue reported on code.google.com by `rwbowdi...@gmail.com` on 21 Aug 2014 at 5:34
defect
switchlists s web server window is excessively prominent switchlist s web server window is a bit annoying because it takes up a fair amount of screen space and because it insists on always being above all other windows consider other alternatives to the window smaller more controllable versions of the existing window putting the web server status at the bottom of each window or hiding web server status altogether original issue from gerard i have been wondering as to what the rationale is behind the fact that the web server information window always stays on top of all other windows especially since when i switch of the displaying of this window in the preference pane the webserver stops requests better control over the webserver and it s information window in preferences it would be nice to have switches instead of one display web server control panel that actually does what it says control the displaying of the panel activate web server that controls the activation of the webserver separate from wether it s info is displayed or not sticky ness of webserver window perhaps a third switch in the preferences pane make webserver panel sticky on top or not statistics displaying in webserver window as i m writing this i m thinking of still better use for the webserver window perhaps for future expansion it could display statistic info about how many devices are connected how often each page is being referenced how many sessions we have had today etc this could lead to another switch in preferences display statistics in webserver panel original issue reported on code google com by rwbowdi gmail com on aug at
1
58,174
16,388,688,650
IssuesEvent
2021-05-17 13:43:22
openzfs/zfs
https://api.github.com/repos/openzfs/zfs
opened
Diskstat counters for zd device not incrementing after zfs 2.0
Status: Triage Needed Type: Defect
<!-- Please fill out the following template, which will help other contributors address your issue. --> <!-- Thank you for reporting an issue. *IMPORTANT* - Please check our issue tracker before opening a new issue. Additional valuable information can be found in the OpenZFS documentation and mailing list archives. Please fill in as much of the template as possible. --> ### System information <!-- add version after "|" character --> Type | Version/Name --- | --- Distribution Name | Debian Distribution Version | 10.8 Linux Kernel | 4.19.0-14-amd64 Architecture | amd64 ZFS Version | 2.0.3 SPL Version | 2.0.3 <!-- Commands to find ZFS/SPL versions: modinfo zfs | grep -iw version modinfo spl | grep -iw version --> ### Describe the problem you're observing After upgrading ZFS to a version higher than 0.8.6 (that is 2.0.0+) all zd device counters in /proc/diskstats only show zeroes no matter the activity, same goes for iostat command which no longer works for these (altho I assume that is cause by diskstats as well). ### Describe how to reproduce the problem Creating any ZFS volume and using it is sufficient, it's statistics in /proc/diskstats will not change from all 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 ```) ``` -->
1.0
Diskstat counters for zd device not incrementing after zfs 2.0 - <!-- Please fill out the following template, which will help other contributors address your issue. --> <!-- Thank you for reporting an issue. *IMPORTANT* - Please check our issue tracker before opening a new issue. Additional valuable information can be found in the OpenZFS documentation and mailing list archives. Please fill in as much of the template as possible. --> ### System information <!-- add version after "|" character --> Type | Version/Name --- | --- Distribution Name | Debian Distribution Version | 10.8 Linux Kernel | 4.19.0-14-amd64 Architecture | amd64 ZFS Version | 2.0.3 SPL Version | 2.0.3 <!-- Commands to find ZFS/SPL versions: modinfo zfs | grep -iw version modinfo spl | grep -iw version --> ### Describe the problem you're observing After upgrading ZFS to a version higher than 0.8.6 (that is 2.0.0+) all zd device counters in /proc/diskstats only show zeroes no matter the activity, same goes for iostat command which no longer works for these (altho I assume that is cause by diskstats as well). ### Describe how to reproduce the problem Creating any ZFS volume and using it is sufficient, it's statistics in /proc/diskstats will not change from all 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 ```) ``` -->
defect
diskstat counters for zd device not incrementing after zfs thank you for reporting an issue important please check our issue tracker before opening a new issue additional valuable information can be found in the openzfs documentation and mailing list archives please fill in as much of the template as possible system information type version name distribution name debian distribution version linux kernel architecture zfs version spl version commands to find zfs spl versions modinfo zfs grep iw version modinfo spl grep iw version describe the problem you re observing after upgrading zfs to a version higher than that is all zd device counters in proc diskstats only show zeroes no matter the activity same goes for iostat command which no longer works for these altho i assume that is cause by diskstats as well describe how to reproduce the problem creating any zfs volume and using it is sufficient it s statistics in proc diskstats will not change from all 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
1
53,855
13,262,392,190
IssuesEvent
2020-08-20 21:42:00
icecube-trac/tix4
https://api.github.com/repos/icecube-trac/tix4
closed
Error when building clsim w/ py3-v4 (Trac #2199)
Migrated from Trac cvmfs defect
I get this error when I try to build the software (combo r166331) with the py3-v4 toolset: [ 58%] Linking CXX shared library ../lib/libclsim.so /cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/spack/opt/spack/linux-centos7-x86_64/gcc-4.8.5/binutils-2.29.1-7ykfhqh3b3t32viwz5fctpdujxfqejg2/bin/ld: aTrackAllocator: TLS reference in /cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/lib64/libG4error_propagation.so mismatches non-TLS reference in CMakeFiles/clsim.dir/private/geant4/TrkCerenkov.cxx.o /cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/lib64/libG4error_propagation.so: error adding symbols: Bad value collect2: error: ld returned 1 exit status make[2]: *** [lib/libclsim.so] Error 1 make[1]: *** [clsim/CMakeFiles/clsim.dir/all] Error 2 make: *** [all] Error 2 <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/2199">https://code.icecube.wisc.edu/projects/icecube/ticket/2199</a>, reported by thomas.kittler</summary> <p> ```json { "status": "closed", "changetime": "2018-10-22T14:32:29", "_ts": "1540218749568024", "description": "I get this error when I try to build the software (combo r166331) with the py3-v4 toolset:\n\n[ 58%] Linking CXX shared library ../lib/libclsim.so\n/cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/spack/opt/spack/linux-centos7-x86_64/gcc-4.8.5/binutils-2.29.1-7ykfhqh3b3t32viwz5fctpdujxfqejg2/bin/ld: aTrackAllocator: TLS reference in /cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/lib64/libG4error_propagation.so mismatches non-TLS reference in CMakeFiles/clsim.dir/private/geant4/TrkCerenkov.cxx.o\n/cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/lib64/libG4error_propagation.so: error adding symbols: Bad value\ncollect2: error: ld returned 1 exit status\nmake[2]: *** [lib/libclsim.so] Error 1\nmake[1]: *** [clsim/CMakeFiles/clsim.dir/all] Error 2\nmake: *** [all] Error 2", "reporter": "thomas.kittler", "cc": "", "resolution": "duplicate", "time": "2018-10-22T11:05:08", "component": "cvmfs", "summary": "Error when building clsim w/ py3-v4", "priority": "normal", "keywords": "", "milestone": "", "owner": "", "type": "defect" } ``` </p> </details>
1.0
Error when building clsim w/ py3-v4 (Trac #2199) - I get this error when I try to build the software (combo r166331) with the py3-v4 toolset: [ 58%] Linking CXX shared library ../lib/libclsim.so /cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/spack/opt/spack/linux-centos7-x86_64/gcc-4.8.5/binutils-2.29.1-7ykfhqh3b3t32viwz5fctpdujxfqejg2/bin/ld: aTrackAllocator: TLS reference in /cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/lib64/libG4error_propagation.so mismatches non-TLS reference in CMakeFiles/clsim.dir/private/geant4/TrkCerenkov.cxx.o /cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/lib64/libG4error_propagation.so: error adding symbols: Bad value collect2: error: ld returned 1 exit status make[2]: *** [lib/libclsim.so] Error 1 make[1]: *** [clsim/CMakeFiles/clsim.dir/all] Error 2 make: *** [all] Error 2 <details> <summary><em>Migrated from <a href="https://code.icecube.wisc.edu/projects/icecube/ticket/2199">https://code.icecube.wisc.edu/projects/icecube/ticket/2199</a>, reported by thomas.kittler</summary> <p> ```json { "status": "closed", "changetime": "2018-10-22T14:32:29", "_ts": "1540218749568024", "description": "I get this error when I try to build the software (combo r166331) with the py3-v4 toolset:\n\n[ 58%] Linking CXX shared library ../lib/libclsim.so\n/cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/spack/opt/spack/linux-centos7-x86_64/gcc-4.8.5/binutils-2.29.1-7ykfhqh3b3t32viwz5fctpdujxfqejg2/bin/ld: aTrackAllocator: TLS reference in /cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/lib64/libG4error_propagation.so mismatches non-TLS reference in CMakeFiles/clsim.dir/private/geant4/TrkCerenkov.cxx.o\n/cvmfs/icecube.opensciencegrid.org/py3-v4/RHEL_7_x86_64/lib64/libG4error_propagation.so: error adding symbols: Bad value\ncollect2: error: ld returned 1 exit status\nmake[2]: *** [lib/libclsim.so] Error 1\nmake[1]: *** [clsim/CMakeFiles/clsim.dir/all] Error 2\nmake: *** [all] Error 2", "reporter": "thomas.kittler", "cc": "", "resolution": "duplicate", "time": "2018-10-22T11:05:08", "component": "cvmfs", "summary": "Error when building clsim w/ py3-v4", "priority": "normal", "keywords": "", "milestone": "", "owner": "", "type": "defect" } ``` </p> </details>
defect
error when building clsim w trac i get this error when i try to build the software combo with the toolset linking cxx shared library lib libclsim so cvmfs icecube opensciencegrid org rhel spack opt spack linux gcc binutils bin ld atrackallocator tls reference in cvmfs icecube opensciencegrid org rhel propagation so mismatches non tls reference in cmakefiles clsim dir private trkcerenkov cxx o cvmfs icecube opensciencegrid org rhel propagation so error adding symbols bad value error ld returned exit status make error make error make error migrated from json status closed changetime ts description i get this error when i try to build the software combo with the toolset n n linking cxx shared library lib libclsim so n cvmfs icecube opensciencegrid org rhel spack opt spack linux gcc binutils bin ld atrackallocator tls reference in cvmfs icecube opensciencegrid org rhel propagation so mismatches non tls reference in cmakefiles clsim dir private trkcerenkov cxx o n cvmfs icecube opensciencegrid org rhel propagation so error adding symbols bad value error ld returned exit status nmake error nmake error nmake error reporter thomas kittler cc resolution duplicate time component cvmfs summary error when building clsim w priority normal keywords milestone owner type defect
1
83,574
10,412,098,865
IssuesEvent
2019-09-13 15:12:28
cityofaustin/techstack
https://api.github.com/repos/cityofaustin/techstack
closed
"Characters remaining" in Joplin—plain text fields
Joplin Alpha Team: Design + Research Team: Dev
**Acceptance criteria** For plain text fields: - [x] Titles (all content types) - [x] Descriptions (all content types) - [ ] Official document content type - [ ] Document title - [ ] Authoring office of document - [ ] Document summary - [ ] Name of document - [x] Section headings (guides) the following should happen: - [x] Character limits on edit pages uses the same patterns as on the create content modal - [x] Displays characters remaining - [x] When user goes over character count, the type becomes red and displays negative number - [x] Allows you to add more content than character limit, but with error messaging above If the last three points become hard, let's split into two issues. **Joplin 3.0** - Character limits only appear for English content; in other languages, don't include (this is because translations can be longer than English; I believe we've already set the character count higher for Spanish?) - If over the character count, can't save ----- ### Background From #2611: A character count pattern has been used in the content creation modal - it shows both characters left, and then switches to red type and negative number when the count goes over. ![Screen Shot 2019-08-01 at 2 11 25 PM](https://user-images.githubusercontent.com/3790067/62320664-65da9b00-b466-11e9-8450-7de179df9ba8.png) This pattern should be duplicated to relevant fields on page templates, for every field which has a character limit, as seen below. ![Screen Shot 2019-08-01 at 2 28 42 PM](https://user-images.githubusercontent.com/3790067/62321921-72142780-b469-11e9-838e-b1571a8b8c3e.png) Note that for this to work correctly the required error state must be adjusted (see https://github.com/cityofaustin/techstack/issues/2672) Character limits per field may be found in the content model google doc.
1.0
"Characters remaining" in Joplin—plain text fields - **Acceptance criteria** For plain text fields: - [x] Titles (all content types) - [x] Descriptions (all content types) - [ ] Official document content type - [ ] Document title - [ ] Authoring office of document - [ ] Document summary - [ ] Name of document - [x] Section headings (guides) the following should happen: - [x] Character limits on edit pages uses the same patterns as on the create content modal - [x] Displays characters remaining - [x] When user goes over character count, the type becomes red and displays negative number - [x] Allows you to add more content than character limit, but with error messaging above If the last three points become hard, let's split into two issues. **Joplin 3.0** - Character limits only appear for English content; in other languages, don't include (this is because translations can be longer than English; I believe we've already set the character count higher for Spanish?) - If over the character count, can't save ----- ### Background From #2611: A character count pattern has been used in the content creation modal - it shows both characters left, and then switches to red type and negative number when the count goes over. ![Screen Shot 2019-08-01 at 2 11 25 PM](https://user-images.githubusercontent.com/3790067/62320664-65da9b00-b466-11e9-8450-7de179df9ba8.png) This pattern should be duplicated to relevant fields on page templates, for every field which has a character limit, as seen below. ![Screen Shot 2019-08-01 at 2 28 42 PM](https://user-images.githubusercontent.com/3790067/62321921-72142780-b469-11e9-838e-b1571a8b8c3e.png) Note that for this to work correctly the required error state must be adjusted (see https://github.com/cityofaustin/techstack/issues/2672) Character limits per field may be found in the content model google doc.
non_defect
characters remaining in joplin—plain text fields acceptance criteria for plain text fields titles all content types descriptions all content types official document content type document title authoring office of document document summary name of document section headings guides the following should happen character limits on edit pages uses the same patterns as on the create content modal displays characters remaining when user goes over character count the type becomes red and displays negative number allows you to add more content than character limit but with error messaging above if the last three points become hard let s split into two issues joplin character limits only appear for english content in other languages don t include this is because translations can be longer than english i believe we ve already set the character count higher for spanish if over the character count can t save background from a character count pattern has been used in the content creation modal it shows both characters left and then switches to red type and negative number when the count goes over this pattern should be duplicated to relevant fields on page templates for every field which has a character limit as seen below note that for this to work correctly the required error state must be adjusted see character limits per field may be found in the content model google doc
0
81,164
30,736,874,047
IssuesEvent
2023-07-28 08:22:15
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
closed
Update Jackson Version to 2.15.1 in 3.12.z
Type: Defect
<!-- Thanks for reporting your issue. Please share with us the following information, to help us resolve your issue quickly and efficiently. --> **Describe the bug** we are using hazelcast 3.12.13 with vertx 3.9.x and it has security vulnerability related Jackson 2.14.1, we can't upgrade hazelcast 4 because vertx3.9.x doesn't support hazelcast4 So please update the jackson version to 2.15.1 in 3.12.z branch
1.0
Update Jackson Version to 2.15.1 in 3.12.z - <!-- Thanks for reporting your issue. Please share with us the following information, to help us resolve your issue quickly and efficiently. --> **Describe the bug** we are using hazelcast 3.12.13 with vertx 3.9.x and it has security vulnerability related Jackson 2.14.1, we can't upgrade hazelcast 4 because vertx3.9.x doesn't support hazelcast4 So please update the jackson version to 2.15.1 in 3.12.z branch
defect
update jackson version to in z thanks for reporting your issue please share with us the following information to help us resolve your issue quickly and efficiently describe the bug we are using hazelcast with vertx x and it has security vulnerability related jackson we can t upgrade hazelcast because x doesn t support so please update the jackson version to in z branch
1
79,012
27,873,754,041
IssuesEvent
2023-03-21 14:55:24
SeleniumHQ/selenium
https://api.github.com/repos/SeleniumHQ/selenium
closed
[🐛 Bug]: unknown error: PrintToPDF is only supported in headless mode (Session info: chrome=111.0.5563.65)
I-defect needs-triaging G-chromedriver
### What happened? I am using Selenium in C# and trying to print a page to PDF using print function and I get the exception. This was working without any issues before I updated Chrome browser and Chrome driver. Selenium : 4.8.1 Browser version: Chrome 111.0.5563.65 Driver version: Chrome 111.0.5563.64 ( 111.0.5563.65 is not available yet) ### How can we reproduce the issue? ```shell WebDriver driver; ChromeOptions chromeOptions; chromeOptions = new ChromeOptions(); chromeOptions.PageLoadStrategy = PageLoadStrategy.Normal; chromeOptions.AddUserProfilePreference("download.default_directory", destPath); chromeOptions.AddUserProfilePreference("download.prompt_for_download", false); chromeOptions.AddUserProfilePreference("download.directory_upgrade", true); chromeOptions.AddUserProfilePreference("plugins.always_open_pdf_externally", true); chromeOptions.AddUserProfilePreference("safebrowsing.enabled", "false"); chromeOptions.AddUserProfilePreference("safebrowsing.disable_download_protection", "true"); chromeOptions.AddArguments("--disable-web-security"); List<string> ls = new List<string>(); ls.Add("enable-logging"); ls.Add("disable-popup-blocking"); chromeOptions.AddExcludedArguments(ls); chromeOptions.AddArgument("--no-sandbox"); chromeOptions.AddArgument("--disable-gpu"); chromeOptions.AddArguments("--headless=new"); var chromeDriverService = ChromeDriverService.CreateDefaultService(); driver = new ChromeDriver(chromeDriverService, chromeOptions); clientService.driver.Navigate().GoToUrl("MY_URL"); //THIS LINE GIVES EXCEPTION PrintDocument printx = clientService.driver.Print(new PrintOptions()); ``` ### Relevant log output ```shell Error: PrintToPDF is only supported in headless mode (Session info: chrome=111.0.5563.65) Source: WebDriver Stack trace: at OpenQA.Selenium.WebDriver.UnpackAndThrowOnError(Response errorResponse, String commandToExecute) at OpenQA.Selenium.WebDriver.Execute(String driverCommandToExecute, Dictionary`2 parameters) at OpenQA.Selenium.WebDriver.Print(PrintOptions printOptions) at FFX.CSB.Credible2EHRSync.Services.ClientServicesService.GetClientServiceDetail(ClientLog oClient, String ServiceID, Double progress) in C:\CSB\Credible\SyncApp\FFX.CSB.Credible2EHRSync\Services\ClientServicesService.cs:line 60 ``` ### Operating System Windows 10 Enterprise 21H2 ### Selenium version C# 4.8.1 ### What are the browser(s) and version(s) where you see this issue? Chrome 111.0.5563.65 ### What are the browser driver(s) and version(s) where you see this issue? 111.0.5563.64 ### Are you using Selenium Grid? _No response_
1.0
[🐛 Bug]: unknown error: PrintToPDF is only supported in headless mode (Session info: chrome=111.0.5563.65) - ### What happened? I am using Selenium in C# and trying to print a page to PDF using print function and I get the exception. This was working without any issues before I updated Chrome browser and Chrome driver. Selenium : 4.8.1 Browser version: Chrome 111.0.5563.65 Driver version: Chrome 111.0.5563.64 ( 111.0.5563.65 is not available yet) ### How can we reproduce the issue? ```shell WebDriver driver; ChromeOptions chromeOptions; chromeOptions = new ChromeOptions(); chromeOptions.PageLoadStrategy = PageLoadStrategy.Normal; chromeOptions.AddUserProfilePreference("download.default_directory", destPath); chromeOptions.AddUserProfilePreference("download.prompt_for_download", false); chromeOptions.AddUserProfilePreference("download.directory_upgrade", true); chromeOptions.AddUserProfilePreference("plugins.always_open_pdf_externally", true); chromeOptions.AddUserProfilePreference("safebrowsing.enabled", "false"); chromeOptions.AddUserProfilePreference("safebrowsing.disable_download_protection", "true"); chromeOptions.AddArguments("--disable-web-security"); List<string> ls = new List<string>(); ls.Add("enable-logging"); ls.Add("disable-popup-blocking"); chromeOptions.AddExcludedArguments(ls); chromeOptions.AddArgument("--no-sandbox"); chromeOptions.AddArgument("--disable-gpu"); chromeOptions.AddArguments("--headless=new"); var chromeDriverService = ChromeDriverService.CreateDefaultService(); driver = new ChromeDriver(chromeDriverService, chromeOptions); clientService.driver.Navigate().GoToUrl("MY_URL"); //THIS LINE GIVES EXCEPTION PrintDocument printx = clientService.driver.Print(new PrintOptions()); ``` ### Relevant log output ```shell Error: PrintToPDF is only supported in headless mode (Session info: chrome=111.0.5563.65) Source: WebDriver Stack trace: at OpenQA.Selenium.WebDriver.UnpackAndThrowOnError(Response errorResponse, String commandToExecute) at OpenQA.Selenium.WebDriver.Execute(String driverCommandToExecute, Dictionary`2 parameters) at OpenQA.Selenium.WebDriver.Print(PrintOptions printOptions) at FFX.CSB.Credible2EHRSync.Services.ClientServicesService.GetClientServiceDetail(ClientLog oClient, String ServiceID, Double progress) in C:\CSB\Credible\SyncApp\FFX.CSB.Credible2EHRSync\Services\ClientServicesService.cs:line 60 ``` ### Operating System Windows 10 Enterprise 21H2 ### Selenium version C# 4.8.1 ### What are the browser(s) and version(s) where you see this issue? Chrome 111.0.5563.65 ### What are the browser driver(s) and version(s) where you see this issue? 111.0.5563.64 ### Are you using Selenium Grid? _No response_
defect
unknown error printtopdf is only supported in headless mode session info chrome what happened i am using selenium in c and trying to print a page to pdf using print function and i get the exception this was working without any issues before i updated chrome browser and chrome driver selenium browser version chrome driver version chrome is not available yet how can we reproduce the issue shell webdriver driver chromeoptions chromeoptions chromeoptions new chromeoptions chromeoptions pageloadstrategy pageloadstrategy normal chromeoptions adduserprofilepreference download default directory destpath chromeoptions adduserprofilepreference download prompt for download false chromeoptions adduserprofilepreference download directory upgrade true chromeoptions adduserprofilepreference plugins always open pdf externally true chromeoptions adduserprofilepreference safebrowsing enabled false chromeoptions adduserprofilepreference safebrowsing disable download protection true chromeoptions addarguments disable web security list ls new list ls add enable logging ls add disable popup blocking chromeoptions addexcludedarguments ls chromeoptions addargument no sandbox chromeoptions addargument disable gpu chromeoptions addarguments headless new var chromedriverservice chromedriverservice createdefaultservice driver new chromedriver chromedriverservice chromeoptions clientservice driver navigate gotourl my url this line gives exception printdocument printx clientservice driver print new printoptions relevant log output shell error printtopdf is only supported in headless mode session info chrome source webdriver stack trace at openqa selenium webdriver unpackandthrowonerror response errorresponse string commandtoexecute at openqa selenium webdriver execute string drivercommandtoexecute dictionary parameters at openqa selenium webdriver print printoptions printoptions at ffx csb services clientservicesservice getclientservicedetail clientlog oclient string serviceid double progress in c csb credible syncapp ffx csb services clientservicesservice cs line operating system windows enterprise selenium version c what are the browser s and version s where you see this issue chrome what are the browser driver s and version s where you see this issue are you using selenium grid no response
1
33,635
7,190,710,112
IssuesEvent
2018-02-02 18:14:51
otros-systems/otroslogviewer
https://api.github.com/repos/otros-systems/otroslogviewer
closed
Tail disturb Log4j RollingFilePolicy (with MAX SIZE)
Priority-Medium Type-Defect auto-migrated
``` When reading a log4j file in tail mode, otroslogviewer broke the rolling policy of RollingFileAppender of log4j configuration. That's to say when the log4j is configured is to roll every 10MB, the use of otroslogviewer in tail mode What steps will reproduce the problem? 1. Configure Log4j to use RollingFilePolicy 2. Open the log file created with otroslogviewer in tail mode 3. Check that the file size of the log size will grow witout respecting the max size limitation of log4j configuration What is the expected output? What do you see instead? What version of the product are you using? On what operating system? olv-2011-10-06 / Win XP SP3 Please provide any additional information below. ``` Original issue reported on code.google.com by `Renan.BE...@gmail.com` on 18 Oct 2011 at 2:00
1.0
Tail disturb Log4j RollingFilePolicy (with MAX SIZE) - ``` When reading a log4j file in tail mode, otroslogviewer broke the rolling policy of RollingFileAppender of log4j configuration. That's to say when the log4j is configured is to roll every 10MB, the use of otroslogviewer in tail mode What steps will reproduce the problem? 1. Configure Log4j to use RollingFilePolicy 2. Open the log file created with otroslogviewer in tail mode 3. Check that the file size of the log size will grow witout respecting the max size limitation of log4j configuration What is the expected output? What do you see instead? What version of the product are you using? On what operating system? olv-2011-10-06 / Win XP SP3 Please provide any additional information below. ``` Original issue reported on code.google.com by `Renan.BE...@gmail.com` on 18 Oct 2011 at 2:00
defect
tail disturb rollingfilepolicy with max size when reading a file in tail mode otroslogviewer broke the rolling policy of rollingfileappender of configuration that s to say when the is configured is to roll every the use of otroslogviewer in tail mode what steps will reproduce the problem configure to use rollingfilepolicy open the log file created with otroslogviewer in tail mode check that the file size of the log size will grow witout respecting the max size limitation of configuration what is the expected output what do you see instead what version of the product are you using on what operating system olv win xp please provide any additional information below original issue reported on code google com by renan be gmail com on oct at
1
13,456
4,712,102,463
IssuesEvent
2016-10-14 15:43:45
IQSS/dataverse
https://api.github.com/repos/IQSS/dataverse
closed
Guestbook - Downloads via API are not counted
Component: API Component: Code Infrastructure Priority 3: Serious Status: Dev Type: Bug
originally part of #3324 --- Update: Downloads via the API are not counted in the GuestBookResponses -- e.g. don't seem to be counted at all. See this file: ```Access.java``` and this method--and add a new ```GuestBookResponse``` object to it: ```java @Path("datafile/{fileId}") @GET @Produces({ "application/xml" }) public DownloadInstance datafile(@PathParam("fileId") Long fileId, @QueryParam("key") String apiToken, @Context UriInfo uriInfo, @Context HttpHeaders headers, @Context HttpServletResponse response) /*throws NotFoundException, ServiceUnavailableException, PermissionDeniedException, AuthorizationRequiredException*/ { ```
1.0
Guestbook - Downloads via API are not counted - originally part of #3324 --- Update: Downloads via the API are not counted in the GuestBookResponses -- e.g. don't seem to be counted at all. See this file: ```Access.java``` and this method--and add a new ```GuestBookResponse``` object to it: ```java @Path("datafile/{fileId}") @GET @Produces({ "application/xml" }) public DownloadInstance datafile(@PathParam("fileId") Long fileId, @QueryParam("key") String apiToken, @Context UriInfo uriInfo, @Context HttpHeaders headers, @Context HttpServletResponse response) /*throws NotFoundException, ServiceUnavailableException, PermissionDeniedException, AuthorizationRequiredException*/ { ```
non_defect
guestbook downloads via api are not counted originally part of update downloads via the api are not counted in the guestbookresponses e g don t seem to be counted at all see this file access java and this method and add a new guestbookresponse object to it java path datafile fileid get produces application xml public downloadinstance datafile pathparam fileid long fileid queryparam key string apitoken context uriinfo uriinfo context httpheaders headers context httpservletresponse response throws notfoundexception serviceunavailableexception permissiondeniedexception authorizationrequiredexception
0
38,282
8,735,477,328
IssuesEvent
2018-12-11 16:52:49
googlei18n/noto-fonts
https://api.github.com/repos/googlei18n/noto-fonts
closed
Noto Sans Balinese doesn't provide required ligatures for suku, suku ilut
Android FoundIn-1.x Priority-Medium Script-Balinese Type-Defect
``` What steps will reproduce the problem? 1. Use a current version of Firefox or Chrome. 2. Go to http://lindenbergsoftware.com/google/noto/bali-suku.html 3. Compare the rendering of the combinations of the dependent vowels suku and suku ilut with various Balinese conjunct consonants in Noto Sans Balinese with a reference rendering and the rendering in Aksara Bali. What is the expected output? What do you see instead? Suku and suku ilut should form ligatures with the conjunct consonants in which they change their shapes to something similar to the Western digits 2 and 3, and in several cases move to the right of the conjunct rather than below it. This behavior is documented in The Balinese Alphabet (http://babadbali.com/aksarabali/alphabet.htm) and largely implemented in the Aksara Bali font. The actual behavior in Noto Sans Balinese is that suku and suku ilut do not change shape and are always rendered below the conjunct (see screen shot). What version of the product are you using? On what operating system? Noto Sans Balinese 1.02 Firefox 37.0.2 and Chrome 42.0.2311.135 OS X 10.10.3 ``` Original issue reported on code.google.com by `googled...@lindenbergsoftware.com` on 11 May 2015 at 6:09 Attachments: - [bali-suku.png](https://storage.googleapis.com/google-code-attachments/noto/issue-366/comment-0/bali-suku.png)
1.0
Noto Sans Balinese doesn't provide required ligatures for suku, suku ilut - ``` What steps will reproduce the problem? 1. Use a current version of Firefox or Chrome. 2. Go to http://lindenbergsoftware.com/google/noto/bali-suku.html 3. Compare the rendering of the combinations of the dependent vowels suku and suku ilut with various Balinese conjunct consonants in Noto Sans Balinese with a reference rendering and the rendering in Aksara Bali. What is the expected output? What do you see instead? Suku and suku ilut should form ligatures with the conjunct consonants in which they change their shapes to something similar to the Western digits 2 and 3, and in several cases move to the right of the conjunct rather than below it. This behavior is documented in The Balinese Alphabet (http://babadbali.com/aksarabali/alphabet.htm) and largely implemented in the Aksara Bali font. The actual behavior in Noto Sans Balinese is that suku and suku ilut do not change shape and are always rendered below the conjunct (see screen shot). What version of the product are you using? On what operating system? Noto Sans Balinese 1.02 Firefox 37.0.2 and Chrome 42.0.2311.135 OS X 10.10.3 ``` Original issue reported on code.google.com by `googled...@lindenbergsoftware.com` on 11 May 2015 at 6:09 Attachments: - [bali-suku.png](https://storage.googleapis.com/google-code-attachments/noto/issue-366/comment-0/bali-suku.png)
defect
noto sans balinese doesn t provide required ligatures for suku suku ilut what steps will reproduce the problem use a current version of firefox or chrome go to compare the rendering of the combinations of the dependent vowels suku and suku ilut with various balinese conjunct consonants in noto sans balinese with a reference rendering and the rendering in aksara bali what is the expected output what do you see instead suku and suku ilut should form ligatures with the conjunct consonants in which they change their shapes to something similar to the western digits and and in several cases move to the right of the conjunct rather than below it this behavior is documented in the balinese alphabet and largely implemented in the aksara bali font the actual behavior in noto sans balinese is that suku and suku ilut do not change shape and are always rendered below the conjunct see screen shot what version of the product are you using on what operating system noto sans balinese firefox and chrome os x original issue reported on code google com by googled lindenbergsoftware com on may at attachments
1
60,863
17,023,542,325
IssuesEvent
2021-07-03 02:33:35
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
gosmore search window isn't showing
Component: gosmore Priority: trivial Resolution: wontfix Type: defect
**[Submitted to the original trac issue database at 2.07pm, Sunday, 24th January 2010]** With the more recent gosmore versions (I'm at r19609, but it happened a few revisions back) there appears to be a problem with the search window, as it doesn't show up for me, just a blank screen. This is on both the GTK and Windows Mobile versions. Interestingly if I click where the first item would be it does take me to (what I assume is) the first search.
1.0
gosmore search window isn't showing - **[Submitted to the original trac issue database at 2.07pm, Sunday, 24th January 2010]** With the more recent gosmore versions (I'm at r19609, but it happened a few revisions back) there appears to be a problem with the search window, as it doesn't show up for me, just a blank screen. This is on both the GTK and Windows Mobile versions. Interestingly if I click where the first item would be it does take me to (what I assume is) the first search.
defect
gosmore search window isn t showing with the more recent gosmore versions i m at but it happened a few revisions back there appears to be a problem with the search window as it doesn t show up for me just a blank screen this is on both the gtk and windows mobile versions interestingly if i click where the first item would be it does take me to what i assume is the first search
1
17,755
10,128,289,101
IssuesEvent
2019-08-01 12:25:54
kyma-project/kyma
https://api.github.com/repos/kyma-project/kyma
closed
Remove/refactor kyma-k8s-admin role
area/security
**Description** Remove `kyma-k8s-admin` role if possible. If not, refactor it so that it doesn't use any wildcards (`*`) and it's scope is minimal. This is a follow-up to: #3438 **Reasons** For `kyma-admin` we aim to inherit as much as possible from built-in k8s `admin` role using the aggregation mechanism (we don't want to extend its permissions to `cluster-admin`). At the moment `kyma-admin` aggregates `kyma-k8s-admin` legacy role that uses wildcards: `*` for resources and verbs. Unfortunately, some checks in UI asserts that admin user has a wildcard (`*`) in permissions, so we can't get rid of this now. The flawed UI logic is to be fixed here: https://github.com/kyma-project/console/issues/758. See also: #3438
True
Remove/refactor kyma-k8s-admin role - **Description** Remove `kyma-k8s-admin` role if possible. If not, refactor it so that it doesn't use any wildcards (`*`) and it's scope is minimal. This is a follow-up to: #3438 **Reasons** For `kyma-admin` we aim to inherit as much as possible from built-in k8s `admin` role using the aggregation mechanism (we don't want to extend its permissions to `cluster-admin`). At the moment `kyma-admin` aggregates `kyma-k8s-admin` legacy role that uses wildcards: `*` for resources and verbs. Unfortunately, some checks in UI asserts that admin user has a wildcard (`*`) in permissions, so we can't get rid of this now. The flawed UI logic is to be fixed here: https://github.com/kyma-project/console/issues/758. See also: #3438
non_defect
remove refactor kyma admin role description remove kyma admin role if possible if not refactor it so that it doesn t use any wildcards and it s scope is minimal this is a follow up to reasons for kyma admin we aim to inherit as much as possible from built in admin role using the aggregation mechanism we don t want to extend its permissions to cluster admin at the moment kyma admin aggregates kyma admin legacy role that uses wildcards for resources and verbs unfortunately some checks in ui asserts that admin user has a wildcard in permissions so we can t get rid of this now the flawed ui logic is to be fixed here see also
0
66,889
20,750,437,299
IssuesEvent
2022-03-15 06:46:36
colour-science/colour
https://api.github.com/repos/colour-science/colour
closed
[BUG]: mypy runs forever with colour-science==0.4.0
Defect API Minor
### Description Just making you aware of https://github.com/python/mypy/issues/12225. I expect that this is a `mypy` issue, but it affects users of the new release of `colour-science`. ### Code for Reproduction _No response_ ### Exception Message _No response_ ### Environment Information _No response_
1.0
[BUG]: mypy runs forever with colour-science==0.4.0 - ### Description Just making you aware of https://github.com/python/mypy/issues/12225. I expect that this is a `mypy` issue, but it affects users of the new release of `colour-science`. ### Code for Reproduction _No response_ ### Exception Message _No response_ ### Environment Information _No response_
defect
mypy runs forever with colour science description just making you aware of i expect that this is a mypy issue but it affects users of the new release of colour science code for reproduction no response exception message no response environment information no response
1
93,905
19,393,831,088
IssuesEvent
2021-12-18 01:12:54
learningequality/kolibri-design-system
https://api.github.com/repos/learningequality/kolibri-design-system
closed
add theme validation logic to front-end and provide defaults for tests
category: supporting code category: library type: task P1 - important
### Observed behavior Having validation only on the backend means that the theme "API" isn't well defined. ### Expected behavior It would be better for the front-end to clearly define it, and possibly to provide internal defaults so that unit testing is easier see thread: https://github.com/learningequality/kolibri/pull/5688#pullrequestreview-252487272 ### User-facing consequences themes and tests that need themes are confusing for devs to work with ### Context 0.12.4
1.0
add theme validation logic to front-end and provide defaults for tests - ### Observed behavior Having validation only on the backend means that the theme "API" isn't well defined. ### Expected behavior It would be better for the front-end to clearly define it, and possibly to provide internal defaults so that unit testing is easier see thread: https://github.com/learningequality/kolibri/pull/5688#pullrequestreview-252487272 ### User-facing consequences themes and tests that need themes are confusing for devs to work with ### Context 0.12.4
non_defect
add theme validation logic to front end and provide defaults for tests observed behavior having validation only on the backend means that the theme api isn t well defined expected behavior it would be better for the front end to clearly define it and possibly to provide internal defaults so that unit testing is easier see thread user facing consequences themes and tests that need themes are confusing for devs to work with context
0
138,734
12,827,898,359
IssuesEvent
2020-07-06 19:25:37
aws/aws-cli
https://api.github.com/repos/aws/aws-cli
opened
Document how to build the client from source
documentation v2
Users have run into difficulty installing the client from source, for example to create a homebrew package (#5338). Guidance should be provided on how to do this. For reference, installation information can be found at: - https://docs.aws.amazon.com/cli/latest/userguide/install-cliv2.html - https://github.com/aws/aws-cli#installation - https://github.com/aws/aws-cli#cli-dev-version
1.0
Document how to build the client from source - Users have run into difficulty installing the client from source, for example to create a homebrew package (#5338). Guidance should be provided on how to do this. For reference, installation information can be found at: - https://docs.aws.amazon.com/cli/latest/userguide/install-cliv2.html - https://github.com/aws/aws-cli#installation - https://github.com/aws/aws-cli#cli-dev-version
non_defect
document how to build the client from source users have run into difficulty installing the client from source for example to create a homebrew package guidance should be provided on how to do this for reference installation information can be found at
0
28,879
7,043,681,914
IssuesEvent
2017-12-31 10:54:12
joomla/joomla-cms
https://api.github.com/repos/joomla/joomla-cms
closed
[4.0] Change sidebar-left/right to sidebar-a/b
No Code Attached Yet
Using directional naming conventions for the sidebar isn't the best approach as it may cause confusion with RTL. We should use `sidebar-a` and `sidebar-b` or the module positions instead.
1.0
[4.0] Change sidebar-left/right to sidebar-a/b - Using directional naming conventions for the sidebar isn't the best approach as it may cause confusion with RTL. We should use `sidebar-a` and `sidebar-b` or the module positions instead.
non_defect
change sidebar left right to sidebar a b using directional naming conventions for the sidebar isn t the best approach as it may cause confusion with rtl we should use sidebar a and sidebar b or the module positions instead
0
26,203
4,614,641,763
IssuesEvent
2016-09-25 17:55:34
ncarthy/kodi-crestron
https://api.github.com/repos/ncarthy/kodi-crestron
closed
Trying to connect to XBMC
auto-migrated Priority-Medium Type-Defect
``` I am testing the module on a Pro2. I have added all of the settings to XBMC and I have added the port numbers to my router. I have added the ip address of the xbmc to the simpl program. I have changed the name parameter in simpl to kodi_crestron and changed the name on the XBMC services settings page to kodi_crestron. When running the Xpanel demo all i get is a message trying to connect to XBMC. Can anyone offer any suggestions? ``` Original issue reported on code.google.com by `jasonmul...@gmail.com` on 8 Aug 2015 at 10:18
1.0
Trying to connect to XBMC - ``` I am testing the module on a Pro2. I have added all of the settings to XBMC and I have added the port numbers to my router. I have added the ip address of the xbmc to the simpl program. I have changed the name parameter in simpl to kodi_crestron and changed the name on the XBMC services settings page to kodi_crestron. When running the Xpanel demo all i get is a message trying to connect to XBMC. Can anyone offer any suggestions? ``` Original issue reported on code.google.com by `jasonmul...@gmail.com` on 8 Aug 2015 at 10:18
defect
trying to connect to xbmc i am testing the module on a i have added all of the settings to xbmc and i have added the port numbers to my router i have added the ip address of the xbmc to the simpl program i have changed the name parameter in simpl to kodi crestron and changed the name on the xbmc services settings page to kodi crestron when running the xpanel demo all i get is a message trying to connect to xbmc can anyone offer any suggestions original issue reported on code google com by jasonmul gmail com on aug at
1
198,608
6,974,689,277
IssuesEvent
2017-12-12 02:12:38
architecture-building-systems/CityEnergyAnalyst
https://api.github.com/repos/architecture-building-systems/CityEnergyAnalyst
closed
Update references to `demand_calculation` after signature change
bug Priority 1
The signature for `demand_calculation` has changed - update references to this function throughout the CEA to reflect this. Also up for discussion: Should we pass around the base `config` variable or a `settings = config.demand` variable`? I'm not sure about this myself, but I lean towards `config` as developers will get used to it and know exactly what kind of object it is. With `settings` you need to go and check which section this was created from... Another case in point: With the `config` variable, we don't need the parameters `weather_path`, `multiprocessing` and `region` for the `demand_calculation` function as they are already specified in the `config.general` section. What do you think?
1.0
Update references to `demand_calculation` after signature change - The signature for `demand_calculation` has changed - update references to this function throughout the CEA to reflect this. Also up for discussion: Should we pass around the base `config` variable or a `settings = config.demand` variable`? I'm not sure about this myself, but I lean towards `config` as developers will get used to it and know exactly what kind of object it is. With `settings` you need to go and check which section this was created from... Another case in point: With the `config` variable, we don't need the parameters `weather_path`, `multiprocessing` and `region` for the `demand_calculation` function as they are already specified in the `config.general` section. What do you think?
non_defect
update references to demand calculation after signature change the signature for demand calculation has changed update references to this function throughout the cea to reflect this also up for discussion should we pass around the base config variable or a settings config demand variable i m not sure about this myself but i lean towards config as developers will get used to it and know exactly what kind of object it is with settings you need to go and check which section this was created from another case in point with the config variable we don t need the parameters weather path multiprocessing and region for the demand calculation function as they are already specified in the config general section what do you think
0
37,323
8,359,967,682
IssuesEvent
2018-10-03 09:57:44
primefaces/primefaces
https://api.github.com/repos/primefaces/primefaces
closed
Dialog: fitViewport does not fit correctly if footer is used
defect
## 1) Environment - PrimeFaces version: 6.2 ## 2) Expected behavior The dialog is larger than the window, so it should adjust the size and a scroll bar on the side, allowing to view all content. It is very similar to issue [#899](https://github.com/primefaces/primefaces/issues/899). ## 3) Actual behavior Currently, after clicking on "Show Dialog" the dialog is correctly opened, but at the end, there is some content missing ( about 30px). When the dialog or page is resized, the dialog snaps to the right size. ## 4) Steps to reproduce Code Below ## 5) Sample XHTML ``` <?xml version='1.0' encoding='UTF-8' ?> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xmlns:h="http://xmlns.jcp.org/jsf/html" xmlns:p="http://primefaces.org/ui" xmlns:f="http://java.sun.com/jsf/core" xmlns:c="http://xmlns.jcp.org/jsp/jstl/core"> <h:head> <title>Demo fitViewport</title> </h:head> <h:body> <h:form> <p:commandButton type="button" onclick="PF( 'Test' ).show()" value="Show Dialog" /> <p:dialog id="Test" widgetVar="Test" header="Test" fitViewport="true" modal="true" responsive="true"> <div style="height: 1000px;"> Demo content </div> <f:facet name="footer"> <p:commandButton type="button" onclick="PF( 'Test' ).hide()" value="Hide Dialog"/> </f:facet> </p:dialog> </h:form> </h:body> </html> ```
1.0
Dialog: fitViewport does not fit correctly if footer is used - ## 1) Environment - PrimeFaces version: 6.2 ## 2) Expected behavior The dialog is larger than the window, so it should adjust the size and a scroll bar on the side, allowing to view all content. It is very similar to issue [#899](https://github.com/primefaces/primefaces/issues/899). ## 3) Actual behavior Currently, after clicking on "Show Dialog" the dialog is correctly opened, but at the end, there is some content missing ( about 30px). When the dialog or page is resized, the dialog snaps to the right size. ## 4) Steps to reproduce Code Below ## 5) Sample XHTML ``` <?xml version='1.0' encoding='UTF-8' ?> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xmlns:h="http://xmlns.jcp.org/jsf/html" xmlns:p="http://primefaces.org/ui" xmlns:f="http://java.sun.com/jsf/core" xmlns:c="http://xmlns.jcp.org/jsp/jstl/core"> <h:head> <title>Demo fitViewport</title> </h:head> <h:body> <h:form> <p:commandButton type="button" onclick="PF( 'Test' ).show()" value="Show Dialog" /> <p:dialog id="Test" widgetVar="Test" header="Test" fitViewport="true" modal="true" responsive="true"> <div style="height: 1000px;"> Demo content </div> <f:facet name="footer"> <p:commandButton type="button" onclick="PF( 'Test' ).hide()" value="Hide Dialog"/> </f:facet> </p:dialog> </h:form> </h:body> </html> ```
defect
dialog fitviewport does not fit correctly if footer is used environment primefaces version expected behavior the dialog is larger than the window so it should adjust the size and a scroll bar on the side allowing to view all content it is very similar to issue actual behavior currently after clicking on show dialog the dialog is correctly opened but at the end there is some content missing about when the dialog or page is resized the dialog snaps to the right size steps to reproduce code below sample xhtml doctype html public dtd xhtml transitional en html xmlns xmlns h xmlns p xmlns f xmlns c demo fitviewport demo content
1
18,980
3,114,823,593
IssuesEvent
2015-09-03 11:12:36
SciTools/iris
https://api.github.com/repos/SciTools/iris
opened
Performance of nearest vs linear
defect performance
From https://groups.google.com/forum/#!searchin/scitools-iris/performance/scitools-iris/HajdRLOZZQ4/ypy1FzbxtkMJ, with code from https://gist.github.com/pelson/8256b9bab1c775348492 investigate why the performance of nearest neighbour is ~2 orders of magnitude better than linear interpolation.
1.0
Performance of nearest vs linear - From https://groups.google.com/forum/#!searchin/scitools-iris/performance/scitools-iris/HajdRLOZZQ4/ypy1FzbxtkMJ, with code from https://gist.github.com/pelson/8256b9bab1c775348492 investigate why the performance of nearest neighbour is ~2 orders of magnitude better than linear interpolation.
defect
performance of nearest vs linear from with code from investigate why the performance of nearest neighbour is orders of magnitude better than linear interpolation
1
54,296
13,540,704,353
IssuesEvent
2020-09-16 14:58:44
radon-h2020/radon-iac-miner
https://api.github.com/repos/radon-h2020/radon-iac-miner
opened
R-T3.4-13: The IaC miner must allow users to filter projects
Defect prediction IDE MUST WP3
ID | R-T3.4-13 -- | -- Section | WP3: Methodology and Quality Assurance Requirements Type | FUNCTIONAL_SUITABILITY User Story | As an Operations Engineer/QoS Engineer/Release Manager, I want to crawl software projects that meet specific criteria Requirement | The IaC miner must have a filter to crawl only software repositories that meet certain criteria such as the minimum number of stars, the minimum number of issues, the minimum number of watchers, and the minimum number of releases Priority | Must have Affected Tools | DEFECT_PRED_TOOL Means of Verification | Direct implementation on IDE, feature checklist, case-study
1.0
R-T3.4-13: The IaC miner must allow users to filter projects - ID | R-T3.4-13 -- | -- Section | WP3: Methodology and Quality Assurance Requirements Type | FUNCTIONAL_SUITABILITY User Story | As an Operations Engineer/QoS Engineer/Release Manager, I want to crawl software projects that meet specific criteria Requirement | The IaC miner must have a filter to crawl only software repositories that meet certain criteria such as the minimum number of stars, the minimum number of issues, the minimum number of watchers, and the minimum number of releases Priority | Must have Affected Tools | DEFECT_PRED_TOOL Means of Verification | Direct implementation on IDE, feature checklist, case-study
defect
r the iac miner must allow users to filter projects id r section methodology and quality assurance requirements type functional suitability user story as an operations engineer qos engineer release manager i want to crawl software projects that meet specific criteria requirement the iac miner must have a filter to crawl only software repositories that meet certain criteria such as the minimum number of stars the minimum number of issues the minimum number of watchers and the minimum number of releases priority must have affected tools defect pred tool means of verification direct implementation on ide feature checklist case study
1
14,078
9,168,345,120
IssuesEvent
2019-03-02 21:26:21
JohnDeere/work-tracker-examples
https://api.github.com/repos/JohnDeere/work-tracker-examples
closed
CVE-2018-12023 High Severity Vulnerability detected by WhiteSource
security vulnerability
## CVE-2018-12023 - High Severity Vulnerability <details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.8.9.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>path: /root/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.9/jackson-databind-2.8.9.jar</p> <p> <p>Library home page: <a href=http://github.com/FasterXML/jackson>http://github.com/FasterXML/jackson</a></p> Dependency Hierarchy: - work-tracker-servlet-1.0.0-rc14.jar (Root Library) - work-tracker-core-1.0.0-rc14.jar - logstash-logback-encoder-4.11.jar - :x: **jackson-databind-2.8.9.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/JohnDeere/work-tracker-examples/commit/3b29c95f8346b60c5c53ea089a4f440f17011402">3b29c95f8346b60c5c53ea089a4f440f17011402</a></p> </p> </details> <p></p> <details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> jackson-databind has a potential remote code execution (RCE) vulnerability. in versions 2.7.9.x. 2.8.x < 2.8.11.2. and version 2.9.4--2.9.5. <p>Publish Date: 2018-12-13 <p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-12023>CVE-2018-12023</a></p> </p> </details> <p></p> <details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>7.6</b>)</summary> <p> Base Score Metrics not available</p> </p> </details> <p></p> <details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Change files</p> <p>Origin: <a href="https://github.com/FasterXML/jackson-databind/commit/7487cf7eb14be2f65a1eb108e8629c07ef45e0a1">https://github.com/FasterXML/jackson-databind/commit/7487cf7eb14be2f65a1eb108e8629c07ef45e0a1</a></p> <p>Release Date: 2018-06-01</p> <p>Fix Resolution: Replace or update the following file: SubTypeValidator.java</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-12023 High Severity Vulnerability detected by WhiteSource - ## CVE-2018-12023 - High Severity Vulnerability <details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.8.9.jar</b></p></summary> <p>General data-binding functionality for Jackson: works on core streaming API</p> <p>path: /root/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.8.9/jackson-databind-2.8.9.jar</p> <p> <p>Library home page: <a href=http://github.com/FasterXML/jackson>http://github.com/FasterXML/jackson</a></p> Dependency Hierarchy: - work-tracker-servlet-1.0.0-rc14.jar (Root Library) - work-tracker-core-1.0.0-rc14.jar - logstash-logback-encoder-4.11.jar - :x: **jackson-databind-2.8.9.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/JohnDeere/work-tracker-examples/commit/3b29c95f8346b60c5c53ea089a4f440f17011402">3b29c95f8346b60c5c53ea089a4f440f17011402</a></p> </p> </details> <p></p> <details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> jackson-databind has a potential remote code execution (RCE) vulnerability. in versions 2.7.9.x. 2.8.x < 2.8.11.2. and version 2.9.4--2.9.5. <p>Publish Date: 2018-12-13 <p>URL: <a href=https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2018-12023>CVE-2018-12023</a></p> </p> </details> <p></p> <details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/cvss3.png' width=19 height=20> CVSS 2 Score Details (<b>7.6</b>)</summary> <p> Base Score Metrics not available</p> </p> </details> <p></p> <details><summary><img src='https://www.whitesourcesoftware.com/wp-content/uploads/2018/10/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Change files</p> <p>Origin: <a href="https://github.com/FasterXML/jackson-databind/commit/7487cf7eb14be2f65a1eb108e8629c07ef45e0a1">https://github.com/FasterXML/jackson-databind/commit/7487cf7eb14be2f65a1eb108e8629c07ef45e0a1</a></p> <p>Release Date: 2018-06-01</p> <p>Fix Resolution: Replace or update the following file: SubTypeValidator.java</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 severity vulnerability detected by whitesource cve high severity vulnerability vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api path root repository com fasterxml jackson core jackson databind jackson databind jar library home page a href dependency hierarchy work tracker servlet jar root library work tracker core jar logstash logback encoder jar x jackson databind jar vulnerable library found in head commit a href vulnerability details jackson databind has a potential remote code execution rce vulnerability in versions x x and version publish date url a href cvss score details base score metrics not available suggested fix type change files origin a href release date fix resolution replace or update the following file subtypevalidator java step up your open source security game with whitesource
0
48,454
2,998,175,827
IssuesEvent
2015-07-23 12:43:04
jayway/powermock
https://api.github.com/repos/jayway/powermock
closed
Clear state class loading problem?
bug imported invalid Milestone-Release1.0 Priority-Medium
_From [jan.kron...@gmail.com](https://code.google.com/u/111289048178412145391/) on November 14, 2008 18:21:37_ PowerMockRunListener using correct classloader with chunking? _Original issue: http://code.google.com/p/powermock/issues/detail?id=75_
1.0
Clear state class loading problem? - _From [jan.kron...@gmail.com](https://code.google.com/u/111289048178412145391/) on November 14, 2008 18:21:37_ PowerMockRunListener using correct classloader with chunking? _Original issue: http://code.google.com/p/powermock/issues/detail?id=75_
non_defect
clear state class loading problem from on november powermockrunlistener using correct classloader with chunking original issue
0
95,504
27,526,562,324
IssuesEvent
2023-03-06 18:30:03
elastic/beats
https://api.github.com/repos/elastic/beats
opened
Build 1325 for main with status FAILURE
automation ci-reported Team:Elastic-Agent-Data-Plane build-failures
## :broken_heart: Tests Failed <!-- BUILD BADGES--> > _the below badges are clickable and redirect to their specific view in the CI or DOCS_ [![Pipeline View](https://img.shields.io/badge/pipeline-pipeline%20-green)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//pipeline) [![Test View](https://img.shields.io/badge/test-test-green)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//tests) [![Changes](https://img.shields.io/badge/changes-changes-green)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//changes) [![Artifacts](https://img.shields.io/badge/artifacts-artifacts-yellow)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//artifacts) [![preview](https://img.shields.io/badge/docs-preview-yellowgreen)](http://beats_null.docs-preview.app.elstc.co/diff) [![preview](https://img.shields.io/badge/elastic-observability-blue)](https://ci-stats.elastic.co/app/apm/services/beats-ci/transactions/view?rangeFrom=2023-03-06T16:24:29.690Z&rangeTo=2023-03-06T16:44:29.690Z&transactionName=BUILD+Beats%2Fbeats%2Fmain&transactionType=job&latencyAggregationType=avg&traceId=87861880219b2f88c1025a54f379f56d&transactionId=f9a04afafc078097) <!-- BUILD SUMMARY--> <details><summary>Expand to view the summary</summary> <p> #### Build stats * Start Time: 2023-03-06T16:34:29.690+0000 * Duration: 115 min 12 sec #### Test stats :test_tube: | Test | Results | | ------------ | :-----------------------------: | | Failed | 1 | | Passed | 29080 | | Skipped | 2035 | | Total | 31116 | </p> </details> <!-- TEST RESULTS IF ANY--> ### Test errors [![1](https://img.shields.io/badge/1%20-red)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//tests) <details><summary>Expand to view the tests failures</summary><p> ##### `Extended / x-pack/filebeat-arm-ubuntu-2204-aarch64 / TestMultiEventForEOFRetryHandlerInput – github.com/elastic/beats/v7/x-pack/filebeat/input/cometd` <ul> <details><summary>Expand to view the error details</summary><p> ``` Failed ``` </p></details> <details><summary>Expand to view the stacktrace</summary><p> ``` === RUN TestMultiEventForEOFRetryHandlerInput coverage: 79.1% of statements panic: test timed out after 10m0s goroutine 825 [running]: testing.(*M).startAlarm.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:2029 +0x8c created by time.goFunc /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/time/sleep.go:176 +0x3c goroutine 1 [chan receive, 9 minutes]: testing.(*T).Run(0x400030ad00, {0x127a111?, 0x1f8d77c9dc6?}, 0x12b1f78) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1487 +0x33c testing.runTests.func1(0x0?) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1839 +0x74 testing.tRunner(0x400030ad00, 0x40002dfc88) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1439 +0x110 testing.runTests(0x40002fae60?, {0x19decc0, 0xf, 0xf}, {0x3b00000000000000?, 0x8509c0?, 0x1b80c80?}) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1837 +0x3e8 testing.(*M).Run(0x40002fae60) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1719 +0x510 main.main() _testmain.go:129 +0x278 goroutine 81 [semacquire, 9 minutes]: sync.runtime_Semacquire(0x13a93a8?) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/runtime/sema.go:56 +0x2c sync.(*WaitGroup).Wait(0x400043c488) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/sync/waitgroup.go:136 +0x88 github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.(*cometdInput).Stop(0x400043c420) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:201 +0x7c github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.TestMultiEventForEOFRetryHandlerInput(0x4000428d00) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input_test.go:502 +0x80c testing.tRunner(0x4000428d00, 0x12b1f78) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1439 +0x110 created by testing.(*T).Run /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1486 +0x328 goroutine 68 [chan receive (nil chan), 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:172 +0x74 created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:171 +0x3d0 goroutine 32 [chan receive (nil chan), 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:172 +0x74 created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:171 +0x3d0 goroutine 103 [chan receive (nil chan), 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:172 +0x74 created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:171 +0x3d0 goroutine 104 [chan receive (nil chan), 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:172 +0x74 created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:171 +0x3d0 goroutine 137 [chan receive (nil chan), 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:172 +0x74 created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:171 +0x3d0 goroutine 138 [chan send, 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.TestMultiEventForEOFRetryHandlerInput.func1({{0x25ea6915, 0xedb982575, 0x0}, 0x40004d2ed0, 0x40004d2e40, {0x10de9a0, 0x40004e6060}, 0x0}) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input_test.go:407 +0x64 github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.mockedOutleter.OnEvent(...) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/client_mocked.go:46 github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.(*cometdInput).run(0x400043c420) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:128 +0x650 github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.(*cometdInput).Run.func1.1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:65 +0x4bc created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.(*cometdInput).Run.func1 /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:41 +0xd8 goroutine 821 [IO wait, 9 minutes]: internal/poll.runtime_pollWait(0xffff763602e8, 0x72) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/runtime/netpoll.go:302 +0xa4 internal/poll.(*pollDesc).wait(0x4000271900?, 0x8c79b4?, 0x0) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/internal/poll/fd_poll_runtime.go:83 +0x2c internal/poll.(*pollDesc).waitRead(...) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/internal/poll/fd_poll_runtime.go:88 internal/poll.(*FD).Accept(0x4000271900) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/internal/poll/fd_unix.go:614 +0x1d8 net.(*netFD).accept(0x4000271900) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/fd_unix.go:172 +0x28 net.(*TCPListener).accept(0x40000d11a0) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/tcpsock_posix.go:139 +0x2c net.(*TCPListener).Accept(0x40000d11a0) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/tcpsock.go:288 +0x30 net/http.(*Server).Serve(0x40002440e0, {0x13b1e00, 0x40000d11a0}) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/http/server.go:3039 +0x300 net/http/httptest.(*Server).goServe.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/http/httptest/server.go:308 +0x64 created by net/http/httptest.(*Server).goServe /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/http/httptest/server.go:306 +0x78 ``` </p></details> </ul> </p></details> <!-- STEPS ERRORS IF ANY --> ### Steps errors [![6](https://img.shields.io/badge/6%20-red)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//pipeline) <details><summary>Expand to view the steps failures</summary> <p> ##### `libbeat-goIntegTest - mage goIntegTest` <ul> <li>Took 6 min 41 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/12213/log/?start=0">here</a></li> <li>Description: <code>mage goIntegTest</code></l1> </ul> ##### `x-pack/metricbeat-goIntegTest - mage goIntegTest` <ul> <li>Took 20 min 6 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/12432/log/?start=0">here</a></li> <li>Description: <code>mage goIntegTest</code></l1> </ul> ##### `x-pack/filebeat-arm-ubuntu-2204-aarch64 - mage build unitTest` <ul> <li>Took 13 min 27 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/23257/log/?start=0">here</a></li> <li>Description: <code>mage build unitTest</code></l1> </ul> ##### `x-pack/filebeat-arm-ubuntu-2204-aarch64 - mage build unitTest` <ul> <li>Took 10 min 18 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/23954/log/?start=0">here</a></li> <li>Description: <code>mage build unitTest</code></l1> </ul> ##### `x-pack/filebeat-arm-ubuntu-2204-aarch64 - mage build unitTest` <ul> <li>Took 10 min 17 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/23958/log/?start=0">here</a></li> <li>Description: <code>mage build unitTest</code></l1> </ul> ##### `Error signal` <ul> <li>Took 0 min 0 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/23971/log/?start=0">here</a></li> <li>Description: <code>Error "hudson.AbortException: script returned exit code 1"</code></l1> </ul> </p> </details>
1.0
Build 1325 for main with status FAILURE - ## :broken_heart: Tests Failed <!-- BUILD BADGES--> > _the below badges are clickable and redirect to their specific view in the CI or DOCS_ [![Pipeline View](https://img.shields.io/badge/pipeline-pipeline%20-green)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//pipeline) [![Test View](https://img.shields.io/badge/test-test-green)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//tests) [![Changes](https://img.shields.io/badge/changes-changes-green)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//changes) [![Artifacts](https://img.shields.io/badge/artifacts-artifacts-yellow)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//artifacts) [![preview](https://img.shields.io/badge/docs-preview-yellowgreen)](http://beats_null.docs-preview.app.elstc.co/diff) [![preview](https://img.shields.io/badge/elastic-observability-blue)](https://ci-stats.elastic.co/app/apm/services/beats-ci/transactions/view?rangeFrom=2023-03-06T16:24:29.690Z&rangeTo=2023-03-06T16:44:29.690Z&transactionName=BUILD+Beats%2Fbeats%2Fmain&transactionType=job&latencyAggregationType=avg&traceId=87861880219b2f88c1025a54f379f56d&transactionId=f9a04afafc078097) <!-- BUILD SUMMARY--> <details><summary>Expand to view the summary</summary> <p> #### Build stats * Start Time: 2023-03-06T16:34:29.690+0000 * Duration: 115 min 12 sec #### Test stats :test_tube: | Test | Results | | ------------ | :-----------------------------: | | Failed | 1 | | Passed | 29080 | | Skipped | 2035 | | Total | 31116 | </p> </details> <!-- TEST RESULTS IF ANY--> ### Test errors [![1](https://img.shields.io/badge/1%20-red)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//tests) <details><summary>Expand to view the tests failures</summary><p> ##### `Extended / x-pack/filebeat-arm-ubuntu-2204-aarch64 / TestMultiEventForEOFRetryHandlerInput – github.com/elastic/beats/v7/x-pack/filebeat/input/cometd` <ul> <details><summary>Expand to view the error details</summary><p> ``` Failed ``` </p></details> <details><summary>Expand to view the stacktrace</summary><p> ``` === RUN TestMultiEventForEOFRetryHandlerInput coverage: 79.1% of statements panic: test timed out after 10m0s goroutine 825 [running]: testing.(*M).startAlarm.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:2029 +0x8c created by time.goFunc /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/time/sleep.go:176 +0x3c goroutine 1 [chan receive, 9 minutes]: testing.(*T).Run(0x400030ad00, {0x127a111?, 0x1f8d77c9dc6?}, 0x12b1f78) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1487 +0x33c testing.runTests.func1(0x0?) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1839 +0x74 testing.tRunner(0x400030ad00, 0x40002dfc88) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1439 +0x110 testing.runTests(0x40002fae60?, {0x19decc0, 0xf, 0xf}, {0x3b00000000000000?, 0x8509c0?, 0x1b80c80?}) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1837 +0x3e8 testing.(*M).Run(0x40002fae60) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1719 +0x510 main.main() _testmain.go:129 +0x278 goroutine 81 [semacquire, 9 minutes]: sync.runtime_Semacquire(0x13a93a8?) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/runtime/sema.go:56 +0x2c sync.(*WaitGroup).Wait(0x400043c488) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/sync/waitgroup.go:136 +0x88 github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.(*cometdInput).Stop(0x400043c420) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:201 +0x7c github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.TestMultiEventForEOFRetryHandlerInput(0x4000428d00) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input_test.go:502 +0x80c testing.tRunner(0x4000428d00, 0x12b1f78) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1439 +0x110 created by testing.(*T).Run /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/testing/testing.go:1486 +0x328 goroutine 68 [chan receive (nil chan), 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:172 +0x74 created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:171 +0x3d0 goroutine 32 [chan receive (nil chan), 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:172 +0x74 created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:171 +0x3d0 goroutine 103 [chan receive (nil chan), 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:172 +0x74 created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:171 +0x3d0 goroutine 104 [chan receive (nil chan), 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:172 +0x74 created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:171 +0x3d0 goroutine 137 [chan receive (nil chan), 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:172 +0x74 created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.NewInput /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:171 +0x3d0 goroutine 138 [chan send, 9 minutes]: github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.TestMultiEventForEOFRetryHandlerInput.func1({{0x25ea6915, 0xedb982575, 0x0}, 0x40004d2ed0, 0x40004d2e40, {0x10de9a0, 0x40004e6060}, 0x0}) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input_test.go:407 +0x64 github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.mockedOutleter.OnEvent(...) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/client_mocked.go:46 github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.(*cometdInput).run(0x400043c420) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:128 +0x650 github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.(*cometdInput).Run.func1.1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:65 +0x4bc created by github.com/elastic/beats/v7/x-pack/filebeat/input/cometd.(*cometdInput).Run.func1 /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/src/github.com/elastic/beats/x-pack/filebeat/input/cometd/input.go:41 +0xd8 goroutine 821 [IO wait, 9 minutes]: internal/poll.runtime_pollWait(0xffff763602e8, 0x72) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/runtime/netpoll.go:302 +0xa4 internal/poll.(*pollDesc).wait(0x4000271900?, 0x8c79b4?, 0x0) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/internal/poll/fd_poll_runtime.go:83 +0x2c internal/poll.(*pollDesc).waitRead(...) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/internal/poll/fd_poll_runtime.go:88 internal/poll.(*FD).Accept(0x4000271900) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/internal/poll/fd_unix.go:614 +0x1d8 net.(*netFD).accept(0x4000271900) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/fd_unix.go:172 +0x28 net.(*TCPListener).accept(0x40000d11a0) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/tcpsock_posix.go:139 +0x2c net.(*TCPListener).Accept(0x40000d11a0) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/tcpsock.go:288 +0x30 net/http.(*Server).Serve(0x40002440e0, {0x13b1e00, 0x40000d11a0}) /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/http/server.go:3039 +0x300 net/http/httptest.(*Server).goServe.func1() /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/http/httptest/server.go:308 +0x64 created by net/http/httptest.(*Server).goServe /var/lib/jenkins/workspace/main-1325-c2b4d38c-9926-4a61-930c-83cecdd1f51b/.gvm/versions/go1.18.10.linux.arm64/src/net/http/httptest/server.go:306 +0x78 ``` </p></details> </ul> </p></details> <!-- STEPS ERRORS IF ANY --> ### Steps errors [![6](https://img.shields.io/badge/6%20-red)](https://beats-ci.elastic.co/blue/organizations/jenkins/Beats%2Fbeats%2Fmain/detail/main/1325//pipeline) <details><summary>Expand to view the steps failures</summary> <p> ##### `libbeat-goIntegTest - mage goIntegTest` <ul> <li>Took 6 min 41 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/12213/log/?start=0">here</a></li> <li>Description: <code>mage goIntegTest</code></l1> </ul> ##### `x-pack/metricbeat-goIntegTest - mage goIntegTest` <ul> <li>Took 20 min 6 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/12432/log/?start=0">here</a></li> <li>Description: <code>mage goIntegTest</code></l1> </ul> ##### `x-pack/filebeat-arm-ubuntu-2204-aarch64 - mage build unitTest` <ul> <li>Took 13 min 27 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/23257/log/?start=0">here</a></li> <li>Description: <code>mage build unitTest</code></l1> </ul> ##### `x-pack/filebeat-arm-ubuntu-2204-aarch64 - mage build unitTest` <ul> <li>Took 10 min 18 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/23954/log/?start=0">here</a></li> <li>Description: <code>mage build unitTest</code></l1> </ul> ##### `x-pack/filebeat-arm-ubuntu-2204-aarch64 - mage build unitTest` <ul> <li>Took 10 min 17 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/23958/log/?start=0">here</a></li> <li>Description: <code>mage build unitTest</code></l1> </ul> ##### `Error signal` <ul> <li>Took 0 min 0 sec . View more details <a href="https://beats-ci.elastic.co//blue/rest/organizations/jenkins/pipelines/Beats/pipelines/beats/pipelines/main/runs/1325/steps/23971/log/?start=0">here</a></li> <li>Description: <code>Error "hudson.AbortException: script returned exit code 1"</code></l1> </ul> </p> </details>
non_defect
build for main with status failure broken heart tests failed the below badges are clickable and redirect to their specific view in the ci or docs expand to view the summary build stats start time duration min sec test stats test tube test results failed passed skipped total test errors expand to view the tests failures extended x pack filebeat arm ubuntu testmultieventforeofretryhandlerinput – github com elastic beats x pack filebeat input cometd expand to view the error details failed expand to view the stacktrace run testmultieventforeofretryhandlerinput coverage of statements panic test timed out after goroutine testing m startalarm var lib jenkins workspace main gvm versions linux src testing testing go created by time gofunc var lib jenkins workspace main gvm versions linux src time sleep go goroutine testing t run var lib jenkins workspace main gvm versions linux src testing testing go testing runtests var lib jenkins workspace main gvm versions linux src testing testing go testing trunner var lib jenkins workspace main gvm versions linux src testing testing go testing runtests var lib jenkins workspace main gvm versions linux src testing testing go testing m run var lib jenkins workspace main gvm versions linux src testing testing go main main testmain go goroutine sync runtime semacquire var lib jenkins workspace main gvm versions linux src runtime sema go sync waitgroup wait var lib jenkins workspace main gvm versions linux src sync waitgroup go github com elastic beats x pack filebeat input cometd cometdinput stop var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go github com elastic beats x pack filebeat input cometd testmultieventforeofretryhandlerinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input test go testing trunner var lib jenkins workspace main gvm versions linux src testing testing go created by testing t run var lib jenkins workspace main gvm versions linux src testing testing go goroutine github com elastic beats x pack filebeat input cometd newinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go created by github com elastic beats x pack filebeat input cometd newinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go goroutine github com elastic beats x pack filebeat input cometd newinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go created by github com elastic beats x pack filebeat input cometd newinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go goroutine github com elastic beats x pack filebeat input cometd newinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go created by github com elastic beats x pack filebeat input cometd newinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go goroutine github com elastic beats x pack filebeat input cometd newinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go created by github com elastic beats x pack filebeat input cometd newinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go goroutine github com elastic beats x pack filebeat input cometd newinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go created by github com elastic beats x pack filebeat input cometd newinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go goroutine github com elastic beats x pack filebeat input cometd testmultieventforeofretryhandlerinput var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input test go github com elastic beats x pack filebeat input cometd mockedoutleter onevent var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd client mocked go github com elastic beats x pack filebeat input cometd cometdinput run var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go github com elastic beats x pack filebeat input cometd cometdinput run var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go created by github com elastic beats x pack filebeat input cometd cometdinput run var lib jenkins workspace main src github com elastic beats x pack filebeat input cometd input go goroutine internal poll runtime pollwait var lib jenkins workspace main gvm versions linux src runtime netpoll go internal poll polldesc wait var lib jenkins workspace main gvm versions linux src internal poll fd poll runtime go internal poll polldesc waitread var lib jenkins workspace main gvm versions linux src internal poll fd poll runtime go internal poll fd accept var lib jenkins workspace main gvm versions linux src internal poll fd unix go net netfd accept var lib jenkins workspace main gvm versions linux src net fd unix go net tcplistener accept var lib jenkins workspace main gvm versions linux src net tcpsock posix go net tcplistener accept var lib jenkins workspace main gvm versions linux src net tcpsock go net http server serve var lib jenkins workspace main gvm versions linux src net http server go net http httptest server goserve var lib jenkins workspace main gvm versions linux src net http httptest server go created by net http httptest server goserve var lib jenkins workspace main gvm versions linux src net http httptest server go steps errors expand to view the steps failures libbeat gointegtest mage gointegtest took min sec view more details a href description mage gointegtest x pack metricbeat gointegtest mage gointegtest took min sec view more details a href description mage gointegtest x pack filebeat arm ubuntu mage build unittest took min sec view more details a href description mage build unittest x pack filebeat arm ubuntu mage build unittest took min sec view more details a href description mage build unittest x pack filebeat arm ubuntu mage build unittest took min sec view more details a href description mage build unittest error signal took min sec view more details a href description error hudson abortexception script returned exit code
0
486,586
14,011,519,133
IssuesEvent
2020-10-29 07:31:15
wso2/product-is
https://api.github.com/repos/wso2/product-is
opened
Fix error message to reflect the User-Store Management REST API test userstore connection failure
Priority/Highest Severity/Critical bug console ux
Related issue: https://github.com/wso2/product-is/issues/9561 Related PR: https://github.com/wso2/identity-api-server/pull/220 **Describe the issue:** With the fix for https://github.com/wso2/product-is/issues/9561, the following status response will be returned when testing for userstore connection with invalid input. ``` { "connection" : false } ``` So now when testing the userstore connection with console application it gives the following message as connection successful. ![image](https://user-images.githubusercontent.com/19415049/97538445-64d84680-19e6-11eb-8f4a-5a4469d8df63.png) **Expected behavior:** The UI should show an error message stating the connection is unsuccessful.
1.0
Fix error message to reflect the User-Store Management REST API test userstore connection failure - Related issue: https://github.com/wso2/product-is/issues/9561 Related PR: https://github.com/wso2/identity-api-server/pull/220 **Describe the issue:** With the fix for https://github.com/wso2/product-is/issues/9561, the following status response will be returned when testing for userstore connection with invalid input. ``` { "connection" : false } ``` So now when testing the userstore connection with console application it gives the following message as connection successful. ![image](https://user-images.githubusercontent.com/19415049/97538445-64d84680-19e6-11eb-8f4a-5a4469d8df63.png) **Expected behavior:** The UI should show an error message stating the connection is unsuccessful.
non_defect
fix error message to reflect the user store management rest api test userstore connection failure related issue related pr describe the issue with the fix for the following status response will be returned when testing for userstore connection with invalid input connection false so now when testing the userstore connection with console application it gives the following message as connection successful expected behavior the ui should show an error message stating the connection is unsuccessful
0
43,200
11,566,646,979
IssuesEvent
2020-02-20 12:55:13
LiskHQ/lisk-desktop
https://api.github.com/repos/LiskHQ/lisk-desktop
closed
Votes are not shown correctly in the delegates page
priority: high type: defect
### Steps to reproduce 1. I sign in and navigate to Wallet and activate **Votes** tab. 2. I see one vote. 3. I navigate to Delegates and activate **Voted** tab. 4. I see no votes. ### Actual result I don't see my votes in Delegates page under voted tab. This doesn't happen to all accounts. ### Expected result I should see the same number of votes on both pages. ### Version 1.19.1 ### Screenshot (if appropriate) <img width="1677" alt="Screenshot 2019-08-14 at 15 15 12" src="https://user-images.githubusercontent.com/666685/63029807-7dc40d00-beb1-11e9-912d-d9686cc1e12e.png"> <img width="1674" alt="Screenshot 2019-08-14 at 15 14 53" src="https://user-images.githubusercontent.com/666685/63029809-7dc40d00-beb1-11e9-8165-b176a78e9300.png"> <img width="1677" alt="Screenshot 2019-08-14 at 15 14 41" src="https://user-images.githubusercontent.com/666685/63029810-7dc40d00-beb1-11e9-8bb8-b0c784db083b.png">
1.0
Votes are not shown correctly in the delegates page - ### Steps to reproduce 1. I sign in and navigate to Wallet and activate **Votes** tab. 2. I see one vote. 3. I navigate to Delegates and activate **Voted** tab. 4. I see no votes. ### Actual result I don't see my votes in Delegates page under voted tab. This doesn't happen to all accounts. ### Expected result I should see the same number of votes on both pages. ### Version 1.19.1 ### Screenshot (if appropriate) <img width="1677" alt="Screenshot 2019-08-14 at 15 15 12" src="https://user-images.githubusercontent.com/666685/63029807-7dc40d00-beb1-11e9-912d-d9686cc1e12e.png"> <img width="1674" alt="Screenshot 2019-08-14 at 15 14 53" src="https://user-images.githubusercontent.com/666685/63029809-7dc40d00-beb1-11e9-8165-b176a78e9300.png"> <img width="1677" alt="Screenshot 2019-08-14 at 15 14 41" src="https://user-images.githubusercontent.com/666685/63029810-7dc40d00-beb1-11e9-8bb8-b0c784db083b.png">
defect
votes are not shown correctly in the delegates page steps to reproduce i sign in and navigate to wallet and activate votes tab i see one vote i navigate to delegates and activate voted tab i see no votes actual result i don t see my votes in delegates page under voted tab this doesn t happen to all accounts expected result i should see the same number of votes on both pages version screenshot if appropriate img width alt screenshot at src img width alt screenshot at src img width alt screenshot at src
1
57,665
15,933,184,325
IssuesEvent
2021-04-14 07:05:35
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
Continue with previous account link not working
A-Registration P1 S-Major T-Defect
### Description On the registration succesfull screen there is a link "Continue with previous account". When clicked I am not redirected away from that screen. However I can see that something is happening because looking at the logs I can see ``` Restoring session for @example:example.com ... ``` ### Steps to reproduce - Open a session on app.element.io - Create a new account from a different browser or incognito mode - Open the verify email link on the same browser as you've open your session first Describe how what happens differs from what you expected. I would expect that when clicking "Continue with previous account" I would be redirect to Element's homepage however I am now stuck on this page ### Version information - **Platform**: web (in-browser) For the web app: - **Browser**: Firefox 86 - **OS**: macOS - **URL**: app.element.io
1.0
Continue with previous account link not working - ### Description On the registration succesfull screen there is a link "Continue with previous account". When clicked I am not redirected away from that screen. However I can see that something is happening because looking at the logs I can see ``` Restoring session for @example:example.com ... ``` ### Steps to reproduce - Open a session on app.element.io - Create a new account from a different browser or incognito mode - Open the verify email link on the same browser as you've open your session first Describe how what happens differs from what you expected. I would expect that when clicking "Continue with previous account" I would be redirect to Element's homepage however I am now stuck on this page ### Version information - **Platform**: web (in-browser) For the web app: - **Browser**: Firefox 86 - **OS**: macOS - **URL**: app.element.io
defect
continue with previous account link not working description on the registration succesfull screen there is a link continue with previous account when clicked i am not redirected away from that screen however i can see that something is happening because looking at the logs i can see restoring session for example example com steps to reproduce open a session on app element io create a new account from a different browser or incognito mode open the verify email link on the same browser as you ve open your session first describe how what happens differs from what you expected i would expect that when clicking continue with previous account i would be redirect to element s homepage however i am now stuck on this page version information platform web in browser for the web app browser firefox os macos url app element io
1
48,884
13,184,766,452
IssuesEvent
2020-08-12 20:03:18
icecube-trac/tix3
https://api.github.com/repos/icecube-trac/tix3
opened
Problem with BadDomList project and I3SPRNGRandomServiceFactory (Trac #381)
Incomplete Migration Migrated from Trac combo simulation defect
<details> <summary>_Migrated from https://code.icecube.wisc.edu/ticket/381 , reported by schoenen and owned by olivas_</summary> <p> ```json { "status": "closed", "changetime": "2014-11-22T22:52:41", "description": "Hi Alex,\nWe used the new icesim release V03-01-00 and got an error:\n*** glibc detected *** python: free(): invalid pointer: 0x0000000018f02388 ***\n\nIf we use the RC it works. You can reproduce the error if you run the script and comment out everything except of: 'from icecube.BadDomList import bad_dom_list_static' and the random service.\n\nour e-mail-addresses are:\nschoenen@pysik.rwth-aachen.de\nzierke@physik.rwth-aachen.de", "reporter": "schoenen", "cc": "schoenen@physik.rwth-aachen.de", "resolution": "wontfix", "_ts": "1416696761297021", "component": "combo simulation", "summary": "Problem with BadDomList project and I3SPRNGRandomServiceFactory", "priority": "normal", "keywords": "", "time": "2012-03-15T15:28:00", "milestone": "", "owner": "olivas", "type": "defect" } ``` </p> </details>
1.0
Problem with BadDomList project and I3SPRNGRandomServiceFactory (Trac #381) - <details> <summary>_Migrated from https://code.icecube.wisc.edu/ticket/381 , reported by schoenen and owned by olivas_</summary> <p> ```json { "status": "closed", "changetime": "2014-11-22T22:52:41", "description": "Hi Alex,\nWe used the new icesim release V03-01-00 and got an error:\n*** glibc detected *** python: free(): invalid pointer: 0x0000000018f02388 ***\n\nIf we use the RC it works. You can reproduce the error if you run the script and comment out everything except of: 'from icecube.BadDomList import bad_dom_list_static' and the random service.\n\nour e-mail-addresses are:\nschoenen@pysik.rwth-aachen.de\nzierke@physik.rwth-aachen.de", "reporter": "schoenen", "cc": "schoenen@physik.rwth-aachen.de", "resolution": "wontfix", "_ts": "1416696761297021", "component": "combo simulation", "summary": "Problem with BadDomList project and I3SPRNGRandomServiceFactory", "priority": "normal", "keywords": "", "time": "2012-03-15T15:28:00", "milestone": "", "owner": "olivas", "type": "defect" } ``` </p> </details>
defect
problem with baddomlist project and trac migrated from reported by schoenen and owned by olivas json status closed changetime description hi alex nwe used the new icesim release and got an error n glibc detected python free invalid pointer n nif we use the rc it works you can reproduce the error if you run the script and comment out everything except of from icecube baddomlist import bad dom list static and the random service n nour e mail addresses are nschoenen pysik rwth aachen de nzierke physik rwth aachen de reporter schoenen cc schoenen physik rwth aachen de resolution wontfix ts component combo simulation summary problem with baddomlist project and priority normal keywords time milestone owner olivas type defect
1
223,402
7,453,448,024
IssuesEvent
2018-03-29 12:01:27
Gapminder/ddf-validation
https://api.github.com/repos/Gapminder/ddf-validation
closed
refactor
effort2: hard (day) priority1: urgent type: enhancement type: feature
following issues should be resolved: 1. ability to abandon validation process from API 2. add new information field: "how to fix"
1.0
refactor - following issues should be resolved: 1. ability to abandon validation process from API 2. add new information field: "how to fix"
non_defect
refactor following issues should be resolved ability to abandon validation process from api add new information field how to fix
0
44,406
12,137,324,270
IssuesEvent
2020-04-23 15:34:25
department-of-veterans-affairs/va.gov-cms
https://api.github.com/repos/department-of-veterans-affairs/va.gov-cms
opened
Site alert placement broken
Critical defect
**Describe the defect** Something happened yesterday where the site alert is now appearing at the top of the page and is not functioning as it should. **To Reproduce** Steps to reproduce the behavior: 1. Go to '...' 2. Click on '....' 3. Scroll down to '....' 4. See error **Expected behavior** A clear and concise description of what you expected to happen. **Screenshots** If applicable, add screenshots to help explain your problem. **Desktop (please complete the following information if relevant, or delete):** - OS: [e.g. iOS] - Browser [e.g. chrome, safari] - Version [e.g. 22] **Additional context** Add any other context about the problem here. ## Labels - [/] Issue type (red) (defaults to "Defect") - [ ] CMS subsystem (green) - [ ] CMS practice area (blue) - [/] CMS objective (orange) (not needed for bug tickets) - [ ] CMS-supported product (black)
1.0
Site alert placement broken - **Describe the defect** Something happened yesterday where the site alert is now appearing at the top of the page and is not functioning as it should. **To Reproduce** Steps to reproduce the behavior: 1. Go to '...' 2. Click on '....' 3. Scroll down to '....' 4. See error **Expected behavior** A clear and concise description of what you expected to happen. **Screenshots** If applicable, add screenshots to help explain your problem. **Desktop (please complete the following information if relevant, or delete):** - OS: [e.g. iOS] - Browser [e.g. chrome, safari] - Version [e.g. 22] **Additional context** Add any other context about the problem here. ## Labels - [/] Issue type (red) (defaults to "Defect") - [ ] CMS subsystem (green) - [ ] CMS practice area (blue) - [/] CMS objective (orange) (not needed for bug tickets) - [ ] CMS-supported product (black)
defect
site alert placement broken describe the defect something happened yesterday where the site alert is now appearing at the top of the page and is not functioning as it should to reproduce steps to reproduce the behavior go to click on scroll down to see error expected behavior a clear and concise description of what you expected to happen screenshots if applicable add screenshots to help explain your problem desktop please complete the following information if relevant or delete os browser version additional context add any other context about the problem here labels issue type red defaults to defect cms subsystem green cms practice area blue cms objective orange not needed for bug tickets cms supported product black
1
68,829
21,918,440,171
IssuesEvent
2022-05-22 07:27:50
vector-im/element-android
https://api.github.com/repos/vector-im/element-android
closed
Hangs on start after starting Trime input method
T-Defect
### Steps to reproduce Trime is https://github.com/osfans/trime. I use it for Chinese input. - Element hangs on start - Reboot system - Element starts without issues - Enable verbose logs - Exit element, click into groups, view settings, start other apps etc. Everything works for now - Leave element - Start Trime (rime input) - Start element, hangs - Exit element. Force stop it - Element hangs ### Outcome #### What did you expect? It doesn't hang #### What happened instead? It hung - Fluffychat works fine, with Trime as input method. - Rebooting always fixed the problem ```js ➜ platform-tools ./adb logcat --pid=`./adb shell pidof -s im.vector.app` --------- beginning of main 05-22 14:04:23.883 16529 16529 E im.vector.app: Not starting debugger since process cannot load the jdwp agent. 05-22 14:04:23.884 16529 16529 D ProcessState: Binder ioctl to enable oneway spam detection failed: Invalid argument 05-22 14:04:23.911 16529 16529 D CompatibilityChangeReporter: Compat change id reported: 171979766; UID 10285; state: ENABLED 05-22 14:04:24.030 16529 16529 V GraphicsEnvironment: ANGLE Developer option for 'im.vector.app' set to: 'default' 05-22 14:04:24.032 16529 16529 V GraphicsEnvironment: ANGLE GameManagerService for im.vector.app: false 05-22 14:04:24.032 16529 16529 V GraphicsEnvironment: Neither updatable production driver nor prerelease driver is supported. 05-22 14:04:24.035 16529 16529 D NetworkSecurityConfig: Using Network Security Config from resource network_security_config debugBuild: false 05-22 14:04:24.039 16529 16529 D NetworkSecurityConfig: Using Network Security Config from resource network_security_config debugBuild: false 05-22 14:04:24.045 16529 16529 I MultiDex: VM with version 2.1.0 has multidex support 05-22 14:04:24.045 16529 16529 I MultiDex: Installing application 05-22 14:04:24.045 16529 16529 I MultiDex: VM has multidex support, MultiDex support library is disabled. 05-22 14:04:24.058 16529 16529 D org.jitsi.meet.sdk.JitsiInitializer: create 05-22 14:04:24.059 16529 16529 D SoLoader: init start 05-22 14:04:24.060 16529 16529 D SoLoader: adding system library source: /vendor/lib64 05-22 14:04:24.060 16529 16529 D SoLoader: adding system library source: /system/lib64 05-22 14:04:24.061 16529 16529 D SoLoader: adding application source: com.facebook.soloader.DirectorySoSource[root = /data/app/~~9FggSySDkyhHkrMUuluyKQ==/im.vector.app-0bbsB4LNDse5XbO-tDmPXA==/lib/arm64 flags = 0] 05-22 14:04:24.063 16529 16529 D SoLoader: adding backup source from : com.facebook.soloader.ApkSoSource[root = /data/data/im.vector.app/lib-main flags = 1] 05-22 14:04:24.063 16529 16529 D SoLoader: Preparing SO source: com.facebook.soloader.DirectorySoSource[root = /system/lib64 flags = 2] 05-22 14:04:24.063 16529 16529 D SoLoader: Preparing SO source: com.facebook.soloader.DirectorySoSource[root = /vendor/lib64 flags = 2] 05-22 14:04:24.064 16529 16529 D SoLoader: Preparing SO source: com.facebook.soloader.DirectorySoSource[root = /data/app/~~9FggSySDkyhHkrMUuluyKQ==/im.vector.app-0bbsB4LNDse5XbO-tDmPXA==/lib/arm64 flags = 0] 05-22 14:04:24.064 16529 16529 D SoLoader: Preparing SO source: com.facebook.soloader.ApkSoSource[root = /data/data/im.vector.app/lib-main flags = 1] 05-22 14:04:24.066 16529 16529 V fb-UnpackingSoSource: locked dso store /data/user/0/im.vector.app/lib-main 05-22 14:04:24.073 16529 16529 I fb-UnpackingSoSource: dso store is up-to-date: /data/user/0/im.vector.app/lib-main 05-22 14:04:24.073 16529 16529 V fb-UnpackingSoSource: releasing dso store lock for /data/user/0/im.vector.app/lib-main 05-22 14:04:24.073 16529 16529 D SoLoader: init finish: 4 SO sources prepared 05-22 14:04:24.073 16529 16529 D SoLoader: init exiting 05-22 14:04:24.886 16529 16588 D CompatibilityChangeReporter: Compat change id reported: 160794467; UID 10285; state: ENABLED 05-22 14:04:25.052 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:25.258 16529 16542 I im.vector.app: Method exceeds compiler instruction limit: 21258 in com.vanniktech.emoji.google.GoogleEmoji[] com.mapbox.mapboxsdk.R$id.get() 05-22 14:04:25.414 16529 16611 I WM-WorkerWrapper: Worker result SUCCESS for Work [ id=83a76146-6e4d-4bdf-85f3-374ef8965568, tags={ org.matrix.android.sdk.internal.worker.MatrixWorkerFactory$CheckFactoryWorker } ] 05-22 14:04:31.540 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.543 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.554 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.555 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.558 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.562 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.563 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.565 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:59.967 16529 16543 I im.vector.app: Background concurrent copying GC freed 145730(7423KB) AllocSpace objects, 58(2064KB) LOS objects, 49% free, 12MB/25MB, paused 197us,53us total 148.767ms 05-22 14:10:45.007 16529 16539 I im.vector.app: Thread[5,tid=16539,WaitingInMainSignalCatcherLoop,Thread*=0xb4000072e1840000,peer=0x148c00b0,"Signal Catcher"]: reacting to signal 3 05-22 14:10:45.007 16529 16539 I im.vector.app: 05-22 14:10:45.149 16529 16539 I im.vector.app: Wrote stack traces to tombstoned 05-22 14:12:23.090 16529 16539 I im.vector.app: Thread[5,tid=16539,WaitingInMainSignalCatcherLoop,Thread*=0xb4000072e1840000,peer=0x148c00b0,"Signal Catcher"]: reacting to signal 3 05-22 14:12:23.090 16529 16539 I im.vector.app: 05-22 14:12:23.166 16529 16539 I im.vector.app: Wrote stack traces to tombstoned ``` ### Your phone model Redme Note 9 (juice/lime) ### Operating system version Android 12, crDroid 8.5 ### Application version and app store 1.4.14 [40104140] from fdroid ### Homeserver matrix.org ### Will you send logs? Yes
1.0
Hangs on start after starting Trime input method - ### Steps to reproduce Trime is https://github.com/osfans/trime. I use it for Chinese input. - Element hangs on start - Reboot system - Element starts without issues - Enable verbose logs - Exit element, click into groups, view settings, start other apps etc. Everything works for now - Leave element - Start Trime (rime input) - Start element, hangs - Exit element. Force stop it - Element hangs ### Outcome #### What did you expect? It doesn't hang #### What happened instead? It hung - Fluffychat works fine, with Trime as input method. - Rebooting always fixed the problem ```js ➜ platform-tools ./adb logcat --pid=`./adb shell pidof -s im.vector.app` --------- beginning of main 05-22 14:04:23.883 16529 16529 E im.vector.app: Not starting debugger since process cannot load the jdwp agent. 05-22 14:04:23.884 16529 16529 D ProcessState: Binder ioctl to enable oneway spam detection failed: Invalid argument 05-22 14:04:23.911 16529 16529 D CompatibilityChangeReporter: Compat change id reported: 171979766; UID 10285; state: ENABLED 05-22 14:04:24.030 16529 16529 V GraphicsEnvironment: ANGLE Developer option for 'im.vector.app' set to: 'default' 05-22 14:04:24.032 16529 16529 V GraphicsEnvironment: ANGLE GameManagerService for im.vector.app: false 05-22 14:04:24.032 16529 16529 V GraphicsEnvironment: Neither updatable production driver nor prerelease driver is supported. 05-22 14:04:24.035 16529 16529 D NetworkSecurityConfig: Using Network Security Config from resource network_security_config debugBuild: false 05-22 14:04:24.039 16529 16529 D NetworkSecurityConfig: Using Network Security Config from resource network_security_config debugBuild: false 05-22 14:04:24.045 16529 16529 I MultiDex: VM with version 2.1.0 has multidex support 05-22 14:04:24.045 16529 16529 I MultiDex: Installing application 05-22 14:04:24.045 16529 16529 I MultiDex: VM has multidex support, MultiDex support library is disabled. 05-22 14:04:24.058 16529 16529 D org.jitsi.meet.sdk.JitsiInitializer: create 05-22 14:04:24.059 16529 16529 D SoLoader: init start 05-22 14:04:24.060 16529 16529 D SoLoader: adding system library source: /vendor/lib64 05-22 14:04:24.060 16529 16529 D SoLoader: adding system library source: /system/lib64 05-22 14:04:24.061 16529 16529 D SoLoader: adding application source: com.facebook.soloader.DirectorySoSource[root = /data/app/~~9FggSySDkyhHkrMUuluyKQ==/im.vector.app-0bbsB4LNDse5XbO-tDmPXA==/lib/arm64 flags = 0] 05-22 14:04:24.063 16529 16529 D SoLoader: adding backup source from : com.facebook.soloader.ApkSoSource[root = /data/data/im.vector.app/lib-main flags = 1] 05-22 14:04:24.063 16529 16529 D SoLoader: Preparing SO source: com.facebook.soloader.DirectorySoSource[root = /system/lib64 flags = 2] 05-22 14:04:24.063 16529 16529 D SoLoader: Preparing SO source: com.facebook.soloader.DirectorySoSource[root = /vendor/lib64 flags = 2] 05-22 14:04:24.064 16529 16529 D SoLoader: Preparing SO source: com.facebook.soloader.DirectorySoSource[root = /data/app/~~9FggSySDkyhHkrMUuluyKQ==/im.vector.app-0bbsB4LNDse5XbO-tDmPXA==/lib/arm64 flags = 0] 05-22 14:04:24.064 16529 16529 D SoLoader: Preparing SO source: com.facebook.soloader.ApkSoSource[root = /data/data/im.vector.app/lib-main flags = 1] 05-22 14:04:24.066 16529 16529 V fb-UnpackingSoSource: locked dso store /data/user/0/im.vector.app/lib-main 05-22 14:04:24.073 16529 16529 I fb-UnpackingSoSource: dso store is up-to-date: /data/user/0/im.vector.app/lib-main 05-22 14:04:24.073 16529 16529 V fb-UnpackingSoSource: releasing dso store lock for /data/user/0/im.vector.app/lib-main 05-22 14:04:24.073 16529 16529 D SoLoader: init finish: 4 SO sources prepared 05-22 14:04:24.073 16529 16529 D SoLoader: init exiting 05-22 14:04:24.886 16529 16588 D CompatibilityChangeReporter: Compat change id reported: 160794467; UID 10285; state: ENABLED 05-22 14:04:25.052 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:25.258 16529 16542 I im.vector.app: Method exceeds compiler instruction limit: 21258 in com.vanniktech.emoji.google.GoogleEmoji[] com.mapbox.mapboxsdk.R$id.get() 05-22 14:04:25.414 16529 16611 I WM-WorkerWrapper: Worker result SUCCESS for Work [ id=83a76146-6e4d-4bdf-85f3-374ef8965568, tags={ org.matrix.android.sdk.internal.worker.MatrixWorkerFactory$CheckFactoryWorker } ] 05-22 14:04:31.540 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.543 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.554 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.555 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.558 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.562 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.563 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:31.565 16529 16529 D CommonSerializeUtils: ## deserializeObject(): success 05-22 14:04:59.967 16529 16543 I im.vector.app: Background concurrent copying GC freed 145730(7423KB) AllocSpace objects, 58(2064KB) LOS objects, 49% free, 12MB/25MB, paused 197us,53us total 148.767ms 05-22 14:10:45.007 16529 16539 I im.vector.app: Thread[5,tid=16539,WaitingInMainSignalCatcherLoop,Thread*=0xb4000072e1840000,peer=0x148c00b0,"Signal Catcher"]: reacting to signal 3 05-22 14:10:45.007 16529 16539 I im.vector.app: 05-22 14:10:45.149 16529 16539 I im.vector.app: Wrote stack traces to tombstoned 05-22 14:12:23.090 16529 16539 I im.vector.app: Thread[5,tid=16539,WaitingInMainSignalCatcherLoop,Thread*=0xb4000072e1840000,peer=0x148c00b0,"Signal Catcher"]: reacting to signal 3 05-22 14:12:23.090 16529 16539 I im.vector.app: 05-22 14:12:23.166 16529 16539 I im.vector.app: Wrote stack traces to tombstoned ``` ### Your phone model Redme Note 9 (juice/lime) ### Operating system version Android 12, crDroid 8.5 ### Application version and app store 1.4.14 [40104140] from fdroid ### Homeserver matrix.org ### Will you send logs? Yes
defect
hangs on start after starting trime input method steps to reproduce trime is i use it for chinese input element hangs on start reboot system element starts without issues enable verbose logs exit element click into groups view settings start other apps etc everything works for now leave element start trime rime input start element hangs exit element force stop it element hangs outcome what did you expect it doesn t hang what happened instead it hung fluffychat works fine with trime as input method rebooting always fixed the problem js ➜ platform tools adb logcat pid adb shell pidof s im vector app beginning of main e im vector app not starting debugger since process cannot load the jdwp agent d processstate binder ioctl to enable oneway spam detection failed invalid argument d compatibilitychangereporter compat change id reported uid state enabled v graphicsenvironment angle developer option for im vector app set to default v graphicsenvironment angle gamemanagerservice for im vector app false v graphicsenvironment neither updatable production driver nor prerelease driver is supported d networksecurityconfig using network security config from resource network security config debugbuild false d networksecurityconfig using network security config from resource network security config debugbuild false i multidex vm with version has multidex support i multidex installing application i multidex vm has multidex support multidex support library is disabled d org jitsi meet sdk jitsiinitializer create d soloader init start d soloader adding system library source vendor d soloader adding system library source system d soloader adding application source com facebook soloader directorysosource d soloader adding backup source from com facebook soloader apksosource d soloader preparing so source com facebook soloader directorysosource d soloader preparing so source com facebook soloader directorysosource d soloader preparing so source com facebook soloader directorysosource d soloader preparing so source com facebook soloader apksosource v fb unpackingsosource locked dso store data user im vector app lib main i fb unpackingsosource dso store is up to date data user im vector app lib main v fb unpackingsosource releasing dso store lock for data user im vector app lib main d soloader init finish so sources prepared d soloader init exiting d compatibilitychangereporter compat change id reported uid state enabled d commonserializeutils deserializeobject success i im vector app method exceeds compiler instruction limit in com vanniktech emoji google googleemoji com mapbox mapboxsdk r id get i wm workerwrapper worker result success for work d commonserializeutils deserializeobject success d commonserializeutils deserializeobject success d commonserializeutils deserializeobject success d commonserializeutils deserializeobject success d commonserializeutils deserializeobject success d commonserializeutils deserializeobject success d commonserializeutils deserializeobject success d commonserializeutils deserializeobject success i im vector app background concurrent copying gc freed allocspace objects los objects free paused total i im vector app thread reacting to signal i im vector app i im vector app wrote stack traces to tombstoned i im vector app thread reacting to signal i im vector app i im vector app wrote stack traces to tombstoned your phone model redme note juice lime operating system version android crdroid application version and app store from fdroid homeserver matrix org will you send logs yes
1
63,206
17,463,093,857
IssuesEvent
2021-08-06 13:19:44
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
opened
Space room directory header text out of sync with list content
T-Defect S-Tolerable A-Spaces A-Space-Settings P-Medium
### Steps to reproduce 1. Go to space settings 2. Add a subspace 3. Remove the created subspace ### What happened? The subspace has been correctly removed, the list below is empty but the list header text is not matching the reality anymore ![Uploading Screen Shot 2021-08-06 at 15.17.29.png…]() ### What did you expect? Moving away from the space settings and coming back displays the correct caption '0 rooms' ### Operating system macOs ### Application version Nightly ### How did you install the app? Homebrew
1.0
Space room directory header text out of sync with list content - ### Steps to reproduce 1. Go to space settings 2. Add a subspace 3. Remove the created subspace ### What happened? The subspace has been correctly removed, the list below is empty but the list header text is not matching the reality anymore ![Uploading Screen Shot 2021-08-06 at 15.17.29.png…]() ### What did you expect? Moving away from the space settings and coming back displays the correct caption '0 rooms' ### Operating system macOs ### Application version Nightly ### How did you install the app? Homebrew
defect
space room directory header text out of sync with list content steps to reproduce go to space settings add a subspace remove the created subspace what happened the subspace has been correctly removed the list below is empty but the list header text is not matching the reality anymore what did you expect moving away from the space settings and coming back displays the correct caption rooms operating system macos application version nightly how did you install the app homebrew
1
25,583
4,403,445,861
IssuesEvent
2016-08-11 07:57:08
r89m/tinyurl-generator
https://api.github.com/repos/r89m/tinyurl-generator
closed
Version 2.6.1 plugin from Firefox seems to be broken
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. Use Firefox to update to latest version 2.6.1 2. Right click on link 3. Choose "Create TinyURL for this Link" 4. Wait a couple of seconds while the status icon spins 5. Status icon changes to yellow warning triangle 6. Mouse over the triangle. 7. Tool-tip says: "An error occurred while retrieving your TinyURL. Please try again." What is the expected output? What do you see instead? I expected to get the tinyurl copied to the clipboard. Instead, no url was copied to the clipboard. What version of the product are you using? On what operating system? Tested using Iceweasel (Firefox rebranded) on Linux (Debian squeeze). Running a full update on Debian and ensuring I have the most up to date version of Iceweasel has not fixed the problem. ``` Original issue reported on code.google.com by `st...@pearwood.info` on 18 Nov 2012 at 5:34
1.0
Version 2.6.1 plugin from Firefox seems to be broken - ``` What steps will reproduce the problem? 1. Use Firefox to update to latest version 2.6.1 2. Right click on link 3. Choose "Create TinyURL for this Link" 4. Wait a couple of seconds while the status icon spins 5. Status icon changes to yellow warning triangle 6. Mouse over the triangle. 7. Tool-tip says: "An error occurred while retrieving your TinyURL. Please try again." What is the expected output? What do you see instead? I expected to get the tinyurl copied to the clipboard. Instead, no url was copied to the clipboard. What version of the product are you using? On what operating system? Tested using Iceweasel (Firefox rebranded) on Linux (Debian squeeze). Running a full update on Debian and ensuring I have the most up to date version of Iceweasel has not fixed the problem. ``` Original issue reported on code.google.com by `st...@pearwood.info` on 18 Nov 2012 at 5:34
defect
version plugin from firefox seems to be broken what steps will reproduce the problem use firefox to update to latest version right click on link choose create tinyurl for this link wait a couple of seconds while the status icon spins status icon changes to yellow warning triangle mouse over the triangle tool tip says an error occurred while retrieving your tinyurl please try again what is the expected output what do you see instead i expected to get the tinyurl copied to the clipboard instead no url was copied to the clipboard what version of the product are you using on what operating system tested using iceweasel firefox rebranded on linux debian squeeze running a full update on debian and ensuring i have the most up to date version of iceweasel has not fixed the problem original issue reported on code google com by st pearwood info on nov at
1
120,689
4,792,863,955
IssuesEvent
2016-10-31 16:36:53
TheScienceMuseum/collectionsonline
https://api.github.com/repos/TheScienceMuseum/collectionsonline
closed
Odd results based on date search
bug investigate priority-4
Searches on the date field (e.g. 1844 as below) throws back irrelevant results: /search?date[from]=1844&date[to]=1844 Those results are not related to 1844. Is this just not working or confused by the multiple date field?
1.0
Odd results based on date search - Searches on the date field (e.g. 1844 as below) throws back irrelevant results: /search?date[from]=1844&date[to]=1844 Those results are not related to 1844. Is this just not working or confused by the multiple date field?
non_defect
odd results based on date search searches on the date field e g as below throws back irrelevant results search date date those results are not related to is this just not working or confused by the multiple date field
0
32,676
15,574,969,502
IssuesEvent
2021-03-17 10:29:13
playcanvas/engine
https://api.github.com/repos/playcanvas/engine
opened
Implement async read back of textures for WebGl2
area: graphics enhancement performance
This would avoid main thread being blocked waiting for GPU to finish rendering and transfer back the texture. https://forum.babylonjs.com/t/speeding-up-readpixels/12739 Supported browsers: https://developer.mozilla.org/en-US/docs/Web/API/WebGL2RenderingContext/fenceSync
True
Implement async read back of textures for WebGl2 - This would avoid main thread being blocked waiting for GPU to finish rendering and transfer back the texture. https://forum.babylonjs.com/t/speeding-up-readpixels/12739 Supported browsers: https://developer.mozilla.org/en-US/docs/Web/API/WebGL2RenderingContext/fenceSync
non_defect
implement async read back of textures for this would avoid main thread being blocked waiting for gpu to finish rendering and transfer back the texture supported browsers
0
76,224
26,321,894,945
IssuesEvent
2023-01-10 00:54:01
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
"Unexpected error resolving homeserver configuration" on freshly installed build (including nightly build)
T-Defect X-Needs-Info S-Critical A-Electron O-Uncommon
### Steps to reproduce 1. I just finished installing Element, then ran it. 2. Then I see the following: ![image](https://user-images.githubusercontent.com/59867573/209484587-6220e24c-12c4-478b-bc13-95be0ab78c5c.png) Note that I couldn't locate any logs except for `SquirrelSetup.log`, and there were no helpful contents in the only log I could find. ``` 2022-12-26 08:23:35> Program: Starting Squirrel Updater: --checkForUpdate https://packages.element.io/desktop/update/win32/x64/ 2022-12-26 08:23:35> Program: Fetching update information, downloading from https://packages.element.io/desktop/update/win32/x64/ 2022-12-26 08:23:35> CheckForUpdateImpl: Using existing staging user ID: 9fbb7fad-a0c4-5432-802a-7b2373bd9f6d 2022-12-26 08:23:35> CheckForUpdateImpl: Downloading RELEASES file from https://packages.element.io/desktop/update/win32/x64 2022-12-26 08:23:35> FileDownloader: Downloading url: https://packages.element.io/desktop/update/win32/x64/RELEASES?id=element-desktop&localVersion=1.11.17&arch=amd64 ``` ### Outcome #### What did you expect? Maybe some input fields to log in? To register? Anything that is functional. #### What happened instead? I can't access any of the features. I just see this error screen and I cannot do anything. #### What I tried so far - Re-installing Element - Restarting my PC - Searching for the same issue (I could find none) - Find any logs and look into other accessible directories under `%APPDATA%\Local\element-desktop\` to find anything useful ### Operating system Windows 10 (x64) ### Application version Cannot find version, I have the "app-1.11.17" directory instead. ### How did you install the app? https://packages.riot.im/desktop/install/win32/x64/Element%20Setup.exe ### Homeserver None. I couldn't log in. ### Will you send logs? No
1.0
"Unexpected error resolving homeserver configuration" on freshly installed build (including nightly build) - ### Steps to reproduce 1. I just finished installing Element, then ran it. 2. Then I see the following: ![image](https://user-images.githubusercontent.com/59867573/209484587-6220e24c-12c4-478b-bc13-95be0ab78c5c.png) Note that I couldn't locate any logs except for `SquirrelSetup.log`, and there were no helpful contents in the only log I could find. ``` 2022-12-26 08:23:35> Program: Starting Squirrel Updater: --checkForUpdate https://packages.element.io/desktop/update/win32/x64/ 2022-12-26 08:23:35> Program: Fetching update information, downloading from https://packages.element.io/desktop/update/win32/x64/ 2022-12-26 08:23:35> CheckForUpdateImpl: Using existing staging user ID: 9fbb7fad-a0c4-5432-802a-7b2373bd9f6d 2022-12-26 08:23:35> CheckForUpdateImpl: Downloading RELEASES file from https://packages.element.io/desktop/update/win32/x64 2022-12-26 08:23:35> FileDownloader: Downloading url: https://packages.element.io/desktop/update/win32/x64/RELEASES?id=element-desktop&localVersion=1.11.17&arch=amd64 ``` ### Outcome #### What did you expect? Maybe some input fields to log in? To register? Anything that is functional. #### What happened instead? I can't access any of the features. I just see this error screen and I cannot do anything. #### What I tried so far - Re-installing Element - Restarting my PC - Searching for the same issue (I could find none) - Find any logs and look into other accessible directories under `%APPDATA%\Local\element-desktop\` to find anything useful ### Operating system Windows 10 (x64) ### Application version Cannot find version, I have the "app-1.11.17" directory instead. ### How did you install the app? https://packages.riot.im/desktop/install/win32/x64/Element%20Setup.exe ### Homeserver None. I couldn't log in. ### Will you send logs? No
defect
unexpected error resolving homeserver configuration on freshly installed build including nightly build steps to reproduce i just finished installing element then ran it then i see the following note that i couldn t locate any logs except for squirrelsetup log and there were no helpful contents in the only log i could find program starting squirrel updater checkforupdate program fetching update information downloading from checkforupdateimpl using existing staging user id checkforupdateimpl downloading releases file from filedownloader downloading url outcome what did you expect maybe some input fields to log in to register anything that is functional what happened instead i can t access any of the features i just see this error screen and i cannot do anything what i tried so far re installing element restarting my pc searching for the same issue i could find none find any logs and look into other accessible directories under appdata local element desktop to find anything useful operating system windows application version cannot find version i have the app directory instead how did you install the app homeserver none i couldn t log in will you send logs no
1