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
135,309
19,555,747,400
IssuesEvent
2022-01-03 09:13:21
psf/black
https://api.github.com/repos/psf/black
opened
Normalise "R" string prefix to lower case
T: design F: strings / docstrings
**Describe the style change** I'd like to normalise raw strings with a capital R, like `R"flowers"` to lower case: `r"flowers"`. **Additional context** Currently our [reasoning](https://black.readthedocs.io/en/stable/the_black_code_style/current_style.html#r-strings-and-r-strings) for keeping "R" is that a syntax highlighter called [MagicPython](https://github.com/MagicStack/MagicPython/) differentiates between the two. And because it is the default in GitHub and VS Code, we should be careful about changing it. Currently though, I think Pygments is the standard syntax highlighter. I don't know much about MagicPython, but it hasn't been updated since 2020. 1.3k GH stars is a lot, yes, but all of these signs show to me that maybe we shouldn't make an exception here anymore.
1.0
Normalise "R" string prefix to lower case - **Describe the style change** I'd like to normalise raw strings with a capital R, like `R"flowers"` to lower case: `r"flowers"`. **Additional context** Currently our [reasoning](https://black.readthedocs.io/en/stable/the_black_code_style/current_style.html#r-strings-and-r-strings) for keeping "R" is that a syntax highlighter called [MagicPython](https://github.com/MagicStack/MagicPython/) differentiates between the two. And because it is the default in GitHub and VS Code, we should be careful about changing it. Currently though, I think Pygments is the standard syntax highlighter. I don't know much about MagicPython, but it hasn't been updated since 2020. 1.3k GH stars is a lot, yes, but all of these signs show to me that maybe we shouldn't make an exception here anymore.
non_defect
normalise r string prefix to lower case describe the style change i d like to normalise raw strings with a capital r like r flowers to lower case r flowers additional context currently our for keeping r is that a syntax highlighter called differentiates between the two and because it is the default in github and vs code we should be careful about changing it currently though i think pygments is the standard syntax highlighter i don t know much about magicpython but it hasn t been updated since gh stars is a lot yes but all of these signs show to me that maybe we shouldn t make an exception here anymore
0
25,905
4,500,710,101
IssuesEvent
2016-09-01 06:27:34
netty/netty
https://api.github.com/repos/netty/netty
closed
Netty DNS Answer Section not correctly decoded
defect
I am working on a DNS-Client with netty. To test it, I wrote a simple DNS-Server with netty, that returns DnsRecords which I am expecting. Here is my client code: ```java final NioEventLoopGroup nioEventLoopGroup = new NioEventLoopGroup(); final EventLoop next = nioEventLoopGroup.next(); final DnsNameResolverBuilder dnsNameResolverBuilder = new DnsNameResolverBuilder(next).channelFactory(new ChannelFactory<DatagramChannel>() { @Override public DatagramChannel newChannel() { return new NioDatagramChannel(); } }).queryTimeoutMillis(100000).nameServerAddresses(new DnsServerAddresses() { @Override public DnsServerAddressStream stream() { return new DnsServerAddressStream() { @Override public InetSocketAddress next() { return new InetSocketAddress("127.0.0.1", TEST_DNS_SD_SERVER_PORT); } }; } }); final DnsNameResolver build = dnsNameResolverBuilder.build(); final DefaultDnsQuestion defaultDnsQuestion = new DefaultDnsQuestion(TEST_BASE_RECORD_NAME, DnsRecordType.PTR); build.query(defaultDnsQuestion).addListener(new GenericFutureListener<Future<? super AddressedEnvelope<DnsResponse, InetSocketAddress>>>() { @Override public void operationComplete(final Future<? super AddressedEnvelope<DnsResponse, InetSocketAddress>> future) throws Exception { final AddressedEnvelope<DnsResponse, InetSocketAddress> answer = (AddressedEnvelope<DnsResponse, InetSocketAddress>) future.get(); final DnsResponse content = answer.content(); final int count = content.count(DnsSection.ANSWER); for (int i = 0; i < count; i++) { final DnsRecord recordAt = content.recordAt(DnsSection.ANSWER, i); System.out.println(recordAt); } } }).await(); Thread.sleep(Long.MAX_VALUE); ``` ```TEST_BASE_RECORD_NAME``` is a record containing 3 DnsPtrRecords in the answer section. Behind the ```TEST_DNS_SD_SERVER_PORT``` I am running a DNS-Server in a seperate thread, that handles requests in the following way: (Part of LocalDNSSDHandler:) ```java public void channelRead(final ChannelHandlerContext ctx, final Object msg) { final DatagramDnsQuery query = (DatagramDnsQuery) msg; DatagramDnsResponse defaultDnsResponse = null; try { final DnsRecord recordAt = query.recordAt(DnsSection.QUESTION); final Name name = Name.fromString(recordAt.name(), Name.root); final DnsEntryKey dnsEntryKey = new DnsEntryKey(name, recordAt.type().intValue()); final List<Record> list = LocalTestServer.this.getDnsEntries().get(dnsEntryKey); defaultDnsResponse = new DatagramDnsResponse(query.recipient(), query.sender(), query.id()); defaultDnsResponse.addRecord(DnsSection.QUESTION, recordAt); for (final Record record : list) { final ByteBuf buffer = ctx.alloc().buffer(); buffer.writeBytes(record.toWireCanonical()); defaultDnsResponse.addRecord(DnsSection.ANSWER, new DefaultDnsRawRecord(record.getName().toString(), this.fromRecord(record), Long.MAX_VALUE, buffer)); } } catch (final Exception e) { } ctx.writeAndFlush(defaultDnsResponse); } ``` The Server definies following ChannelHandler: ```java public void initChannel(final DatagramChannel ch) throws Exception { ch.pipeline().addLast(new DatagramDnsResponseEncoder()); ch.pipeline().addLast(new DatagramDnsQueryDecoder()); ch.pipeline().addLast(new LocalDNSSDHandler()); } ``` What I am expecting in the client is to see 3 System.out.println for the 3 DnsPtrRecords I am expecting. But what I get is only 1. When I debug it, I can see, that encoding/decoding on Server-side works fine. But when the Client decodes the correspondending ByteBuf (which contains the Data I am expecting), it simply returns only 1 Record and skips the other 2 at this point in code: (DatagramDnsResponseDecoder) ```java @Override protected void decode(ChannelHandlerContext ctx, DatagramPacket packet, List<Object> out) throws Exception { final ByteBuf buf = packet.content(); final DnsResponse response = newResponse(packet, buf); boolean success = false; try { final int questionCount = buf.readUnsignedShort(); final int answerCount = buf.readUnsignedShort(); final int authorityRecordCount = buf.readUnsignedShort(); final int additionalRecordCount = buf.readUnsignedShort(); decodeQuestions(response, buf, questionCount); decodeRecords(response, DnsSection.ANSWER, buf, answerCount); decodeRecords(response, DnsSection.AUTHORITY, buf, authorityRecordCount); decodeRecords(response, DnsSection.ADDITIONAL, buf, additionalRecordCount); ...//source code of netty 4.1, trimmed ``` The ```answerCount``` is 3 as I am expecting. But when ```decodeRecords(response, DnsSection.ANSWER, buf, answerCount);``` is called, it will call (DefaultDnsRecordDecoder) ```java protected DnsRecord decodeRecord( String name, DnsRecordType type, int dnsClass, long timeToLive, ByteBuf in, int offset, int length) throws Exception { if (type == DnsRecordType.PTR) { in.setIndex(offset, offset + length); return new DefaultDnsPtrRecord(name, dnsClass, timeToLive, decodeName0(in)); } return new DefaultDnsRawRecord( name, type, dnsClass, timeToLive, in.retainedDuplicate().setIndex(offset, offset + length)); } ``` I don't understand the ```in.setIndex(offset, offset + length);``` since this sets the read AND write Index of the ByteBuf (in), and this will skip the other DnsRecords in the Answer section and makes it returing only one DnsRecord. I am using Netty 4.1.4.Final
1.0
Netty DNS Answer Section not correctly decoded - I am working on a DNS-Client with netty. To test it, I wrote a simple DNS-Server with netty, that returns DnsRecords which I am expecting. Here is my client code: ```java final NioEventLoopGroup nioEventLoopGroup = new NioEventLoopGroup(); final EventLoop next = nioEventLoopGroup.next(); final DnsNameResolverBuilder dnsNameResolverBuilder = new DnsNameResolverBuilder(next).channelFactory(new ChannelFactory<DatagramChannel>() { @Override public DatagramChannel newChannel() { return new NioDatagramChannel(); } }).queryTimeoutMillis(100000).nameServerAddresses(new DnsServerAddresses() { @Override public DnsServerAddressStream stream() { return new DnsServerAddressStream() { @Override public InetSocketAddress next() { return new InetSocketAddress("127.0.0.1", TEST_DNS_SD_SERVER_PORT); } }; } }); final DnsNameResolver build = dnsNameResolverBuilder.build(); final DefaultDnsQuestion defaultDnsQuestion = new DefaultDnsQuestion(TEST_BASE_RECORD_NAME, DnsRecordType.PTR); build.query(defaultDnsQuestion).addListener(new GenericFutureListener<Future<? super AddressedEnvelope<DnsResponse, InetSocketAddress>>>() { @Override public void operationComplete(final Future<? super AddressedEnvelope<DnsResponse, InetSocketAddress>> future) throws Exception { final AddressedEnvelope<DnsResponse, InetSocketAddress> answer = (AddressedEnvelope<DnsResponse, InetSocketAddress>) future.get(); final DnsResponse content = answer.content(); final int count = content.count(DnsSection.ANSWER); for (int i = 0; i < count; i++) { final DnsRecord recordAt = content.recordAt(DnsSection.ANSWER, i); System.out.println(recordAt); } } }).await(); Thread.sleep(Long.MAX_VALUE); ``` ```TEST_BASE_RECORD_NAME``` is a record containing 3 DnsPtrRecords in the answer section. Behind the ```TEST_DNS_SD_SERVER_PORT``` I am running a DNS-Server in a seperate thread, that handles requests in the following way: (Part of LocalDNSSDHandler:) ```java public void channelRead(final ChannelHandlerContext ctx, final Object msg) { final DatagramDnsQuery query = (DatagramDnsQuery) msg; DatagramDnsResponse defaultDnsResponse = null; try { final DnsRecord recordAt = query.recordAt(DnsSection.QUESTION); final Name name = Name.fromString(recordAt.name(), Name.root); final DnsEntryKey dnsEntryKey = new DnsEntryKey(name, recordAt.type().intValue()); final List<Record> list = LocalTestServer.this.getDnsEntries().get(dnsEntryKey); defaultDnsResponse = new DatagramDnsResponse(query.recipient(), query.sender(), query.id()); defaultDnsResponse.addRecord(DnsSection.QUESTION, recordAt); for (final Record record : list) { final ByteBuf buffer = ctx.alloc().buffer(); buffer.writeBytes(record.toWireCanonical()); defaultDnsResponse.addRecord(DnsSection.ANSWER, new DefaultDnsRawRecord(record.getName().toString(), this.fromRecord(record), Long.MAX_VALUE, buffer)); } } catch (final Exception e) { } ctx.writeAndFlush(defaultDnsResponse); } ``` The Server definies following ChannelHandler: ```java public void initChannel(final DatagramChannel ch) throws Exception { ch.pipeline().addLast(new DatagramDnsResponseEncoder()); ch.pipeline().addLast(new DatagramDnsQueryDecoder()); ch.pipeline().addLast(new LocalDNSSDHandler()); } ``` What I am expecting in the client is to see 3 System.out.println for the 3 DnsPtrRecords I am expecting. But what I get is only 1. When I debug it, I can see, that encoding/decoding on Server-side works fine. But when the Client decodes the correspondending ByteBuf (which contains the Data I am expecting), it simply returns only 1 Record and skips the other 2 at this point in code: (DatagramDnsResponseDecoder) ```java @Override protected void decode(ChannelHandlerContext ctx, DatagramPacket packet, List<Object> out) throws Exception { final ByteBuf buf = packet.content(); final DnsResponse response = newResponse(packet, buf); boolean success = false; try { final int questionCount = buf.readUnsignedShort(); final int answerCount = buf.readUnsignedShort(); final int authorityRecordCount = buf.readUnsignedShort(); final int additionalRecordCount = buf.readUnsignedShort(); decodeQuestions(response, buf, questionCount); decodeRecords(response, DnsSection.ANSWER, buf, answerCount); decodeRecords(response, DnsSection.AUTHORITY, buf, authorityRecordCount); decodeRecords(response, DnsSection.ADDITIONAL, buf, additionalRecordCount); ...//source code of netty 4.1, trimmed ``` The ```answerCount``` is 3 as I am expecting. But when ```decodeRecords(response, DnsSection.ANSWER, buf, answerCount);``` is called, it will call (DefaultDnsRecordDecoder) ```java protected DnsRecord decodeRecord( String name, DnsRecordType type, int dnsClass, long timeToLive, ByteBuf in, int offset, int length) throws Exception { if (type == DnsRecordType.PTR) { in.setIndex(offset, offset + length); return new DefaultDnsPtrRecord(name, dnsClass, timeToLive, decodeName0(in)); } return new DefaultDnsRawRecord( name, type, dnsClass, timeToLive, in.retainedDuplicate().setIndex(offset, offset + length)); } ``` I don't understand the ```in.setIndex(offset, offset + length);``` since this sets the read AND write Index of the ByteBuf (in), and this will skip the other DnsRecords in the Answer section and makes it returing only one DnsRecord. I am using Netty 4.1.4.Final
defect
netty dns answer section not correctly decoded i am working on a dns client with netty to test it i wrote a simple dns server with netty that returns dnsrecords which i am expecting here is my client code java final nioeventloopgroup nioeventloopgroup new nioeventloopgroup final eventloop next nioeventloopgroup next final dnsnameresolverbuilder dnsnameresolverbuilder new dnsnameresolverbuilder next channelfactory new channelfactory override public datagramchannel newchannel return new niodatagramchannel querytimeoutmillis nameserveraddresses new dnsserveraddresses override public dnsserveraddressstream stream return new dnsserveraddressstream override public inetsocketaddress next return new inetsocketaddress test dns sd server port final dnsnameresolver build dnsnameresolverbuilder build final defaultdnsquestion defaultdnsquestion new defaultdnsquestion test base record name dnsrecordtype ptr build query defaultdnsquestion addlistener new genericfuturelistener override public void operationcomplete final future future throws exception final addressedenvelope answer addressedenvelope future get final dnsresponse content answer content final int count content count dnssection answer for int i i count i final dnsrecord recordat content recordat dnssection answer i system out println recordat await thread sleep long max value test base record name is a record containing dnsptrrecords in the answer section behind the test dns sd server port i am running a dns server in a seperate thread that handles requests in the following way part of localdnssdhandler java public void channelread final channelhandlercontext ctx final object msg final datagramdnsquery query datagramdnsquery msg datagramdnsresponse defaultdnsresponse null try final dnsrecord recordat query recordat dnssection question final name name name fromstring recordat name name root final dnsentrykey dnsentrykey new dnsentrykey name recordat type intvalue final list list localtestserver this getdnsentries get dnsentrykey defaultdnsresponse new datagramdnsresponse query recipient query sender query id defaultdnsresponse addrecord dnssection question recordat for final record record list final bytebuf buffer ctx alloc buffer buffer writebytes record towirecanonical defaultdnsresponse addrecord dnssection answer new defaultdnsrawrecord record getname tostring this fromrecord record long max value buffer catch final exception e ctx writeandflush defaultdnsresponse the server definies following channelhandler java public void initchannel final datagramchannel ch throws exception ch pipeline addlast new datagramdnsresponseencoder ch pipeline addlast new datagramdnsquerydecoder ch pipeline addlast new localdnssdhandler what i am expecting in the client is to see system out println for the dnsptrrecords i am expecting but what i get is only when i debug it i can see that encoding decoding on server side works fine but when the client decodes the correspondending bytebuf which contains the data i am expecting it simply returns only record and skips the other at this point in code datagramdnsresponsedecoder java override protected void decode channelhandlercontext ctx datagrampacket packet list out throws exception final bytebuf buf packet content final dnsresponse response newresponse packet buf boolean success false try final int questioncount buf readunsignedshort final int answercount buf readunsignedshort final int authorityrecordcount buf readunsignedshort final int additionalrecordcount buf readunsignedshort decodequestions response buf questioncount decoderecords response dnssection answer buf answercount decoderecords response dnssection authority buf authorityrecordcount decoderecords response dnssection additional buf additionalrecordcount source code of netty trimmed the answercount is as i am expecting but when decoderecords response dnssection answer buf answercount is called it will call defaultdnsrecorddecoder java protected dnsrecord decoderecord string name dnsrecordtype type int dnsclass long timetolive bytebuf in int offset int length throws exception if type dnsrecordtype ptr in setindex offset offset length return new defaultdnsptrrecord name dnsclass timetolive in return new defaultdnsrawrecord name type dnsclass timetolive in retainedduplicate setindex offset offset length i don t understand the in setindex offset offset length since this sets the read and write index of the bytebuf in and this will skip the other dnsrecords in the answer section and makes it returing only one dnsrecord i am using netty final
1
123,880
10,291,661,599
IssuesEvent
2019-08-27 12:59:00
cockroachdb/cockroach
https://api.github.com/repos/cockroachdb/cockroach
closed
teamcity: failed test: _fk_unreferenced_skipped_direct=false
C-test-failure O-robot
The following tests appear to have failed on master (testrace): _fk_unreferenced_skipped_direct=false You may want to check [for open issues](https://github.com/cockroachdb/cockroach/issues?q=is%3Aissue+is%3Aopen+_fk_unreferenced_skipped_direct=false). [#1451891](https://teamcity.cockroachdb.com/viewLog.html?buildId=1451891): ``` _fk_unreferenced_skipped_direct=false --- FAIL: testrace/TestImportData/TABLE_weather_FROM_PGDUMP:_fk_unreferenced_skipped_direct=false (0.000s) Test ended in panic. ------- Stdout: ------- I190823 20:59:56.408664 824 sql/event_log.go:130 [n1,client=127.0.0.1:60538,user=root] Event: "create_database", target: 138, info: {DatabaseName:d43 Statement:CREATE DATABASE d43 User:root} I190823 20:59:56.688212 23262 storage/replica_command.go:284 [n1,s1,r110/1:/{Table/136/1-Max}] initiating a split of this range at key /Table/139/1 [r114] (manual) I190823 20:59:56.707161 23261 ccl/importccl/read_import_proc.go:83 [n1,import-distsql-ingest] could not fetch file size; falling back to per-file progress: bad ContentLength: -1 W190823 20:59:56.830985 23262 storage/engine/rocksdb.go:116 [rocksdb] [db/version_set.cc:3086] More existing levels in DB than needed. max_bytes_for_level_multiplier may not be guaranteed. W190823 20:59:56.850754 144 storage/engine/rocksdb.go:116 [rocksdb] [db/version_set.cc:3086] More existing levels in DB than needed. max_bytes_for_level_multiplier may not be guaranteed. W190823 20:59:56.851229 144 storage/engine/rocksdb.go:116 [rocksdb] [db/version_set.cc:3086] More existing levels in DB than needed. max_bytes_for_level_multiplier may not be guaranteed. I190823 20:59:57.100510 23354 storage/replica_command.go:284 [n1,split,s1,r110/1:/Table/13{6/1-9/1}] initiating a split of this range at key /Table/139 [r115] (zone config) I190823 20:59:57.254094 824 sql/sqlbase/structured.go:1511 [n1,client=127.0.0.1:60538,user=root] publish: descID=139 (weather) version=3 mtime=2019-08-23 20:59:56.980777768 +0000 UTC I190823 20:59:57.319906 824 sql/event_log.go:130 [n1,client=127.0.0.1:60538,user=root] Event: "drop_database", target: 138, info: {DatabaseName:d43 Statement:DROP DATABASE d43 User:root DroppedSchemaObjects:[d43.public.weather]} I190823 20:59:57.343223 824 sql/sqlbase/structured.go:1511 [n1,client=127.0.0.1:60538,user=root,scExec] publish: descID=139 (weather) version=4 mtime=2019-08-23 20:59:57.341827789 +0000 UTC ``` Please assign, take a look and update the issue accordingly.
1.0
teamcity: failed test: _fk_unreferenced_skipped_direct=false - The following tests appear to have failed on master (testrace): _fk_unreferenced_skipped_direct=false You may want to check [for open issues](https://github.com/cockroachdb/cockroach/issues?q=is%3Aissue+is%3Aopen+_fk_unreferenced_skipped_direct=false). [#1451891](https://teamcity.cockroachdb.com/viewLog.html?buildId=1451891): ``` _fk_unreferenced_skipped_direct=false --- FAIL: testrace/TestImportData/TABLE_weather_FROM_PGDUMP:_fk_unreferenced_skipped_direct=false (0.000s) Test ended in panic. ------- Stdout: ------- I190823 20:59:56.408664 824 sql/event_log.go:130 [n1,client=127.0.0.1:60538,user=root] Event: "create_database", target: 138, info: {DatabaseName:d43 Statement:CREATE DATABASE d43 User:root} I190823 20:59:56.688212 23262 storage/replica_command.go:284 [n1,s1,r110/1:/{Table/136/1-Max}] initiating a split of this range at key /Table/139/1 [r114] (manual) I190823 20:59:56.707161 23261 ccl/importccl/read_import_proc.go:83 [n1,import-distsql-ingest] could not fetch file size; falling back to per-file progress: bad ContentLength: -1 W190823 20:59:56.830985 23262 storage/engine/rocksdb.go:116 [rocksdb] [db/version_set.cc:3086] More existing levels in DB than needed. max_bytes_for_level_multiplier may not be guaranteed. W190823 20:59:56.850754 144 storage/engine/rocksdb.go:116 [rocksdb] [db/version_set.cc:3086] More existing levels in DB than needed. max_bytes_for_level_multiplier may not be guaranteed. W190823 20:59:56.851229 144 storage/engine/rocksdb.go:116 [rocksdb] [db/version_set.cc:3086] More existing levels in DB than needed. max_bytes_for_level_multiplier may not be guaranteed. I190823 20:59:57.100510 23354 storage/replica_command.go:284 [n1,split,s1,r110/1:/Table/13{6/1-9/1}] initiating a split of this range at key /Table/139 [r115] (zone config) I190823 20:59:57.254094 824 sql/sqlbase/structured.go:1511 [n1,client=127.0.0.1:60538,user=root] publish: descID=139 (weather) version=3 mtime=2019-08-23 20:59:56.980777768 +0000 UTC I190823 20:59:57.319906 824 sql/event_log.go:130 [n1,client=127.0.0.1:60538,user=root] Event: "drop_database", target: 138, info: {DatabaseName:d43 Statement:DROP DATABASE d43 User:root DroppedSchemaObjects:[d43.public.weather]} I190823 20:59:57.343223 824 sql/sqlbase/structured.go:1511 [n1,client=127.0.0.1:60538,user=root,scExec] publish: descID=139 (weather) version=4 mtime=2019-08-23 20:59:57.341827789 +0000 UTC ``` Please assign, take a look and update the issue accordingly.
non_defect
teamcity failed test fk unreferenced skipped direct false the following tests appear to have failed on master testrace fk unreferenced skipped direct false you may want to check fk unreferenced skipped direct false fail testrace testimportdata table weather from pgdump fk unreferenced skipped direct false test ended in panic stdout sql event log go event create database target info databasename statement create database user root storage replica command go initiating a split of this range at key table manual ccl importccl read import proc go could not fetch file size falling back to per file progress bad contentlength storage engine rocksdb go more existing levels in db than needed max bytes for level multiplier may not be guaranteed storage engine rocksdb go more existing levels in db than needed max bytes for level multiplier may not be guaranteed storage engine rocksdb go more existing levels in db than needed max bytes for level multiplier may not be guaranteed storage replica command go initiating a split of this range at key table zone config sql sqlbase structured go publish descid weather version mtime utc sql event log go event drop database target info databasename statement drop database user root droppedschemaobjects sql sqlbase structured go publish descid weather version mtime utc please assign take a look and update the issue accordingly
0
344,065
24,796,524,986
IssuesEvent
2022-10-24 17:46:17
openziti/sdk-golang
https://api.github.com/repos/openziti/sdk-golang
closed
Incorrect documentation for grpc-example
bug documentation good first issue
See https://openziti.discourse.group/t/troubles-with-using-the-golang-sdk/817 for details The documentation, as is, causes errors when followed, documentation needs to be updated and tested. Should be consistent with other examples and use ZITI_SDK_CONFIG for the identity file default timeout is too short for the example and will timeout in cases with high latency
1.0
Incorrect documentation for grpc-example - See https://openziti.discourse.group/t/troubles-with-using-the-golang-sdk/817 for details The documentation, as is, causes errors when followed, documentation needs to be updated and tested. Should be consistent with other examples and use ZITI_SDK_CONFIG for the identity file default timeout is too short for the example and will timeout in cases with high latency
non_defect
incorrect documentation for grpc example see for details the documentation as is causes errors when followed documentation needs to be updated and tested should be consistent with other examples and use ziti sdk config for the identity file default timeout is too short for the example and will timeout in cases with high latency
0
281,586
30,888,899,023
IssuesEvent
2023-08-04 01:59:14
nidhi7598/linux-4.1.15_CVE-2019-10220
https://api.github.com/repos/nidhi7598/linux-4.1.15_CVE-2019-10220
reopened
CVE-2016-5829 (High) detected in linuxlinux-4.4.302
Mend: dependency security vulnerability
## CVE-2016-5829 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linuxlinux-4.4.302</b></p></summary> <p> <p>The Linux Kernel</p> <p>Library home page: <a href=https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux>https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux</a></p> <p>Found in HEAD commit: <a href="https://github.com/nidhi7598/linux-4.1.15_CVE-2019-10220/commit/6a0d304d962ca933d73f507ce02157ef2791851c">6a0d304d962ca933d73f507ce02157ef2791851c</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/hid/usbhid/hiddev.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/hid/usbhid/hiddev.c</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png?' width=19 height=20> Vulnerability Details</summary> <p> Multiple heap-based buffer overflows in the hiddev_ioctl_usage function in drivers/hid/usbhid/hiddev.c in the Linux kernel through 4.6.3 allow local users to cause a denial of service or possibly have unspecified other impact via a crafted (1) HIDIOCGUSAGES or (2) HIDIOCSUSAGES ioctl call. <p>Publish Date: 2016-06-27 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2016-5829>CVE-2016-5829</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://www.linuxkernelcves.com/cves/CVE-2016-5829">https://www.linuxkernelcves.com/cves/CVE-2016-5829</a></p> <p>Release Date: 2016-06-27</p> <p>Fix Resolution: v4.7-rc5,v3.12.62,v3.14.74,v3.16.37,v3.18.37,v3.2.82,v4.1.28,v4.4.16,v4.6.5</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-2016-5829 (High) detected in linuxlinux-4.4.302 - ## CVE-2016-5829 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linuxlinux-4.4.302</b></p></summary> <p> <p>The Linux Kernel</p> <p>Library home page: <a href=https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux>https://mirrors.edge.kernel.org/pub/linux/kernel/v4.x/?wsslib=linux</a></p> <p>Found in HEAD commit: <a href="https://github.com/nidhi7598/linux-4.1.15_CVE-2019-10220/commit/6a0d304d962ca933d73f507ce02157ef2791851c">6a0d304d962ca933d73f507ce02157ef2791851c</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/hid/usbhid/hiddev.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/hid/usbhid/hiddev.c</b> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png?' width=19 height=20> Vulnerability Details</summary> <p> Multiple heap-based buffer overflows in the hiddev_ioctl_usage function in drivers/hid/usbhid/hiddev.c in the Linux kernel through 4.6.3 allow local users to cause a denial of service or possibly have unspecified other impact via a crafted (1) HIDIOCGUSAGES or (2) HIDIOCSUSAGES ioctl call. <p>Publish Date: 2016-06-27 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2016-5829>CVE-2016-5829</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://www.linuxkernelcves.com/cves/CVE-2016-5829">https://www.linuxkernelcves.com/cves/CVE-2016-5829</a></p> <p>Release Date: 2016-06-27</p> <p>Fix Resolution: v4.7-rc5,v3.12.62,v3.14.74,v3.16.37,v3.18.37,v3.2.82,v4.1.28,v4.4.16,v4.6.5</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 high detected in linuxlinux cve high severity vulnerability vulnerable library linuxlinux the linux kernel library home page a href found in head commit a href found in base branch master vulnerable source files drivers hid usbhid hiddev c drivers hid usbhid hiddev c vulnerability details multiple heap based buffer overflows in the hiddev ioctl usage function in drivers hid usbhid hiddev c in the linux kernel through allow local users to cause a denial of service or possibly have unspecified other impact via a crafted hidiocgusages or hidiocsusages ioctl call publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required low user interaction none scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with mend
0
323,933
9,880,711,649
IssuesEvent
2019-06-24 13:14:46
prysmaticlabs/prysm
https://api.github.com/repos/prysmaticlabs/prysm
opened
Add support for cross compilation in Bazel
Good For Bounty Help Wanted Priority: Medium
Currently, we're unable to build for other OS / architecture whenever the binary target depends on a cgo library. This includes any dependency on go-ethereum in the beacon-chain and potentially a future BLS library. To reproduce the issue, try building the beacon chain with a different toolchain specified. Building in on linux targeting windows: ``` bazel build --platforms=@io_bazel_rules_go//go/toolchain:windows_amd64 //beacon-chain ``` Building on linux amd64 targeting arm64. ``` bazel build --platforms=@io_bazel_rules_go//go/toolchain:linux_arm64 //beacon-chain ``` Important caveats: - We're using a [fork of go-ethereum](https://github.com/prysmaticlabs/bazel-go-ethereum) which has the generated BUILD files to support bazel. - Removing cgo dependencies are not an option as we expect to have more cgo dependencies in the future. Pure go builds would be nice and we'd have support for windows / ARM from linux today if that were the case! - We must support linux -> [darwin_amd64, arm64, windows_amd64] targets. When you're writing cc toolchains, adding Mac OS as the host is optional, but appreciated (expect a bounty tip if Mac OS as host is supported!). - This is a pretty involved task. If you are up to taking it on, you'll be mostly on your own to figure it out. Good luck :) These blocked issues may have some additional context from previous attempts to resolve this. Blocking #654 Blocking #2546
1.0
Add support for cross compilation in Bazel - Currently, we're unable to build for other OS / architecture whenever the binary target depends on a cgo library. This includes any dependency on go-ethereum in the beacon-chain and potentially a future BLS library. To reproduce the issue, try building the beacon chain with a different toolchain specified. Building in on linux targeting windows: ``` bazel build --platforms=@io_bazel_rules_go//go/toolchain:windows_amd64 //beacon-chain ``` Building on linux amd64 targeting arm64. ``` bazel build --platforms=@io_bazel_rules_go//go/toolchain:linux_arm64 //beacon-chain ``` Important caveats: - We're using a [fork of go-ethereum](https://github.com/prysmaticlabs/bazel-go-ethereum) which has the generated BUILD files to support bazel. - Removing cgo dependencies are not an option as we expect to have more cgo dependencies in the future. Pure go builds would be nice and we'd have support for windows / ARM from linux today if that were the case! - We must support linux -> [darwin_amd64, arm64, windows_amd64] targets. When you're writing cc toolchains, adding Mac OS as the host is optional, but appreciated (expect a bounty tip if Mac OS as host is supported!). - This is a pretty involved task. If you are up to taking it on, you'll be mostly on your own to figure it out. Good luck :) These blocked issues may have some additional context from previous attempts to resolve this. Blocking #654 Blocking #2546
non_defect
add support for cross compilation in bazel currently we re unable to build for other os architecture whenever the binary target depends on a cgo library this includes any dependency on go ethereum in the beacon chain and potentially a future bls library to reproduce the issue try building the beacon chain with a different toolchain specified building in on linux targeting windows bazel build platforms io bazel rules go go toolchain windows beacon chain building on linux targeting bazel build platforms io bazel rules go go toolchain linux beacon chain important caveats we re using a which has the generated build files to support bazel removing cgo dependencies are not an option as we expect to have more cgo dependencies in the future pure go builds would be nice and we d have support for windows arm from linux today if that were the case we must support linux targets when you re writing cc toolchains adding mac os as the host is optional but appreciated expect a bounty tip if mac os as host is supported this is a pretty involved task if you are up to taking it on you ll be mostly on your own to figure it out good luck these blocked issues may have some additional context from previous attempts to resolve this blocking blocking
0
568,463
16,980,524,355
IssuesEvent
2021-06-30 08:16:06
ballerina-platform/ballerina-standard-library
https://api.github.com/repos/ballerina-platform/ballerina-standard-library
closed
Add Path Entry to the Error Detail
Priority/High Team/PCP Type/Improvement module/graphql
**Description:** When an error occurred at runtime, the GraphQL response should include the `path` segment in the response under the error. Currently, we do have this entry in the `ErrorDetail` record, but the functionality is not implemented. This should be supported to [comply with the spec](https://spec.graphql.org/June2018/#sec-Errors).
1.0
Add Path Entry to the Error Detail - **Description:** When an error occurred at runtime, the GraphQL response should include the `path` segment in the response under the error. Currently, we do have this entry in the `ErrorDetail` record, but the functionality is not implemented. This should be supported to [comply with the spec](https://spec.graphql.org/June2018/#sec-Errors).
non_defect
add path entry to the error detail description when an error occurred at runtime the graphql response should include the path segment in the response under the error currently we do have this entry in the errordetail record but the functionality is not implemented this should be supported to
0
768,686
26,976,081,689
IssuesEvent
2023-02-09 09:39:55
Inrixia/Floatplane-Downloader
https://api.github.com/repos/Inrixia/Floatplane-Downloader
closed
[Feature suggestion] Show un-downloaded videos
enhancement feature request backlog/low priority
This I assume shouldn't be an issue not sure tho. Could you make it show videos that are not yet being downloaded in the output if you have more videos selected to download then the download threads set. Cause I want to download 6 videos but have 2 threads set so it doesn't limit me, so having the videos that are queued would be nice.
1.0
[Feature suggestion] Show un-downloaded videos - This I assume shouldn't be an issue not sure tho. Could you make it show videos that are not yet being downloaded in the output if you have more videos selected to download then the download threads set. Cause I want to download 6 videos but have 2 threads set so it doesn't limit me, so having the videos that are queued would be nice.
non_defect
show un downloaded videos this i assume shouldn t be an issue not sure tho could you make it show videos that are not yet being downloaded in the output if you have more videos selected to download then the download threads set cause i want to download videos but have threads set so it doesn t limit me so having the videos that are queued would be nice
0
83,354
15,704,974,972
IssuesEvent
2021-03-26 15:36:29
rathishc24/pokemon-api
https://api.github.com/repos/rathishc24/pokemon-api
opened
CVE-2020-7774 (High) detected in y18n-4.0.0.tgz
security vulnerability
## CVE-2020-7774 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>y18n-4.0.0.tgz</b></p></summary> <p>the bare-bones internationalization library used by yargs</p> <p>Library home page: <a href="https://registry.npmjs.org/y18n/-/y18n-4.0.0.tgz">https://registry.npmjs.org/y18n/-/y18n-4.0.0.tgz</a></p> <p>Path to dependency file: pokemon-api/package.json</p> <p>Path to vulnerable library: pokemon-api/node_modules/y18n/package.json</p> <p> Dependency Hierarchy: - build-6.2.2.tgz (Root Library) - mocha-8.1.3.tgz - yargs-13.3.2.tgz - :x: **y18n-4.0.0.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/rathishc24/pokemon-api/commit/526ff05d8e795faebf3b30bd9444f77fef61bad9">526ff05d8e795faebf3b30bd9444f77fef61bad9</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> This affects the package y18n before 3.2.2, 4.0.1 and 5.0.5. PoC by po6ix: const y18n = require('y18n')(); y18n.setLocale('__proto__'); y18n.updateLocale({polluted: true}); console.log(polluted); // true <p>Publish Date: 2020-11-17 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-7774>CVE-2020-7774</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.3</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: Low </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-7774">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-7774</a></p> <p>Release Date: 2020-11-17</p> <p>Fix Resolution: 5.0.5</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2020-7774 (High) detected in y18n-4.0.0.tgz - ## CVE-2020-7774 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>y18n-4.0.0.tgz</b></p></summary> <p>the bare-bones internationalization library used by yargs</p> <p>Library home page: <a href="https://registry.npmjs.org/y18n/-/y18n-4.0.0.tgz">https://registry.npmjs.org/y18n/-/y18n-4.0.0.tgz</a></p> <p>Path to dependency file: pokemon-api/package.json</p> <p>Path to vulnerable library: pokemon-api/node_modules/y18n/package.json</p> <p> Dependency Hierarchy: - build-6.2.2.tgz (Root Library) - mocha-8.1.3.tgz - yargs-13.3.2.tgz - :x: **y18n-4.0.0.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/rathishc24/pokemon-api/commit/526ff05d8e795faebf3b30bd9444f77fef61bad9">526ff05d8e795faebf3b30bd9444f77fef61bad9</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> This affects the package y18n before 3.2.2, 4.0.1 and 5.0.5. PoC by po6ix: const y18n = require('y18n')(); y18n.setLocale('__proto__'); y18n.updateLocale({polluted: true}); console.log(polluted); // true <p>Publish Date: 2020-11-17 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2020-7774>CVE-2020-7774</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.3</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: Low </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-7774">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2020-7774</a></p> <p>Release Date: 2020-11-17</p> <p>Fix Resolution: 5.0.5</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve high detected in tgz cve high severity vulnerability vulnerable library tgz the bare bones internationalization library used by yargs library home page a href path to dependency file pokemon api package json path to vulnerable library pokemon api node modules package json dependency hierarchy build tgz root library mocha tgz yargs tgz x tgz vulnerable library found in head commit a href found in base branch master vulnerability details this affects the package before and poc by const require setlocale proto updatelocale polluted true console log polluted true publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact low integrity impact low availability impact low for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with whitesource
0
15,573
2,860,768,105
IssuesEvent
2015-06-03 17:22:43
dart-lang/sdk
https://api.github.com/repos/dart-lang/sdk
closed
DRT: InvalidStateError: Internal Dartium Exception
Area-Dartium Priority-Unassigned Triaged Type-Defect
DRT messages have gotten much worse recently. If I open the same thing in Dartium, I get: &nbsp;&nbsp;&nbsp;&nbsp;Error: &nbsp;&nbsp;&nbsp;&nbsp;http://127.0.0.1:35669/root_dart/samples/third_party/todomvc/test/listorder_test.html?crossOriginPort=58094:0: &nbsp;&nbsp;&nbsp;&nbsp;Exception: No static method 'register' declared in class 'Polymer'. &nbsp;&nbsp;&nbsp;&nbsp;NoSuchMethodError: incorrect number of arguments passed to method named 'register' &nbsp;&nbsp;&nbsp;&nbsp;Receiver: Type: class 'Polymer' &nbsp;&nbsp;&nbsp;&nbsp;Tried calling: register(&quot;editable-label&quot;, type: Type: class 'EditableLabel') &nbsp;&nbsp;&nbsp;&nbsp;Found: register(String, [Type]) That's pretty useful. But from the command line this message doesn't appear. You can reproduce by adding a bug somewhere in TodoMVC, then run: $ python tools/test.py -mrelease -rdrt --checked -t240 samples/third_party/todomvc/test/listorder_test ------------------------------------------ FAILED: none-drt-checked release_ia32 samples/third_party/todomvc/test/listorder_test Expected: Pass Actual: RuntimeError CommandOutput[content_shell\]: stdout: CONSOLE MESSAGE: line 210: Error: http://127.0.0.1:35669/root_dart/samples/third_party/todomvc/test/listorder_test.html?crossOriginPort=58094:0: Exception: InvalidStateError: Internal Dartium Exception CONSOLE MESSAGE: line 210: FAIL Content-Type: text/plain &nbsp;Error: http://127.0.0.1:35669/root_dart/samples/third_party/todomvc/test/listorder_test.html?crossOriginPort=58094:0: Exception: InvalidStateError: Internal Dartium Exception FAIL #EOF #EOF stderr: Xlib: extension &quot;RANDR&quot; missing on display &quot;:99&quot;. #EOF To retest, run: /mnt/code/dart/dart/tools/testing/bin/linux/dart /mnt/code/dart/dart/tools/testing/dart/http_server.dart -p 35669 -c 58094 --build-directory=/mnt/code/dart/dart/out/ReleaseIA32 --runtime=drt Command[content_shell\]: /mnt/code/dart/dart/client/tests/drt/content_shell --no-timeout --dump-render-tree http://127.0.0.1:35669/root_dart/samples/third_party/todomvc/test/listorder_test.html?crossOriginPort=58094 Took 0:00:02.492000 Short reproduction command (experimental): &nbsp;&nbsp;&nbsp;&nbsp;python tools/test.py -mrelease -rdrt --checked -t240 samples/third_party/todomvc/test/listorder_test &equals;&equals;&equals; &equals;&equals;&equals; 4 tests failed &equals;&equals;&equals; [00:03 | 100% | + 0 | - 4]
1.0
DRT: InvalidStateError: Internal Dartium Exception - DRT messages have gotten much worse recently. If I open the same thing in Dartium, I get: &nbsp;&nbsp;&nbsp;&nbsp;Error: &nbsp;&nbsp;&nbsp;&nbsp;http://127.0.0.1:35669/root_dart/samples/third_party/todomvc/test/listorder_test.html?crossOriginPort=58094:0: &nbsp;&nbsp;&nbsp;&nbsp;Exception: No static method 'register' declared in class 'Polymer'. &nbsp;&nbsp;&nbsp;&nbsp;NoSuchMethodError: incorrect number of arguments passed to method named 'register' &nbsp;&nbsp;&nbsp;&nbsp;Receiver: Type: class 'Polymer' &nbsp;&nbsp;&nbsp;&nbsp;Tried calling: register(&quot;editable-label&quot;, type: Type: class 'EditableLabel') &nbsp;&nbsp;&nbsp;&nbsp;Found: register(String, [Type]) That's pretty useful. But from the command line this message doesn't appear. You can reproduce by adding a bug somewhere in TodoMVC, then run: $ python tools/test.py -mrelease -rdrt --checked -t240 samples/third_party/todomvc/test/listorder_test ------------------------------------------ FAILED: none-drt-checked release_ia32 samples/third_party/todomvc/test/listorder_test Expected: Pass Actual: RuntimeError CommandOutput[content_shell\]: stdout: CONSOLE MESSAGE: line 210: Error: http://127.0.0.1:35669/root_dart/samples/third_party/todomvc/test/listorder_test.html?crossOriginPort=58094:0: Exception: InvalidStateError: Internal Dartium Exception CONSOLE MESSAGE: line 210: FAIL Content-Type: text/plain &nbsp;Error: http://127.0.0.1:35669/root_dart/samples/third_party/todomvc/test/listorder_test.html?crossOriginPort=58094:0: Exception: InvalidStateError: Internal Dartium Exception FAIL #EOF #EOF stderr: Xlib: extension &quot;RANDR&quot; missing on display &quot;:99&quot;. #EOF To retest, run: /mnt/code/dart/dart/tools/testing/bin/linux/dart /mnt/code/dart/dart/tools/testing/dart/http_server.dart -p 35669 -c 58094 --build-directory=/mnt/code/dart/dart/out/ReleaseIA32 --runtime=drt Command[content_shell\]: /mnt/code/dart/dart/client/tests/drt/content_shell --no-timeout --dump-render-tree http://127.0.0.1:35669/root_dart/samples/third_party/todomvc/test/listorder_test.html?crossOriginPort=58094 Took 0:00:02.492000 Short reproduction command (experimental): &nbsp;&nbsp;&nbsp;&nbsp;python tools/test.py -mrelease -rdrt --checked -t240 samples/third_party/todomvc/test/listorder_test &equals;&equals;&equals; &equals;&equals;&equals; 4 tests failed &equals;&equals;&equals; [00:03 | 100% | + 0 | - 4]
defect
drt invalidstateerror internal dartium exception drt messages have gotten much worse recently if i open the same thing in dartium i get nbsp nbsp nbsp nbsp error nbsp nbsp nbsp nbsp nbsp nbsp nbsp nbsp exception no static method register declared in class polymer nbsp nbsp nbsp nbsp nosuchmethoderror incorrect number of arguments passed to method named register nbsp nbsp nbsp nbsp receiver type class polymer nbsp nbsp nbsp nbsp tried calling register quot editable label quot type type class editablelabel nbsp nbsp nbsp nbsp found register string that s pretty useful but from the command line this message doesn t appear you can reproduce by adding a bug somewhere in todomvc then run python tools test py mrelease rdrt checked samples third party todomvc test listorder test failed none drt checked release samples third party todomvc test listorder test expected pass actual runtimeerror commandoutput stdout console message line error exception invalidstateerror internal dartium exception console message line fail content type text plain nbsp error exception invalidstateerror internal dartium exception fail eof eof stderr xlib extension quot randr quot missing on display quot quot eof to retest run mnt code dart dart tools testing bin linux dart mnt code dart dart tools testing dart http server dart p c build directory mnt code dart dart out runtime drt command mnt code dart dart client tests drt content shell no timeout dump render tree took short reproduction command experimental nbsp nbsp nbsp nbsp python tools test py mrelease rdrt checked samples third party todomvc test listorder test equals equals equals equals equals equals tests failed equals equals equals
1
11,673
13,734,944,856
IssuesEvent
2020-10-05 09:25:28
bazelbuild/bazel
https://api.github.com/repos/bazelbuild/bazel
closed
incompatible_load_java_rules_from_bzl: load the Java rules from @rules_java
P1 breaking-change-4.0 incompatible-change migration-1.0 migration-1.1 migration-1.2 migration-2.0 migration-2.1 migration-2.2 migration-3.0 migration-3.1 migration-3.2 migration-3.3 migration-3.4 migration-3.5 migration-3.6 team-Rules-Java untriaged
Flag: --incompatible_load_java_rules_from_bzl Available since: 0.28 Will be flipped in: 1.0 Tracking issue: #8741 java_library, java_binary, java_test, java_import, java_lite_proto_library, java_proto_library, java_package_configuration, java_plugin, java_runtime, java_toolchain have to be loaded from @rules_java. For example if you are using java_library, add the following load statement to your BUILD/bzl file. load("@rules_java//java:defs.bzl", "java_library") ## Migration Add `rules_java` repositories to your WORKSPACE file and load its dependecies: ``` load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive") http_archive( name = "rules_java", url = "https://github.com/bazelbuild/rules_java/releases/download/0.1.1/rules_java-0.1.1.tar.gz", sha256 = "220b87d8cfabd22d1c6d8e3cdb4249abd4c93dcc152e0667db061fb1b957ee68", ) load("@rules_java//java:repositories.bzl", "rules_java_dependencies", "rules_java_toolchains") rules_java_dependencies() rules_java_toolchains() ``` Fix all your BUILD files that use Java rules to include the load statement. Use buildifier to automatically update all your BUILD files: ``` buildifier --lint=fix -warnings=native-java -r path/to/your/workspace/root/dir ```
True
incompatible_load_java_rules_from_bzl: load the Java rules from @rules_java - Flag: --incompatible_load_java_rules_from_bzl Available since: 0.28 Will be flipped in: 1.0 Tracking issue: #8741 java_library, java_binary, java_test, java_import, java_lite_proto_library, java_proto_library, java_package_configuration, java_plugin, java_runtime, java_toolchain have to be loaded from @rules_java. For example if you are using java_library, add the following load statement to your BUILD/bzl file. load("@rules_java//java:defs.bzl", "java_library") ## Migration Add `rules_java` repositories to your WORKSPACE file and load its dependecies: ``` load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive") http_archive( name = "rules_java", url = "https://github.com/bazelbuild/rules_java/releases/download/0.1.1/rules_java-0.1.1.tar.gz", sha256 = "220b87d8cfabd22d1c6d8e3cdb4249abd4c93dcc152e0667db061fb1b957ee68", ) load("@rules_java//java:repositories.bzl", "rules_java_dependencies", "rules_java_toolchains") rules_java_dependencies() rules_java_toolchains() ``` Fix all your BUILD files that use Java rules to include the load statement. Use buildifier to automatically update all your BUILD files: ``` buildifier --lint=fix -warnings=native-java -r path/to/your/workspace/root/dir ```
non_defect
incompatible load java rules from bzl load the java rules from rules java flag incompatible load java rules from bzl available since will be flipped in tracking issue java library java binary java test java import java lite proto library java proto library java package configuration java plugin java runtime java toolchain have to be loaded from rules java for example if you are using java library add the following load statement to your build bzl file load rules java java defs bzl java library migration add rules java repositories to your workspace file and load its dependecies load bazel tools tools build defs repo http bzl http archive http archive name rules java url load rules java java repositories bzl rules java dependencies rules java toolchains rules java dependencies rules java toolchains fix all your build files that use java rules to include the load statement use buildifier to automatically update all your build files buildifier lint fix warnings native java r path to your workspace root dir
0
48,993
13,185,186,595
IssuesEvent
2020-08-12 20:53:44
icecube-trac/tix3
https://api.github.com/repos/icecube-trac/tix3
opened
glshovel quits on Help-> About -> Close (Trac #576)
Incomplete Migration Migrated from Trac defect glshovel
<details> <summary><em>Migrated from https://code.icecube.wisc.edu/ticket/576 , reported by blaufuss and owned by troy</em></summary> <p> ```json { "status": "closed", "changetime": "2011-05-11T22:19:13", "description": "When running the GLshovel, Help-> about brings up a nice \ndialog box about the program. But the \"Close\" button for this dialog\nwill quit the GLShovel rather than just close the dialog box.\n\nReported on EL5 at Pole, and confirmed as well on Ubu 8.10 at UMD.\n\nReported version number also seems quite random.", "reporter": "blaufuss", "cc": "", "resolution": "fixed", "_ts": "1305152353000000", "component": "glshovel", "summary": "glshovel quits on Help-> About -> Close", "priority": "normal", "keywords": "", "time": "2009-11-18T19:05:13", "milestone": "", "owner": "troy", "type": "defect" } ``` </p> </details>
1.0
glshovel quits on Help-> About -> Close (Trac #576) - <details> <summary><em>Migrated from https://code.icecube.wisc.edu/ticket/576 , reported by blaufuss and owned by troy</em></summary> <p> ```json { "status": "closed", "changetime": "2011-05-11T22:19:13", "description": "When running the GLshovel, Help-> about brings up a nice \ndialog box about the program. But the \"Close\" button for this dialog\nwill quit the GLShovel rather than just close the dialog box.\n\nReported on EL5 at Pole, and confirmed as well on Ubu 8.10 at UMD.\n\nReported version number also seems quite random.", "reporter": "blaufuss", "cc": "", "resolution": "fixed", "_ts": "1305152353000000", "component": "glshovel", "summary": "glshovel quits on Help-> About -> Close", "priority": "normal", "keywords": "", "time": "2009-11-18T19:05:13", "milestone": "", "owner": "troy", "type": "defect" } ``` </p> </details>
defect
glshovel quits on help about close trac migrated from reported by blaufuss and owned by troy json status closed changetime description when running the glshovel help about brings up a nice ndialog box about the program but the close button for this dialog nwill quit the glshovel rather than just close the dialog box n nreported on at pole and confirmed as well on ubu at umd n nreported version number also seems quite random reporter blaufuss cc resolution fixed ts component glshovel summary glshovel quits on help about close priority normal keywords time milestone owner troy type defect
1
114,947
11,861,774,232
IssuesEvent
2020-03-25 16:51:37
Sniki/Lenovo-Thinkpad-L440
https://api.github.com/repos/Sniki/Lenovo-Thinkpad-L440
closed
Next Update
documentation enhancement
Next update includes following changes: - [ ] Remove unnecessary & cosmetical renames like: - Change DSM to XDSM - Change H_EC to EC - Change EHC1 to EH01 - Change EHC2 to EH02 - Change SAT0 to SATA - Change ESEL to ESEZ - Change XSEL to XSEZ - Change XWAK to ZWAK - [ ] Remove SSDT-USB - [ ] Add USBPorts.kext which replaces SSDT-USB, USBInjectAll.kext and XSEL,ESEL and XWAK changes. - [ ] Remove boot-args
1.0
Next Update - Next update includes following changes: - [ ] Remove unnecessary & cosmetical renames like: - Change DSM to XDSM - Change H_EC to EC - Change EHC1 to EH01 - Change EHC2 to EH02 - Change SAT0 to SATA - Change ESEL to ESEZ - Change XSEL to XSEZ - Change XWAK to ZWAK - [ ] Remove SSDT-USB - [ ] Add USBPorts.kext which replaces SSDT-USB, USBInjectAll.kext and XSEL,ESEL and XWAK changes. - [ ] Remove boot-args
non_defect
next update next update includes following changes remove unnecessary cosmetical renames like change dsm to xdsm change h ec to ec change to change to change to sata change esel to esez change xsel to xsez change xwak to zwak remove ssdt usb add usbports kext which replaces ssdt usb usbinjectall kext and xsel esel and xwak changes remove boot args
0
237,016
7,754,974,532
IssuesEvent
2018-05-31 08:42:20
Prospress/woocommerce-subscribe-all-the-things
https://api.github.com/repos/Prospress/woocommerce-subscribe-all-the-things
closed
UX: Variation prices are always overwritten by the single-product subscription options template markup
bug:confirmed priority:high refactor ux
HelpScout ticket: https://secure.helpscout.net/conversation/590443122/9914?folderId=1524484 The customer is reporting that there is no price displayed on the single product page when you have a variable product with a range of prices and subscription options, where the subscription pricing is forced. To replicate: 1. Create a variable product 2. Add multiple variation attributes 3. Add a variation for each attribute 4. Edit each variation and enter a different price for each one. We want the variable product's price to be displayed as a range (_From: $10.00 – $30.00 / month_) 5. Add some subscription options and force subscription pricing (https://cloudup.com/cPdY-9gKUfI) When you view this product's single product page and select a variation you should see something like this: ![screen shot 2018-05-30 at 1 38 18 pm](https://user-images.githubusercontent.com/8490476/40697696-d6386ffc-640e-11e8-99b2-b91c22b809c5.png) There's no indication to the customer how much the red variation is per month.
1.0
UX: Variation prices are always overwritten by the single-product subscription options template markup - HelpScout ticket: https://secure.helpscout.net/conversation/590443122/9914?folderId=1524484 The customer is reporting that there is no price displayed on the single product page when you have a variable product with a range of prices and subscription options, where the subscription pricing is forced. To replicate: 1. Create a variable product 2. Add multiple variation attributes 3. Add a variation for each attribute 4. Edit each variation and enter a different price for each one. We want the variable product's price to be displayed as a range (_From: $10.00 – $30.00 / month_) 5. Add some subscription options and force subscription pricing (https://cloudup.com/cPdY-9gKUfI) When you view this product's single product page and select a variation you should see something like this: ![screen shot 2018-05-30 at 1 38 18 pm](https://user-images.githubusercontent.com/8490476/40697696-d6386ffc-640e-11e8-99b2-b91c22b809c5.png) There's no indication to the customer how much the red variation is per month.
non_defect
ux variation prices are always overwritten by the single product subscription options template markup helpscout ticket the customer is reporting that there is no price displayed on the single product page when you have a variable product with a range of prices and subscription options where the subscription pricing is forced to replicate create a variable product add multiple variation attributes add a variation for each attribute edit each variation and enter a different price for each one we want the variable product s price to be displayed as a range from – month add some subscription options and force subscription pricing when you view this product s single product page and select a variation you should see something like this there s no indication to the customer how much the red variation is per month
0
74,952
25,452,341,518
IssuesEvent
2022-11-24 11:27:17
matrix-org/mjolnir
https://api.github.com/repos/matrix-org/mjolnir
opened
Mjolnir is persisting aliases to `org.matrix.mjolnir.watched_lists`.
T-Defect O-Occasional S-Major
This is causing problems if a server temporarily goes offline or the alias has been changed. When mjolnir starts it will exit if an alias of a watched list cannot be resolved. But it shouldn't be storing aliases in the first place. We've had 2-3 complaints about it in #mjolnir:matrix.org over the past weeks, probably related to https://github.com/matrix-org/mjolnir/pull/385 https://matrix.to/#/!WpbOWAblxueZXAAnjj:matrix.org/$01Ybf7KmxL2elK7hV8gXkopPLscCTylaibjpiftNTyM?via=matrix.org&via=envs.net&via=element.io
1.0
Mjolnir is persisting aliases to `org.matrix.mjolnir.watched_lists`. - This is causing problems if a server temporarily goes offline or the alias has been changed. When mjolnir starts it will exit if an alias of a watched list cannot be resolved. But it shouldn't be storing aliases in the first place. We've had 2-3 complaints about it in #mjolnir:matrix.org over the past weeks, probably related to https://github.com/matrix-org/mjolnir/pull/385 https://matrix.to/#/!WpbOWAblxueZXAAnjj:matrix.org/$01Ybf7KmxL2elK7hV8gXkopPLscCTylaibjpiftNTyM?via=matrix.org&via=envs.net&via=element.io
defect
mjolnir is persisting aliases to org matrix mjolnir watched lists this is causing problems if a server temporarily goes offline or the alias has been changed when mjolnir starts it will exit if an alias of a watched list cannot be resolved but it shouldn t be storing aliases in the first place we ve had complaints about it in mjolnir matrix org over the past weeks probably related to
1
64,241
18,289,863,330
IssuesEvent
2021-10-05 14:13:39
jOOQ/jOOQ
https://api.github.com/repos/jOOQ/jOOQ
closed
DSL.arrayGet() does not generate required parentheses
T: Defect C: Functionality P: Medium E: All Editions
### Expected behavior ```kotlin select(arrayGet(arrayAgg(TABLE_NAME.ID).orderBy(TABLE_NAME.UPDATED_AT.desc()), 1).from(TABLE_NAME) ``` should produce ```sql SELECT (array_agg(id ORDER BY updated_at DESC))[1] FROM table_name; ``` ### Actual behavior ```sql SELECT array_agg(id ORDER BY updated_at DESC)[1] FROM table_name; ``` ### Steps to reproduce the problem ### Versions - jOOQ: 3.14.15 - Java: 11.0.12+7 - Database (include vendor): postgres 13.3 - OS: macOS Big Sur - JDBC Driver (include name if inofficial driver):
1.0
DSL.arrayGet() does not generate required parentheses - ### Expected behavior ```kotlin select(arrayGet(arrayAgg(TABLE_NAME.ID).orderBy(TABLE_NAME.UPDATED_AT.desc()), 1).from(TABLE_NAME) ``` should produce ```sql SELECT (array_agg(id ORDER BY updated_at DESC))[1] FROM table_name; ``` ### Actual behavior ```sql SELECT array_agg(id ORDER BY updated_at DESC)[1] FROM table_name; ``` ### Steps to reproduce the problem ### Versions - jOOQ: 3.14.15 - Java: 11.0.12+7 - Database (include vendor): postgres 13.3 - OS: macOS Big Sur - JDBC Driver (include name if inofficial driver):
defect
dsl arrayget does not generate required parentheses expected behavior kotlin select arrayget arrayagg table name id orderby table name updated at desc from table name should produce sql select array agg id order by updated at desc from table name actual behavior sql select array agg id order by updated at desc from table name steps to reproduce the problem versions jooq java database include vendor postgres os macos big sur jdbc driver include name if inofficial driver
1
131,166
12,476,766,804
IssuesEvent
2020-05-29 14:01:25
keras-team/autokeras
https://api.github.com/repos/keras-team/autokeras
closed
Changing Tutorials to Colab Notebooks
documentation good first issue pinned
### Feature Description The source file for all the tutorials on the website (autokeras.com) should be a `.ipynb` file. ### Reason <!--- Why do we need the feature? --> Make it easier for people to try out the tutorials. ### Solution <!--- Please tell us how to implement the feature, if you have one in mind. --> Please help us change any of the `.md` files in the following directory to a `.ipynb` file. https://github.com/keras-team/autokeras/tree/master/docs/templates/tutorial You can refer to the `image_classification.ipynb` as an example. https://github.com/keras-team/autokeras/blob/master/docs/templates/tutorial/image_classification.ipynb Each pull request should only replace one file.
1.0
Changing Tutorials to Colab Notebooks - ### Feature Description The source file for all the tutorials on the website (autokeras.com) should be a `.ipynb` file. ### Reason <!--- Why do we need the feature? --> Make it easier for people to try out the tutorials. ### Solution <!--- Please tell us how to implement the feature, if you have one in mind. --> Please help us change any of the `.md` files in the following directory to a `.ipynb` file. https://github.com/keras-team/autokeras/tree/master/docs/templates/tutorial You can refer to the `image_classification.ipynb` as an example. https://github.com/keras-team/autokeras/blob/master/docs/templates/tutorial/image_classification.ipynb Each pull request should only replace one file.
non_defect
changing tutorials to colab notebooks feature description the source file for all the tutorials on the website autokeras com should be a ipynb file reason why do we need the feature make it easier for people to try out the tutorials solution please tell us how to implement the feature if you have one in mind please help us change any of the md files in the following directory to a ipynb file you can refer to the image classification ipynb as an example each pull request should only replace one file
0
394,759
11,648,364,633
IssuesEvent
2020-03-01 20:18:43
songrenzhao/Interactive-Activity-Planings-and-Recommendations
https://api.github.com/repos/songrenzhao/Interactive-Activity-Planings-and-Recommendations
closed
Sign in && Sign Up page for Staff Backend Implementation
High Priority
Technical Background: - #9 - Currently we have the UI for these two pages, we have to hook it up with our backend server Acceptance Criteria: - Connect with backend APIs
1.0
Sign in && Sign Up page for Staff Backend Implementation - Technical Background: - #9 - Currently we have the UI for these two pages, we have to hook it up with our backend server Acceptance Criteria: - Connect with backend APIs
non_defect
sign in sign up page for staff backend implementation technical background currently we have the ui for these two pages we have to hook it up with our backend server acceptance criteria connect with backend apis
0
81,578
31,034,212,684
IssuesEvent
2023-08-10 14:17:37
department-of-veterans-affairs/va.gov-cms
https://api.github.com/repos/department-of-veterans-affairs/va.gov-cms
closed
FE some va-accordion-item instances do not support auto-open when referenced with a fragment
Defect VA.gov frontend Public Websites
## Describe the defect [CMS support thread](https://dsva.slack.com/archives/CDHBKAL9W/p1666800192774649) When linking with a fragment in the url, page loads and jumps to the accordion's id, but does not open it like it should Working example https://design.va.gov/components/accordion#checklist-code-assets jumps to and opens the checklist-code-assets accordion. ~~Broken~~ Working example from preview server http://preview-prod.vfs.va.gov/preview?nodeId=488#what-if-i-dont-get-my-vhic-in--111295 - EDIT: today (1/20/23) this one works Broken example from VA.gov https://www.va.gov/resources/the-pact-act-and-your-va-benefits/#how-do-i-know-if-i-have-a-pres doesn't work Largely it seems to be an id problem There is no id on the va-accordion-item ![image](https://user-images.githubusercontent.com/5752113/198149191-092042fb-0370-42a4-ab06-aecace643e00.png) Example of one being implemented correctly that works to open when hit with a fragment. https://www.va.gov/salt-lake-city-health-care/programs/horses-helping-veterans/#equine-assisted-psychotherapy-101790 ### Implementation details Per Josh: >The Pact act example uses the faq_multiple template at src/site/layouts/faq_multiple_q_a.drupal.liquid which doesnt assign an id in the same way the collapsible_panel template does in the horses example. First step will be checking all templates that use the va-accordion component to see if they assign ID. Second step, add them if they are missing (something like id="{{item.fieldTitle | hashReference: 30 }}-{{id}}". This could presumably be one ticket ## AC / Expected behavior - [x] Audit codebase for templates that render accordions, note which do not have `id`s - [x] All templates from audit open when url includes the appropriate fragment ### CMS Team Please check the team(s) that will do this work. - [ ] `Program` - [ ] `Platform CMS Team` - [ ] `Sitewide Crew` - [ ] `⭐️ Sitewide CMS` - [x] `⭐️ Public Websites` - [ ] `⭐️ Facilities` - [ ] `⭐️ User support`
1.0
FE some va-accordion-item instances do not support auto-open when referenced with a fragment - ## Describe the defect [CMS support thread](https://dsva.slack.com/archives/CDHBKAL9W/p1666800192774649) When linking with a fragment in the url, page loads and jumps to the accordion's id, but does not open it like it should Working example https://design.va.gov/components/accordion#checklist-code-assets jumps to and opens the checklist-code-assets accordion. ~~Broken~~ Working example from preview server http://preview-prod.vfs.va.gov/preview?nodeId=488#what-if-i-dont-get-my-vhic-in--111295 - EDIT: today (1/20/23) this one works Broken example from VA.gov https://www.va.gov/resources/the-pact-act-and-your-va-benefits/#how-do-i-know-if-i-have-a-pres doesn't work Largely it seems to be an id problem There is no id on the va-accordion-item ![image](https://user-images.githubusercontent.com/5752113/198149191-092042fb-0370-42a4-ab06-aecace643e00.png) Example of one being implemented correctly that works to open when hit with a fragment. https://www.va.gov/salt-lake-city-health-care/programs/horses-helping-veterans/#equine-assisted-psychotherapy-101790 ### Implementation details Per Josh: >The Pact act example uses the faq_multiple template at src/site/layouts/faq_multiple_q_a.drupal.liquid which doesnt assign an id in the same way the collapsible_panel template does in the horses example. First step will be checking all templates that use the va-accordion component to see if they assign ID. Second step, add them if they are missing (something like id="{{item.fieldTitle | hashReference: 30 }}-{{id}}". This could presumably be one ticket ## AC / Expected behavior - [x] Audit codebase for templates that render accordions, note which do not have `id`s - [x] All templates from audit open when url includes the appropriate fragment ### CMS Team Please check the team(s) that will do this work. - [ ] `Program` - [ ] `Platform CMS Team` - [ ] `Sitewide Crew` - [ ] `⭐️ Sitewide CMS` - [x] `⭐️ Public Websites` - [ ] `⭐️ Facilities` - [ ] `⭐️ User support`
defect
fe some va accordion item instances do not support auto open when referenced with a fragment describe the defect when linking with a fragment in the url page loads and jumps to the accordion s id but does not open it like it should working example jumps to and opens the checklist code assets accordion broken working example from preview server edit today this one works broken example from va gov doesn t work largely it seems to be an id problem there is no id on the va accordion item example of one being implemented correctly that works to open when hit with a fragment implementation details per josh the pact act example uses the faq multiple template at src site layouts faq multiple q a drupal liquid which doesnt assign an id in the same way the collapsible panel template does in the horses example first step will be checking all templates that use the va accordion component to see if they assign id second step add them if they are missing something like id item fieldtitle hashreference id this could presumably be one ticket ac expected behavior audit codebase for templates that render accordions note which do not have id s all templates from audit open when url includes the appropriate fragment cms team please check the team s that will do this work program platform cms team sitewide crew ⭐️ sitewide cms ⭐️ public websites ⭐️ facilities ⭐️ user support
1
47,021
11,945,624,241
IssuesEvent
2020-04-03 06:19:15
genuinetools/img
https://api.github.com/repos/genuinetools/img
closed
support schema1 push for quay?
buildkit enhancement question registry (push and/or pull)
I'm getting an `unexpected status: 415 Unsupported Media Type` when trying to `img push`. Quay is being used for docker registry in case it matters. ``` [...] DEBU[0002] push digest="sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e" mediatype=application/vnd.docker.distribution.manifest.v2+json size=1403 DEBU[0002] do request digest="sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e" mediatype=application/vnd.docker.distribution.manifest.v2+json request.headers="map[Accept:[application/vnd.docker.distribution.manifest.v2+json, *]]" request.method=HEAD size=1403 url="https://quay.io/v2/company/mycontainer/manifests/0aa921a" DEBU[0002] fetch response received digest="sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e" mediatype=application/vnd.docker.distribution.manifest.v2+json response.headers="map[Server:[nginx/1.13.12] Date:[Mon, 04 Jun 2018 21:45:42 GMT] Content-Type:[application/json] Content-Length:[82]]" size=1403 status="404 Not Found" url="https://quay.io/v2/company/mycontainer/manifests/0aa921a" DEBU[0002] do request digest="sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e" mediatype=application/vnd.docker.distribution.manifest.v2+json request.headers="map[Content-Type:[application/vnd.docker.distribution.manifest.v2+json]]" request.method=PUT size=1403 url="https://quay.io/v2/company/mycontainer/manifests/0aa921a" DEBU[0003] fetch response received digest="sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e" mediatype=application/vnd.docker.distribution.manifest.v2+json response.headers="map[Server:[nginx/1.13.12] Date:[Mon, 04 Jun 2018 21:45:43 GMT] Content-Type:[application/json] Content-Length:[131]]" size=1403 status="415 Unsupported Media Type" url="https://quay.io/v2/company/mycontainer/manifests/0aa921a" failed commit on ref "manifest-sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e": unexpected status: 415 Unsupported Media Type [...] ``` Any advice? Thanks!
1.0
support schema1 push for quay? - I'm getting an `unexpected status: 415 Unsupported Media Type` when trying to `img push`. Quay is being used for docker registry in case it matters. ``` [...] DEBU[0002] push digest="sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e" mediatype=application/vnd.docker.distribution.manifest.v2+json size=1403 DEBU[0002] do request digest="sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e" mediatype=application/vnd.docker.distribution.manifest.v2+json request.headers="map[Accept:[application/vnd.docker.distribution.manifest.v2+json, *]]" request.method=HEAD size=1403 url="https://quay.io/v2/company/mycontainer/manifests/0aa921a" DEBU[0002] fetch response received digest="sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e" mediatype=application/vnd.docker.distribution.manifest.v2+json response.headers="map[Server:[nginx/1.13.12] Date:[Mon, 04 Jun 2018 21:45:42 GMT] Content-Type:[application/json] Content-Length:[82]]" size=1403 status="404 Not Found" url="https://quay.io/v2/company/mycontainer/manifests/0aa921a" DEBU[0002] do request digest="sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e" mediatype=application/vnd.docker.distribution.manifest.v2+json request.headers="map[Content-Type:[application/vnd.docker.distribution.manifest.v2+json]]" request.method=PUT size=1403 url="https://quay.io/v2/company/mycontainer/manifests/0aa921a" DEBU[0003] fetch response received digest="sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e" mediatype=application/vnd.docker.distribution.manifest.v2+json response.headers="map[Server:[nginx/1.13.12] Date:[Mon, 04 Jun 2018 21:45:43 GMT] Content-Type:[application/json] Content-Length:[131]]" size=1403 status="415 Unsupported Media Type" url="https://quay.io/v2/company/mycontainer/manifests/0aa921a" failed commit on ref "manifest-sha256:82d1aff55ac76ff19be39f01d5948cac0b673d16f502febe6c9a8f0841aa599e": unexpected status: 415 Unsupported Media Type [...] ``` Any advice? Thanks!
non_defect
support push for quay i m getting an unexpected status unsupported media type when trying to img push quay is being used for docker registry in case it matters debu push digest mediatype application vnd docker distribution manifest json size debu do request digest mediatype application vnd docker distribution manifest json request headers map request method head size url debu fetch response received digest mediatype application vnd docker distribution manifest json response headers map date content type content length size status not found url debu do request digest mediatype application vnd docker distribution manifest json request headers map request method put size url debu fetch response received digest mediatype application vnd docker distribution manifest json response headers map date content type content length size status unsupported media type url failed commit on ref manifest unexpected status unsupported media type any advice thanks
0
414,160
12,100,041,794
IssuesEvent
2020-04-20 13:12:48
deora-earth/tealgarden
https://api.github.com/repos/deora-earth/tealgarden
opened
Add the Summary and Benefits sections
03 High Priority 200 Deora RepPoints
<!-- # Simple Summary This policy allows to write out rewards to complete required tasks. Completed tasks are payed by the deora council to the claiming member. # How to create a new bounty? 1. To start you'll have to fill out the bounty form below. - If the bounty spans across multiple repositories, consider splitting it in a smaller per-repo bounties if possible. - If the bounty is larger than M, then the best known expert in the bounty matter should be consulted and included in an "Expert" field in the bounty description. 2. Communicate the bounty to the organisation by submitting the following form: https://forms.gle/STSNjTBGygNtTUwLA - The bounty will get published on the deora communication channel. # Bounty sizes XS / 50 to 200 / DAI S / 200 to 350 / DAI M / 350 to 550 / DAI L / 550 to 900 / DAI XL / 900 to 1400 / DAI You can specify the range individually under #Roles # Pair programming If 2 people claim the bounty together, the payout increases by 1.5x. # Bounty Challenge Once a bounty is assigned, the worker is asked to start working immediately on the issue. If the worker feels blocked in execution, he/she has to communicate the tensions to the gardener. Only if tensions are not reported and the bounty get's no further attention, anyone can challenge the bounty or takeover. Bounties should be delivered within time, even if work is left to be performed. Leftover work can be tackled by submitting a new bounty with support by the organisation. Bounty forking: complexity of bounties that has been undersized can be forked out by a new bounty submission. **START DESCRIBING YOUR BOUNTY HERE:** --> # Bounty Add the two section which show the summary and a list with all the benefits. ![Bildschirmfoto 2020-04-20 um 15 11 28](https://user-images.githubusercontent.com/43147663/79755311-37189380-8319-11ea-9541-6440235aadc0.png) ## Scope - Add one new section - Add the benefits and the summary ## Deliverables PR ## Gain for the project ## Roles bounty gardener: @cyan-one / - bounty worker: @cyan-one / 90% bounty reviewer: name / share
1.0
Add the Summary and Benefits sections - <!-- # Simple Summary This policy allows to write out rewards to complete required tasks. Completed tasks are payed by the deora council to the claiming member. # How to create a new bounty? 1. To start you'll have to fill out the bounty form below. - If the bounty spans across multiple repositories, consider splitting it in a smaller per-repo bounties if possible. - If the bounty is larger than M, then the best known expert in the bounty matter should be consulted and included in an "Expert" field in the bounty description. 2. Communicate the bounty to the organisation by submitting the following form: https://forms.gle/STSNjTBGygNtTUwLA - The bounty will get published on the deora communication channel. # Bounty sizes XS / 50 to 200 / DAI S / 200 to 350 / DAI M / 350 to 550 / DAI L / 550 to 900 / DAI XL / 900 to 1400 / DAI You can specify the range individually under #Roles # Pair programming If 2 people claim the bounty together, the payout increases by 1.5x. # Bounty Challenge Once a bounty is assigned, the worker is asked to start working immediately on the issue. If the worker feels blocked in execution, he/she has to communicate the tensions to the gardener. Only if tensions are not reported and the bounty get's no further attention, anyone can challenge the bounty or takeover. Bounties should be delivered within time, even if work is left to be performed. Leftover work can be tackled by submitting a new bounty with support by the organisation. Bounty forking: complexity of bounties that has been undersized can be forked out by a new bounty submission. **START DESCRIBING YOUR BOUNTY HERE:** --> # Bounty Add the two section which show the summary and a list with all the benefits. ![Bildschirmfoto 2020-04-20 um 15 11 28](https://user-images.githubusercontent.com/43147663/79755311-37189380-8319-11ea-9541-6440235aadc0.png) ## Scope - Add one new section - Add the benefits and the summary ## Deliverables PR ## Gain for the project ## Roles bounty gardener: @cyan-one / - bounty worker: @cyan-one / 90% bounty reviewer: name / share
non_defect
add the summary and benefits sections simple summary this policy allows to write out rewards to complete required tasks completed tasks are payed by the deora council to the claiming member how to create a new bounty to start you ll have to fill out the bounty form below if the bounty spans across multiple repositories consider splitting it in a smaller per repo bounties if possible if the bounty is larger than m then the best known expert in the bounty matter should be consulted and included in an expert field in the bounty description communicate the bounty to the organisation by submitting the following form the bounty will get published on the deora communication channel bounty sizes xs to dai s to dai m to dai l to dai xl to dai you can specify the range individually under roles pair programming if people claim the bounty together the payout increases by bounty challenge once a bounty is assigned the worker is asked to start working immediately on the issue if the worker feels blocked in execution he she has to communicate the tensions to the gardener only if tensions are not reported and the bounty get s no further attention anyone can challenge the bounty or takeover bounties should be delivered within time even if work is left to be performed leftover work can be tackled by submitting a new bounty with support by the organisation bounty forking complexity of bounties that has been undersized can be forked out by a new bounty submission start describing your bounty here bounty add the two section which show the summary and a list with all the benefits scope add one new section add the benefits and the summary deliverables pr gain for the project roles bounty gardener cyan one bounty worker cyan one bounty reviewer name share
0
351,081
25,012,398,587
IssuesEvent
2022-11-03 16:10:48
microsoft/azure_arc
https://api.github.com/repos/microsoft/azure_arc
opened
Secure access to Client VM - App services jumpstart scenarios
bug documentation arc_app_svc triage
<!--- Disclaimer: The intent of this "Bug report" template is to address issues related to the Azure Arc Jumpstart scenarios, ArcBox and all other project ares. The Azure Arc Jumpstart team does not handle Azure Arc core product issues, bugs and feature requests and will try to assist on a best effort basis. For a core product issue or feature request/feedback, please create an official [Azure support ticket](https://azure.microsoft.com/support/create-ticket/) or [general feedback request](https://feedback.azure.com). ---> **Jumpstart scenario or ArcBox flavor which you are working on.** Jumpstart App services scenarios **Describe the bug.** Remove the myIpAddress parameter and secure access to VMs **To Reproduce.** N/A **Expected behavior.** User needs to manually open RDP/SSH , use Bastion or JIT to access VMs **Environment summary.** N/A **Screenshots.** N/A **Additional context.** N/A
1.0
Secure access to Client VM - App services jumpstart scenarios - <!--- Disclaimer: The intent of this "Bug report" template is to address issues related to the Azure Arc Jumpstart scenarios, ArcBox and all other project ares. The Azure Arc Jumpstart team does not handle Azure Arc core product issues, bugs and feature requests and will try to assist on a best effort basis. For a core product issue or feature request/feedback, please create an official [Azure support ticket](https://azure.microsoft.com/support/create-ticket/) or [general feedback request](https://feedback.azure.com). ---> **Jumpstart scenario or ArcBox flavor which you are working on.** Jumpstart App services scenarios **Describe the bug.** Remove the myIpAddress parameter and secure access to VMs **To Reproduce.** N/A **Expected behavior.** User needs to manually open RDP/SSH , use Bastion or JIT to access VMs **Environment summary.** N/A **Screenshots.** N/A **Additional context.** N/A
non_defect
secure access to client vm app services jumpstart scenarios jumpstart scenario or arcbox flavor which you are working on jumpstart app services scenarios describe the bug remove the myipaddress parameter and secure access to vms to reproduce n a expected behavior user needs to manually open rdp ssh use bastion or jit to access vms environment summary n a screenshots n a additional context n a
0
88,895
25,528,166,191
IssuesEvent
2022-11-29 05:27:09
rh-impact/fiware-hackathon-2023
https://api.github.com/repos/rh-impact/fiware-hackathon-2023
opened
Building visualization specialist
Building visualization specialist Building - Building - Smart Cities
![Mission](https://computate.neocities.org/png/rh-impact-logo-black-text-white-background-long.png "Hackathon Task for FIWARE NA 2023 Hackathon") # Building visualization specialist Your mission, should you choose to accept it, is to visualize Building Smart Data from a FIWARE context broker. - Work with your data specialist to come up with useful Building data that you can use to visualize the work your team has done in the project. - You can import live Building data if you can find it, or fake Building data that your team can come up with (see the Example payloads below). - You can import as much or as little Building data as you wish, but enough to help your visualization specialist create nice visualizations of the data. - Your data specialist will work with your OpenShift deployment specialist to deploy the data to an Orion LD context broker. You will use the provided data to build visualizations with the tools of your choice. They could be command line tools, or containerized applications that can be deployed to an OpenShift local environment, or local programs in a programming language that you choose that process the data in the Orion LD context broker, or any other way to choose to make your visualizations. - Work with your documentation specialist to document the visualizations you have built into the documentation of the project. ## The day of the operation is Thursday February 2nd, 2023 You will have 4 hours to complete your mission. Work with Smart Data Models and the FIWARE Context broker in North America ## At the end of the day Should you, or any of your force be taken or compromised that day, you must report back as many changes as you have made, and any knowledge of your actions, by pull request or comments on the issue on the board. ## The details of your mission: Entity: Building ================ [Open License](https://github.com/smart-data-models//dataModel.Building/blob/master/Building/LICENSE.md) [document generated automatically](https://docs.google.com/presentation/d/e/2PACX-1vTs-Ng5dIAwkg91oTTUdt8ua7woBXhPnwavZ0FxgR8BsAI_Ek3C5q97Nd94HS8KhP-r_quD4H0fgyt3/pub?start=false&loop=false&delayms=3000#slide=id.gb715ace035_0_60) Global description: **Information on a given Building** version: 0.0.2 ## List of properties - `address`: The mailing address - `alternateName`: An alternative name for this item - `areaServed`: The geographic area where a service or offered item is provided - `category`: Category of the building. Enum:'apartments, bakehouse, barn, bridge, bungalow, bunker, cathedral, cabin, carport, chapel, church, civic, commercial, conservatory, construction, cowshed, detached, digester, dormitory, farm, farm_auxiliary, garage, garages, garbage_shed, grandstand, greenhouse, hangar, hospital, hotel, house, houseboat, hut, industrial, kindergarten, kiosk, mosque, office, parking, pavilion, public, residential, retail, riding_hall, roof, ruins, school, service, shed, shrine, stable, stadium, static_caravan, sty, synagogue, temple, terrace, train_station, transformer_tower, transportation, university, warehouse, water_tower' - `collapseRisk`: Probability of total collapse of the building. - `containedInPlace`: Geojson reference to the item. It can be Point, LineString, Polygon, MultiPoint, MultiLineString or MultiPolygon - `dataProvider`: A sequence of characters identifying the provider of the harmonised data entity. - `dateCreated`: Entity creation timestamp. This will usually be allocated by the storage platform. - `dateModified`: Timestamp of the last modification of the entity. This will usually be allocated by the storage platform. - `description`: A description of this item - `floorsAboveGround`: Floors above the ground level - `floorsBelowGround`: Floors below the ground level - `id`: Unique identifier of the entity - `location`: Geojson reference to the item. It can be Point, LineString, Polygon, MultiPoint, MultiLineString or MultiPolygon - `name`: The name of this item. - `occupier`: Person or entity using the building - `openingHours`: Opening hours of this building. - `owner`: A List containing a JSON encoded sequence of characters referencing the unique Ids of the owner(s) - `peopleCapacity`: Allowed people present at the building - `peopleOccupancy`: People present at the building - `refMap`: Reference to the map containing the building - `seeAlso`: list of uri pointing to additional resources about the item - `source`: A sequence of characters giving the original source of the entity data as a URL. Recommended to be the fully qualified domain name of the source provider, or the URL to the source object. - `type`: NGSI Entity type Required properties - `address` - `category` - `id` - `type` This entity contains a harmonised description of a Building. This entity is associated with the vertical segments of smart homes, smart cities, industry and related IoT applications. This data model has been partially developed in cooperation with mobile operators and the [GSMA](https://www.gsma.com/iot/iot-big-data/), compared to GSMA data model following changes are introduced the reference to `BuildingType` is removed, since `BuildingType` compared to `category` attribute does not introduce significant information. `category` attribute is required. `openingHours` is introduced following schema.org data model to allow fine-grained on building opening times. GSMA supported this as free text in the `notes` attribute (removed as well). `refSubscriptionService` is not supported, since `SubscriptionService` model is not supported currently ## Data Model description of properties Sorted alphabetically (click for details) <details><summary><strong>full yaml details</strong></summary> ```yaml Building: description: 'Information on a given Building' modelTags: "" properties: address: description: 'The mailing address' properties: addressCountry: description: 'Property. The country. For example, Spain. Model:''https://schema.org/addressCountry''' type: string addressLocality: description: 'Property. The locality in which the street address is, and which is in the region. Model:''https://schema.org/addressLocality''' type: string addressRegion: description: 'Property. The region in which the locality is, and which is in the country. Model:''https://schema.org/addressRegion''' type: string postOfficeBoxNumber: description: 'Property. The post office box number for PO box addresses. For example, 03578. Model:''https://schema.org/postOfficeBoxNumber''' type: string postalCode: description: 'Property. The postal code. For example, 24004. Model:''https://schema.org/https://schema.org/postalCode''' type: string streetAddress: description: 'Property. The street address. Model:''https://schema.org/streetAddress''' type: string type: object x-ngsi: model: https://schema.org/address type: Property alternateName: description: 'An alternative name for this item' type: string x-ngsi: type: Property areaServed: description: 'The geographic area where a service or offered item is provided' type: string x-ngsi: model: https://schema.org/Text type: Property category: description: 'Category of the building. Enum:''apartments, bakehouse, barn, bridge, bungalow, bunker, cathedral, cabin, carport, chapel, church, civic, commercial, conservatory, construction, cowshed, detached, digester, dormitory, farm, farm_auxiliary, garage, garages, garbage_shed, grandstand, greenhouse, hangar, hospital, hotel, house, houseboat, hut, industrial, kindergarten, kiosk, mosque, office, parking, pavilion, public, residential, retail, riding_hall, roof, ruins, school, service, shed, shrine, stable, stadium, static_caravan, sty, synagogue, temple, terrace, train_station, transformer_tower, transportation, university, warehouse, water_tower''' items: enum: - apartments - bakehouse - barn - bridge - bungalow - bunker - cathedral - cabin - carport - chapel - church - civic - commercial - conservatory - construction - cowshed - detached - digester - dormitory - farm - farm_auxiliary - garage - garages - garbage_shed - grandstand - greenhouse - hangar - hospital - hotel - house - houseboat - hut - industrial - kindergarten - kiosk - mosque - office - parking - pavilion - public - residential - retail - riding_hall - roof - ruins - school - service - shed - shrine - stable - stadium - static_caravan - sty - synagogue - temple - terrace - train_station - transformer_tower - transportation - university - warehouse - water_tower type: string type: array x-ngsi: type: Property collapseRisk: description: 'Probability of total collapse of the building.' maximum: 1 minimum: 0 type: number x-ngsi: model: https://schema.org/Number type: Property containedInPlace: description: 'Geojson reference to the item. It can be Point, LineString, Polygon, MultiPoint, MultiLineString or MultiPolygon' oneOf: &building_-_properties_-_location_-_oneof - description: 'Geoproperty. Geojson reference to the item. Point' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: type: number minItems: 2 type: array type: enum: - Point type: string required: - type - coordinates title: 'GeoJSON Point' type: object - description: 'Geoproperty. Geojson reference to the item. LineString' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: items: type: number minItems: 2 type: array minItems: 2 type: array type: enum: - LineString type: string required: - type - coordinates title: 'GeoJSON LineString' type: object - description: 'Geoproperty. Geojson reference to the item. Polygon' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: items: items: type: number minItems: 2 type: array minItems: 4 type: array type: array type: enum: - Polygon type: string required: - type - coordinates title: 'GeoJSON Polygon' type: object - description: 'Geoproperty. Geojson reference to the item. MultiPoint' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: items: type: number minItems: 2 type: array type: array type: enum: - MultiPoint type: string required: - type - coordinates title: 'GeoJSON MultiPoint' type: object - description: 'Geoproperty. Geojson reference to the item. MultiLineString' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: items: items: type: number minItems: 2 type: array minItems: 2 type: array type: array type: enum: - MultiLineString type: string required: - type - coordinates title: 'GeoJSON MultiLineString' type: object - description: 'Geoproperty. Geojson reference to the item. MultiLineString' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: items: items: items: type: number minItems: 2 type: array minItems: 4 type: array type: array type: array type: enum: - MultiPolygon type: string required: - type - coordinates title: 'GeoJSON MultiPolygon' type: object x-ngsi: type: Geoproperty dataProvider: description: 'A sequence of characters identifying the provider of the harmonised data entity.' type: string x-ngsi: type: Property dateCreated: description: 'Entity creation timestamp. This will usually be allocated by the storage platform.' format: date-time type: string x-ngsi: type: Property dateModified: description: 'Timestamp of the last modification of the entity. This will usually be allocated by the storage platform.' format: date-time type: string x-ngsi: type: Property description: description: 'A description of this item' type: string x-ngsi: type: Property floorsAboveGround: description: 'Floors above the ground level' type: integer x-ngsi: model: https://schema.org/Number type: Property floorsBelowGround: description: 'Floors below the ground level' type: integer x-ngsi: model: https://schema.org/Number type: Property id: anyOf: &anyof - description: 'Property. Identifier format of any NGSI entity' maxLength: 256 minLength: 1 pattern: ^[\w\-\.\{\}\$\+\*\[\]`|~^@!,:\\]+$ type: string - description: 'Property. Identifier format of any NGSI entity' format: uri type: string description: 'Unique identifier of the entity' x-ngsi: type: Property location: description: 'Geojson reference to the item. It can be Point, LineString, Polygon, MultiPoint, MultiLineString or MultiPolygon' oneOf: *building_-_properties_-_location_-_oneof x-ngsi: type: Geoproperty name: description: 'The name of this item.' type: string x-ngsi: type: Property occupier: description: 'Person or entity using the building' items: oneOf: - format: uri type: string - anyOf: *anyof description: 'Property. Unique identifier of the entity' type: array x-ngsi: model: https://schema.org/URL type: Relationship openingHours: description: 'Opening hours of this building.' items: type: string type: array x-ngsi: model: https://schema.org/openingHours type: Property owner: description: 'A List containing a JSON encoded sequence of characters referencing the unique Ids of the owner(s)' items: anyOf: *anyof description: 'Property. Unique identifier of the entity' type: array x-ngsi: type: Property peopleCapacity: description: 'Allowed people present at the building' minimum: 0 type: number x-ngsi: model: https://schema.org/Number type: Property peopleOccupancy: description: 'People present at the building' minimum: 0 type: number x-ngsi: model: https://schema.org/Number type: Property refMap: anyOf: - description: 'Property. Identifier format of any NGSI entity' maxLength: 256 minLength: 1 pattern: ^[\w\-\.\{\}\$\+\*\[\]`|~^@!,:\\]+$ type: string - description: 'Property. Identifier format of any NGSI entity' format: uri type: string description: 'Reference to the map containing the building' x-ngsi: type: Relationship seeAlso: description: 'list of uri pointing to additional resources about the item' oneOf: - items: format: uri type: string minItems: 1 type: array - format: uri type: string x-ngsi: type: Property source: description: 'A sequence of characters giving the original source of the entity data as a URL. Recommended to be the fully qualified domain name of the source provider, or the URL to the source object.' type: string x-ngsi: type: Property type: description: 'NGSI Entity type' enum: - Building type: string x-ngsi: type: Property required: - type - id - category - address type: object version: 0.0.2 ``` </details> ## Example payloads #### Building NGSI-v2 key-values Example Here is an example of a Building in JSON-LD format as key-values. This is compatible with NGSI-v2 when using `options=keyValues` and returns the context data of an individual entity. ```json { "id": "building-a85e3da145c1", "type": "Building", "dateCreated": "2016-08-08T10:18:16Z", "dateModified": "2016-08-08T10:18:16Z", "source": "http://www.example.com", "dataProvider": "OperatorA", "category": [ "office" ], "containedInPlace": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] }, "location": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] }, "address": { "addressLocality": "London", "postalCode": "EC4N 8AF", "streetAddress": "25 Walbrook" }, "owner": [ "cdfd9cb8-ae2b-47cb-a43a-b9767ffd5c84", "1be9cd61-ef59-421f-a326-4b6c84411ad4" ], "occupier": [ "9830f692-7677-11e6-838b-4f9fb3dc5a4f" ], "floorsAboveGround": 7, "floorsBelowGround": 0, "description": "Office block", "mapUrl": "http://www.example.com", "openingHours": [ "Mo-Fr 10:00-19:00", "Sa 10:00-22:00", "Su 10:00-21:00" ] } ``` #### Building NGSI-v2 normalized Example Here is an example of a Building in JSON-LD format as normalized. This is compatible with NGSI-v2 when not using options and returns the context data of an individual entity. ```json { "id": "building-a85e3da145c1", "type": "Building", "category": { "type": "Array", "value": [ "office" ] }, "floorsBelowGround": { "type": "Integer", "value": 0 }, "description": { "type": "Text", "value": "Office block" }, "floorsAboveGround": { "type": "Integer", "value": 7 }, "occupier": { "type": "Relationship", "value": [ "9830f692-7677-11e6-838b-4f9fb3dc5a4f" ] }, "mapUrl": { "type": "URL", "value": "http://www.example.com" }, "dateCreated": { "type": "DateTime", "value": "2016-08-08T10:18:16Z" }, "source": { "type": "Text", "value": "http://www.example.com" }, "location": { "type": "geo:json", "value": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] } }, "address": { "type": "PostalAddress", "value": { "addressLocality": "London", "postalCode": "EC4N 8AF", "streetAddress": "25 Walbrook" } }, "owner": { "type": "Relationship", "value": [ "cdfd9cb8-ae2b-47cb-a43a-b9767ffd5c84", "1be9cd61-ef59-421f-a326-4b6c84411ad4" ] }, "openingHours": { "type": "Array", "value": [ "Mo-Fr 10:00-19:00", "Sa 10:00-22:00", "Su 10:00-21:00" ] }, "dataProvider": { "type": "Text", "value": "OperatorA" }, "dateModified": { "type": "DateTime", "value": "2016-08-08T10:18:16Z" }, "containedInPlace": { "type": "geo:json", "value": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] } } } ``` #### Building NGSI-LD key-values Example Here is an example of a Building in JSON-LD format as key-values. This is compatible with NGSI-LD when using `options=keyValues` and returns the context data of an individual entity. ```json { "id": "urn:ngsi-ld:Building:building-a85e3da145c1", "type": "Building", "modifiedAt": "2016-08-08T10:18:16Z", "createdAt": "2016-08-08T10:18:16Z", "category": "office", "floorsBelowGround": 0, "description": "Office block", "floorsAboveGround": 7, "occupier": [ "urn:ngsi-ld:Person:9830f692-7677-11e6-838b-4f9fb3dc5a4f" ], "mapUrl": "http://www.example.com", "source": "http://www.example.com", "location": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] }, "address": { "addressLocality": "London", "postalCode": "EC4N 8AF", "streetAddress": "25 Walbrook", "type": "PostalAddress" }, "owner": [ "urn:ngsi-ld::cdfd9cb8-ae2b-47cb-a43a-b9767ffd5c84", "urn:ngsi-ld::1be9cd61-ef59-421f-a326-4b6c84411ad4" ], "openingHours": [ "Mo-Fr 10:00-19:00", "Sa 10:00-22:00", "Su 10:00-21:00" ], "dataProvider": "OperatorA", "containedInPlace": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] }, "@context": [ "https://smartdatamodels.org/context.jsonld", "https://uri.etsi.org/ngsi-ld/v1/ngsi-ld-core-context.jsonld" ] } ``` #### Building NGSI-LD normalized Example Here is an example of a Building in JSON-LD format as normalized. This is compatible with NGSI-LD when not using options and returns the context data of an individual entity. ```json { "id": "urn:ngsi-ld:Building:building-a85e3da145c1", "type": "Building", "address": { "type": "Property", "value": { "addressLocality": "London", "postalCode": "EC4N 8AF", "streetAddress": "25 Walbrook", "type": "PostalAddress" } }, "category": { "type": "Property", "value": [ "office" ] }, "containedInPlace": { "type": "Property", "value": { "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ], "type": "Polygon" } }, "createdAt": { "type": "Property", "value": "2016-08-08T10:18:16Z" }, "dataProvider": { "type": "Property", "value": "OperatorA" }, "description": { "type": "Property", "value": "Office block" }, "floorsAboveGround": { "type": "Property", "value": 7 }, "floorsBelowGround": { "type": "Property", "value": 0 }, "location": { "type": "Geoproperty", "value": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] } }, "mapUrl": { "type": "Property", "value": "http://www.example.com" }, "modifiedAt": { "type": "Property", "value": "2016-08-08T10:18:16Z" }, "occupier": { "type": "Relationship", "object": [ "urn:ngsi-ld:Person:9830f692-7677-11e6-838b-4f9fb3dc5a4f" ] }, "openingHours": { "type": "Property", "value": [ "Mo-Fr 10:00-19:00", "Sa 10:00-22:00", "Su 10:00-21:00" ] }, "owner": { "type": "Relationship", "object": [ "urn:ngsi-ld::cdfd9cb8-ae2b-47cb-a43a-b9767ffd5c84", "urn:ngsi-ld::1be9cd61-ef59-421f-a326-4b6c84411ad4" ] }, "source": { "type": "Property", "value": "http://www.example.com" }, "@context": [ "https://smartdatamodels.org/context.jsonld", "https://uri.etsi.org/ngsi-ld/v1/ngsi-ld-core-context.jsonld" ] } ``` See [FAQ 10](https://smartdatamodels.org/index.php/faqs/) to get an answer on how to deal with magnitude units ## Building adopters ``` description: This is a compilation list of the current adopters of the data model Building of the Subject dataModel.Building. All fields are non mandatory. More info at https://smart-data-models.github.io/data-models/templates/dataModel/CURRENT_ADOPTERS.yaml currentAdopters: - adopter: description: mail: organization: project: comments: startDate: ``` ![This message will not self-destruct. ](https://computate.neocities.org/png/mission-impossible-message.png "This message will not self-destruct. ") # This message will not self destruct, because this project is open source.
3.0
Building visualization specialist - ![Mission](https://computate.neocities.org/png/rh-impact-logo-black-text-white-background-long.png "Hackathon Task for FIWARE NA 2023 Hackathon") # Building visualization specialist Your mission, should you choose to accept it, is to visualize Building Smart Data from a FIWARE context broker. - Work with your data specialist to come up with useful Building data that you can use to visualize the work your team has done in the project. - You can import live Building data if you can find it, or fake Building data that your team can come up with (see the Example payloads below). - You can import as much or as little Building data as you wish, but enough to help your visualization specialist create nice visualizations of the data. - Your data specialist will work with your OpenShift deployment specialist to deploy the data to an Orion LD context broker. You will use the provided data to build visualizations with the tools of your choice. They could be command line tools, or containerized applications that can be deployed to an OpenShift local environment, or local programs in a programming language that you choose that process the data in the Orion LD context broker, or any other way to choose to make your visualizations. - Work with your documentation specialist to document the visualizations you have built into the documentation of the project. ## The day of the operation is Thursday February 2nd, 2023 You will have 4 hours to complete your mission. Work with Smart Data Models and the FIWARE Context broker in North America ## At the end of the day Should you, or any of your force be taken or compromised that day, you must report back as many changes as you have made, and any knowledge of your actions, by pull request or comments on the issue on the board. ## The details of your mission: Entity: Building ================ [Open License](https://github.com/smart-data-models//dataModel.Building/blob/master/Building/LICENSE.md) [document generated automatically](https://docs.google.com/presentation/d/e/2PACX-1vTs-Ng5dIAwkg91oTTUdt8ua7woBXhPnwavZ0FxgR8BsAI_Ek3C5q97Nd94HS8KhP-r_quD4H0fgyt3/pub?start=false&loop=false&delayms=3000#slide=id.gb715ace035_0_60) Global description: **Information on a given Building** version: 0.0.2 ## List of properties - `address`: The mailing address - `alternateName`: An alternative name for this item - `areaServed`: The geographic area where a service or offered item is provided - `category`: Category of the building. Enum:'apartments, bakehouse, barn, bridge, bungalow, bunker, cathedral, cabin, carport, chapel, church, civic, commercial, conservatory, construction, cowshed, detached, digester, dormitory, farm, farm_auxiliary, garage, garages, garbage_shed, grandstand, greenhouse, hangar, hospital, hotel, house, houseboat, hut, industrial, kindergarten, kiosk, mosque, office, parking, pavilion, public, residential, retail, riding_hall, roof, ruins, school, service, shed, shrine, stable, stadium, static_caravan, sty, synagogue, temple, terrace, train_station, transformer_tower, transportation, university, warehouse, water_tower' - `collapseRisk`: Probability of total collapse of the building. - `containedInPlace`: Geojson reference to the item. It can be Point, LineString, Polygon, MultiPoint, MultiLineString or MultiPolygon - `dataProvider`: A sequence of characters identifying the provider of the harmonised data entity. - `dateCreated`: Entity creation timestamp. This will usually be allocated by the storage platform. - `dateModified`: Timestamp of the last modification of the entity. This will usually be allocated by the storage platform. - `description`: A description of this item - `floorsAboveGround`: Floors above the ground level - `floorsBelowGround`: Floors below the ground level - `id`: Unique identifier of the entity - `location`: Geojson reference to the item. It can be Point, LineString, Polygon, MultiPoint, MultiLineString or MultiPolygon - `name`: The name of this item. - `occupier`: Person or entity using the building - `openingHours`: Opening hours of this building. - `owner`: A List containing a JSON encoded sequence of characters referencing the unique Ids of the owner(s) - `peopleCapacity`: Allowed people present at the building - `peopleOccupancy`: People present at the building - `refMap`: Reference to the map containing the building - `seeAlso`: list of uri pointing to additional resources about the item - `source`: A sequence of characters giving the original source of the entity data as a URL. Recommended to be the fully qualified domain name of the source provider, or the URL to the source object. - `type`: NGSI Entity type Required properties - `address` - `category` - `id` - `type` This entity contains a harmonised description of a Building. This entity is associated with the vertical segments of smart homes, smart cities, industry and related IoT applications. This data model has been partially developed in cooperation with mobile operators and the [GSMA](https://www.gsma.com/iot/iot-big-data/), compared to GSMA data model following changes are introduced the reference to `BuildingType` is removed, since `BuildingType` compared to `category` attribute does not introduce significant information. `category` attribute is required. `openingHours` is introduced following schema.org data model to allow fine-grained on building opening times. GSMA supported this as free text in the `notes` attribute (removed as well). `refSubscriptionService` is not supported, since `SubscriptionService` model is not supported currently ## Data Model description of properties Sorted alphabetically (click for details) <details><summary><strong>full yaml details</strong></summary> ```yaml Building: description: 'Information on a given Building' modelTags: "" properties: address: description: 'The mailing address' properties: addressCountry: description: 'Property. The country. For example, Spain. Model:''https://schema.org/addressCountry''' type: string addressLocality: description: 'Property. The locality in which the street address is, and which is in the region. Model:''https://schema.org/addressLocality''' type: string addressRegion: description: 'Property. The region in which the locality is, and which is in the country. Model:''https://schema.org/addressRegion''' type: string postOfficeBoxNumber: description: 'Property. The post office box number for PO box addresses. For example, 03578. Model:''https://schema.org/postOfficeBoxNumber''' type: string postalCode: description: 'Property. The postal code. For example, 24004. Model:''https://schema.org/https://schema.org/postalCode''' type: string streetAddress: description: 'Property. The street address. Model:''https://schema.org/streetAddress''' type: string type: object x-ngsi: model: https://schema.org/address type: Property alternateName: description: 'An alternative name for this item' type: string x-ngsi: type: Property areaServed: description: 'The geographic area where a service or offered item is provided' type: string x-ngsi: model: https://schema.org/Text type: Property category: description: 'Category of the building. Enum:''apartments, bakehouse, barn, bridge, bungalow, bunker, cathedral, cabin, carport, chapel, church, civic, commercial, conservatory, construction, cowshed, detached, digester, dormitory, farm, farm_auxiliary, garage, garages, garbage_shed, grandstand, greenhouse, hangar, hospital, hotel, house, houseboat, hut, industrial, kindergarten, kiosk, mosque, office, parking, pavilion, public, residential, retail, riding_hall, roof, ruins, school, service, shed, shrine, stable, stadium, static_caravan, sty, synagogue, temple, terrace, train_station, transformer_tower, transportation, university, warehouse, water_tower''' items: enum: - apartments - bakehouse - barn - bridge - bungalow - bunker - cathedral - cabin - carport - chapel - church - civic - commercial - conservatory - construction - cowshed - detached - digester - dormitory - farm - farm_auxiliary - garage - garages - garbage_shed - grandstand - greenhouse - hangar - hospital - hotel - house - houseboat - hut - industrial - kindergarten - kiosk - mosque - office - parking - pavilion - public - residential - retail - riding_hall - roof - ruins - school - service - shed - shrine - stable - stadium - static_caravan - sty - synagogue - temple - terrace - train_station - transformer_tower - transportation - university - warehouse - water_tower type: string type: array x-ngsi: type: Property collapseRisk: description: 'Probability of total collapse of the building.' maximum: 1 minimum: 0 type: number x-ngsi: model: https://schema.org/Number type: Property containedInPlace: description: 'Geojson reference to the item. It can be Point, LineString, Polygon, MultiPoint, MultiLineString or MultiPolygon' oneOf: &building_-_properties_-_location_-_oneof - description: 'Geoproperty. Geojson reference to the item. Point' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: type: number minItems: 2 type: array type: enum: - Point type: string required: - type - coordinates title: 'GeoJSON Point' type: object - description: 'Geoproperty. Geojson reference to the item. LineString' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: items: type: number minItems: 2 type: array minItems: 2 type: array type: enum: - LineString type: string required: - type - coordinates title: 'GeoJSON LineString' type: object - description: 'Geoproperty. Geojson reference to the item. Polygon' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: items: items: type: number minItems: 2 type: array minItems: 4 type: array type: array type: enum: - Polygon type: string required: - type - coordinates title: 'GeoJSON Polygon' type: object - description: 'Geoproperty. Geojson reference to the item. MultiPoint' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: items: type: number minItems: 2 type: array type: array type: enum: - MultiPoint type: string required: - type - coordinates title: 'GeoJSON MultiPoint' type: object - description: 'Geoproperty. Geojson reference to the item. MultiLineString' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: items: items: type: number minItems: 2 type: array minItems: 2 type: array type: array type: enum: - MultiLineString type: string required: - type - coordinates title: 'GeoJSON MultiLineString' type: object - description: 'Geoproperty. Geojson reference to the item. MultiLineString' properties: bbox: items: type: number minItems: 4 type: array coordinates: items: items: items: items: type: number minItems: 2 type: array minItems: 4 type: array type: array type: array type: enum: - MultiPolygon type: string required: - type - coordinates title: 'GeoJSON MultiPolygon' type: object x-ngsi: type: Geoproperty dataProvider: description: 'A sequence of characters identifying the provider of the harmonised data entity.' type: string x-ngsi: type: Property dateCreated: description: 'Entity creation timestamp. This will usually be allocated by the storage platform.' format: date-time type: string x-ngsi: type: Property dateModified: description: 'Timestamp of the last modification of the entity. This will usually be allocated by the storage platform.' format: date-time type: string x-ngsi: type: Property description: description: 'A description of this item' type: string x-ngsi: type: Property floorsAboveGround: description: 'Floors above the ground level' type: integer x-ngsi: model: https://schema.org/Number type: Property floorsBelowGround: description: 'Floors below the ground level' type: integer x-ngsi: model: https://schema.org/Number type: Property id: anyOf: &anyof - description: 'Property. Identifier format of any NGSI entity' maxLength: 256 minLength: 1 pattern: ^[\w\-\.\{\}\$\+\*\[\]`|~^@!,:\\]+$ type: string - description: 'Property. Identifier format of any NGSI entity' format: uri type: string description: 'Unique identifier of the entity' x-ngsi: type: Property location: description: 'Geojson reference to the item. It can be Point, LineString, Polygon, MultiPoint, MultiLineString or MultiPolygon' oneOf: *building_-_properties_-_location_-_oneof x-ngsi: type: Geoproperty name: description: 'The name of this item.' type: string x-ngsi: type: Property occupier: description: 'Person or entity using the building' items: oneOf: - format: uri type: string - anyOf: *anyof description: 'Property. Unique identifier of the entity' type: array x-ngsi: model: https://schema.org/URL type: Relationship openingHours: description: 'Opening hours of this building.' items: type: string type: array x-ngsi: model: https://schema.org/openingHours type: Property owner: description: 'A List containing a JSON encoded sequence of characters referencing the unique Ids of the owner(s)' items: anyOf: *anyof description: 'Property. Unique identifier of the entity' type: array x-ngsi: type: Property peopleCapacity: description: 'Allowed people present at the building' minimum: 0 type: number x-ngsi: model: https://schema.org/Number type: Property peopleOccupancy: description: 'People present at the building' minimum: 0 type: number x-ngsi: model: https://schema.org/Number type: Property refMap: anyOf: - description: 'Property. Identifier format of any NGSI entity' maxLength: 256 minLength: 1 pattern: ^[\w\-\.\{\}\$\+\*\[\]`|~^@!,:\\]+$ type: string - description: 'Property. Identifier format of any NGSI entity' format: uri type: string description: 'Reference to the map containing the building' x-ngsi: type: Relationship seeAlso: description: 'list of uri pointing to additional resources about the item' oneOf: - items: format: uri type: string minItems: 1 type: array - format: uri type: string x-ngsi: type: Property source: description: 'A sequence of characters giving the original source of the entity data as a URL. Recommended to be the fully qualified domain name of the source provider, or the URL to the source object.' type: string x-ngsi: type: Property type: description: 'NGSI Entity type' enum: - Building type: string x-ngsi: type: Property required: - type - id - category - address type: object version: 0.0.2 ``` </details> ## Example payloads #### Building NGSI-v2 key-values Example Here is an example of a Building in JSON-LD format as key-values. This is compatible with NGSI-v2 when using `options=keyValues` and returns the context data of an individual entity. ```json { "id": "building-a85e3da145c1", "type": "Building", "dateCreated": "2016-08-08T10:18:16Z", "dateModified": "2016-08-08T10:18:16Z", "source": "http://www.example.com", "dataProvider": "OperatorA", "category": [ "office" ], "containedInPlace": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] }, "location": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] }, "address": { "addressLocality": "London", "postalCode": "EC4N 8AF", "streetAddress": "25 Walbrook" }, "owner": [ "cdfd9cb8-ae2b-47cb-a43a-b9767ffd5c84", "1be9cd61-ef59-421f-a326-4b6c84411ad4" ], "occupier": [ "9830f692-7677-11e6-838b-4f9fb3dc5a4f" ], "floorsAboveGround": 7, "floorsBelowGround": 0, "description": "Office block", "mapUrl": "http://www.example.com", "openingHours": [ "Mo-Fr 10:00-19:00", "Sa 10:00-22:00", "Su 10:00-21:00" ] } ``` #### Building NGSI-v2 normalized Example Here is an example of a Building in JSON-LD format as normalized. This is compatible with NGSI-v2 when not using options and returns the context data of an individual entity. ```json { "id": "building-a85e3da145c1", "type": "Building", "category": { "type": "Array", "value": [ "office" ] }, "floorsBelowGround": { "type": "Integer", "value": 0 }, "description": { "type": "Text", "value": "Office block" }, "floorsAboveGround": { "type": "Integer", "value": 7 }, "occupier": { "type": "Relationship", "value": [ "9830f692-7677-11e6-838b-4f9fb3dc5a4f" ] }, "mapUrl": { "type": "URL", "value": "http://www.example.com" }, "dateCreated": { "type": "DateTime", "value": "2016-08-08T10:18:16Z" }, "source": { "type": "Text", "value": "http://www.example.com" }, "location": { "type": "geo:json", "value": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] } }, "address": { "type": "PostalAddress", "value": { "addressLocality": "London", "postalCode": "EC4N 8AF", "streetAddress": "25 Walbrook" } }, "owner": { "type": "Relationship", "value": [ "cdfd9cb8-ae2b-47cb-a43a-b9767ffd5c84", "1be9cd61-ef59-421f-a326-4b6c84411ad4" ] }, "openingHours": { "type": "Array", "value": [ "Mo-Fr 10:00-19:00", "Sa 10:00-22:00", "Su 10:00-21:00" ] }, "dataProvider": { "type": "Text", "value": "OperatorA" }, "dateModified": { "type": "DateTime", "value": "2016-08-08T10:18:16Z" }, "containedInPlace": { "type": "geo:json", "value": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] } } } ``` #### Building NGSI-LD key-values Example Here is an example of a Building in JSON-LD format as key-values. This is compatible with NGSI-LD when using `options=keyValues` and returns the context data of an individual entity. ```json { "id": "urn:ngsi-ld:Building:building-a85e3da145c1", "type": "Building", "modifiedAt": "2016-08-08T10:18:16Z", "createdAt": "2016-08-08T10:18:16Z", "category": "office", "floorsBelowGround": 0, "description": "Office block", "floorsAboveGround": 7, "occupier": [ "urn:ngsi-ld:Person:9830f692-7677-11e6-838b-4f9fb3dc5a4f" ], "mapUrl": "http://www.example.com", "source": "http://www.example.com", "location": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] }, "address": { "addressLocality": "London", "postalCode": "EC4N 8AF", "streetAddress": "25 Walbrook", "type": "PostalAddress" }, "owner": [ "urn:ngsi-ld::cdfd9cb8-ae2b-47cb-a43a-b9767ffd5c84", "urn:ngsi-ld::1be9cd61-ef59-421f-a326-4b6c84411ad4" ], "openingHours": [ "Mo-Fr 10:00-19:00", "Sa 10:00-22:00", "Su 10:00-21:00" ], "dataProvider": "OperatorA", "containedInPlace": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] }, "@context": [ "https://smartdatamodels.org/context.jsonld", "https://uri.etsi.org/ngsi-ld/v1/ngsi-ld-core-context.jsonld" ] } ``` #### Building NGSI-LD normalized Example Here is an example of a Building in JSON-LD format as normalized. This is compatible with NGSI-LD when not using options and returns the context data of an individual entity. ```json { "id": "urn:ngsi-ld:Building:building-a85e3da145c1", "type": "Building", "address": { "type": "Property", "value": { "addressLocality": "London", "postalCode": "EC4N 8AF", "streetAddress": "25 Walbrook", "type": "PostalAddress" } }, "category": { "type": "Property", "value": [ "office" ] }, "containedInPlace": { "type": "Property", "value": { "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ], "type": "Polygon" } }, "createdAt": { "type": "Property", "value": "2016-08-08T10:18:16Z" }, "dataProvider": { "type": "Property", "value": "OperatorA" }, "description": { "type": "Property", "value": "Office block" }, "floorsAboveGround": { "type": "Property", "value": 7 }, "floorsBelowGround": { "type": "Property", "value": 0 }, "location": { "type": "Geoproperty", "value": { "type": "Polygon", "coordinates": [ [ [ 100, 0 ], [ 101, 0 ], [ 101, 1 ], [ 100, 1 ], [ 100, 0 ] ] ] } }, "mapUrl": { "type": "Property", "value": "http://www.example.com" }, "modifiedAt": { "type": "Property", "value": "2016-08-08T10:18:16Z" }, "occupier": { "type": "Relationship", "object": [ "urn:ngsi-ld:Person:9830f692-7677-11e6-838b-4f9fb3dc5a4f" ] }, "openingHours": { "type": "Property", "value": [ "Mo-Fr 10:00-19:00", "Sa 10:00-22:00", "Su 10:00-21:00" ] }, "owner": { "type": "Relationship", "object": [ "urn:ngsi-ld::cdfd9cb8-ae2b-47cb-a43a-b9767ffd5c84", "urn:ngsi-ld::1be9cd61-ef59-421f-a326-4b6c84411ad4" ] }, "source": { "type": "Property", "value": "http://www.example.com" }, "@context": [ "https://smartdatamodels.org/context.jsonld", "https://uri.etsi.org/ngsi-ld/v1/ngsi-ld-core-context.jsonld" ] } ``` See [FAQ 10](https://smartdatamodels.org/index.php/faqs/) to get an answer on how to deal with magnitude units ## Building adopters ``` description: This is a compilation list of the current adopters of the data model Building of the Subject dataModel.Building. All fields are non mandatory. More info at https://smart-data-models.github.io/data-models/templates/dataModel/CURRENT_ADOPTERS.yaml currentAdopters: - adopter: description: mail: organization: project: comments: startDate: ``` ![This message will not self-destruct. ](https://computate.neocities.org/png/mission-impossible-message.png "This message will not self-destruct. ") # This message will not self destruct, because this project is open source.
non_defect
building visualization specialist hackathon task for fiware na hackathon building visualization specialist your mission should you choose to accept it is to visualize building smart data from a fiware context broker work with your data specialist to come up with useful building data that you can use to visualize the work your team has done in the project you can import live building data if you can find it or fake building data that your team can come up with see the example payloads below you can import as much or as little building data as you wish but enough to help your visualization specialist create nice visualizations of the data your data specialist will work with your openshift deployment specialist to deploy the data to an orion ld context broker you will use the provided data to build visualizations with the tools of your choice they could be command line tools or containerized applications that can be deployed to an openshift local environment or local programs in a programming language that you choose that process the data in the orion ld context broker or any other way to choose to make your visualizations work with your documentation specialist to document the visualizations you have built into the documentation of the project the day of the operation is thursday february you will have hours to complete your mission work with smart data models and the fiware context broker in north america at the end of the day should you or any of your force be taken or compromised that day you must report back as many changes as you have made and any knowledge of your actions by pull request or comments on the issue on the board the details of your mission entity building global description information on a given building version list of properties address the mailing address alternatename an alternative name for this item areaserved the geographic area where a service or offered item is provided category category of the building enum apartments bakehouse barn bridge bungalow bunker cathedral cabin carport chapel church civic commercial conservatory construction cowshed detached digester dormitory farm farm auxiliary garage garages garbage shed grandstand greenhouse hangar hospital hotel house houseboat hut industrial kindergarten kiosk mosque office parking pavilion public residential retail riding hall roof ruins school service shed shrine stable stadium static caravan sty synagogue temple terrace train station transformer tower transportation university warehouse water tower collapserisk probability of total collapse of the building containedinplace geojson reference to the item it can be point linestring polygon multipoint multilinestring or multipolygon dataprovider a sequence of characters identifying the provider of the harmonised data entity datecreated entity creation timestamp this will usually be allocated by the storage platform datemodified timestamp of the last modification of the entity this will usually be allocated by the storage platform description a description of this item floorsaboveground floors above the ground level floorsbelowground floors below the ground level id unique identifier of the entity location geojson reference to the item it can be point linestring polygon multipoint multilinestring or multipolygon name the name of this item occupier person or entity using the building openinghours opening hours of this building owner a list containing a json encoded sequence of characters referencing the unique ids of the owner s peoplecapacity allowed people present at the building peopleoccupancy people present at the building refmap reference to the map containing the building seealso list of uri pointing to additional resources about the item source a sequence of characters giving the original source of the entity data as a url recommended to be the fully qualified domain name of the source provider or the url to the source object type ngsi entity type required properties address category id type this entity contains a harmonised description of a building this entity is associated with the vertical segments of smart homes smart cities industry and related iot applications this data model has been partially developed in cooperation with mobile operators and the compared to gsma data model following changes are introduced the reference to buildingtype is removed since buildingtype compared to category attribute does not introduce significant information category attribute is required openinghours is introduced following schema org data model to allow fine grained on building opening times gsma supported this as free text in the notes attribute removed as well refsubscriptionservice is not supported since subscriptionservice model is not supported currently data model description of properties sorted alphabetically click for details full yaml details yaml building description information on a given building modeltags properties address description the mailing address properties addresscountry description property the country for example spain model type string addresslocality description property the locality in which the street address is and which is in the region model type string addressregion description property the region in which the locality is and which is in the country model type string postofficeboxnumber description property the post office box number for po box addresses for example model type string postalcode description property the postal code for example model type string streetaddress description property the street address model type string type object x ngsi model type property alternatename description an alternative name for this item type string x ngsi type property areaserved description the geographic area where a service or offered item is provided type string x ngsi model type property category description category of the building enum apartments bakehouse barn bridge bungalow bunker cathedral cabin carport chapel church civic commercial conservatory construction cowshed detached digester dormitory farm farm auxiliary garage garages garbage shed grandstand greenhouse hangar hospital hotel house houseboat hut industrial kindergarten kiosk mosque office parking pavilion public residential retail riding hall roof ruins school service shed shrine stable stadium static caravan sty synagogue temple terrace train station transformer tower transportation university warehouse water tower items enum apartments bakehouse barn bridge bungalow bunker cathedral cabin carport chapel church civic commercial conservatory construction cowshed detached digester dormitory farm farm auxiliary garage garages garbage shed grandstand greenhouse hangar hospital hotel house houseboat hut industrial kindergarten kiosk mosque office parking pavilion public residential retail riding hall roof ruins school service shed shrine stable stadium static caravan sty synagogue temple terrace train station transformer tower transportation university warehouse water tower type string type array x ngsi type property collapserisk description probability of total collapse of the building maximum minimum type number x ngsi model type property containedinplace description geojson reference to the item it can be point linestring polygon multipoint multilinestring or multipolygon oneof building properties location oneof description geoproperty geojson reference to the item point properties bbox items type number minitems type array coordinates items type number minitems type array type enum point type string required type coordinates title geojson point type object description geoproperty geojson reference to the item linestring properties bbox items type number minitems type array coordinates items items type number minitems type array minitems type array type enum linestring type string required type coordinates title geojson linestring type object description geoproperty geojson reference to the item polygon properties bbox items type number minitems type array coordinates items items items type number minitems type array minitems type array type array type enum polygon type string required type coordinates title geojson polygon type object description geoproperty geojson reference to the item multipoint properties bbox items type number minitems type array coordinates items items type number minitems type array type array type enum multipoint type string required type coordinates title geojson multipoint type object description geoproperty geojson reference to the item multilinestring properties bbox items type number minitems type array coordinates items items items type number minitems type array minitems type array type array type enum multilinestring type string required type coordinates title geojson multilinestring type object description geoproperty geojson reference to the item multilinestring properties bbox items type number minitems type array coordinates items items items items type number minitems type array minitems type array type array type array type enum multipolygon type string required type coordinates title geojson multipolygon type object x ngsi type geoproperty dataprovider description a sequence of characters identifying the provider of the harmonised data entity type string x ngsi type property datecreated description entity creation timestamp this will usually be allocated by the storage platform format date time type string x ngsi type property datemodified description timestamp of the last modification of the entity this will usually be allocated by the storage platform format date time type string x ngsi type property description description a description of this item type string x ngsi type property floorsaboveground description floors above the ground level type integer x ngsi model type property floorsbelowground description floors below the ground level type integer x ngsi model type property id anyof anyof description property identifier format of any ngsi entity maxlength minlength pattern type string description property identifier format of any ngsi entity format uri type string description unique identifier of the entity x ngsi type property location description geojson reference to the item it can be point linestring polygon multipoint multilinestring or multipolygon oneof building properties location oneof x ngsi type geoproperty name description the name of this item type string x ngsi type property occupier description person or entity using the building items oneof format uri type string anyof anyof description property unique identifier of the entity type array x ngsi model type relationship openinghours description opening hours of this building items type string type array x ngsi model type property owner description a list containing a json encoded sequence of characters referencing the unique ids of the owner s items anyof anyof description property unique identifier of the entity type array x ngsi type property peoplecapacity description allowed people present at the building minimum type number x ngsi model type property peopleoccupancy description people present at the building minimum type number x ngsi model type property refmap anyof description property identifier format of any ngsi entity maxlength minlength pattern type string description property identifier format of any ngsi entity format uri type string description reference to the map containing the building x ngsi type relationship seealso description list of uri pointing to additional resources about the item oneof items format uri type string minitems type array format uri type string x ngsi type property source description a sequence of characters giving the original source of the entity data as a url recommended to be the fully qualified domain name of the source provider or the url to the source object type string x ngsi type property type description ngsi entity type enum building type string x ngsi type property required type id category address type object version example payloads building ngsi key values example here is an example of a building in json ld format as key values this is compatible with ngsi when using options keyvalues and returns the context data of an individual entity json id building type building datecreated datemodified source dataprovider operatora category office containedinplace type polygon coordinates location type polygon coordinates address addresslocality london postalcode streetaddress walbrook owner occupier floorsaboveground floorsbelowground description office block mapurl openinghours mo fr sa su building ngsi normalized example here is an example of a building in json ld format as normalized this is compatible with ngsi when not using options and returns the context data of an individual entity json id building type building category type array value office floorsbelowground type integer value description type text value office block floorsaboveground type integer value occupier type relationship value mapurl type url value datecreated type datetime value source type text value location type geo json value type polygon coordinates address type postaladdress value addresslocality london postalcode streetaddress walbrook owner type relationship value openinghours type array value mo fr sa su dataprovider type text value operatora datemodified type datetime value containedinplace type geo json value type polygon coordinates building ngsi ld key values example here is an example of a building in json ld format as key values this is compatible with ngsi ld when using options keyvalues and returns the context data of an individual entity json id urn ngsi ld building building type building modifiedat createdat category office floorsbelowground description office block floorsaboveground occupier urn ngsi ld person mapurl source location type polygon coordinates address addresslocality london postalcode streetaddress walbrook type postaladdress owner urn ngsi ld urn ngsi ld openinghours mo fr sa su dataprovider operatora containedinplace type polygon coordinates context building ngsi ld normalized example here is an example of a building in json ld format as normalized this is compatible with ngsi ld when not using options and returns the context data of an individual entity json id urn ngsi ld building building type building address type property value addresslocality london postalcode streetaddress walbrook type postaladdress category type property value office containedinplace type property value coordinates type polygon createdat type property value dataprovider type property value operatora description type property value office block floorsaboveground type property value floorsbelowground type property value location type geoproperty value type polygon coordinates mapurl type property value modifiedat type property value occupier type relationship object urn ngsi ld person openinghours type property value mo fr sa su owner type relationship object urn ngsi ld urn ngsi ld source type property value context see to get an answer on how to deal with magnitude units building adopters description this is a compilation list of the current adopters of the data model building of the subject datamodel building all fields are non mandatory more info at currentadopters adopter description mail organization project comments startdate this message will not self destruct this message will not self destruct because this project is open source
0
27,949
4,068,989,284
IssuesEvent
2016-05-27 00:45:36
MarlinFirmware/MarlinDev
https://api.github.com/repos/MarlinFirmware/MarlinDev
closed
Recommendations for a good 32 bit microprocessor to run Marlin
Discussion: Design Concept Discussion: Developers Needs: Discussion
The Atmel ATSAM3x8e on the Due board is definitely viable. It has the benefit it can plug into the RAMPS or RADDS base board and at that point it is easy to populate it with other needed items like Step Sticks to handle the stepper motors. But my questions is "What other companies make viable platforms to run 3D-Printers?" Ideally, these microprocessors have good compiler support and can have similar items to the Step Sticks plugged into them. The best case would be if these other microprocessor boards were compatible with the RAMPS and RADDS boards and could just plug into them.
1.0
Recommendations for a good 32 bit microprocessor to run Marlin - The Atmel ATSAM3x8e on the Due board is definitely viable. It has the benefit it can plug into the RAMPS or RADDS base board and at that point it is easy to populate it with other needed items like Step Sticks to handle the stepper motors. But my questions is "What other companies make viable platforms to run 3D-Printers?" Ideally, these microprocessors have good compiler support and can have similar items to the Step Sticks plugged into them. The best case would be if these other microprocessor boards were compatible with the RAMPS and RADDS boards and could just plug into them.
non_defect
recommendations for a good bit microprocessor to run marlin the atmel on the due board is definitely viable it has the benefit it can plug into the ramps or radds base board and at that point it is easy to populate it with other needed items like step sticks to handle the stepper motors but my questions is what other companies make viable platforms to run printers ideally these microprocessors have good compiler support and can have similar items to the step sticks plugged into them the best case would be if these other microprocessor boards were compatible with the ramps and radds boards and could just plug into them
0
144,681
5,544,067,098
IssuesEvent
2017-03-22 18:16:36
subchannel13/zvjezdojedac
https://api.github.com/repos/subchannel13/zvjezdojedac
closed
GUI options
auto-migrated Component-UI OpSys-All Priority-Low Type-Enhancement
``` Investigate and if possible implement: 1) Cursor locked to screen 2) Borderless window mode 3) Fullscreen mode ``` Original issue reported on code.google.com by `subchann...@gmail.com` on 26 Jan 2015 at 9:49
1.0
GUI options - ``` Investigate and if possible implement: 1) Cursor locked to screen 2) Borderless window mode 3) Fullscreen mode ``` Original issue reported on code.google.com by `subchann...@gmail.com` on 26 Jan 2015 at 9:49
non_defect
gui options investigate and if possible implement cursor locked to screen borderless window mode fullscreen mode original issue reported on code google com by subchann gmail com on jan at
0
64,112
18,217,385,334
IssuesEvent
2021-09-30 06:51:56
vector-im/element-android
https://api.github.com/repos/vector-im/element-android
opened
Major issue with DST Root CA X3 Expiration using Let's Encrypt
T-Defect
### Steps to reproduce 1. Have a Let's Encrypt certificate on your homeserver or a reverse proxy using Let's Encrypt in front of it ### What happened? ### What did you expect? Android clients should still be able to connect. The app should give an error about the certificate and ask if it can be trusted. ### What happened? See: https://letsencrypt.org/docs/dst-root-ca-x3-expiration-september-2021/ The Android app wasn't able to connect to the server anymore. I couldn't send nor receive any messages. There was no error message given, which was really confusing. When I log out and back in again i get a certificate error. As long as the certificate doesn't change it works but for instance when I pull a new one from Let's Encrypt it's broken again. **I don't get the certificate error using Element Web on the exact same device or other on desktop.** ### Your phone model OnePlus 8T ### Operating system version _No response_ ### Application version and app store 1.2.2, olm version 3.2.4 from Google Play ### Homeserver matrix.gogel.me ### Have you submitted a rageshake? No
1.0
Major issue with DST Root CA X3 Expiration using Let's Encrypt - ### Steps to reproduce 1. Have a Let's Encrypt certificate on your homeserver or a reverse proxy using Let's Encrypt in front of it ### What happened? ### What did you expect? Android clients should still be able to connect. The app should give an error about the certificate and ask if it can be trusted. ### What happened? See: https://letsencrypt.org/docs/dst-root-ca-x3-expiration-september-2021/ The Android app wasn't able to connect to the server anymore. I couldn't send nor receive any messages. There was no error message given, which was really confusing. When I log out and back in again i get a certificate error. As long as the certificate doesn't change it works but for instance when I pull a new one from Let's Encrypt it's broken again. **I don't get the certificate error using Element Web on the exact same device or other on desktop.** ### Your phone model OnePlus 8T ### Operating system version _No response_ ### Application version and app store 1.2.2, olm version 3.2.4 from Google Play ### Homeserver matrix.gogel.me ### Have you submitted a rageshake? No
defect
major issue with dst root ca expiration using let s encrypt steps to reproduce have a let s encrypt certificate on your homeserver or a reverse proxy using let s encrypt in front of it what happened what did you expect android clients should still be able to connect the app should give an error about the certificate and ask if it can be trusted what happened see the android app wasn t able to connect to the server anymore i couldn t send nor receive any messages there was no error message given which was really confusing when i log out and back in again i get a certificate error as long as the certificate doesn t change it works but for instance when i pull a new one from let s encrypt it s broken again i don t get the certificate error using element web on the exact same device or other on desktop your phone model oneplus operating system version no response application version and app store olm version from google play homeserver matrix gogel me have you submitted a rageshake no
1
44,881
12,419,455,623
IssuesEvent
2020-05-23 06:18:39
scipy/scipy
https://api.github.com/repos/scipy/scipy
closed
Sparse Array - Explicit zeros after slicing
defect scipy.sparse
Hi, When I use explicit zeros in scipy sparse arrays (CSR) everything works as expected - the zero values are in the sparse array's data attribute. When I do a row slice of the CSR sparse array the explicit zeros are no longer in the data attribute. I think when scipy reconstructs the sparse array from the slice it drops the zeros assuming they are the same as the implicit zeros. ### Scipy/Numpy/Python version information: ``` 0.19.0 1.12.1 sys.version_info(major=3, minor=5, micro=3, releaselevel='final', serial=0) ```
1.0
Sparse Array - Explicit zeros after slicing - Hi, When I use explicit zeros in scipy sparse arrays (CSR) everything works as expected - the zero values are in the sparse array's data attribute. When I do a row slice of the CSR sparse array the explicit zeros are no longer in the data attribute. I think when scipy reconstructs the sparse array from the slice it drops the zeros assuming they are the same as the implicit zeros. ### Scipy/Numpy/Python version information: ``` 0.19.0 1.12.1 sys.version_info(major=3, minor=5, micro=3, releaselevel='final', serial=0) ```
defect
sparse array explicit zeros after slicing hi when i use explicit zeros in scipy sparse arrays csr everything works as expected the zero values are in the sparse array s data attribute when i do a row slice of the csr sparse array the explicit zeros are no longer in the data attribute i think when scipy reconstructs the sparse array from the slice it drops the zeros assuming they are the same as the implicit zeros scipy numpy python version information sys version info major minor micro releaselevel final serial
1
246,216
26,600,527,573
IssuesEvent
2023-01-23 15:28:02
lukebrogan-mend/AltoroJ
https://api.github.com/repos/lukebrogan-mend/AltoroJ
opened
commons-codec-1.6.jar: 1 vulnerabilities (highest severity is: 6.5)
security vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>commons-codec-1.6.jar</b></p></summary> <p>The codec package contains simple encoder and decoders for various formats such as Base64 and Hexadecimal. In addition to these widely used encoders and decoders, the codec package also maintains a collection of phonetic encoding utilities.</p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/commons-codec/commons-codec/1.6/b7f0fc8f61ecadeb3695f0b9464755eee44374d4/commons-codec-1.6.jar</p> <p> <p>Found in HEAD commit: <a href="https://github.com/lukebrogan-mend/AltoroJ/commit/c6b5af447ea2b6c659b917cb40d0e275c174ad60">c6b5af447ea2b6c659b917cb40d0e275c174ad60</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (commons-codec version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [WS-2019-0379](https://github.com/apache/commons-codec/commit/48b615756d1d770091ea3322eefc08011ee8b113) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.5 | commons-codec-1.6.jar | Direct | 1.13 | &#9989; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> WS-2019-0379</summary> ### Vulnerable Library - <b>commons-codec-1.6.jar</b></p> <p>The codec package contains simple encoder and decoders for various formats such as Base64 and Hexadecimal. In addition to these widely used encoders and decoders, the codec package also maintains a collection of phonetic encoding utilities.</p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/commons-codec/commons-codec/1.6/b7f0fc8f61ecadeb3695f0b9464755eee44374d4/commons-codec-1.6.jar</p> <p> Dependency Hierarchy: - :x: **commons-codec-1.6.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/lukebrogan-mend/AltoroJ/commit/c6b5af447ea2b6c659b917cb40d0e275c174ad60">c6b5af447ea2b6c659b917cb40d0e275c174ad60</a></p> <p>Found in base branch: <b>AltoroJ-3.2</b></p> </p> <p></p> ### Vulnerability Details <p> Apache commons-codec before version “commons-codec-1.13-RC1” is vulnerable to information disclosure due to Improper Input validation. <p>Publish Date: 2019-05-20 <p>URL: <a href=https://github.com/apache/commons-codec/commit/48b615756d1d770091ea3322eefc08011ee8b113>WS-2019-0379</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Release Date: 2019-05-20</p> <p>Fix Resolution: 1.13</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details> *** <p>:rescue_worker_helmet: Automatic Remediation is available for this issue.</p>
True
commons-codec-1.6.jar: 1 vulnerabilities (highest severity is: 6.5) - <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>commons-codec-1.6.jar</b></p></summary> <p>The codec package contains simple encoder and decoders for various formats such as Base64 and Hexadecimal. In addition to these widely used encoders and decoders, the codec package also maintains a collection of phonetic encoding utilities.</p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/commons-codec/commons-codec/1.6/b7f0fc8f61ecadeb3695f0b9464755eee44374d4/commons-codec-1.6.jar</p> <p> <p>Found in HEAD commit: <a href="https://github.com/lukebrogan-mend/AltoroJ/commit/c6b5af447ea2b6c659b917cb40d0e275c174ad60">c6b5af447ea2b6c659b917cb40d0e275c174ad60</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (commons-codec version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [WS-2019-0379](https://github.com/apache/commons-codec/commit/48b615756d1d770091ea3322eefc08011ee8b113) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.5 | commons-codec-1.6.jar | Direct | 1.13 | &#9989; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> WS-2019-0379</summary> ### Vulnerable Library - <b>commons-codec-1.6.jar</b></p> <p>The codec package contains simple encoder and decoders for various formats such as Base64 and Hexadecimal. In addition to these widely used encoders and decoders, the codec package also maintains a collection of phonetic encoding utilities.</p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/commons-codec/commons-codec/1.6/b7f0fc8f61ecadeb3695f0b9464755eee44374d4/commons-codec-1.6.jar</p> <p> Dependency Hierarchy: - :x: **commons-codec-1.6.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/lukebrogan-mend/AltoroJ/commit/c6b5af447ea2b6c659b917cb40d0e275c174ad60">c6b5af447ea2b6c659b917cb40d0e275c174ad60</a></p> <p>Found in base branch: <b>AltoroJ-3.2</b></p> </p> <p></p> ### Vulnerability Details <p> Apache commons-codec before version “commons-codec-1.13-RC1” is vulnerable to information disclosure due to Improper Input validation. <p>Publish Date: 2019-05-20 <p>URL: <a href=https://github.com/apache/commons-codec/commit/48b615756d1d770091ea3322eefc08011ee8b113>WS-2019-0379</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Release Date: 2019-05-20</p> <p>Fix Resolution: 1.13</p> </p> <p></p> :rescue_worker_helmet: Automatic Remediation is available for this issue </details> *** <p>:rescue_worker_helmet: Automatic Remediation is available for this issue.</p>
non_defect
commons codec jar vulnerabilities highest severity is vulnerable library commons codec jar the codec package contains simple encoder and decoders for various formats such as and hexadecimal in addition to these widely used encoders and decoders the codec package also maintains a collection of phonetic encoding utilities path to dependency file build gradle path to vulnerable library home wss scanner gradle caches modules files commons codec commons codec commons codec jar found in head commit a href vulnerabilities cve severity cvss dependency type fixed in commons codec version remediation available medium commons codec jar direct details ws vulnerable library commons codec jar the codec package contains simple encoder and decoders for various formats such as and hexadecimal in addition to these widely used encoders and decoders the codec package also maintains a collection of phonetic encoding utilities path to dependency file build gradle path to vulnerable library home wss scanner gradle caches modules files commons codec commons codec commons codec jar dependency hierarchy x commons codec jar vulnerable library found in head commit a href found in base branch altoroj vulnerability details apache commons codec before version “commons codec ” is vulnerable to information disclosure due to improper input validation publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version release date fix resolution rescue worker helmet automatic remediation is available for this issue rescue worker helmet automatic remediation is available for this issue
0
358,468
25,193,139,353
IssuesEvent
2022-11-12 06:34:17
UniverseDeveloperApp/Documentation
https://api.github.com/repos/UniverseDeveloperApp/Documentation
closed
Beta Documention
documentation
- [ ] #2 - [ ] beta oferuje przedwczesny dostęp, nie premium funkcję za darmo ! - [ ] beta oferuje nie stabilne przedwczesne funkcję - [ ] **Holding nie ponosi odpowiedzialności za błędy wynikające za nie stabilność bety** - [ ] nie możesz mieć zwykłego bota i bety # [serwer wsparcia](https://discord.gg/fFDrmRvxdA)
1.0
Beta Documention - - [ ] #2 - [ ] beta oferuje przedwczesny dostęp, nie premium funkcję za darmo ! - [ ] beta oferuje nie stabilne przedwczesne funkcję - [ ] **Holding nie ponosi odpowiedzialności za błędy wynikające za nie stabilność bety** - [ ] nie możesz mieć zwykłego bota i bety # [serwer wsparcia](https://discord.gg/fFDrmRvxdA)
non_defect
beta documention beta oferuje przedwczesny dostęp nie premium funkcję za darmo beta oferuje nie stabilne przedwczesne funkcję holding nie ponosi odpowiedzialności za błędy wynikające za nie stabilność bety nie możesz mieć zwykłego bota i bety
0
73,128
24,469,508,577
IssuesEvent
2022-10-07 18:18:16
BOINC/boinc
https://api.github.com/repos/BOINC/boinc
closed
Add Project - Adding a project that is down results in error dialog
C: Manager P: Minor R: wontfix T: Defect E: 1 day
**Reported by JacobKlein on 21 Oct 43272476 05:57 UTC** Rom, When I add a project with a made-up URL (like, for instance, http://www.madeupname.testin.com )... The friendly dialog box says: Project temporarily unavailable The project is temporarily unavailable. Please try again later. ... and the Event Log says: 4/9/2013 1:21:00 AM | | Fetching configuration file from http://www.madeupname.testin.com/get_project_config.php 4/9/2013 1:21:02 AM | | Project communication failed: attempting access to reference site 4/9/2013 1:21:04 AM | | Internet access OK - project servers may be temporarily down. BUT When I add a project that is within the official list, which just happens to be down (like Superlink@Technion)... The unfriendly dialog box says: Failed to add project An error has occurred; check the Event Log for details. Click Finish to close. ... and the Event Log says: 4/9/2013 1:23:20 AM | | Fetching configuration file from http://cbl-boinc-server2.cs.technion.ac.il/superlinkattechnion/get_project_config.php 4/9/2013 1:23:27 AM | | Project communication failed: attempting access to reference site 4/9/2013 1:23:28 AM | | Internet access OK - project servers may be temporarily down. Shouldn't both dialog boxes have been friendly here? Especially since the Event Log entries are the same? Because this happens in 7.0.28 also, I guess I'll create a ticket. Thanks, Jacob Migrated-From: http://boinc.berkeley.edu/trac/ticket/1240
1.0
Add Project - Adding a project that is down results in error dialog - **Reported by JacobKlein on 21 Oct 43272476 05:57 UTC** Rom, When I add a project with a made-up URL (like, for instance, http://www.madeupname.testin.com )... The friendly dialog box says: Project temporarily unavailable The project is temporarily unavailable. Please try again later. ... and the Event Log says: 4/9/2013 1:21:00 AM | | Fetching configuration file from http://www.madeupname.testin.com/get_project_config.php 4/9/2013 1:21:02 AM | | Project communication failed: attempting access to reference site 4/9/2013 1:21:04 AM | | Internet access OK - project servers may be temporarily down. BUT When I add a project that is within the official list, which just happens to be down (like Superlink@Technion)... The unfriendly dialog box says: Failed to add project An error has occurred; check the Event Log for details. Click Finish to close. ... and the Event Log says: 4/9/2013 1:23:20 AM | | Fetching configuration file from http://cbl-boinc-server2.cs.technion.ac.il/superlinkattechnion/get_project_config.php 4/9/2013 1:23:27 AM | | Project communication failed: attempting access to reference site 4/9/2013 1:23:28 AM | | Internet access OK - project servers may be temporarily down. Shouldn't both dialog boxes have been friendly here? Especially since the Event Log entries are the same? Because this happens in 7.0.28 also, I guess I'll create a ticket. Thanks, Jacob Migrated-From: http://boinc.berkeley.edu/trac/ticket/1240
defect
add project adding a project that is down results in error dialog reported by jacobklein on oct utc rom when i add a project with a made up url like for instance the friendly dialog box says project temporarily unavailable the project is temporarily unavailable please try again later and the event log says am fetching configuration file from am project communication failed attempting access to reference site am internet access ok project servers may be temporarily down but when i add a project that is within the official list which just happens to be down like superlink technion the unfriendly dialog box says failed to add project an error has occurred check the event log for details click finish to close and the event log says am fetching configuration file from am project communication failed attempting access to reference site am internet access ok project servers may be temporarily down shouldn t both dialog boxes have been friendly here especially since the event log entries are the same because this happens in also i guess i ll create a ticket thanks jacob migrated from
1
39,582
9,551,685,476
IssuesEvent
2019-05-02 14:58:10
BOINC/boinc
https://api.github.com/repos/BOINC/boinc
closed
cannot exit boincmgr by the tray icon
C: Manager E: 1 day P: Critical R: fixed T: Defect
**Reported by toralf on 24 Feb 42510299 19:56 UTC** If I right-click under Gentoo Linux at the tray icon (KDE) and select "Exit" - then boincmgr doesn't really exits. The manager is still running. It does only works, if I select the menu item of the manager widnow itself. Here the program really finishes. Migrated-From: http://boinc.berkeley.edu/trac/ticket/1196
1.0
cannot exit boincmgr by the tray icon - **Reported by toralf on 24 Feb 42510299 19:56 UTC** If I right-click under Gentoo Linux at the tray icon (KDE) and select "Exit" - then boincmgr doesn't really exits. The manager is still running. It does only works, if I select the menu item of the manager widnow itself. Here the program really finishes. Migrated-From: http://boinc.berkeley.edu/trac/ticket/1196
defect
cannot exit boincmgr by the tray icon reported by toralf on feb utc if i right click under gentoo linux at the tray icon kde and select exit then boincmgr doesn t really exits the manager is still running it does only works if i select the menu item of the manager widnow itself here the program really finishes migrated from
1
81,408
30,833,182,088
IssuesEvent
2023-08-02 04:39:27
martinrotter/rssguard
https://api.github.com/repos/martinrotter/rssguard
closed
[BUG]: Some links (e.g. YouTube) are non-copyable?
Type-Defect Status-Not-Our-Bug
I've noticed that while I can copy most URLs in the articles via context menu (mouse right-click), **Copy Link Location** menu item is greyed-out on one YouTube video as shown on the attached screenshot. ![unselectable-link](https://user-images.githubusercontent.com/1132291/214495363-e8c48724-41f4-4edb-bf66-05465a4dc4f6.png) * OS: FreeBSD 13.1 * RSS Guard version: 4.3.0
1.0
[BUG]: Some links (e.g. YouTube) are non-copyable? - I've noticed that while I can copy most URLs in the articles via context menu (mouse right-click), **Copy Link Location** menu item is greyed-out on one YouTube video as shown on the attached screenshot. ![unselectable-link](https://user-images.githubusercontent.com/1132291/214495363-e8c48724-41f4-4edb-bf66-05465a4dc4f6.png) * OS: FreeBSD 13.1 * RSS Guard version: 4.3.0
defect
some links e g youtube are non copyable i ve noticed that while i can copy most urls in the articles via context menu mouse right click copy link location menu item is greyed out on one youtube video as shown on the attached screenshot os freebsd rss guard version
1
180,815
21,625,828,376
IssuesEvent
2022-05-05 01:55:07
mgh3326/que_bang
https://api.github.com/repos/mgh3326/que_bang
closed
CVE-2021-22112 (High) detected in spring-security-web-5.3.4.RELEASE.jar - autoclosed
security vulnerability
## CVE-2021-22112 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>spring-security-web-5.3.4.RELEASE.jar</b></p></summary> <p>spring-security-web</p> <p>Library home page: <a href="https://spring.io/spring-security">https://spring.io/spring-security</a></p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/org.springframework.security/spring-security-web/5.3.4.RELEASE/9574a39bd514ece4cb8cfcb4e05c0ee2c5b53046/spring-security-web-5.3.4.RELEASE.jar</p> <p> Dependency Hierarchy: - spring-security-test-5.3.4.RELEASE.jar (Root Library) - :x: **spring-security-web-5.3.4.RELEASE.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/mgh3326/que_bang/commit/43405f4738eb28f407014d7e54a5fb58f2823552">43405f4738eb28f407014d7e54a5fb58f2823552</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Spring Security 5.4.x prior to 5.4.4, 5.3.x prior to 5.3.8.RELEASE, 5.2.x prior to 5.2.9.RELEASE, and older unsupported versions can fail to save the SecurityContext if it is changed more than once in a single request.A malicious user cannot cause the bug to happen (it must be programmed in). However, if the application's intent is to only allow the user to run with elevated privileges in a small portion of the application, the bug can be leveraged to extend those privileges to the rest of the application. <p>Publish Date: 2021-02-23 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-22112>CVE-2021-22112</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://tanzu.vmware.com/security/cve-2021-22112">https://tanzu.vmware.com/security/cve-2021-22112</a></p> <p>Release Date: 2021-02-23</p> <p>Fix Resolution: org.springframework.security:spring-security-web:5.2.9,5.3.8,5.4.4</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
CVE-2021-22112 (High) detected in spring-security-web-5.3.4.RELEASE.jar - autoclosed - ## CVE-2021-22112 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>spring-security-web-5.3.4.RELEASE.jar</b></p></summary> <p>spring-security-web</p> <p>Library home page: <a href="https://spring.io/spring-security">https://spring.io/spring-security</a></p> <p>Path to dependency file: /build.gradle</p> <p>Path to vulnerable library: /home/wss-scanner/.gradle/caches/modules-2/files-2.1/org.springframework.security/spring-security-web/5.3.4.RELEASE/9574a39bd514ece4cb8cfcb4e05c0ee2c5b53046/spring-security-web-5.3.4.RELEASE.jar</p> <p> Dependency Hierarchy: - spring-security-test-5.3.4.RELEASE.jar (Root Library) - :x: **spring-security-web-5.3.4.RELEASE.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/mgh3326/que_bang/commit/43405f4738eb28f407014d7e54a5fb58f2823552">43405f4738eb28f407014d7e54a5fb58f2823552</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> Spring Security 5.4.x prior to 5.4.4, 5.3.x prior to 5.3.8.RELEASE, 5.2.x prior to 5.2.9.RELEASE, and older unsupported versions can fail to save the SecurityContext if it is changed more than once in a single request.A malicious user cannot cause the bug to happen (it must be programmed in). However, if the application's intent is to only allow the user to run with elevated privileges in a small portion of the application, the bug can be leveraged to extend those privileges to the rest of the application. <p>Publish Date: 2021-02-23 <p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2021-22112>CVE-2021-22112</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.8</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://tanzu.vmware.com/security/cve-2021-22112">https://tanzu.vmware.com/security/cve-2021-22112</a></p> <p>Release Date: 2021-02-23</p> <p>Fix Resolution: org.springframework.security:spring-security-web:5.2.9,5.3.8,5.4.4</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
non_defect
cve high detected in spring security web release jar autoclosed cve high severity vulnerability vulnerable library spring security web release jar spring security web library home page a href path to dependency file build gradle path to vulnerable library home wss scanner gradle caches modules files org springframework security spring security web release spring security web release jar dependency hierarchy spring security test release jar root library x spring security web release jar vulnerable library found in head commit a href vulnerability details spring security x prior to x prior to release x prior to release and older unsupported versions can fail to save the securitycontext if it is changed more than once in a single request a malicious user cannot cause the bug to happen it must be programmed in however if the application s intent is to only allow the user to run with elevated privileges in a small portion of the application the bug can be leveraged to extend those privileges to the rest of the application publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required low user interaction none scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution org springframework security spring security web step up your open source security game with whitesource
0
19,020
3,126,018,071
IssuesEvent
2015-09-08 06:30:33
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
closed
LeaseLock simulator test hanging, 3-6.SNAPSHOT
STABILIZER Team: Core Type: Critical Type: Defect
I see all 10 threads of all 4 boxes hanging for ever ``` grep -r --include *.out LeaseLockTest . ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest.run(LeaseLockTest.java:48) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest.run(LeaseLockTest.java:48) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest.run(LeaseLockTest.java:48) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest.run(LeaseLockTest.java:48) ``` The line. ``` find ~ -name LeaseLockTest.java | xargs cat -n | grep 64 64 lock.lock(lease, TimeUnit.MILLISECONDS); ``` the essential test code ``` 24 public int lockCount = 500; 25 public int maxleaseTime = 100; 26 public int maxTryTime = 100; ``` ``` 56 while (!testContext.isStopped()) { 57 int i = random.nextInt(lockCount); 58 ILock lock = targetInstance.getLock(basename+i); 59 60 int lease = 1 + random.nextInt(maxleaseTime); 61 int tryTime = 1 + random.nextInt(maxleaseTime); 62 63 if (random.nextBoolean()) { 64 lock.lock(lease, TimeUnit.MILLISECONDS); 65 }else { 66 try { 67 lock.tryLock(tryTime, TimeUnit.MILLISECONDS, lease, TimeUnit.MILLISECONDS); 68 } catch (InterruptedException e) { 69 e.printStackTrace(); 70 } 71 } 72 } ```
1.0
LeaseLock simulator test hanging, 3-6.SNAPSHOT - I see all 10 threads of all 4 boxes hanging for ever ``` grep -r --include *.out LeaseLockTest . ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.174.3/54.209.174.3-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest.run(LeaseLockTest.java:48) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.168.17/54.209.168.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest.run(LeaseLockTest.java:48) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.163.81/54.209.163.81-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest.run(LeaseLockTest.java:48) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest$Worker.run(LeaseLockTest.java:64) ./54.209.172.17/54.209.172.17-serverJstack.out: at com.hazelcast.simulator.tests.concurrent.lock.LeaseLockTest.run(LeaseLockTest.java:48) ``` The line. ``` find ~ -name LeaseLockTest.java | xargs cat -n | grep 64 64 lock.lock(lease, TimeUnit.MILLISECONDS); ``` the essential test code ``` 24 public int lockCount = 500; 25 public int maxleaseTime = 100; 26 public int maxTryTime = 100; ``` ``` 56 while (!testContext.isStopped()) { 57 int i = random.nextInt(lockCount); 58 ILock lock = targetInstance.getLock(basename+i); 59 60 int lease = 1 + random.nextInt(maxleaseTime); 61 int tryTime = 1 + random.nextInt(maxleaseTime); 62 63 if (random.nextBoolean()) { 64 lock.lock(lease, TimeUnit.MILLISECONDS); 65 }else { 66 try { 67 lock.tryLock(tryTime, TimeUnit.MILLISECONDS, lease, TimeUnit.MILLISECONDS); 68 } catch (InterruptedException e) { 69 e.printStackTrace(); 70 } 71 } 72 } ```
defect
leaselock simulator test hanging snapshot i see all threads of all boxes hanging for ever grep r include out leaselocktest serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest worker run leaselocktest java serverjstack out at com hazelcast simulator tests concurrent lock leaselocktest run leaselocktest java the line find name leaselocktest java xargs cat n grep lock lock lease timeunit milliseconds the essential test code public int lockcount public int maxleasetime public int maxtrytime while testcontext isstopped int i random nextint lockcount ilock lock targetinstance getlock basename i int lease random nextint maxleasetime int trytime random nextint maxleasetime if random nextboolean lock lock lease timeunit milliseconds else try lock trylock trytime timeunit milliseconds lease timeunit milliseconds catch interruptedexception e e printstacktrace
1
330,530
10,043,883,671
IssuesEvent
2019-07-19 08:40:34
AdityaGupta1/eloncraft
https://api.github.com/repos/AdityaGupta1/eloncraft
closed
allow refinery to accept "fluid dict" inputs
low priority
like how Thermal Expansion's Fractionating Still can somehow accept Eloncraft's Petroleum Oil
1.0
allow refinery to accept "fluid dict" inputs - like how Thermal Expansion's Fractionating Still can somehow accept Eloncraft's Petroleum Oil
non_defect
allow refinery to accept fluid dict inputs like how thermal expansion s fractionating still can somehow accept eloncraft s petroleum oil
0
430,663
12,464,511,616
IssuesEvent
2020-05-28 12:36:34
etalab/entreprise.data.gouv.fr
https://api.github.com/repos/etalab/entreprise.data.gouv.fr
closed
Lien vers les annonces BODACC
Roadmap priority
Ajouter le lien vers les annonces du BODACC sur la page de fiche d'identité de l'entreprise. Lien vers les annonces du BODACC : *https://www.bodacc.fr/annonce/liste/:siren*
1.0
Lien vers les annonces BODACC - Ajouter le lien vers les annonces du BODACC sur la page de fiche d'identité de l'entreprise. Lien vers les annonces du BODACC : *https://www.bodacc.fr/annonce/liste/:siren*
non_defect
lien vers les annonces bodacc ajouter le lien vers les annonces du bodacc sur la page de fiche d identité de l entreprise lien vers les annonces du bodacc
0
313,082
23,455,941,199
IssuesEvent
2022-08-16 08:52:33
readthedocs/readthedocs.org
https://api.github.com/repos/readthedocs/readthedocs.org
opened
Dev docs: Document that we use pre-commit hooks
Needed: documentation Accepted
While going over our Docs for Development Installation, I didn't find any mention of pre-commit hooks. They are to be considered a mandatory part of development (as they are enforced in CI builds) and it's a big disadvantage to miss them in a local setup.
1.0
Dev docs: Document that we use pre-commit hooks - While going over our Docs for Development Installation, I didn't find any mention of pre-commit hooks. They are to be considered a mandatory part of development (as they are enforced in CI builds) and it's a big disadvantage to miss them in a local setup.
non_defect
dev docs document that we use pre commit hooks while going over our docs for development installation i didn t find any mention of pre commit hooks they are to be considered a mandatory part of development as they are enforced in ci builds and it s a big disadvantage to miss them in a local setup
0
237,493
26,085,169,581
IssuesEvent
2022-12-26 01:12:14
bsbtd/Teste
https://api.github.com/repos/bsbtd/Teste
opened
CVE-2022-46175 (High) detected in multiple libraries
security vulnerability
## CVE-2022-46175 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>json5-2.1.3.tgz</b>, <b>json5-0.5.1.tgz</b>, <b>json5-1.0.1.tgz</b></p></summary> <p> <details><summary><b>json5-2.1.3.tgz</b></p></summary> <p>JSON for humans.</p> <p>Library home page: <a href="https://registry.npmjs.org/json5/-/json5-2.1.3.tgz">https://registry.npmjs.org/json5/-/json5-2.1.3.tgz</a></p> <p>Path to dependency file: /pro-table/package.json</p> <p>Path to vulnerable library: /pro-table/node_modules/json5/package.json,/pro-table/node_modules/json5/package.json</p> <p> Dependency Hierarchy: - core-7.9.6.tgz (Root Library) - :x: **json5-2.1.3.tgz** (Vulnerable Library) </details> <details><summary><b>json5-0.5.1.tgz</b></p></summary> <p>JSON for the ES5 era.</p> <p>Library home page: <a href="https://registry.npmjs.org/json5/-/json5-0.5.1.tgz">https://registry.npmjs.org/json5/-/json5-0.5.1.tgz</a></p> <p>Path to dependency file: /website/package.json</p> <p>Path to vulnerable library: /pro-table/node_modules/happypack/node_modules/json5/package.json,/pro-table/node_modules/happypack/node_modules/json5/package.json,/pro-table/node_modules/happypack/node_modules/json5/package.json</p> <p> Dependency Hierarchy: - father-2.29.3.tgz (Root Library) - docz-plugin-umi-css-0.14.1.tgz - docz-core-0.13.7.tgz - happypack-5.0.1.tgz - loader-utils-1.1.0.tgz - :x: **json5-0.5.1.tgz** (Vulnerable Library) </details> <details><summary><b>json5-1.0.1.tgz</b></p></summary> <p>JSON for humans.</p> <p>Library home page: <a href="https://registry.npmjs.org/json5/-/json5-1.0.1.tgz">https://registry.npmjs.org/json5/-/json5-1.0.1.tgz</a></p> <p>Path to dependency file: /aws-mobile-appsync-chat-starter-angular/package.json</p> <p>Path to vulnerable library: /pro-table/node_modules/webpack-cli/node_modules/json5/package.json,/pro-table/node_modules/webpack-cli/node_modules/json5/package.json,/pro-table/node_modules/webpack-cli/node_modules/json5/package.json</p> <p> Dependency Hierarchy: - css-loader-3.5.3.tgz (Root Library) - loader-utils-1.4.0.tgz - :x: **json5-1.0.1.tgz** (Vulnerable Library) </details> <p>Found in HEAD commit: <a href="https://github.com/bsbtd/Teste/commit/50a539d66e7a2f790cf8a8d8d1471993698c9adc">50a539d66e7a2f790cf8a8d8d1471993698c9adc</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> JSON5 is an extension to the popular JSON file format that aims to be easier to write and maintain by hand (e.g. for config files). The `parse` method of the JSON5 library before and including version `2.2.1` does not restrict parsing of keys named `__proto__`, allowing specially crafted strings to pollute the prototype of the resulting object. This vulnerability pollutes the prototype of the object returned by `JSON5.parse` and not the global Object prototype, which is the commonly understood definition of Prototype Pollution. However, polluting the prototype of a single object can have significant security impact for an application if the object is later used in trusted operations. This vulnerability could allow an attacker to set arbitrary and unexpected keys on the object returned from `JSON5.parse`. The actual impact will depend on how applications utilize the returned object and how they filter unwanted keys, but could include denial of service, cross-site scripting, elevation of privilege, and in extreme cases, remote code execution. `JSON5.parse` should restrict parsing of `__proto__` keys when parsing JSON strings to objects. As a point of reference, the `JSON.parse` method included in JavaScript ignores `__proto__` keys. Simply changing `JSON5.parse` to `JSON.parse` in the examples above mitigates this vulnerability. This vulnerability is patched in json5 version 2.2.2 and later. <p>Publish Date: 2022-12-24 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-46175>CVE-2022-46175</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: Low - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://www.cve.org/CVERecord?id=CVE-2022-46175">https://www.cve.org/CVERecord?id=CVE-2022-46175</a></p> <p>Release Date: 2022-12-24</p> <p>Fix Resolution: json5 - 2.2.2</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-46175 (High) detected in multiple libraries - ## CVE-2022-46175 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>json5-2.1.3.tgz</b>, <b>json5-0.5.1.tgz</b>, <b>json5-1.0.1.tgz</b></p></summary> <p> <details><summary><b>json5-2.1.3.tgz</b></p></summary> <p>JSON for humans.</p> <p>Library home page: <a href="https://registry.npmjs.org/json5/-/json5-2.1.3.tgz">https://registry.npmjs.org/json5/-/json5-2.1.3.tgz</a></p> <p>Path to dependency file: /pro-table/package.json</p> <p>Path to vulnerable library: /pro-table/node_modules/json5/package.json,/pro-table/node_modules/json5/package.json</p> <p> Dependency Hierarchy: - core-7.9.6.tgz (Root Library) - :x: **json5-2.1.3.tgz** (Vulnerable Library) </details> <details><summary><b>json5-0.5.1.tgz</b></p></summary> <p>JSON for the ES5 era.</p> <p>Library home page: <a href="https://registry.npmjs.org/json5/-/json5-0.5.1.tgz">https://registry.npmjs.org/json5/-/json5-0.5.1.tgz</a></p> <p>Path to dependency file: /website/package.json</p> <p>Path to vulnerable library: /pro-table/node_modules/happypack/node_modules/json5/package.json,/pro-table/node_modules/happypack/node_modules/json5/package.json,/pro-table/node_modules/happypack/node_modules/json5/package.json</p> <p> Dependency Hierarchy: - father-2.29.3.tgz (Root Library) - docz-plugin-umi-css-0.14.1.tgz - docz-core-0.13.7.tgz - happypack-5.0.1.tgz - loader-utils-1.1.0.tgz - :x: **json5-0.5.1.tgz** (Vulnerable Library) </details> <details><summary><b>json5-1.0.1.tgz</b></p></summary> <p>JSON for humans.</p> <p>Library home page: <a href="https://registry.npmjs.org/json5/-/json5-1.0.1.tgz">https://registry.npmjs.org/json5/-/json5-1.0.1.tgz</a></p> <p>Path to dependency file: /aws-mobile-appsync-chat-starter-angular/package.json</p> <p>Path to vulnerable library: /pro-table/node_modules/webpack-cli/node_modules/json5/package.json,/pro-table/node_modules/webpack-cli/node_modules/json5/package.json,/pro-table/node_modules/webpack-cli/node_modules/json5/package.json</p> <p> Dependency Hierarchy: - css-loader-3.5.3.tgz (Root Library) - loader-utils-1.4.0.tgz - :x: **json5-1.0.1.tgz** (Vulnerable Library) </details> <p>Found in HEAD commit: <a href="https://github.com/bsbtd/Teste/commit/50a539d66e7a2f790cf8a8d8d1471993698c9adc">50a539d66e7a2f790cf8a8d8d1471993698c9adc</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> JSON5 is an extension to the popular JSON file format that aims to be easier to write and maintain by hand (e.g. for config files). The `parse` method of the JSON5 library before and including version `2.2.1` does not restrict parsing of keys named `__proto__`, allowing specially crafted strings to pollute the prototype of the resulting object. This vulnerability pollutes the prototype of the object returned by `JSON5.parse` and not the global Object prototype, which is the commonly understood definition of Prototype Pollution. However, polluting the prototype of a single object can have significant security impact for an application if the object is later used in trusted operations. This vulnerability could allow an attacker to set arbitrary and unexpected keys on the object returned from `JSON5.parse`. The actual impact will depend on how applications utilize the returned object and how they filter unwanted keys, but could include denial of service, cross-site scripting, elevation of privilege, and in extreme cases, remote code execution. `JSON5.parse` should restrict parsing of `__proto__` keys when parsing JSON strings to objects. As a point of reference, the `JSON.parse` method included in JavaScript ignores `__proto__` keys. Simply changing `JSON5.parse` to `JSON.parse` in the examples above mitigates this vulnerability. This vulnerability is patched in json5 version 2.2.2 and later. <p>Publish Date: 2022-12-24 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-46175>CVE-2022-46175</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: High - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: Low - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://www.cve.org/CVERecord?id=CVE-2022-46175">https://www.cve.org/CVERecord?id=CVE-2022-46175</a></p> <p>Release Date: 2022-12-24</p> <p>Fix Resolution: json5 - 2.2.2</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 high detected in multiple libraries cve high severity vulnerability vulnerable libraries tgz tgz tgz tgz json for humans library home page a href path to dependency file pro table package json path to vulnerable library pro table node modules package json pro table node modules package json dependency hierarchy core tgz root library x tgz vulnerable library tgz json for the era library home page a href path to dependency file website package json path to vulnerable library pro table node modules happypack node modules package json pro table node modules happypack node modules package json pro table node modules happypack node modules package json dependency hierarchy father tgz root library docz plugin umi css tgz docz core tgz happypack tgz loader utils tgz x tgz vulnerable library tgz json for humans library home page a href path to dependency file aws mobile appsync chat starter angular package json path to vulnerable library pro table node modules webpack cli node modules package json pro table node modules webpack cli node modules package json pro table node modules webpack cli node modules package json dependency hierarchy css loader tgz root library loader utils tgz x tgz vulnerable library found in head commit a href found in base branch master vulnerability details is an extension to the popular json file format that aims to be easier to write and maintain by hand e g for config files the parse method of the library before and including version does not restrict parsing of keys named proto allowing specially crafted strings to pollute the prototype of the resulting object this vulnerability pollutes the prototype of the object returned by parse and not the global object prototype which is the commonly understood definition of prototype pollution however polluting the prototype of a single object can have significant security impact for an application if the object is later used in trusted operations this vulnerability could allow an attacker to set arbitrary and unexpected keys on the object returned from parse the actual impact will depend on how applications utilize the returned object and how they filter unwanted keys but could include denial of service cross site scripting elevation of privilege and in extreme cases remote code execution parse should restrict parsing of proto keys when parsing json strings to objects as a point of reference the json parse method included in javascript ignores proto keys simply changing parse to json parse in the examples above mitigates this vulnerability this vulnerability is patched in version and later publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity high privileges required low user interaction none scope unchanged impact metrics confidentiality impact high integrity impact low availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution step up your open source security game with mend
0
90,492
11,405,758,977
IssuesEvent
2020-01-31 12:53:32
fecgov/fec-cms
https://api.github.com/repos/fecgov/fec-cms
opened
Design homepage change to link to map
High priority Work: UX/Design
**What we're after:** We're rebuilding the presidential data map on .gov and we need to create a pathway from the homepage to that map. ### Completion criteria - [ ] Mockup design(s) for the homepage to link to the map visualization - [ ] Review with stakeholders - [ ] Make necessary changes and move to an implementation issue
1.0
Design homepage change to link to map - **What we're after:** We're rebuilding the presidential data map on .gov and we need to create a pathway from the homepage to that map. ### Completion criteria - [ ] Mockup design(s) for the homepage to link to the map visualization - [ ] Review with stakeholders - [ ] Make necessary changes and move to an implementation issue
non_defect
design homepage change to link to map what we re after we re rebuilding the presidential data map on gov and we need to create a pathway from the homepage to that map completion criteria mockup design s for the homepage to link to the map visualization review with stakeholders make necessary changes and move to an implementation issue
0
26,246
4,642,865,008
IssuesEvent
2016-09-30 11:19:27
cakephp/cakephp
https://api.github.com/repos/cakephp/cakephp
closed
inconsistencies between bake migration and migrations create
Defect On hold
This is a (multiple allowed): * [x] bug * [ ] enhancement * [ ] feature-discussion (RFC) * CakePHP Version: 3.3. * Platform and Target: Vagrant, ubuntu 14.04, php 7. ### What you did 1. cake bake migration CreateUsers 2. cake migrations create CreateUsersTable ### Expected Behavior 1. new migration file: <timestamp>_create_users_table.php 2. new migration file: <timestamp>_create_users_table.php ### Actual Behavior 1. new migration file: <timestamp>_CreateUsersTable.php 2. new migration file: <timestamp>_create_users_table.php P.S. Remember, an issue is not the place to ask questions. You can use [Stack Overflow](http://stackoverflow.com/questions/tagged/cakephp) for that or join the #cakephp channel on irc.freenode.net, where we will be more than happy to help answer your questions. Before you open an issue, please check if a similar issue already exists or has been closed before.
1.0
inconsistencies between bake migration and migrations create - This is a (multiple allowed): * [x] bug * [ ] enhancement * [ ] feature-discussion (RFC) * CakePHP Version: 3.3. * Platform and Target: Vagrant, ubuntu 14.04, php 7. ### What you did 1. cake bake migration CreateUsers 2. cake migrations create CreateUsersTable ### Expected Behavior 1. new migration file: <timestamp>_create_users_table.php 2. new migration file: <timestamp>_create_users_table.php ### Actual Behavior 1. new migration file: <timestamp>_CreateUsersTable.php 2. new migration file: <timestamp>_create_users_table.php P.S. Remember, an issue is not the place to ask questions. You can use [Stack Overflow](http://stackoverflow.com/questions/tagged/cakephp) for that or join the #cakephp channel on irc.freenode.net, where we will be more than happy to help answer your questions. Before you open an issue, please check if a similar issue already exists or has been closed before.
defect
inconsistencies between bake migration and migrations create this is a multiple allowed bug enhancement feature discussion rfc cakephp version platform and target vagrant ubuntu php what you did cake bake migration createusers cake migrations create createuserstable expected behavior new migration file create users table php new migration file create users table php actual behavior new migration file createuserstable php new migration file create users table php p s remember an issue is not the place to ask questions you can use for that or join the cakephp channel on irc freenode net where we will be more than happy to help answer your questions before you open an issue please check if a similar issue already exists or has been closed before
1
23,449
3,828,509,244
IssuesEvent
2016-03-31 06:15:30
AtlasOfLivingAustralia/fieldcapture
https://api.github.com/repos/AtlasOfLivingAustralia/fieldcapture
closed
Sticky objects when loading
priority-low status-accepted type-defect
*migrated from:* https://code.google.com/p/ala/issues/detail?id=252 *date:* Mon Aug 26 18:21:58 2013 *author:* moyesyside --- 1. Click [http://fieldcapture-dev.ala.org.au/site/index/e0e55412-38be-42fa-a0d7-b35f3dfc77d4](http://fieldcapture-dev.ala.org.au/site/index/e0e55412-38be-42fa-a0d7-b35f3dfc77d4) 2. Click "View in Spatial Portal" 3. Remove the layer for the object. But the object stays visible on the map.
1.0
Sticky objects when loading - *migrated from:* https://code.google.com/p/ala/issues/detail?id=252 *date:* Mon Aug 26 18:21:58 2013 *author:* moyesyside --- 1. Click [http://fieldcapture-dev.ala.org.au/site/index/e0e55412-38be-42fa-a0d7-b35f3dfc77d4](http://fieldcapture-dev.ala.org.au/site/index/e0e55412-38be-42fa-a0d7-b35f3dfc77d4) 2. Click "View in Spatial Portal" 3. Remove the layer for the object. But the object stays visible on the map.
defect
sticky objects when loading migrated from date mon aug author moyesyside click click view in spatial portal remove the layer for the object but the object stays visible on the map
1
74,936
25,414,606,706
IssuesEvent
2022-11-22 22:23:19
SeleniumHQ/selenium
https://api.github.com/repos/SeleniumHQ/selenium
closed
[🐛 Bug]: Proxy authentication not working
C-java I-defect I-issue-template I-question
### What happened? We have tried with many possible options for proxy authentication. But still we are not able to authenticate URL's via Proxy Test 1: proxy = new Proxy(); proxy.setHttpProxy("192.168.0.500"); proxy.setSocksUsername("test"); proxy.setSocksPassword("123456789"); //Add the proxy to our capabilities capabilities.setCapability("proxy", proxy); //Start a new ChromeDriver using the capabilities object we created and added the proxy to driver = new ChromeDriver(capabilities); We are getting This site cannot be reached error. Test 2: we tried with socks proxy We are getting This site cannot be reached error. Test 3 : We tried passing credentials in URL. We are getting This site cannot be reached error. Test 4: Adding chrome add-on and attaching manifest.json (referred from one of the python implementation in goolge) Cannot read manifest ### How can we reproduce the issue? ```shell Try to launch URL which is behind proxy and pass authentication. ``` ### Relevant log output ```shell NA ``` ### Operating System Windows10 ### Selenium version 4.5.0 ### 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? Chrome driver 106 ### Are you using Selenium Grid? No
1.0
[🐛 Bug]: Proxy authentication not working - ### What happened? We have tried with many possible options for proxy authentication. But still we are not able to authenticate URL's via Proxy Test 1: proxy = new Proxy(); proxy.setHttpProxy("192.168.0.500"); proxy.setSocksUsername("test"); proxy.setSocksPassword("123456789"); //Add the proxy to our capabilities capabilities.setCapability("proxy", proxy); //Start a new ChromeDriver using the capabilities object we created and added the proxy to driver = new ChromeDriver(capabilities); We are getting This site cannot be reached error. Test 2: we tried with socks proxy We are getting This site cannot be reached error. Test 3 : We tried passing credentials in URL. We are getting This site cannot be reached error. Test 4: Adding chrome add-on and attaching manifest.json (referred from one of the python implementation in goolge) Cannot read manifest ### How can we reproduce the issue? ```shell Try to launch URL which is behind proxy and pass authentication. ``` ### Relevant log output ```shell NA ``` ### Operating System Windows10 ### Selenium version 4.5.0 ### 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? Chrome driver 106 ### Are you using Selenium Grid? No
defect
proxy authentication not working what happened we have tried with many possible options for proxy authentication but still we are not able to authenticate url s via proxy test proxy new proxy proxy sethttpproxy proxy setsocksusername test proxy setsockspassword add the proxy to our capabilities capabilities setcapability proxy proxy start a new chromedriver using the capabilities object we created and added the proxy to driver new chromedriver capabilities we are getting this site cannot be reached error test we tried with socks proxy we are getting this site cannot be reached error test we tried passing credentials in url we are getting this site cannot be reached error test adding chrome add on and attaching manifest json referred from one of the python implementation in goolge cannot read manifest how can we reproduce the issue shell try to launch url which is behind proxy and pass authentication relevant log output shell na operating system selenium version 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 chrome driver are you using selenium grid no
1
95,053
11,951,214,782
IssuesEvent
2020-04-03 16:29:12
solex2006/SELIProject
https://api.github.com/repos/solex2006/SELIProject
opened
Accessibility validation and status
1 - Planning Feature Design Notes :notebook: discussion
When teacher/tutor creates a course, he will have the option do add contents with accessibility resources like text alternatives for images. Also, he will have guidance on how to create accessible contents, for instance, on text content there is some hints on text alignment. - [ ] On the fly, the system will give feedback about accessibility (accessibility validation tool). - Accessibility feedback given for each content on "content area" ![image](https://user-images.githubusercontent.com/993369/78381483-cf89e680-75ab-11ea-9c37-465396fff310.png) - Accessibility feedback for each resource on "accessibility configuration for content" ![image](https://user-images.githubusercontent.com/993369/78381606-fcd69480-75ab-11ea-9d54-679c4f261f2e.png) ![image](https://user-images.githubusercontent.com/993369/78381250-7ae66b80-75ab-11ea-8437-3794335662ab.png) - [ ] Also, teacher can filter the accessibility validation tool to check how accessible the course is for a specific abilities. ![image](https://user-images.githubusercontent.com/993369/78382843-d6b1f400-75ad-11ea-8eeb-f613d452f841.png) - This functionality is for guidance. *This is not meant to restrict the options of configuration* - This functionality is not meant to restrict the audience by abilities because that would not be inclusive, but the opposite. - [ ] Finally, before publish the course, teacher could see an accessibility report for the entire course. ![image](https://user-images.githubusercontent.com/993369/78383120-3b6d4e80-75ae-11ea-8987-df0e0876ca81.png) - The report should show the accessibility level by abilities/disabilities category. Expanding a category, should show the accessibility level by unit/topic, - In this proposal draft, I'm considering 3 status (Note: i'm using a vertically stacked bar chart to present the status, but I don't think this it the best option) - Incomplete (Grey): accessibility not configured for a content (probably is inaccessible: teacher not checked if video has or not captions) - Failed (Red): content is inaccessible because teacher said so (teacher checked that video doesn't have captions and don't upload one) - Passed (green): content is accessible Note that in this propose, I assume the follow Course creation flow ![image](https://user-images.githubusercontent.com/993369/78383254-77a0af00-75ae-11ea-99ac-2b011fba4878.png) Where **Requirement step** is intend for - Technicals (hardware, software) - Prerequisites (prev knowledge) *In other words, no step to limit the audience, because are students prerrogativa to take a course or not based on theirs special needs and the course accessibility level*
1.0
Accessibility validation and status - When teacher/tutor creates a course, he will have the option do add contents with accessibility resources like text alternatives for images. Also, he will have guidance on how to create accessible contents, for instance, on text content there is some hints on text alignment. - [ ] On the fly, the system will give feedback about accessibility (accessibility validation tool). - Accessibility feedback given for each content on "content area" ![image](https://user-images.githubusercontent.com/993369/78381483-cf89e680-75ab-11ea-9c37-465396fff310.png) - Accessibility feedback for each resource on "accessibility configuration for content" ![image](https://user-images.githubusercontent.com/993369/78381606-fcd69480-75ab-11ea-9d54-679c4f261f2e.png) ![image](https://user-images.githubusercontent.com/993369/78381250-7ae66b80-75ab-11ea-8437-3794335662ab.png) - [ ] Also, teacher can filter the accessibility validation tool to check how accessible the course is for a specific abilities. ![image](https://user-images.githubusercontent.com/993369/78382843-d6b1f400-75ad-11ea-8eeb-f613d452f841.png) - This functionality is for guidance. *This is not meant to restrict the options of configuration* - This functionality is not meant to restrict the audience by abilities because that would not be inclusive, but the opposite. - [ ] Finally, before publish the course, teacher could see an accessibility report for the entire course. ![image](https://user-images.githubusercontent.com/993369/78383120-3b6d4e80-75ae-11ea-8987-df0e0876ca81.png) - The report should show the accessibility level by abilities/disabilities category. Expanding a category, should show the accessibility level by unit/topic, - In this proposal draft, I'm considering 3 status (Note: i'm using a vertically stacked bar chart to present the status, but I don't think this it the best option) - Incomplete (Grey): accessibility not configured for a content (probably is inaccessible: teacher not checked if video has or not captions) - Failed (Red): content is inaccessible because teacher said so (teacher checked that video doesn't have captions and don't upload one) - Passed (green): content is accessible Note that in this propose, I assume the follow Course creation flow ![image](https://user-images.githubusercontent.com/993369/78383254-77a0af00-75ae-11ea-99ac-2b011fba4878.png) Where **Requirement step** is intend for - Technicals (hardware, software) - Prerequisites (prev knowledge) *In other words, no step to limit the audience, because are students prerrogativa to take a course or not based on theirs special needs and the course accessibility level*
non_defect
accessibility validation and status when teacher tutor creates a course he will have the option do add contents with accessibility resources like text alternatives for images also he will have guidance on how to create accessible contents for instance on text content there is some hints on text alignment on the fly the system will give feedback about accessibility accessibility validation tool accessibility feedback given for each content on content area accessibility feedback for each resource on accessibility configuration for content also teacher can filter the accessibility validation tool to check how accessible the course is for a specific abilities this functionality is for guidance this is not meant to restrict the options of configuration this functionality is not meant to restrict the audience by abilities because that would not be inclusive but the opposite finally before publish the course teacher could see an accessibility report for the entire course the report should show the accessibility level by abilities disabilities category expanding a category should show the accessibility level by unit topic in this proposal draft i m considering status note i m using a vertically stacked bar chart to present the status but i don t think this it the best option incomplete grey accessibility not configured for a content probably is inaccessible teacher not checked if video has or not captions failed red content is inaccessible because teacher said so teacher checked that video doesn t have captions and don t upload one passed green content is accessible note that in this propose i assume the follow course creation flow where requirement step is intend for technicals hardware software prerequisites prev knowledge in other words no step to limit the audience because are students prerrogativa to take a course or not based on theirs special needs and the course accessibility level
0
43,714
11,801,134,402
IssuesEvent
2020-03-18 18:50:48
openzfs/zfs
https://api.github.com/repos/openzfs/zfs
closed
Python 3.8 DeprecationWarning when running arcstat with interval
Type: Defect
### System information Type | Version/Name --- | --- Distribution Name | Ubuntu Distribution Version | 20.04 Linux Kernel | 5.4.0-14-generic Architecture | x86_64 ZFS Version | 0.8.3-1ubuntu3 SPL Version | 0.8.3-1ubuntu3 Python | 3.8.2 ### Describe the problem you're observing Python throws DeprecationWarning when I run `arcstat` with a custom interval. ### Describe how to reproduce the problem Just run `arcstat 2` using Python version 3.8 or above. ### Include any warning/errors/backtraces from the system logs ``` # arcstat 2 time read miss miss% dmis dm% pmis pm% mmis mm% arcsz c 18:47:02 0 0 0 0 0 0 0 0 0 7.7G 7.7G ./arcstat:487: DeprecationWarning: an integer is required (got type decimal.Decimal). Implicit conversion to integers using __int__ is deprecated, and may be removed in a future version of Python. time.sleep(sint) ```
1.0
Python 3.8 DeprecationWarning when running arcstat with interval - ### System information Type | Version/Name --- | --- Distribution Name | Ubuntu Distribution Version | 20.04 Linux Kernel | 5.4.0-14-generic Architecture | x86_64 ZFS Version | 0.8.3-1ubuntu3 SPL Version | 0.8.3-1ubuntu3 Python | 3.8.2 ### Describe the problem you're observing Python throws DeprecationWarning when I run `arcstat` with a custom interval. ### Describe how to reproduce the problem Just run `arcstat 2` using Python version 3.8 or above. ### Include any warning/errors/backtraces from the system logs ``` # arcstat 2 time read miss miss% dmis dm% pmis pm% mmis mm% arcsz c 18:47:02 0 0 0 0 0 0 0 0 0 7.7G 7.7G ./arcstat:487: DeprecationWarning: an integer is required (got type decimal.Decimal). Implicit conversion to integers using __int__ is deprecated, and may be removed in a future version of Python. time.sleep(sint) ```
defect
python deprecationwarning when running arcstat with interval system information type version name distribution name ubuntu distribution version linux kernel generic architecture zfs version spl version python describe the problem you re observing python throws deprecationwarning when i run arcstat with a custom interval describe how to reproduce the problem just run arcstat using python version or above include any warning errors backtraces from the system logs arcstat time read miss miss dmis dm pmis pm mmis mm arcsz c arcstat deprecationwarning an integer is required got type decimal decimal implicit conversion to integers using int is deprecated and may be removed in a future version of python time sleep sint
1
526,357
15,286,988,340
IssuesEvent
2021-02-23 15:17:33
carbon-design-system/carbon-for-ibm-dotcom
https://api.github.com/repos/carbon-design-system/carbon-for-ibm-dotcom
closed
React: Language selector - dropdown not identified on JAWS shortcut keys
Airtable Done Feature request accessibilty dev package: react priority: medium
## Detailed description On JAWS FF Issue: This dropdown is not identified by JAWS quick navigation keys but functions correctly via tab focus. Since it is not blocking functionality and still accessible, @Praveen-sr and Ram have agreed it can wait until the next release and lowering the severity. This only pertains to desktop breakpoints and browsers, since mobile device screen readers correctly identify the selector. Excepted: Screen reader should be able to Identify the dropdown with JAWS quick navigation keys. ## Additional information
1.0
React: Language selector - dropdown not identified on JAWS shortcut keys - ## Detailed description On JAWS FF Issue: This dropdown is not identified by JAWS quick navigation keys but functions correctly via tab focus. Since it is not blocking functionality and still accessible, @Praveen-sr and Ram have agreed it can wait until the next release and lowering the severity. This only pertains to desktop breakpoints and browsers, since mobile device screen readers correctly identify the selector. Excepted: Screen reader should be able to Identify the dropdown with JAWS quick navigation keys. ## Additional information
non_defect
react language selector dropdown not identified on jaws shortcut keys detailed description on jaws ff issue this dropdown is not identified by jaws quick navigation keys but functions correctly via tab focus since it is not blocking functionality and still accessible praveen sr and ram have agreed it can wait until the next release and lowering the severity this only pertains to desktop breakpoints and browsers since mobile device screen readers correctly identify the selector excepted screen reader should be able to identify the dropdown with jaws quick navigation keys additional information
0
22,251
3,619,270,005
IssuesEvent
2016-02-08 15:26:06
pavva94/snake-os
https://api.github.com/repos/pavva94/snake-os
closed
-
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. 2. 3. What is the expected output? What do you see instead? What version of the product are you using? On what operating system? Please provide any additional information below. ``` Original issue reported on code.google.com by `glynndr...@gmail.com` on 30 Jan 2015 at 7:16
1.0
- - ``` What steps will reproduce the problem? 1. 2. 3. What is the expected output? What do you see instead? What version of the product are you using? On what operating system? Please provide any additional information below. ``` Original issue reported on code.google.com by `glynndr...@gmail.com` on 30 Jan 2015 at 7:16
defect
what steps will reproduce the problem what is the expected output what do you see instead what version of the product are you using on what operating system please provide any additional information below original issue reported on code google com by glynndr gmail com on jan at
1
29,319
5,651,546,879
IssuesEvent
2017-04-08 05:40:06
zealdocs/zeal
https://api.github.com/repos/zealdocs/zeal
closed
Double clicking on some of the Scala docset's Hierarchy sections makes Zeal crashed
Component: Web View Resolution: Upstream Problem Type: Defect
Some pages of the Scala docset contain sections called `Content Hierarchy` or `Type Hierarchy`. Below is the `Type Hierarchy` section of `CanBuildFrom` `trait`: ![selection_005](https://cloud.githubusercontent.com/assets/1244181/14113658/8020e1ee-f606-11e5-9d45-84f1be54c84d.png) If the diagram is too large, it allows us to zoom in the details, double clicking on such a diagram makes Zeal crashed. And I got messages like this from the terminal: ``` bash $ zeal [1] 27007 segmentation fault (core dumped) zeal ```
1.0
Double clicking on some of the Scala docset's Hierarchy sections makes Zeal crashed - Some pages of the Scala docset contain sections called `Content Hierarchy` or `Type Hierarchy`. Below is the `Type Hierarchy` section of `CanBuildFrom` `trait`: ![selection_005](https://cloud.githubusercontent.com/assets/1244181/14113658/8020e1ee-f606-11e5-9d45-84f1be54c84d.png) If the diagram is too large, it allows us to zoom in the details, double clicking on such a diagram makes Zeal crashed. And I got messages like this from the terminal: ``` bash $ zeal [1] 27007 segmentation fault (core dumped) zeal ```
defect
double clicking on some of the scala docset s hierarchy sections makes zeal crashed some pages of the scala docset contain sections called content hierarchy or type hierarchy below is the type hierarchy section of canbuildfrom trait if the diagram is too large it allows us to zoom in the details double clicking on such a diagram makes zeal crashed and i got messages like this from the terminal bash zeal segmentation fault core dumped zeal
1
232,687
25,603,477,114
IssuesEvent
2022-12-01 22:33:47
amplify-education/tmp_SAST_eval_skf-labs
https://api.github.com/repos/amplify-education/tmp_SAST_eval_skf-labs
opened
ejs-3.1.6.tgz: 2 vulnerabilities (highest severity is: 9.8)
security vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>ejs-3.1.6.tgz</b></p></summary> <p>Embedded JavaScript templates</p> <p>Library home page: <a href="https://registry.npmjs.org/ejs/-/ejs-3.1.6.tgz">https://registry.npmjs.org/ejs/-/ejs-3.1.6.tgz</a></p> <p> <p>Found in HEAD commit: <a href="https://github.com/amplify-education/tmp_SAST_eval_skf-labs/commit/91e1032bf85eea611eeb66711dc8b85719f6752e">91e1032bf85eea611eeb66711dc8b85719f6752e</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (ejs version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2022-29078](https://www.mend.io/vulnerability-database/CVE-2022-29078) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 9.8 | ejs-3.1.6.tgz | Direct | 3.1.7 | &#10060; | | [CVE-2021-43138](https://www.mend.io/vulnerability-database/CVE-2021-43138) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 7.8 | async-0.9.2.tgz | Transitive | 3.1.7 | &#10060; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> CVE-2022-29078</summary> ### Vulnerable Library - <b>ejs-3.1.6.tgz</b></p> <p>Embedded JavaScript templates</p> <p>Library home page: <a href="https://registry.npmjs.org/ejs/-/ejs-3.1.6.tgz">https://registry.npmjs.org/ejs/-/ejs-3.1.6.tgz</a></p> <p> Dependency Hierarchy: - :x: **ejs-3.1.6.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/amplify-education/tmp_SAST_eval_skf-labs/commit/91e1032bf85eea611eeb66711dc8b85719f6752e">91e1032bf85eea611eeb66711dc8b85719f6752e</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Vulnerability Details <p> The ejs (aka Embedded JavaScript templates) package 3.1.6 for Node.js allows server-side template injection in settings[view options][outputFunctionName]. This is parsed as an internal option, and overwrites the outputFunctionName option with an arbitrary OS command (which is executed upon template compilation). <p>Publish Date: 2022-04-25 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-29078>CVE-2022-29078</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>9.8</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-29078~">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-29078~</a></p> <p>Release Date: 2022-04-25</p> <p>Fix Resolution: 3.1.7</p> </p> <p></p> </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> CVE-2021-43138</summary> ### Vulnerable Library - <b>async-0.9.2.tgz</b></p> <p>Higher-order functions and common patterns for asynchronous code</p> <p>Library home page: <a href="https://registry.npmjs.org/async/-/async-0.9.2.tgz">https://registry.npmjs.org/async/-/async-0.9.2.tgz</a></p> <p> Dependency Hierarchy: - ejs-3.1.6.tgz (Root Library) - jake-10.8.2.tgz - :x: **async-0.9.2.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/amplify-education/tmp_SAST_eval_skf-labs/commit/91e1032bf85eea611eeb66711dc8b85719f6752e">91e1032bf85eea611eeb66711dc8b85719f6752e</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Vulnerability Details <p> In Async before 2.6.4 and 3.x before 3.2.2, a malicious user can obtain privileges via the mapValues() method, aka lib/internal/iterator.js createObjectIterator prototype pollution. <p>Publish Date: 2022-04-06 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-43138>CVE-2021-43138</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>7.8</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2021-43138">https://nvd.nist.gov/vuln/detail/CVE-2021-43138</a></p> <p>Release Date: 2022-04-06</p> <p>Fix Resolution (async): 2.6.4</p> <p>Direct dependency fix Resolution (ejs): 3.1.7</p> </p> <p></p> </details>
True
ejs-3.1.6.tgz: 2 vulnerabilities (highest severity is: 9.8) - <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>ejs-3.1.6.tgz</b></p></summary> <p>Embedded JavaScript templates</p> <p>Library home page: <a href="https://registry.npmjs.org/ejs/-/ejs-3.1.6.tgz">https://registry.npmjs.org/ejs/-/ejs-3.1.6.tgz</a></p> <p> <p>Found in HEAD commit: <a href="https://github.com/amplify-education/tmp_SAST_eval_skf-labs/commit/91e1032bf85eea611eeb66711dc8b85719f6752e">91e1032bf85eea611eeb66711dc8b85719f6752e</a></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (ejs version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2022-29078](https://www.mend.io/vulnerability-database/CVE-2022-29078) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 9.8 | ejs-3.1.6.tgz | Direct | 3.1.7 | &#10060; | | [CVE-2021-43138](https://www.mend.io/vulnerability-database/CVE-2021-43138) | <img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> High | 7.8 | async-0.9.2.tgz | Transitive | 3.1.7 | &#10060; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> CVE-2022-29078</summary> ### Vulnerable Library - <b>ejs-3.1.6.tgz</b></p> <p>Embedded JavaScript templates</p> <p>Library home page: <a href="https://registry.npmjs.org/ejs/-/ejs-3.1.6.tgz">https://registry.npmjs.org/ejs/-/ejs-3.1.6.tgz</a></p> <p> Dependency Hierarchy: - :x: **ejs-3.1.6.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/amplify-education/tmp_SAST_eval_skf-labs/commit/91e1032bf85eea611eeb66711dc8b85719f6752e">91e1032bf85eea611eeb66711dc8b85719f6752e</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Vulnerability Details <p> The ejs (aka Embedded JavaScript templates) package 3.1.6 for Node.js allows server-side template injection in settings[view options][outputFunctionName]. This is parsed as an internal option, and overwrites the outputFunctionName option with an arbitrary OS command (which is executed upon template compilation). <p>Publish Date: 2022-04-25 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-29078>CVE-2022-29078</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>9.8</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-29078~">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2022-29078~</a></p> <p>Release Date: 2022-04-25</p> <p>Fix Resolution: 3.1.7</p> </p> <p></p> </details><details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> CVE-2021-43138</summary> ### Vulnerable Library - <b>async-0.9.2.tgz</b></p> <p>Higher-order functions and common patterns for asynchronous code</p> <p>Library home page: <a href="https://registry.npmjs.org/async/-/async-0.9.2.tgz">https://registry.npmjs.org/async/-/async-0.9.2.tgz</a></p> <p> Dependency Hierarchy: - ejs-3.1.6.tgz (Root Library) - jake-10.8.2.tgz - :x: **async-0.9.2.tgz** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/amplify-education/tmp_SAST_eval_skf-labs/commit/91e1032bf85eea611eeb66711dc8b85719f6752e">91e1032bf85eea611eeb66711dc8b85719f6752e</a></p> <p>Found in base branch: <b>master</b></p> </p> <p></p> ### Vulnerability Details <p> In Async before 2.6.4 and 3.x before 3.2.2, a malicious user can obtain privileges via the mapValues() method, aka lib/internal/iterator.js createObjectIterator prototype pollution. <p>Publish Date: 2022-04-06 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2021-43138>CVE-2021-43138</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>7.8</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: None - User Interaction: Required - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2021-43138">https://nvd.nist.gov/vuln/detail/CVE-2021-43138</a></p> <p>Release Date: 2022-04-06</p> <p>Fix Resolution (async): 2.6.4</p> <p>Direct dependency fix Resolution (ejs): 3.1.7</p> </p> <p></p> </details>
non_defect
ejs tgz vulnerabilities highest severity is vulnerable library ejs tgz embedded javascript templates library home page a href found in head commit a href vulnerabilities cve severity cvss dependency type fixed in ejs version remediation available high ejs tgz direct high async tgz transitive details cve vulnerable library ejs tgz embedded javascript templates library home page a href dependency hierarchy x ejs tgz vulnerable library found in head commit a href found in base branch master vulnerability details the ejs aka embedded javascript templates package for node js allows server side template injection in settings this is parsed as an internal option and overwrites the outputfunctionname option with an arbitrary os command which is executed upon template compilation publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution cve vulnerable library async tgz higher order functions and common patterns for asynchronous code library home page a href dependency hierarchy ejs tgz root library jake tgz x async tgz vulnerable library found in head commit a href found in base branch master vulnerability details in async before and x before a malicious user can obtain privileges via the mapvalues method aka lib internal iterator js createobjectiterator prototype pollution 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 high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution async direct dependency fix resolution ejs
0
155,772
24,515,702,610
IssuesEvent
2022-10-11 04:41:24
hackforla/UI-UX
https://api.github.com/repos/hackforla/UI-UX
closed
Create a Guide/Template: Favicons
documentation Guide: Research Guide: Gather Examples role: UI Design feature: guide creation
### Overview We need to create a guide for creating favicons so that teams can create unique favicons for their projects. ### Action Items - [ ] Gather examples of how other projects or volunteers have done this (if applicable), adding each example as a link in the resources section below - [ ] Once done, remove the "Guide: Gather Examples" label and add the "Guide: Research" label - [ ] Research existing information about [name of item] in [relevant resources, articles, etc.] - [ ] Once done, remove the "Guide: Research" label and add the "Guide: Draft Guide" label - [ ] Create a draft guide, either in markdown format in this issue or a google doc in the [ux/ui google drive] - [ ] Once done, remove the "Guide: Draft Guide" label and add the "Guide: Review Guide" label - [ ] Review the guide with UX/UI community of practice - [ ] Once done, remove the "Guide: Review Guide" label and add the "Guide: Leadership Review" label - [ ] Present to the Hack for LA leadership team for sign off - [ ] Once approved, remove the "Guide: Leadership Review" label and add the "Guide: Place Guide" label ### Resources Update issue #15 with the name of item you are working on [Resource from 100 Automations](https://github.com/100Automations/Website/issues/100)
1.0
Create a Guide/Template: Favicons - ### Overview We need to create a guide for creating favicons so that teams can create unique favicons for their projects. ### Action Items - [ ] Gather examples of how other projects or volunteers have done this (if applicable), adding each example as a link in the resources section below - [ ] Once done, remove the "Guide: Gather Examples" label and add the "Guide: Research" label - [ ] Research existing information about [name of item] in [relevant resources, articles, etc.] - [ ] Once done, remove the "Guide: Research" label and add the "Guide: Draft Guide" label - [ ] Create a draft guide, either in markdown format in this issue or a google doc in the [ux/ui google drive] - [ ] Once done, remove the "Guide: Draft Guide" label and add the "Guide: Review Guide" label - [ ] Review the guide with UX/UI community of practice - [ ] Once done, remove the "Guide: Review Guide" label and add the "Guide: Leadership Review" label - [ ] Present to the Hack for LA leadership team for sign off - [ ] Once approved, remove the "Guide: Leadership Review" label and add the "Guide: Place Guide" label ### Resources Update issue #15 with the name of item you are working on [Resource from 100 Automations](https://github.com/100Automations/Website/issues/100)
non_defect
create a guide template favicons overview we need to create a guide for creating favicons so that teams can create unique favicons for their projects action items gather examples of how other projects or volunteers have done this if applicable adding each example as a link in the resources section below once done remove the guide gather examples label and add the guide research label research existing information about in once done remove the guide research label and add the guide draft guide label create a draft guide either in markdown format in this issue or a google doc in the once done remove the guide draft guide label and add the guide review guide label review the guide with ux ui community of practice once done remove the guide review guide label and add the guide leadership review label present to the hack for la leadership team for sign off once approved remove the guide leadership review label and add the guide place guide label resources update issue with the name of item you are working on
0
148,818
19,552,503,753
IssuesEvent
2022-01-03 01:03:12
artsking/linux-5.12.9
https://api.github.com/repos/artsking/linux-5.12.9
opened
WS-2021-0440 (Medium) detected in linux-yocto-devv5.12.14
security vulnerability
## WS-2021-0440 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linux-yocto-devv5.12.14</b></p></summary> <p> <p>Linux Embedded Kernel - tracks the next mainline release</p> <p>Library home page: <a href=https://git.yoctoproject.org/git/linux-yocto-dev>https://git.yoctoproject.org/git/linux-yocto-dev</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/hid/hid-betopff.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/hid/hid-betopff.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> In Linux/Kernel in versions v5.10-rc1 to v5.14.9 Is vulnerable to slab-out-of-bounds Write in betop_probe in drivers/hid/hid-betopff.c <p>Publish Date: 2021-11-29 <p>URL: <a href=https://github.com/gregkh/linux/commit/708107b80aa616976d1c5fa60ac0c1390749db5e>WS-2021-0440</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.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://osv.dev/vulnerability/UVI-2021-1001714">https://osv.dev/vulnerability/UVI-2021-1001714</a></p> <p>Release Date: 2021-11-29</p> <p>Fix Resolution: Linux/Kernel - v5.14.10</p> </p> </details> <p></p> *** Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
True
WS-2021-0440 (Medium) detected in linux-yocto-devv5.12.14 - ## WS-2021-0440 - Medium Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linux-yocto-devv5.12.14</b></p></summary> <p> <p>Linux Embedded Kernel - tracks the next mainline release</p> <p>Library home page: <a href=https://git.yoctoproject.org/git/linux-yocto-dev>https://git.yoctoproject.org/git/linux-yocto-dev</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/hid/hid-betopff.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/drivers/hid/hid-betopff.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> In Linux/Kernel in versions v5.10-rc1 to v5.14.9 Is vulnerable to slab-out-of-bounds Write in betop_probe in drivers/hid/hid-betopff.c <p>Publish Date: 2021-11-29 <p>URL: <a href=https://github.com/gregkh/linux/commit/708107b80aa616976d1c5fa60ac0c1390749db5e>WS-2021-0440</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.1</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: Low - Integrity Impact: Low - Availability Impact: None </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://osv.dev/vulnerability/UVI-2021-1001714">https://osv.dev/vulnerability/UVI-2021-1001714</a></p> <p>Release Date: 2021-11-29</p> <p>Fix Resolution: Linux/Kernel - v5.14.10</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
ws medium detected in linux yocto ws medium severity vulnerability vulnerable library linux yocto linux embedded kernel tracks the next mainline release library home page a href found in base branch master vulnerable source files drivers hid hid betopff c drivers hid hid betopff c vulnerability details in linux kernel in versions to is vulnerable to slab out of bounds write in betop probe in drivers hid hid betopff c publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution linux kernel step up your open source security game with whitesource
0
109,006
11,621,341,486
IssuesEvent
2020-02-27 02:36:07
AllenCellModeling/cookiecutter-stepworkflow
https://api.github.com/repos/AllenCellModeling/cookiecutter-stepworkflow
closed
Add back documentation generation and changelog
documentation enhancement
Add back documentation as it is valuable especially as a free addition to pushes to master.
1.0
Add back documentation generation and changelog - Add back documentation as it is valuable especially as a free addition to pushes to master.
non_defect
add back documentation generation and changelog add back documentation as it is valuable especially as a free addition to pushes to master
0
60,438
17,023,425,385
IssuesEvent
2021-07-03 01:58:02
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
compile error on windows
Component: merkaartor Priority: major Resolution: fixed Type: defect
**[Submitted to the original trac issue database at 6.53pm, Monday, 15th June 2009]** A svn build under windows failed, if the variable for TRANSDIR_SYSTEM is set: TRANSDIR_SYSTEM=translations ```MainWindow.cpp:2579: error: `translations' undeclared (first use this function)``` There are some STRINGIFY's missing. The appended patch-file fixed this problem.
1.0
compile error on windows - **[Submitted to the original trac issue database at 6.53pm, Monday, 15th June 2009]** A svn build under windows failed, if the variable for TRANSDIR_SYSTEM is set: TRANSDIR_SYSTEM=translations ```MainWindow.cpp:2579: error: `translations' undeclared (first use this function)``` There are some STRINGIFY's missing. The appended patch-file fixed this problem.
defect
compile error on windows a svn build under windows failed if the variable for transdir system is set transdir system translations mainwindow cpp error translations undeclared first use this function there are some stringify s missing the appended patch file fixed this problem
1
12,468
5,200,358,215
IssuesEvent
2017-01-23 23:36:04
tensorflow/tensorflow
https://api.github.com/repos/tensorflow/tensorflow
closed
Importing Gtk before tensorflow causes crash
type:build/install
### Environment info Ubuntu 16.04 `uname -a Linux p900 4.4.0-22-generic #40-Ubuntu SMP Thu May 12 22:03:46 UTC 2016 x86_64 x86_64 x86_64 GNU/Linux` Installed version of CUDA and cuDNN: Cuda compilation tools release 7.5, V7.5.17 and CUDNN is v 4 `ls -l /usr/local/cuda-7.5/lib/libcud* -rw-r--r-- 1 root root 189170 Jun 2 10:18 /usr/local/cuda-7.5/lib/libcudadevrt.a lrwxrwxrwx 1 root root 16 Jun 2 10:18 /usr/local/cuda-7.5/lib/libcudart.so -> libcudart.so.7.5 lrwxrwxrwx 1 root root 19 Jun 2 10:18 /usr/local/cuda-7.5/lib/libcudart.so.7.5 -> libcudart.so.7.5.18 -rwxr-xr-x 1 root root 311596 Jun 2 10:18 /usr/local/cuda-7.5/lib/libcudart.so.7.5.18 -rw-r--r-- 1 root root 558020 Jun 2 10:18 /usr/local/cuda-7.5/lib/libcudart_static.a` pip package installed: `tensorflow-0.9.0rc0-cp35-cp35m-linux_x86_64.whl` Output of `python3 -c "import tensorflow; print(tensorflow.__version__)"`: ... `0.9.0rc0` Python version: Python 3.5.1+ Gtk version: 3.0 ### Steps to reproduce 1. `import gi` 2. `from gi.repository import Gtk` 3. `import tensorflow` ### What I have tried 1. Removed any Ubuntu protobuf package (Ubuntu package is v 2.6.1): `sudo apt purge protobuf*` 2. Upgraded protobuf via pip3: `pip3 install --upgrade protobuf` ... `Requirement already up-to-date: protobuf in /usr/local/lib/python3.5/dist-packages Requirement already up-to-date: six>=1.9 in /usr/lib/python3/dist-packages (from protobuf) Requirement already up-to-date: setuptools in /usr/local/lib/python3.5/dist-packages (from protobuf)` 3. Checked protobuf version installed via pip3: `ls /usr/local/lib/python3.5/dist-packages/proto*` `/usr/local/lib/python3.5/dist-packages/protobuf-3.0.0b2-py2.7-nspkg.pth` `/usr/local/lib/python3.5/dist-packages/protobuf-3.0.0b2.dist-info:` `DESCRIPTION.rst INSTALLER METADATA metadata.json namespace_packages.txt RECORD top_level.txt WHEEL` ### Output after importing tensorflow `[libprotobuf FATAL google/protobuf/stubs/common.cc:61] This program requires version 3.0.0 of the Protocol Buffer runtime library, but the installed version is 2.6.1. Please update your library. If you compiled the program yourself, make sure that your headers are from the same version of Protocol Buffers as your link-time library. (Version verification failed in "external/protobuf/src/google/protobuf/any.pb.cc".) terminate called after throwing an instance of 'google::protobuf::FatalException' what(): This program requires version 3.0.0 of the Protocol Buffer runtime library, but the installed version is 2.6.1. Please update your library. If you compiled the program yourself, make sure that your headers are from the same version of Protocol Buffers as your link-time library. (Version verification failed in "external/protobuf/src/google/protobuf/any.pb.cc".) Aborted (core dumped)` ### Additional comments As before ( #1373) this ONLY occurs when importing Gtk BEFORE tensorflow. The opposite order causes no crash, nor have I experienced any other crashes associated with tensorflow. Curiously, when using version 0.8 of tensorflow, a very similar crash was caused by the opposite order of import (ie tensorflow before Gtk), but in that case the output was that: `This program requires version 2.6.1 of the Protocol Buffer runtime library, but the installed version is 3.0.0.` That is, the problem seemed to be caused by the reverse relationship between the protobuf versions. However, when upgrading tensorflow, I did not change the protobuf version. It was kept the same throughout.
1.0
Importing Gtk before tensorflow causes crash - ### Environment info Ubuntu 16.04 `uname -a Linux p900 4.4.0-22-generic #40-Ubuntu SMP Thu May 12 22:03:46 UTC 2016 x86_64 x86_64 x86_64 GNU/Linux` Installed version of CUDA and cuDNN: Cuda compilation tools release 7.5, V7.5.17 and CUDNN is v 4 `ls -l /usr/local/cuda-7.5/lib/libcud* -rw-r--r-- 1 root root 189170 Jun 2 10:18 /usr/local/cuda-7.5/lib/libcudadevrt.a lrwxrwxrwx 1 root root 16 Jun 2 10:18 /usr/local/cuda-7.5/lib/libcudart.so -> libcudart.so.7.5 lrwxrwxrwx 1 root root 19 Jun 2 10:18 /usr/local/cuda-7.5/lib/libcudart.so.7.5 -> libcudart.so.7.5.18 -rwxr-xr-x 1 root root 311596 Jun 2 10:18 /usr/local/cuda-7.5/lib/libcudart.so.7.5.18 -rw-r--r-- 1 root root 558020 Jun 2 10:18 /usr/local/cuda-7.5/lib/libcudart_static.a` pip package installed: `tensorflow-0.9.0rc0-cp35-cp35m-linux_x86_64.whl` Output of `python3 -c "import tensorflow; print(tensorflow.__version__)"`: ... `0.9.0rc0` Python version: Python 3.5.1+ Gtk version: 3.0 ### Steps to reproduce 1. `import gi` 2. `from gi.repository import Gtk` 3. `import tensorflow` ### What I have tried 1. Removed any Ubuntu protobuf package (Ubuntu package is v 2.6.1): `sudo apt purge protobuf*` 2. Upgraded protobuf via pip3: `pip3 install --upgrade protobuf` ... `Requirement already up-to-date: protobuf in /usr/local/lib/python3.5/dist-packages Requirement already up-to-date: six>=1.9 in /usr/lib/python3/dist-packages (from protobuf) Requirement already up-to-date: setuptools in /usr/local/lib/python3.5/dist-packages (from protobuf)` 3. Checked protobuf version installed via pip3: `ls /usr/local/lib/python3.5/dist-packages/proto*` `/usr/local/lib/python3.5/dist-packages/protobuf-3.0.0b2-py2.7-nspkg.pth` `/usr/local/lib/python3.5/dist-packages/protobuf-3.0.0b2.dist-info:` `DESCRIPTION.rst INSTALLER METADATA metadata.json namespace_packages.txt RECORD top_level.txt WHEEL` ### Output after importing tensorflow `[libprotobuf FATAL google/protobuf/stubs/common.cc:61] This program requires version 3.0.0 of the Protocol Buffer runtime library, but the installed version is 2.6.1. Please update your library. If you compiled the program yourself, make sure that your headers are from the same version of Protocol Buffers as your link-time library. (Version verification failed in "external/protobuf/src/google/protobuf/any.pb.cc".) terminate called after throwing an instance of 'google::protobuf::FatalException' what(): This program requires version 3.0.0 of the Protocol Buffer runtime library, but the installed version is 2.6.1. Please update your library. If you compiled the program yourself, make sure that your headers are from the same version of Protocol Buffers as your link-time library. (Version verification failed in "external/protobuf/src/google/protobuf/any.pb.cc".) Aborted (core dumped)` ### Additional comments As before ( #1373) this ONLY occurs when importing Gtk BEFORE tensorflow. The opposite order causes no crash, nor have I experienced any other crashes associated with tensorflow. Curiously, when using version 0.8 of tensorflow, a very similar crash was caused by the opposite order of import (ie tensorflow before Gtk), but in that case the output was that: `This program requires version 2.6.1 of the Protocol Buffer runtime library, but the installed version is 3.0.0.` That is, the problem seemed to be caused by the reverse relationship between the protobuf versions. However, when upgrading tensorflow, I did not change the protobuf version. It was kept the same throughout.
non_defect
importing gtk before tensorflow causes crash environment info ubuntu uname a linux generic ubuntu smp thu may utc gnu linux installed version of cuda and cudnn cuda compilation tools release and cudnn is v ls l usr local cuda lib libcud rw r r root root jun usr local cuda lib libcudadevrt a lrwxrwxrwx root root jun usr local cuda lib libcudart so libcudart so lrwxrwxrwx root root jun usr local cuda lib libcudart so libcudart so rwxr xr x root root jun usr local cuda lib libcudart so rw r r root root jun usr local cuda lib libcudart static a pip package installed tensorflow linux whl output of c import tensorflow print tensorflow version python version python gtk version steps to reproduce import gi from gi repository import gtk import tensorflow what i have tried removed any ubuntu protobuf package ubuntu package is v sudo apt purge protobuf upgraded protobuf via install upgrade protobuf requirement already up to date protobuf in usr local lib dist packages requirement already up to date six in usr lib dist packages from protobuf requirement already up to date setuptools in usr local lib dist packages from protobuf checked protobuf version installed via ls usr local lib dist packages proto usr local lib dist packages protobuf nspkg pth usr local lib dist packages protobuf dist info description rst installer metadata metadata json namespace packages txt record top level txt wheel output after importing tensorflow this program requires version of the protocol buffer runtime library but the installed version is please update your library if you compiled the program yourself make sure that your headers are from the same version of protocol buffers as your link time library version verification failed in external protobuf src google protobuf any pb cc terminate called after throwing an instance of google protobuf fatalexception what this program requires version of the protocol buffer runtime library but the installed version is please update your library if you compiled the program yourself make sure that your headers are from the same version of protocol buffers as your link time library version verification failed in external protobuf src google protobuf any pb cc aborted core dumped additional comments as before this only occurs when importing gtk before tensorflow the opposite order causes no crash nor have i experienced any other crashes associated with tensorflow curiously when using version of tensorflow a very similar crash was caused by the opposite order of import ie tensorflow before gtk but in that case the output was that this program requires version of the protocol buffer runtime library but the installed version is that is the problem seemed to be caused by the reverse relationship between the protobuf versions however when upgrading tensorflow i did not change the protobuf version it was kept the same throughout
0
19,591
3,227,377,878
IssuesEvent
2015-10-11 04:54:58
chgagne/beagle
https://api.github.com/repos/chgagne/beagle
closed
Build errors
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? When building I get the following errors: OpenBEAGLE-4.0.0-alpha2-Source/src/beagle/RouletteT.hpp:89:3: error: use of undeclared identifier 'push_back' push_back(std::make_pair(inWeight,inValue)); OpenBEAGLE-4.0.0-alpha2-Source/src/beagle/ReplacementStrategyOp.cpp:72:15: note: in instantiation of member function 'Beagle::RouletteT<unsigned int>::insert' requested here outRoulette.insert(i++, lChild->getBreederOp()->getBreedingProba(lChild->get... /usr/include/c++/4.2.1/bits/stl_vector.h:600:7: note: must qualify identifier to find this declaration in dependent base class push_back(const value_type& __x) ^ What version of the product are you using? On what operating system? OpenBEAGLE-4.0.0-alpha2, OSX (10.8.5) Please provide any additional information below. 1 error generated. make[2]: *** [CMakeFiles/openbeagle.dir/src/beagle/ReplacementStrategyOp.cpp.o] Error 1 make[1]: *** [CMakeFiles/openbeagle.dir/all] Error 2 make: *** [all] Error 2 ``` Original issue reported on code.google.com by `olof.tho...@gmail.com` on 13 Oct 2013 at 5:12
1.0
Build errors - ``` What steps will reproduce the problem? When building I get the following errors: OpenBEAGLE-4.0.0-alpha2-Source/src/beagle/RouletteT.hpp:89:3: error: use of undeclared identifier 'push_back' push_back(std::make_pair(inWeight,inValue)); OpenBEAGLE-4.0.0-alpha2-Source/src/beagle/ReplacementStrategyOp.cpp:72:15: note: in instantiation of member function 'Beagle::RouletteT<unsigned int>::insert' requested here outRoulette.insert(i++, lChild->getBreederOp()->getBreedingProba(lChild->get... /usr/include/c++/4.2.1/bits/stl_vector.h:600:7: note: must qualify identifier to find this declaration in dependent base class push_back(const value_type& __x) ^ What version of the product are you using? On what operating system? OpenBEAGLE-4.0.0-alpha2, OSX (10.8.5) Please provide any additional information below. 1 error generated. make[2]: *** [CMakeFiles/openbeagle.dir/src/beagle/ReplacementStrategyOp.cpp.o] Error 1 make[1]: *** [CMakeFiles/openbeagle.dir/all] Error 2 make: *** [all] Error 2 ``` Original issue reported on code.google.com by `olof.tho...@gmail.com` on 13 Oct 2013 at 5:12
defect
build errors what steps will reproduce the problem when building i get the following errors openbeagle source src beagle roulettet hpp error use of undeclared identifier push back push back std make pair inweight invalue openbeagle source src beagle replacementstrategyop cpp note in instantiation of member function beagle roulettet insert requested here outroulette insert i lchild getbreederop getbreedingproba lchild get usr include c bits stl vector h note must qualify identifier to find this declaration in dependent base class push back const value type x what version of the product are you using on what operating system openbeagle osx please provide any additional information below error generated make error make error make error original issue reported on code google com by olof tho gmail com on oct at
1
11,459
2,651,811,388
IssuesEvent
2015-03-16 14:07:56
UNH-OE/tow-tank
https://api.github.com/repos/UNH-OE/tow-tank
closed
Beach gantry wheel(s) cracked
defect
At least one of these is cracked--see below. See #13 for some ideas for improving the system. ![image](https://cloud.githubusercontent.com/assets/4604869/5795285/7affbcca-9f5a-11e4-9848-cc1af9d846e3.png)
1.0
Beach gantry wheel(s) cracked - At least one of these is cracked--see below. See #13 for some ideas for improving the system. ![image](https://cloud.githubusercontent.com/assets/4604869/5795285/7affbcca-9f5a-11e4-9848-cc1af9d846e3.png)
defect
beach gantry wheel s cracked at least one of these is cracked see below see for some ideas for improving the system
1
28,611
5,310,515,212
IssuesEvent
2017-02-12 20:43:32
AsyncHttpClient/async-http-client
https://api.github.com/repos/AsyncHttpClient/async-http-client
opened
Clean up Realm API
Defect
DSL shouldn't let one fill unrelated properties (ex: nonce for BASIC auth). We probably should have one implementation per auth scheme.
1.0
Clean up Realm API - DSL shouldn't let one fill unrelated properties (ex: nonce for BASIC auth). We probably should have one implementation per auth scheme.
defect
clean up realm api dsl shouldn t let one fill unrelated properties ex nonce for basic auth we probably should have one implementation per auth scheme
1
113,110
11,788,623,521
IssuesEvent
2020-03-17 15:51:00
zerobase-io/zerobase_firebase_functions
https://api.github.com/repos/zerobase-io/zerobase_firebase_functions
opened
REST Correctness
documentation good first issue
The REST endpoint (POST /exposures) was slapped together quickly by someone who lacks Express experience, and boy does that show! :) This issue involves finishing all the little bits of the endpoint that I didn't get to in the spike (media types, OpenAPI docs, returning the API from the root path, whatever is standard in high-quality production systems) to make it fully compliant with the REST standard and industry best-practices. This issue requires someone who really knows Express and REST, that's it. You do not need to understand Firebase or Firestore whatsoever to work on this issue.
1.0
REST Correctness - The REST endpoint (POST /exposures) was slapped together quickly by someone who lacks Express experience, and boy does that show! :) This issue involves finishing all the little bits of the endpoint that I didn't get to in the spike (media types, OpenAPI docs, returning the API from the root path, whatever is standard in high-quality production systems) to make it fully compliant with the REST standard and industry best-practices. This issue requires someone who really knows Express and REST, that's it. You do not need to understand Firebase or Firestore whatsoever to work on this issue.
non_defect
rest correctness the rest endpoint post exposures was slapped together quickly by someone who lacks express experience and boy does that show this issue involves finishing all the little bits of the endpoint that i didn t get to in the spike media types openapi docs returning the api from the root path whatever is standard in high quality production systems to make it fully compliant with the rest standard and industry best practices this issue requires someone who really knows express and rest that s it you do not need to understand firebase or firestore whatsoever to work on this issue
0
78,450
27,528,149,460
IssuesEvent
2023-03-06 19:44:39
department-of-veterans-affairs/va.gov-cms
https://api.github.com/repos/department-of-veterans-affairs/va.gov-cms
opened
<Defect summary>
Defect Needs refining
## Describe the defect The `/admin/content` route in the CMS is accessible without having to be logged in ## To Reproduce Steps to reproduce the behavior: 1. Go to [The CMS login page](https://prod.cms.va.gov/) 2. Confirm you are not logged into the CMS 3. Go to https://prod.cms.va.gov/admin/content 4. Confirm you are seeing the content list view and you can also access Content Audit Tools ## AC / Expected behavior - [ ] Accessing https://prod.cms.va.gov/admin/content should prompt you to login - [ ] You should not be able to access the content view without logging in - [ ] You should not be able to access Content audit tools without logging in ## Screenshots ![image](https://user-images.githubusercontent.com/106678594/223213715-bfdb6dd0-6f30-4422-84ee-9b8f81c8b0fc.png) ### Team Please check the team(s) that will do this work. - [x] `CMS Team` - [ ] `Public Websites` - [ ] `Facilities` - [ ] `User support`
1.0
<Defect summary> - ## Describe the defect The `/admin/content` route in the CMS is accessible without having to be logged in ## To Reproduce Steps to reproduce the behavior: 1. Go to [The CMS login page](https://prod.cms.va.gov/) 2. Confirm you are not logged into the CMS 3. Go to https://prod.cms.va.gov/admin/content 4. Confirm you are seeing the content list view and you can also access Content Audit Tools ## AC / Expected behavior - [ ] Accessing https://prod.cms.va.gov/admin/content should prompt you to login - [ ] You should not be able to access the content view without logging in - [ ] You should not be able to access Content audit tools without logging in ## Screenshots ![image](https://user-images.githubusercontent.com/106678594/223213715-bfdb6dd0-6f30-4422-84ee-9b8f81c8b0fc.png) ### Team Please check the team(s) that will do this work. - [x] `CMS Team` - [ ] `Public Websites` - [ ] `Facilities` - [ ] `User support`
defect
describe the defect the admin content route in the cms is accessible without having to be logged in to reproduce steps to reproduce the behavior go to confirm you are not logged into the cms go to confirm you are seeing the content list view and you can also access content audit tools ac expected behavior accessing should prompt you to login you should not be able to access the content view without logging in you should not be able to access content audit tools without logging in screenshots team please check the team s that will do this work cms team public websites facilities user support
1
81,237
10,113,686,948
IssuesEvent
2019-07-30 17:20:19
Steemhunt/reviewhunt-web
https://api.github.com/repos/Steemhunt/reviewhunt-web
closed
Finished Campaigns
bug design high-priority
Zeplin: `Upcoming and Finished` ![Screenshot 2019-07-27 20 24 21](https://user-images.githubusercontent.com/15100667/61998798-5f86a080-b0ad-11e9-9072-b73a8a172e73.png) Within the campaign view: (Zeplin: `Campaign Finished`) 1) Top button ![Screenshot 2019-07-27 20 31 25](https://user-images.githubusercontent.com/15100667/61998811-83e27d00-b0ad-11e9-83ce-af3c9b896906.png) 2) Percentage Bar ![Screenshot 2019-07-27 20 32 14](https://user-images.githubusercontent.com/15100667/61998821-a1afe200-b0ad-11e9-91fd-1475a4add784.png) 3) Bottom button ![Screenshot 2019-07-27 20 32 38](https://user-images.githubusercontent.com/15100667/61998826-affdfe00-b0ad-11e9-8603-2190d82c3baa.png)
1.0
Finished Campaigns - Zeplin: `Upcoming and Finished` ![Screenshot 2019-07-27 20 24 21](https://user-images.githubusercontent.com/15100667/61998798-5f86a080-b0ad-11e9-9072-b73a8a172e73.png) Within the campaign view: (Zeplin: `Campaign Finished`) 1) Top button ![Screenshot 2019-07-27 20 31 25](https://user-images.githubusercontent.com/15100667/61998811-83e27d00-b0ad-11e9-83ce-af3c9b896906.png) 2) Percentage Bar ![Screenshot 2019-07-27 20 32 14](https://user-images.githubusercontent.com/15100667/61998821-a1afe200-b0ad-11e9-91fd-1475a4add784.png) 3) Bottom button ![Screenshot 2019-07-27 20 32 38](https://user-images.githubusercontent.com/15100667/61998826-affdfe00-b0ad-11e9-8603-2190d82c3baa.png)
non_defect
finished campaigns zeplin upcoming and finished within the campaign view zeplin campaign finished top button percentage bar bottom button
0
8,509
2,611,515,557
IssuesEvent
2015-02-27 05:50:57
chrsmith/hedgewars
https://api.github.com/repos/chrsmith/hedgewars
closed
Theme desync on generated maps
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. In online game choose generated maps. 1. Click on map preview to generate a new map and theme. 2. Start the game. What is the expected output? What do you see instead? All players in the room should see the same theme but they don't. It causes desync. What version of the product are you using? On what operating system? hg tip 8579:90f445317e8a Arch linux 64bit, opponent OS X Please provide any additional information below. Always reproducable. ``` Original issue reported on code.google.com by `ben...@unit22.org` on 1 Mar 2013 at 12:00
1.0
Theme desync on generated maps - ``` What steps will reproduce the problem? 1. In online game choose generated maps. 1. Click on map preview to generate a new map and theme. 2. Start the game. What is the expected output? What do you see instead? All players in the room should see the same theme but they don't. It causes desync. What version of the product are you using? On what operating system? hg tip 8579:90f445317e8a Arch linux 64bit, opponent OS X Please provide any additional information below. Always reproducable. ``` Original issue reported on code.google.com by `ben...@unit22.org` on 1 Mar 2013 at 12:00
defect
theme desync on generated maps what steps will reproduce the problem in online game choose generated maps click on map preview to generate a new map and theme start the game what is the expected output what do you see instead all players in the room should see the same theme but they don t it causes desync what version of the product are you using on what operating system hg tip arch linux opponent os x please provide any additional information below always reproducable original issue reported on code google com by ben org on mar at
1
159,432
13,764,288,775
IssuesEvent
2020-10-07 11:51:23
smaranjitghose/img_ai_app_boilerplate
https://api.github.com/repos/smaranjitghose/img_ai_app_boilerplate
opened
Technical Documentation Website
documentation hacktoberfest-accepted slop2020
# Requirements: - [ ] Home Page: - [ ] Information about Project - [ ] Open Source : - [ ] Programs we are a part of: info about SLOP - [ ] Contribution Guide - [ ] Code of Conduct - [ ] License - [ ] Team - [ ] Project Maintainer - [ ] Project Contributor - [ ] Getting Started: - [ ] Using this repo as a template on GitHub - [ ] Getting the source code locally - [ ] Model Integration - [ ] Updating Model Files - [ ] Updating the Image Classifier Script - [ ] Front End Changes - [ ] Home Page [ Of the app] - [ ] Team Page - [ ] About Page - [ ] Firebase and more Pages! - [ ] Setup Firebase for the project - [ ] Store Configuration Files to reference Firebase Project - [ ] Setup Real time database for the project - [ ] Update the Contact Page - [ ] Setup Cloud Storage for the project - [ ] Update the function to send images - [ ] Remove Firebase - [ ] Deployment - [ ] Staging, Commiting and Pushing Changes to GitHub - [ ] Heroku - [ ] Google Cloud Services - [ ] Amazon Web Services - [ ] Microsoft Azure - [ ] Digital Ocean - [ ] Linode - [ ] Python Everywhere # Directions: - Package to be used: mkdocs - Template to be followed: [Material](https://squidfunk.github.io/mkdocs-material/) - Branch to be pushed: gh-pages [the deploy], master[the ``docs/`` directory inside which the documentation would be present] - Please ``gitignore`` everything under ``site/`` # References: - [Deploy](http://docs_portfolio.smaranjitghose.codes/), [Relevant Source Code](https://github.com/smaranjitghose/awesome-portfolio-websites/tree/documentation)
1.0
Technical Documentation Website - # Requirements: - [ ] Home Page: - [ ] Information about Project - [ ] Open Source : - [ ] Programs we are a part of: info about SLOP - [ ] Contribution Guide - [ ] Code of Conduct - [ ] License - [ ] Team - [ ] Project Maintainer - [ ] Project Contributor - [ ] Getting Started: - [ ] Using this repo as a template on GitHub - [ ] Getting the source code locally - [ ] Model Integration - [ ] Updating Model Files - [ ] Updating the Image Classifier Script - [ ] Front End Changes - [ ] Home Page [ Of the app] - [ ] Team Page - [ ] About Page - [ ] Firebase and more Pages! - [ ] Setup Firebase for the project - [ ] Store Configuration Files to reference Firebase Project - [ ] Setup Real time database for the project - [ ] Update the Contact Page - [ ] Setup Cloud Storage for the project - [ ] Update the function to send images - [ ] Remove Firebase - [ ] Deployment - [ ] Staging, Commiting and Pushing Changes to GitHub - [ ] Heroku - [ ] Google Cloud Services - [ ] Amazon Web Services - [ ] Microsoft Azure - [ ] Digital Ocean - [ ] Linode - [ ] Python Everywhere # Directions: - Package to be used: mkdocs - Template to be followed: [Material](https://squidfunk.github.io/mkdocs-material/) - Branch to be pushed: gh-pages [the deploy], master[the ``docs/`` directory inside which the documentation would be present] - Please ``gitignore`` everything under ``site/`` # References: - [Deploy](http://docs_portfolio.smaranjitghose.codes/), [Relevant Source Code](https://github.com/smaranjitghose/awesome-portfolio-websites/tree/documentation)
non_defect
technical documentation website requirements home page information about project open source programs we are a part of info about slop contribution guide code of conduct license team project maintainer project contributor getting started using this repo as a template on github getting the source code locally model integration updating model files updating the image classifier script front end changes home page team page about page firebase and more pages setup firebase for the project store configuration files to reference firebase project setup real time database for the project update the contact page setup cloud storage for the project update the function to send images remove firebase deployment staging commiting and pushing changes to github heroku google cloud services amazon web services microsoft azure digital ocean linode python everywhere directions package to be used mkdocs template to be followed branch to be pushed gh pages master please gitignore everything under site references
0
162,371
25,525,988,544
IssuesEvent
2022-11-29 02:20:10
appsmithorg/appsmith
https://api.github.com/repos/appsmithorg/appsmith
opened
[Task]: Move dependencies list in design-system to devDependencies and then add them to peer.
Design System Pod Task
### Is there an existing issue for this? - [X] I have searched the existing issues ### SubTasks <img width="462" alt="Screenshot 2022-11-29 at 9 19 39 AM" src="https://user-images.githubusercontent.com/13763558/204422731-0d5efb39-b23b-4cbc-b95e-5fdb13e337c6.png">
1.0
[Task]: Move dependencies list in design-system to devDependencies and then add them to peer. - ### Is there an existing issue for this? - [X] I have searched the existing issues ### SubTasks <img width="462" alt="Screenshot 2022-11-29 at 9 19 39 AM" src="https://user-images.githubusercontent.com/13763558/204422731-0d5efb39-b23b-4cbc-b95e-5fdb13e337c6.png">
non_defect
move dependencies list in design system to devdependencies and then add them to peer is there an existing issue for this i have searched the existing issues subtasks img width alt screenshot at am src
0
263,982
23,094,350,743
IssuesEvent
2022-07-26 17:59:51
elastic/kibana
https://api.github.com/repos/elastic/kibana
opened
Add tests for Console's text input
Feature:Console Feature:Dev Tools Team:Deployment Management test-coverage
## Summary Console supports different methods of interpreting and loading text input into the request pane. I haven't audited the codebase to see if any of this is tested, so we should do that first to assess what kind of gaps we have in coverage. Let's add functional tests to document and verify this behavior in Console: - `load_from` parameter - [ ] Copy/pasting cURL ## `load_from` parameter Console will read from the `load_from` parameter to determine whether it should preload any content into the request pane. Find the `loadBufferFromRemote` function in the codebase to assess the different types of acceptable input. Currently, it can either load from a URL or from a string that's encoded directly in the query parameter (https://github.com/elastic/kibana/pull/109923). ## Copy/pasting cURL If you copy and paste curl into Console, it will be automatically converted into Console's request syntax. For example, copy and paste this into Console: ``` curl -XGET "http://localhost:9200/_search" -d' { "query": { "match_all": {} } }' ``` It will be converted to: ``` GET /_search { "query": { "match_all": {} } } ```
1.0
Add tests for Console's text input - ## Summary Console supports different methods of interpreting and loading text input into the request pane. I haven't audited the codebase to see if any of this is tested, so we should do that first to assess what kind of gaps we have in coverage. Let's add functional tests to document and verify this behavior in Console: - `load_from` parameter - [ ] Copy/pasting cURL ## `load_from` parameter Console will read from the `load_from` parameter to determine whether it should preload any content into the request pane. Find the `loadBufferFromRemote` function in the codebase to assess the different types of acceptable input. Currently, it can either load from a URL or from a string that's encoded directly in the query parameter (https://github.com/elastic/kibana/pull/109923). ## Copy/pasting cURL If you copy and paste curl into Console, it will be automatically converted into Console's request syntax. For example, copy and paste this into Console: ``` curl -XGET "http://localhost:9200/_search" -d' { "query": { "match_all": {} } }' ``` It will be converted to: ``` GET /_search { "query": { "match_all": {} } } ```
non_defect
add tests for console s text input summary console supports different methods of interpreting and loading text input into the request pane i haven t audited the codebase to see if any of this is tested so we should do that first to assess what kind of gaps we have in coverage let s add functional tests to document and verify this behavior in console load from parameter copy pasting curl load from parameter console will read from the load from parameter to determine whether it should preload any content into the request pane find the loadbufferfromremote function in the codebase to assess the different types of acceptable input currently it can either load from a url or from a string that s encoded directly in the query parameter copy pasting curl if you copy and paste curl into console it will be automatically converted into console s request syntax for example copy and paste this into console curl xget d query match all it will be converted to get search query match all
0
93,987
19,425,767,672
IssuesEvent
2021-12-21 05:09:04
ballerina-platform/ballerina-lang
https://api.github.com/repos/ballerina-platform/ballerina-lang
opened
`Document This` code action is not shown for annotation declarations
Type/Bug Team/LanguageServer Area/CodeAction
**Description:** Write an annotation like: ```ballerina public const annotation Data MyAnnot on source worker, source var; ``` and move your cursor over it. `Document This` code action is not suggested. **Steps to reproduce:** See description **Affected Versions:** SL Beta6
1.0
`Document This` code action is not shown for annotation declarations - **Description:** Write an annotation like: ```ballerina public const annotation Data MyAnnot on source worker, source var; ``` and move your cursor over it. `Document This` code action is not suggested. **Steps to reproduce:** See description **Affected Versions:** SL Beta6
non_defect
document this code action is not shown for annotation declarations description write an annotation like ballerina public const annotation data myannot on source worker source var and move your cursor over it document this code action is not suggested steps to reproduce see description affected versions sl
0
120,243
25,764,383,803
IssuesEvent
2022-12-08 23:58:19
WordPress/openverse-api
https://api.github.com/repos/WordPress/openverse-api
opened
`attribution` is sometimes null
🟨 priority: medium 🛠 goal: fix 💻 aspect: code
## Description <!-- Concisely describe the bug. Compare your experience with what you expected to happen. --> <!-- For example: "I clicked the 'submit' button and instead of seeing a thank you message, I saw a blank page." --> Example where it is not null: https://api.openverse.engineering/v1/images/0aff3595-8168-440b-83ff-7a80b65dea42/ Example where it is null: https://api.openverse.engineering/v1/images/a3565050-50dc-4a57-8986-dc6bc3d8af48/ ## Reproduction <!-- Provide detailed steps to reproduce the bug. --> 1. <!-- Step 1 ... --> See the link above. Unsure what the cause is. ## Additional context <!-- Add any other context about the problem here; or delete the section entirely. --> Discovered by @zackkrida and @krysal in Make Slack here: https://wordpress.slack.com/archives/C02012JB00N/p1670442907182319 (Requires a free account from https://chat.wordpress.org to access). ## Resolution <!-- Replace the [ ] with [x] to check the box. --> - [ ] 🙋 I would be interested in resolving this bug.
1.0
`attribution` is sometimes null - ## Description <!-- Concisely describe the bug. Compare your experience with what you expected to happen. --> <!-- For example: "I clicked the 'submit' button and instead of seeing a thank you message, I saw a blank page." --> Example where it is not null: https://api.openverse.engineering/v1/images/0aff3595-8168-440b-83ff-7a80b65dea42/ Example where it is null: https://api.openverse.engineering/v1/images/a3565050-50dc-4a57-8986-dc6bc3d8af48/ ## Reproduction <!-- Provide detailed steps to reproduce the bug. --> 1. <!-- Step 1 ... --> See the link above. Unsure what the cause is. ## Additional context <!-- Add any other context about the problem here; or delete the section entirely. --> Discovered by @zackkrida and @krysal in Make Slack here: https://wordpress.slack.com/archives/C02012JB00N/p1670442907182319 (Requires a free account from https://chat.wordpress.org to access). ## Resolution <!-- Replace the [ ] with [x] to check the box. --> - [ ] 🙋 I would be interested in resolving this bug.
non_defect
attribution is sometimes null description example where it is not null example where it is null reproduction see the link above unsure what the cause is additional context discovered by zackkrida and krysal in make slack here requires a free account from to access resolution 🙋 i would be interested in resolving this bug
0
228,319
25,184,272,640
IssuesEvent
2022-11-11 16:23:12
hapifhir/hapi-fhir
https://api.github.com/repos/hapifhir/hapi-fhir
opened
CVE-2022-3509 (High) detected in protobuf-java-3.19.4.jar
security vulnerability
## CVE-2022-3509 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>protobuf-java-3.19.4.jar</b></p></summary> <p>Core Protocol Buffers library. Protocol Buffers are a way of encoding structured data in an efficient yet extensible format.</p> <p>Library home page: <a href="https://developers.google.com/protocol-buffers/">https://developers.google.com/protocol-buffers/</a></p> <p>Path to dependency file: /hapi-fhir-cli/hapi-fhir-cli-app/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/google/protobuf/protobuf-java/3.19.4/protobuf-java-3.19.4.jar,/home/wss-scanner/.m2/repository/com/google/protobuf/protobuf-java/3.19.4/protobuf-java-3.19.4.jar</p> <p> Dependency Hierarchy: - mysql-connector-j-8.0.31.jar (Root Library) - :x: **protobuf-java-3.19.4.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/hapifhir/hapi-fhir/commit/b59f2d05a7d0fd10c7b03bb6f0ebf97757172a71">b59f2d05a7d0fd10c7b03bb6f0ebf97757172a71</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> A parsing issue similar to CVE-2022-3171, but with textformat in proto ... <p>Publish Date: 2022-10-14 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-3509>CVE-2022-3509</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Release Date: 2022-10-14</p> <p>Fix Resolution: com.google.protobuf:protobuf-java:3.21.7</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-3509 (High) detected in protobuf-java-3.19.4.jar - ## CVE-2022-3509 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>protobuf-java-3.19.4.jar</b></p></summary> <p>Core Protocol Buffers library. Protocol Buffers are a way of encoding structured data in an efficient yet extensible format.</p> <p>Library home page: <a href="https://developers.google.com/protocol-buffers/">https://developers.google.com/protocol-buffers/</a></p> <p>Path to dependency file: /hapi-fhir-cli/hapi-fhir-cli-app/pom.xml</p> <p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/google/protobuf/protobuf-java/3.19.4/protobuf-java-3.19.4.jar,/home/wss-scanner/.m2/repository/com/google/protobuf/protobuf-java/3.19.4/protobuf-java-3.19.4.jar</p> <p> Dependency Hierarchy: - mysql-connector-j-8.0.31.jar (Root Library) - :x: **protobuf-java-3.19.4.jar** (Vulnerable Library) <p>Found in HEAD commit: <a href="https://github.com/hapifhir/hapi-fhir/commit/b59f2d05a7d0fd10c7b03bb6f0ebf97757172a71">b59f2d05a7d0fd10c7b03bb6f0ebf97757172a71</a></p> <p>Found in base branch: <b>master</b></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary> <p> A parsing issue similar to CVE-2022-3171, but with textformat in proto ... <p>Publish Date: 2022-10-14 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-3509>CVE-2022-3509</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: None - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: None - Integrity Impact: None - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Release Date: 2022-10-14</p> <p>Fix Resolution: com.google.protobuf:protobuf-java:3.21.7</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 high detected in protobuf java jar cve high severity vulnerability vulnerable library protobuf java jar core protocol buffers library protocol buffers are a way of encoding structured data in an efficient yet extensible format library home page a href path to dependency file hapi fhir cli hapi fhir cli app pom xml path to vulnerable library home wss scanner repository com google protobuf protobuf java protobuf java jar home wss scanner repository com google protobuf protobuf java protobuf java jar dependency hierarchy mysql connector j jar root library x protobuf java jar vulnerable library found in head commit a href found in base branch master vulnerability details a parsing issue similar to cve but with textformat in proto publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version release date fix resolution com google protobuf protobuf java step up your open source security game with mend
0
63,435
6,847,012,221
IssuesEvent
2017-11-13 14:09:49
material-components/material-components-ios
https://api.github.com/repos/material-components/material-components-ios
opened
[BottomSheet] Implement unit test verifying gesture recognizer cancellation behavior
where:BottomSheet where:Testing
From @romoore: > I think it would be a good improvement to provide a unit test for the cancellation behavior. The test should ensure that this behavior will call touchesCancelled:withEvent:.
1.0
[BottomSheet] Implement unit test verifying gesture recognizer cancellation behavior - From @romoore: > I think it would be a good improvement to provide a unit test for the cancellation behavior. The test should ensure that this behavior will call touchesCancelled:withEvent:.
non_defect
implement unit test verifying gesture recognizer cancellation behavior from romoore i think it would be a good improvement to provide a unit test for the cancellation behavior the test should ensure that this behavior will call touchescancelled withevent
0
99,927
11,167,602,209
IssuesEvent
2019-12-27 17:51:14
vtex-apps/io-documentation
https://api.github.com/repos/vtex-apps/io-documentation
closed
vtex-apps/audara has no documentation yet
no-documentation
[vtex-apps/audara](https://github.com/vtex-apps/audara) hasn't created any README file yet or is not using Docs Builder
1.0
vtex-apps/audara has no documentation yet - [vtex-apps/audara](https://github.com/vtex-apps/audara) hasn't created any README file yet or is not using Docs Builder
non_defect
vtex apps audara has no documentation yet hasn t created any readme file yet or is not using docs builder
0
3,772
2,610,068,646
IssuesEvent
2015-02-26 18:20:10
chrsmith/jsjsj122
https://api.github.com/repos/chrsmith/jsjsj122
opened
路桥检查前列腺炎价格
auto-migrated Priority-Medium Type-Defect
``` 路桥检查前列腺炎价格【台州五洲生殖医院】24小时健康咨询 热线:0576-88066933-(扣扣800080609)-(微信号tzwzszyy)医院地址:台州市 椒江区枫南路229号(枫南大转盘旁)乘车线路:乘坐104、108、1 18、198及椒江一金清公交车直达枫南小区,乘坐107、105、109、 112、901、 902公交车到星星广场下车,步行即可到院。 诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,�� �精,无精。包皮包茎,精索静脉曲张,淋病等。 台州五洲生殖医院是台州最大的男科医院,权威专家在线免�� �咨询,拥有专业完善的男科检查治疗设备,严格按照国家标� ��收费。尖端医疗设备,与世界同步。权威专家,成就专业典 范。人性化服务,一切以患者为中心。 看男科就选台州五洲生殖医院,专业男科为男人。 ``` ----- Original issue reported on code.google.com by `poweragr...@gmail.com` on 30 May 2014 at 9:09
1.0
路桥检查前列腺炎价格 - ``` 路桥检查前列腺炎价格【台州五洲生殖医院】24小时健康咨询 热线:0576-88066933-(扣扣800080609)-(微信号tzwzszyy)医院地址:台州市 椒江区枫南路229号(枫南大转盘旁)乘车线路:乘坐104、108、1 18、198及椒江一金清公交车直达枫南小区,乘坐107、105、109、 112、901、 902公交车到星星广场下车,步行即可到院。 诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,�� �精,无精。包皮包茎,精索静脉曲张,淋病等。 台州五洲生殖医院是台州最大的男科医院,权威专家在线免�� �咨询,拥有专业完善的男科检查治疗设备,严格按照国家标� ��收费。尖端医疗设备,与世界同步。权威专家,成就专业典 范。人性化服务,一切以患者为中心。 看男科就选台州五洲生殖医院,专业男科为男人。 ``` ----- Original issue reported on code.google.com by `poweragr...@gmail.com` on 30 May 2014 at 9:09
defect
路桥检查前列腺炎价格 路桥检查前列腺炎价格【台州五洲生殖医院】 热线 微信号tzwzszyy 医院地址 台州市 (枫南大转盘旁)乘车线路 、 、 、 , 、 、 、 、 、 ,步行即可到院。 诊疗项目:阳痿,早泄,前列腺炎,前列腺增生,龟头炎,�� �精,无精。包皮包茎,精索静脉曲张,淋病等。 台州五洲生殖医院是台州最大的男科医院,权威专家在线免�� �咨询,拥有专业完善的男科检查治疗设备,严格按照国家标� ��收费。尖端医疗设备,与世界同步。权威专家,成就专业典 范。人性化服务,一切以患者为中心。 看男科就选台州五洲生殖医院,专业男科为男人。 original issue reported on code google com by poweragr gmail com on may at
1
19,826
3,264,700,373
IssuesEvent
2015-10-22 13:14:36
hazelcast/hazelcast
https://api.github.com/repos/hazelcast/hazelcast
reopened
[TEST-FAILURE] MapLoaderTest.testMapCanBeLoaded_whenLoadAllKeysThrowsExceptionFirstTime
Team: Core Type: Defect
https://hazelcast-l337.ci.cloudbees.com/job/Hazelcast-3.x-OpenJDK7/558/artifact/hazelcast/target/surefire-reports/com.hazelcast.map.mapstore.MapLoaderTest-output.txt It is weird that it tries to connect Man Center ``` http://127.0.0.1:8090/mancenter 04:24:25,085 DEBUG [ManagementCenterService] hz._hzInstance_2628_dev.MC.State.Sender - [127.0.0.1]:7675 [dev] [3.5-EA2-SNAPSHOT] Opening collector connection:http://127.0.0.1:8090/mancenter/collector.do 04:24:25,085 DEBUG [ManagementCenterService] hz._hzInstance_2628_dev.MC.Task.Poller - [127.0.0.1]:7675 [dev] [3.5-EA2-SNAPSHOT] Opening getTask connection:http://127.0.0.1:8090/mancenter/getTask.do?member=127.0.0.1:7675&cluster=dev 04:24:25,086 DEBUG [ManagementCenterService] hz._hzInstance_2628_dev.MC.Task.Poller - [127.0.0.1]:7675 [dev] [3.5-EA2-SNAPSHOT] Failed to connect to management center java.net.ConnectException: Connection refused at java.net.PlainSocketImpl.socketConnect(Native Method) at java.net.AbstractPlainSocketImpl.doConnect(AbstractPlainSocketImpl.java:339) at java.net.AbstractPlainSocketImpl.connectToAddress(AbstractPlainSocketImpl.java:200) at java.net.AbstractPlainSocketImpl.connect(AbstractPlainSocketImpl.java:182) at java.net.SocksSocketImpl.connect(SocksSocketImpl.java:392) at java.net.Socket.connect(Socket.java:579) at java.net.Socket.connect(Socket.java:528) at sun.net.NetworkClient.doConnect(NetworkClient.java:180) at sun.net.www.http.HttpClient.openServer(HttpClient.java:432) at sun.net.www.http.HttpClient.openServer(HttpClient.java:527) at sun.net.www.http.HttpClient.<init>(HttpClient.java:211) at sun.net.www.http.HttpClient.New(HttpClient.java:308) at sun.net.www.http.HttpClient.New(HttpClient.java:326) at sun.net.www.protocol.http.HttpURLConnection.getNewHttpClient(HttpURLConnection.java:996) at sun.net.www.protocol.http.HttpURLConnection.plainConnect(HttpURLConnection.java:932) at sun.net.www.protocol.http.HttpURLConnection.connect(HttpURLConnection.java:850) at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1300) at com.hazelcast.internal.management.ManagementCenterService$TaskPollThread.openTaskInputStream(ManagementCenterService.java:495) at com.hazelcast.internal.management.ManagementCenterService$TaskPollThread.processTask(ManagementCenterService.java:435) at com.hazelcast.internal.management.ManagementCenterService$TaskPollThread.run(ManagementCenterService.java:416) ```
1.0
[TEST-FAILURE] MapLoaderTest.testMapCanBeLoaded_whenLoadAllKeysThrowsExceptionFirstTime - https://hazelcast-l337.ci.cloudbees.com/job/Hazelcast-3.x-OpenJDK7/558/artifact/hazelcast/target/surefire-reports/com.hazelcast.map.mapstore.MapLoaderTest-output.txt It is weird that it tries to connect Man Center ``` http://127.0.0.1:8090/mancenter 04:24:25,085 DEBUG [ManagementCenterService] hz._hzInstance_2628_dev.MC.State.Sender - [127.0.0.1]:7675 [dev] [3.5-EA2-SNAPSHOT] Opening collector connection:http://127.0.0.1:8090/mancenter/collector.do 04:24:25,085 DEBUG [ManagementCenterService] hz._hzInstance_2628_dev.MC.Task.Poller - [127.0.0.1]:7675 [dev] [3.5-EA2-SNAPSHOT] Opening getTask connection:http://127.0.0.1:8090/mancenter/getTask.do?member=127.0.0.1:7675&cluster=dev 04:24:25,086 DEBUG [ManagementCenterService] hz._hzInstance_2628_dev.MC.Task.Poller - [127.0.0.1]:7675 [dev] [3.5-EA2-SNAPSHOT] Failed to connect to management center java.net.ConnectException: Connection refused at java.net.PlainSocketImpl.socketConnect(Native Method) at java.net.AbstractPlainSocketImpl.doConnect(AbstractPlainSocketImpl.java:339) at java.net.AbstractPlainSocketImpl.connectToAddress(AbstractPlainSocketImpl.java:200) at java.net.AbstractPlainSocketImpl.connect(AbstractPlainSocketImpl.java:182) at java.net.SocksSocketImpl.connect(SocksSocketImpl.java:392) at java.net.Socket.connect(Socket.java:579) at java.net.Socket.connect(Socket.java:528) at sun.net.NetworkClient.doConnect(NetworkClient.java:180) at sun.net.www.http.HttpClient.openServer(HttpClient.java:432) at sun.net.www.http.HttpClient.openServer(HttpClient.java:527) at sun.net.www.http.HttpClient.<init>(HttpClient.java:211) at sun.net.www.http.HttpClient.New(HttpClient.java:308) at sun.net.www.http.HttpClient.New(HttpClient.java:326) at sun.net.www.protocol.http.HttpURLConnection.getNewHttpClient(HttpURLConnection.java:996) at sun.net.www.protocol.http.HttpURLConnection.plainConnect(HttpURLConnection.java:932) at sun.net.www.protocol.http.HttpURLConnection.connect(HttpURLConnection.java:850) at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1300) at com.hazelcast.internal.management.ManagementCenterService$TaskPollThread.openTaskInputStream(ManagementCenterService.java:495) at com.hazelcast.internal.management.ManagementCenterService$TaskPollThread.processTask(ManagementCenterService.java:435) at com.hazelcast.internal.management.ManagementCenterService$TaskPollThread.run(ManagementCenterService.java:416) ```
defect
maploadertest testmapcanbeloaded whenloadallkeysthrowsexceptionfirsttime it is weird that it tries to connect man center debug hz hzinstance dev mc state sender opening collector connection debug hz hzinstance dev mc task poller opening gettask connection debug hz hzinstance dev mc task poller failed to connect to management center java net connectexception connection refused at java net plainsocketimpl socketconnect native method at java net abstractplainsocketimpl doconnect abstractplainsocketimpl java at java net abstractplainsocketimpl connecttoaddress abstractplainsocketimpl java at java net abstractplainsocketimpl connect abstractplainsocketimpl java at java net sockssocketimpl connect sockssocketimpl java at java net socket connect socket java at java net socket connect socket java at sun net networkclient doconnect networkclient java at sun net at sun net at sun net at sun net at sun net at sun net at sun net at sun net at sun net at com hazelcast internal management managementcenterservice taskpollthread opentaskinputstream managementcenterservice java at com hazelcast internal management managementcenterservice taskpollthread processtask managementcenterservice java at com hazelcast internal management managementcenterservice taskpollthread run managementcenterservice java
1
30,658
6,218,333,097
IssuesEvent
2017-07-09 00:13:20
archon810/androidpolice-public
https://api.github.com/repos/archon810/androidpolice-public
closed
Search icon out of place
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. Open the page What is the expected output? What do you see instead? Search icon is out of place What operating system are you on? Latest version of OSX Yosemite What is your browser and its version? Lastest version of Safari ``` Original issue reported on code.google.com by `austinle...@gmail.com` on 5 Feb 2015 at 8:42 Attachments: - [Screen Shot 2015-02-05 at 3.40.38 PM.png](https://storage.googleapis.com/google-code-attachments/androidpolice/issue-36/comment-0/Screen Shot 2015-02-05 at 3.40.38 PM.png)
1.0
Search icon out of place - ``` What steps will reproduce the problem? 1. Open the page What is the expected output? What do you see instead? Search icon is out of place What operating system are you on? Latest version of OSX Yosemite What is your browser and its version? Lastest version of Safari ``` Original issue reported on code.google.com by `austinle...@gmail.com` on 5 Feb 2015 at 8:42 Attachments: - [Screen Shot 2015-02-05 at 3.40.38 PM.png](https://storage.googleapis.com/google-code-attachments/androidpolice/issue-36/comment-0/Screen Shot 2015-02-05 at 3.40.38 PM.png)
defect
search icon out of place what steps will reproduce the problem open the page what is the expected output what do you see instead search icon is out of place what operating system are you on latest version of osx yosemite what is your browser and its version lastest version of safari original issue reported on code google com by austinle gmail com on feb at attachments shot at pm png
1
50,630
6,416,883,343
IssuesEvent
2017-08-08 15:37:50
gitpoint/git-point
https://api.github.com/repos/gitpoint/git-point
closed
Non-aligned text on the home screen
design discussion enhancement
- It would be great if the text is aligned as shown below in the image. - The all of a sudden bulging text on the left looks odd & messy creating a bad experience. - Aligning the text as shown would make it look neat & even. ![gpi](https://user-images.githubusercontent.com/11228182/28995796-451a7242-7a10-11e7-9d2c-104053b74fac.jpg) PS: Please ignore the editing, did that on my phone :smile:
1.0
Non-aligned text on the home screen - - It would be great if the text is aligned as shown below in the image. - The all of a sudden bulging text on the left looks odd & messy creating a bad experience. - Aligning the text as shown would make it look neat & even. ![gpi](https://user-images.githubusercontent.com/11228182/28995796-451a7242-7a10-11e7-9d2c-104053b74fac.jpg) PS: Please ignore the editing, did that on my phone :smile:
non_defect
non aligned text on the home screen it would be great if the text is aligned as shown below in the image the all of a sudden bulging text on the left looks odd messy creating a bad experience aligning the text as shown would make it look neat even ps please ignore the editing did that on my phone smile
0
73,311
24,557,656,500
IssuesEvent
2022-10-12 17:14:30
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
Incompatible browser warning page doesn't scroll on tiny browser windows
T-Defect S-Tolerable O-Uncommon
### Steps to reproduce 1. Have an incompatible browser (access webpack over the network on http) 2. Try to open Element 3. "Incompatible browser" warning (expected) 4. Can't scroll down to accept button In my case, I created the incompatible browser by having a Windows VM on my dev machine with my dev machine running webpack. Accessing Element over the network by hitting my dev machine's private IP forces the browser to use http (not https) and because it's not `localhost` it drops things like subtlecrypto, which we require to run. I had each window in a corner of a 1024x768 screen to reproduce this. ![image](https://user-images.githubusercontent.com/1190097/193133282-71924e35-68c4-42aa-a17b-7ed840951a8f.png) (after clicking through - just demonstrating layout) ### Outcome #### What did you expect? To be able to scroll. The fact that the window is unusably small shouldn't prevent the scroll wheel from working. #### What happened instead? No scroll :( ### Operating system Windows 10 & 11 ### Browser information Edge, Chrome, and Firefox on both ### URL for webapp localhost / private IP ### Application version develop ### Homeserver localhost ### Will you send logs? No
1.0
Incompatible browser warning page doesn't scroll on tiny browser windows - ### Steps to reproduce 1. Have an incompatible browser (access webpack over the network on http) 2. Try to open Element 3. "Incompatible browser" warning (expected) 4. Can't scroll down to accept button In my case, I created the incompatible browser by having a Windows VM on my dev machine with my dev machine running webpack. Accessing Element over the network by hitting my dev machine's private IP forces the browser to use http (not https) and because it's not `localhost` it drops things like subtlecrypto, which we require to run. I had each window in a corner of a 1024x768 screen to reproduce this. ![image](https://user-images.githubusercontent.com/1190097/193133282-71924e35-68c4-42aa-a17b-7ed840951a8f.png) (after clicking through - just demonstrating layout) ### Outcome #### What did you expect? To be able to scroll. The fact that the window is unusably small shouldn't prevent the scroll wheel from working. #### What happened instead? No scroll :( ### Operating system Windows 10 & 11 ### Browser information Edge, Chrome, and Firefox on both ### URL for webapp localhost / private IP ### Application version develop ### Homeserver localhost ### Will you send logs? No
defect
incompatible browser warning page doesn t scroll on tiny browser windows steps to reproduce have an incompatible browser access webpack over the network on http try to open element incompatible browser warning expected can t scroll down to accept button in my case i created the incompatible browser by having a windows vm on my dev machine with my dev machine running webpack accessing element over the network by hitting my dev machine s private ip forces the browser to use http not https and because it s not localhost it drops things like subtlecrypto which we require to run i had each window in a corner of a screen to reproduce this after clicking through just demonstrating layout outcome what did you expect to be able to scroll the fact that the window is unusably small shouldn t prevent the scroll wheel from working what happened instead no scroll operating system windows browser information edge chrome and firefox on both url for webapp localhost private ip application version develop homeserver localhost will you send logs no
1
15,419
2,852,602,751
IssuesEvent
2015-06-01 14:28:08
pmaupin/pdfrw
https://api.github.com/repos/pmaupin/pdfrw
closed
code.google.com usage
auto-migrated Priority-Medium Type-Defect
``` Service code.google.com is closing. Do you have plans to migrate pdfrw to somewhere? ``` Original issue reported on code.google.com by `he...@nerv.fi` on 17 Mar 2015 at 10:31
1.0
code.google.com usage - ``` Service code.google.com is closing. Do you have plans to migrate pdfrw to somewhere? ``` Original issue reported on code.google.com by `he...@nerv.fi` on 17 Mar 2015 at 10:31
defect
code google com usage service code google com is closing do you have plans to migrate pdfrw to somewhere original issue reported on code google com by he nerv fi on mar at
1
286,178
21,565,774,689
IssuesEvent
2022-05-01 20:54:51
Automattic/woocommerce-payments
https://api.github.com/repos/Automattic/woocommerce-payments
closed
Stripe product loses synchronised status when products are deleted/ restored with WC Payments deactivated
type: bug priority: low type: documentation component: wcpay subscriptions category: core
### Describe the bug By deactivating and reactivating WooCommerce Payments while deleting trashing or restoring a subscription (core) product it's possible for the `active` status on Stripe to become out of sync which prevents customers from being able to purchase that product. ### To Reproduce 1. Create a simple subscription product on a site with WC Payments + Subs core 2. Delete the product which [archives the product in Stripe](https://github.com/Automattic/woocommerce-payments/blob/09e0b1a277280d60ff8bf1e901a67a42dbb23109/includes/subscriptions/class-wc-payments-product-service.php#L320) 3. Deactivate WooCommerce Payments 4. Restore the deleted product from trash 5. Reactivate WooCommerce Payments 6. Attempt to checkout with that subscription product Because WC Payments was deactivated at the point the product was restored it doesn't get [unarchived on Stripe](https://github.com/Automattic/woocommerce-payments/blob/09e0b1a277280d60ff8bf1e901a67a42dbb23109/includes/subscriptions/class-wc-payments-product-service.php#L337). ### Actual behavior When attempting to purchase the subscription after that has happened the customer encounters an error message which reads `There was a problem creating your subscription` ### Screenshots <img width="1194" alt="Markup 2022-03-18 at 08 52 07" src="https://user-images.githubusercontent.com/40762232/158970701-cfc3fc99-c6d8-4387-8b4f-dd07e263af7a.png"> ### Expected behavior As WooCommerce is the product management system in this situation I would expect that I would be able to purchase this subscription product and if the status on Stripe has fallen out of sync that there would be a secondary check to avoid a situation where these products become unusable ### Additional context 4780032-zen
1.0
Stripe product loses synchronised status when products are deleted/ restored with WC Payments deactivated - ### Describe the bug By deactivating and reactivating WooCommerce Payments while deleting trashing or restoring a subscription (core) product it's possible for the `active` status on Stripe to become out of sync which prevents customers from being able to purchase that product. ### To Reproduce 1. Create a simple subscription product on a site with WC Payments + Subs core 2. Delete the product which [archives the product in Stripe](https://github.com/Automattic/woocommerce-payments/blob/09e0b1a277280d60ff8bf1e901a67a42dbb23109/includes/subscriptions/class-wc-payments-product-service.php#L320) 3. Deactivate WooCommerce Payments 4. Restore the deleted product from trash 5. Reactivate WooCommerce Payments 6. Attempt to checkout with that subscription product Because WC Payments was deactivated at the point the product was restored it doesn't get [unarchived on Stripe](https://github.com/Automattic/woocommerce-payments/blob/09e0b1a277280d60ff8bf1e901a67a42dbb23109/includes/subscriptions/class-wc-payments-product-service.php#L337). ### Actual behavior When attempting to purchase the subscription after that has happened the customer encounters an error message which reads `There was a problem creating your subscription` ### Screenshots <img width="1194" alt="Markup 2022-03-18 at 08 52 07" src="https://user-images.githubusercontent.com/40762232/158970701-cfc3fc99-c6d8-4387-8b4f-dd07e263af7a.png"> ### Expected behavior As WooCommerce is the product management system in this situation I would expect that I would be able to purchase this subscription product and if the status on Stripe has fallen out of sync that there would be a secondary check to avoid a situation where these products become unusable ### Additional context 4780032-zen
non_defect
stripe product loses synchronised status when products are deleted restored with wc payments deactivated describe the bug by deactivating and reactivating woocommerce payments while deleting trashing or restoring a subscription core product it s possible for the active status on stripe to become out of sync which prevents customers from being able to purchase that product to reproduce create a simple subscription product on a site with wc payments subs core delete the product which deactivate woocommerce payments restore the deleted product from trash reactivate woocommerce payments attempt to checkout with that subscription product because wc payments was deactivated at the point the product was restored it doesn t get actual behavior when attempting to purchase the subscription after that has happened the customer encounters an error message which reads there was a problem creating your subscription screenshots img width alt markup at src expected behavior as woocommerce is the product management system in this situation i would expect that i would be able to purchase this subscription product and if the status on stripe has fallen out of sync that there would be a secondary check to avoid a situation where these products become unusable additional context zen
0
39,266
9,366,589,661
IssuesEvent
2019-04-03 01:30:53
MDAnalysis/mdanalysis
https://api.github.com/repos/MDAnalysis/mdanalysis
closed
nucleic acid analysis 2-hydroxyl dihedral bug
Component-Analysis Difficulty-easy defect testing
mdanalysis/package/MDAnalysis/analysis/nuclinfo.py expected dihedral C1' - C2' - O2' - H2' https://github.com/MDAnalysis/mdanalysis/blob/94288667302c6d54321f0237e39804f69781867d/package/MDAnalysis/analysis/nuclinfo.py#L710 the code has C1' - C2' - O2' - H2'' wrong hydrogen atom name
1.0
nucleic acid analysis 2-hydroxyl dihedral bug - mdanalysis/package/MDAnalysis/analysis/nuclinfo.py expected dihedral C1' - C2' - O2' - H2' https://github.com/MDAnalysis/mdanalysis/blob/94288667302c6d54321f0237e39804f69781867d/package/MDAnalysis/analysis/nuclinfo.py#L710 the code has C1' - C2' - O2' - H2'' wrong hydrogen atom name
defect
nucleic acid analysis hydroxyl dihedral bug mdanalysis package mdanalysis analysis nuclinfo py expected dihedral the code has wrong hydrogen atom name
1
72,974
24,392,127,868
IssuesEvent
2022-10-04 16:00:22
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
User DM notification badge shows up under "rooms" in an unrelated space
T-Defect S-Major A-Notifications Z-Rageshake A-Spaces O-Uncommon
### Steps to reproduce (Unknown, will send rageshake instead) ### Outcome #### What did you expect? User DM notification badges to stay under "home". #### What happened instead? ![image](https://user-images.githubusercontent.com/22740616/144494990-26c136d2-55b5-457e-aae7-43953a2c344e.png) ![image](https://user-images.githubusercontent.com/22740616/144495007-addf0cf8-6232-433e-9701-08f117058e4a.png) ### Operating system PopOS Linux, 21.04 ### Application version Element version: 1.9.5 Olm version: 3.2.3 ### How did you install the app? Flatpak ### Homeserver jboi.nl ### Will you send logs? Yes
1.0
User DM notification badge shows up under "rooms" in an unrelated space - ### Steps to reproduce (Unknown, will send rageshake instead) ### Outcome #### What did you expect? User DM notification badges to stay under "home". #### What happened instead? ![image](https://user-images.githubusercontent.com/22740616/144494990-26c136d2-55b5-457e-aae7-43953a2c344e.png) ![image](https://user-images.githubusercontent.com/22740616/144495007-addf0cf8-6232-433e-9701-08f117058e4a.png) ### Operating system PopOS Linux, 21.04 ### Application version Element version: 1.9.5 Olm version: 3.2.3 ### How did you install the app? Flatpak ### Homeserver jboi.nl ### Will you send logs? Yes
defect
user dm notification badge shows up under rooms in an unrelated space steps to reproduce unknown will send rageshake instead outcome what did you expect user dm notification badges to stay under home what happened instead operating system popos linux application version element version olm version how did you install the app flatpak homeserver jboi nl will you send logs yes
1
77,880
27,213,298,871
IssuesEvent
2023-02-20 18:36:42
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
opened
Key backup fails silently
T-Defect
### Steps to reproduce Expectation/thoughts are in the headers, the raw facts are in the numbered lists. ### The story, part 1: Upon logout attempt, I get warned on losing message access and attempt to turn on backup. 1. Started a DM, encryption is automatically turned on and cannot be turned off. 2. Clicked on my profile and "Sign out". 3. Pop-up message appears: "You'll lose access to your encrypted messages" with two options: "I don't want my encrypted messages", or "Connect this session to key backup". 4. Clicked on: "Connect this session to key backup". 5. Pop-up message appears: "Keys restored\nSuccessfully restored 0 keys", with button "Ok". 6. Clicked "Ok" ### Part 2: I assume that backup now worked/that backup already was there, since 0 keys needed to be restored, and expect to not see any warning anymore upon logout. But, I again receive the same warning 7. Clicked again on my profile and "Sign out". 8. Again, the pop-up message from step 3 appears. ("You'll lose access to your encrypted messages [..]") ### Part 3: I suspect the backup did not work and look for other settings to turn it on/export the relevant info. 9. Clicked on my profile and "All settings" > sidebar: "Security and Privacy" > section: Encryption 10. Read > Connect this session to key backup before signing out to avoid losing any keys that may only be on this session. and saw a button directly below: "Connect this session to Key Backup". In the advanced section, it says: ``` Backup key stored: In secret storage Backup key cached: cached locally, well formed Secret storage public key: in account data Secret storage: ready Backup version: 1 Algorithm: m.megolm_backup.v1.curve25519-aes-sha2 Backup has a signature from unknown session with ID <redacted> This backup is trusted because it has been restored on this session ``` 11. Clicked that button. 12. Saw again the pop-message from step 5, and again interpret it as in title for "part 2". ### Part 4: 3rd logout attempt with same warning, but this time I suspect the bug is in the warning, i.e. that it's always shown upon logout. Reasoning: In the settings, it said that if I connect the session to the key backup, I avoid losing the keys, and I _did_ that (twice). Also, the advanced section suggests (10.) that the backup works fine. (or so I thought....) 13. Attempted to log out. 14. Again pop-up message from step 3. 15. Given the reasoning in the title: Clicked "I don't want my encrypted messages." (now: logged out) ### Part 5: I discover that the key backup did, in fact, not work. 16. I log in again, with the same account. 17. I view the DM from step 1. It cannot be decrypted. 18. I connect the session to the key backup in the menu (9. - 11.). I can still not read the DM. 19. I inspect the debug logs manually. There, it has the following lines: ``` 2023-02-20T17:08:59.957Z I Checking key backup status... 2023-02-20T17:08:59.959Z I Old unverified sessions: 2023-02-20T17:08:59.959Z I New unverified sessions: 2023-02-20T17:08:59.959Z I Currently showing toasts for: 2023-02-20T17:08:59.982Z I Backup is trusted locally 2023-02-20T17:08:59.982Z I Ignoring signature from unknown key <redacted> 2023-02-20T17:08:59.982Z I No usable key backup: not enabling key backup <-- the crucial line 2023-02-20T17:09:00.010Z I Old unverified sessions: 2023-02-20T17:09:00.010Z I New unverified sessions: 2023-02-20T17:09:00.010Z I Currently showing toasts for: ``` Therefore, the backup never worked, but that was never displayed in the pop-up message. In conclusion, a silent failure. ### Outcome #### What did you expect? If I click a button to connect the session to the key backup, and if the key backup is then unsuccessful, I expect that the resulting pop-up window tells me that the backup failed. #### What happened instead? With the two mentioned if-conditions being true, I instead received two signals that the backup works: - The pop-up window instead displayed the text: "Keys restored" giving the illusion that the key backup may have been successful (even though "restoration" seemed like a weird word for "backup" ;) ) . Moreover, the pop-up said "Successfully restored 0 keys" which may be understood as: It backed the keys up, and also attempted to restore them, which is unnecessary since they're in current use. So, of course, 0 keys are restored (no matter whether successfully so ;) ). - Also, the "Advanced" section in the Encryption Settings seemed to suggest that the backup is well and alive. ### Operating system macOS ### Browser information Firefox 109.0 (64-bit) ### URL for webapp app.element.io ### Application version Element version: 1.11.23 Olm version: 3.2.12 ### Homeserver Synapse, not managed by me, and I don't find the version ### Will you send logs? No
1.0
Key backup fails silently - ### Steps to reproduce Expectation/thoughts are in the headers, the raw facts are in the numbered lists. ### The story, part 1: Upon logout attempt, I get warned on losing message access and attempt to turn on backup. 1. Started a DM, encryption is automatically turned on and cannot be turned off. 2. Clicked on my profile and "Sign out". 3. Pop-up message appears: "You'll lose access to your encrypted messages" with two options: "I don't want my encrypted messages", or "Connect this session to key backup". 4. Clicked on: "Connect this session to key backup". 5. Pop-up message appears: "Keys restored\nSuccessfully restored 0 keys", with button "Ok". 6. Clicked "Ok" ### Part 2: I assume that backup now worked/that backup already was there, since 0 keys needed to be restored, and expect to not see any warning anymore upon logout. But, I again receive the same warning 7. Clicked again on my profile and "Sign out". 8. Again, the pop-up message from step 3 appears. ("You'll lose access to your encrypted messages [..]") ### Part 3: I suspect the backup did not work and look for other settings to turn it on/export the relevant info. 9. Clicked on my profile and "All settings" > sidebar: "Security and Privacy" > section: Encryption 10. Read > Connect this session to key backup before signing out to avoid losing any keys that may only be on this session. and saw a button directly below: "Connect this session to Key Backup". In the advanced section, it says: ``` Backup key stored: In secret storage Backup key cached: cached locally, well formed Secret storage public key: in account data Secret storage: ready Backup version: 1 Algorithm: m.megolm_backup.v1.curve25519-aes-sha2 Backup has a signature from unknown session with ID <redacted> This backup is trusted because it has been restored on this session ``` 11. Clicked that button. 12. Saw again the pop-message from step 5, and again interpret it as in title for "part 2". ### Part 4: 3rd logout attempt with same warning, but this time I suspect the bug is in the warning, i.e. that it's always shown upon logout. Reasoning: In the settings, it said that if I connect the session to the key backup, I avoid losing the keys, and I _did_ that (twice). Also, the advanced section suggests (10.) that the backup works fine. (or so I thought....) 13. Attempted to log out. 14. Again pop-up message from step 3. 15. Given the reasoning in the title: Clicked "I don't want my encrypted messages." (now: logged out) ### Part 5: I discover that the key backup did, in fact, not work. 16. I log in again, with the same account. 17. I view the DM from step 1. It cannot be decrypted. 18. I connect the session to the key backup in the menu (9. - 11.). I can still not read the DM. 19. I inspect the debug logs manually. There, it has the following lines: ``` 2023-02-20T17:08:59.957Z I Checking key backup status... 2023-02-20T17:08:59.959Z I Old unverified sessions: 2023-02-20T17:08:59.959Z I New unverified sessions: 2023-02-20T17:08:59.959Z I Currently showing toasts for: 2023-02-20T17:08:59.982Z I Backup is trusted locally 2023-02-20T17:08:59.982Z I Ignoring signature from unknown key <redacted> 2023-02-20T17:08:59.982Z I No usable key backup: not enabling key backup <-- the crucial line 2023-02-20T17:09:00.010Z I Old unverified sessions: 2023-02-20T17:09:00.010Z I New unverified sessions: 2023-02-20T17:09:00.010Z I Currently showing toasts for: ``` Therefore, the backup never worked, but that was never displayed in the pop-up message. In conclusion, a silent failure. ### Outcome #### What did you expect? If I click a button to connect the session to the key backup, and if the key backup is then unsuccessful, I expect that the resulting pop-up window tells me that the backup failed. #### What happened instead? With the two mentioned if-conditions being true, I instead received two signals that the backup works: - The pop-up window instead displayed the text: "Keys restored" giving the illusion that the key backup may have been successful (even though "restoration" seemed like a weird word for "backup" ;) ) . Moreover, the pop-up said "Successfully restored 0 keys" which may be understood as: It backed the keys up, and also attempted to restore them, which is unnecessary since they're in current use. So, of course, 0 keys are restored (no matter whether successfully so ;) ). - Also, the "Advanced" section in the Encryption Settings seemed to suggest that the backup is well and alive. ### Operating system macOS ### Browser information Firefox 109.0 (64-bit) ### URL for webapp app.element.io ### Application version Element version: 1.11.23 Olm version: 3.2.12 ### Homeserver Synapse, not managed by me, and I don't find the version ### Will you send logs? No
defect
key backup fails silently steps to reproduce expectation thoughts are in the headers the raw facts are in the numbered lists the story part upon logout attempt i get warned on losing message access and attempt to turn on backup started a dm encryption is automatically turned on and cannot be turned off clicked on my profile and sign out pop up message appears you ll lose access to your encrypted messages with two options i don t want my encrypted messages or connect this session to key backup clicked on connect this session to key backup pop up message appears keys restored nsuccessfully restored keys with button ok clicked ok part i assume that backup now worked that backup already was there since keys needed to be restored and expect to not see any warning anymore upon logout but i again receive the same warning clicked again on my profile and sign out again the pop up message from step appears you ll lose access to your encrypted messages part i suspect the backup did not work and look for other settings to turn it on export the relevant info clicked on my profile and all settings sidebar security and privacy section encryption read connect this session to key backup before signing out to avoid losing any keys that may only be on this session and saw a button directly below connect this session to key backup in the advanced section it says backup key stored in secret storage backup key cached cached locally well formed secret storage public key in account data secret storage ready backup version algorithm m megolm backup aes backup has a signature from unknown session with id this backup is trusted because it has been restored on this session clicked that button saw again the pop message from step and again interpret it as in title for part part logout attempt with same warning but this time i suspect the bug is in the warning i e that it s always shown upon logout reasoning in the settings it said that if i connect the session to the key backup i avoid losing the keys and i did that twice also the advanced section suggests that the backup works fine or so i thought attempted to log out again pop up message from step given the reasoning in the title clicked i don t want my encrypted messages now logged out part i discover that the key backup did in fact not work i log in again with the same account i view the dm from step it cannot be decrypted i connect the session to the key backup in the menu i can still not read the dm i inspect the debug logs manually there it has the following lines i checking key backup status i old unverified sessions i new unverified sessions i currently showing toasts for i backup is trusted locally i ignoring signature from unknown key i no usable key backup not enabling key backup the crucial line i old unverified sessions i new unverified sessions i currently showing toasts for therefore the backup never worked but that was never displayed in the pop up message in conclusion a silent failure outcome what did you expect if i click a button to connect the session to the key backup and if the key backup is then unsuccessful i expect that the resulting pop up window tells me that the backup failed what happened instead with the two mentioned if conditions being true i instead received two signals that the backup works the pop up window instead displayed the text keys restored giving the illusion that the key backup may have been successful even though restoration seemed like a weird word for backup moreover the pop up said successfully restored keys which may be understood as it backed the keys up and also attempted to restore them which is unnecessary since they re in current use so of course keys are restored no matter whether successfully so also the advanced section in the encryption settings seemed to suggest that the backup is well and alive operating system macos browser information firefox bit url for webapp app element io application version element version olm version homeserver synapse not managed by me and i don t find the version will you send logs no
1
58,257
16,452,860,710
IssuesEvent
2021-05-21 08:29:24
vector-im/element-web
https://api.github.com/repos/vector-im/element-web
closed
Labs spinner can lock up and not animate
T-Defect
<!-- A picture's worth a thousand words: PLEASE INCLUDE A SCREENSHOT :P --> <!-- Please report security issues by email to security@matrix.org --> <!-- This is a bug report template. By following the instructions below and filling out the sections with your information, you will help the us to get all the necessary data to fix your issue. You can also preview your report before submitting it. You may remove sections that aren't relevant to your particular case. Text between <!-- and --​> marks will be invisible in the report. --> ### Description ![image](https://user-images.githubusercontent.com/2803622/118528796-118bd280-b743-11eb-97e2-832d809fcf78.png) (imagine this is a gif ;P) It takes ages (on my poor ~4€/M VPS homeserver?) to load the space overview. Pretty confusing to not see the spinner spinning. ### Steps to reproduce - run synapse on a really cheap VPS - join `#community:matrix.org` <!-- Please send us logs for your bug report. They're very important for bugs which are hard to reproduce. To do this, create this issue then go to your account settings and click 'Submit Debug Logs' from the Help & About tab --> Logs being sent: yes/no <!-- Include screenshots if possible: you can drag and drop images below. --> ### Version information - **Platform**: desktop For the desktop app: - **OS**: Arch - **Version**: aur/element-desktop-nightly-bin 2021051701-1 - **Homeserver**: synapse 1.34.0 (pypi)
1.0
Labs spinner can lock up and not animate - <!-- A picture's worth a thousand words: PLEASE INCLUDE A SCREENSHOT :P --> <!-- Please report security issues by email to security@matrix.org --> <!-- This is a bug report template. By following the instructions below and filling out the sections with your information, you will help the us to get all the necessary data to fix your issue. You can also preview your report before submitting it. You may remove sections that aren't relevant to your particular case. Text between <!-- and --​> marks will be invisible in the report. --> ### Description ![image](https://user-images.githubusercontent.com/2803622/118528796-118bd280-b743-11eb-97e2-832d809fcf78.png) (imagine this is a gif ;P) It takes ages (on my poor ~4€/M VPS homeserver?) to load the space overview. Pretty confusing to not see the spinner spinning. ### Steps to reproduce - run synapse on a really cheap VPS - join `#community:matrix.org` <!-- Please send us logs for your bug report. They're very important for bugs which are hard to reproduce. To do this, create this issue then go to your account settings and click 'Submit Debug Logs' from the Help & About tab --> Logs being sent: yes/no <!-- Include screenshots if possible: you can drag and drop images below. --> ### Version information - **Platform**: desktop For the desktop app: - **OS**: Arch - **Version**: aur/element-desktop-nightly-bin 2021051701-1 - **Homeserver**: synapse 1.34.0 (pypi)
defect
labs spinner can lock up and not animate this is a bug report template by following the instructions below and filling out the sections with your information you will help the us to get all the necessary data to fix your issue you can also preview your report before submitting it you may remove sections that aren t relevant to your particular case text between marks will be invisible in the report description imagine this is a gif p it takes ages on my poor € m vps homeserver to load the space overview pretty confusing to not see the spinner spinning steps to reproduce run synapse on a really cheap vps join community matrix org please send us logs for your bug report they re very important for bugs which are hard to reproduce to do this create this issue then go to your account settings and click submit debug logs from the help about tab logs being sent yes no version information platform desktop for the desktop app os arch version aur element desktop nightly bin homeserver synapse pypi
1
19,215
3,154,890,300
IssuesEvent
2015-09-17 03:55:01
SeungYeonYou/jquery-tubeground
https://api.github.com/repos/SeungYeonYou/jquery-tubeground
closed
Mute:true not working in google chrome
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. setting mute:true in plugin options What is the expected output? What do you see instead? In Google Chrome it reproduces audio although i set "mute:true" in options array. What version of the product are you using? On what operating system? Windows 7. Release 1.0.1 ``` Original issue reported on code.google.com by `giovanni...@gmail.com` on 27 Nov 2012 at 9:55
1.0
Mute:true not working in google chrome - ``` What steps will reproduce the problem? 1. setting mute:true in plugin options What is the expected output? What do you see instead? In Google Chrome it reproduces audio although i set "mute:true" in options array. What version of the product are you using? On what operating system? Windows 7. Release 1.0.1 ``` Original issue reported on code.google.com by `giovanni...@gmail.com` on 27 Nov 2012 at 9:55
defect
mute true not working in google chrome what steps will reproduce the problem setting mute true in plugin options what is the expected output what do you see instead in google chrome it reproduces audio although i set mute true in options array what version of the product are you using on what operating system windows release original issue reported on code google com by giovanni gmail com on nov at
1
247,426
18,857,747,276
IssuesEvent
2021-11-12 08:59:06
junghon3709/pe
https://api.github.com/repos/junghon3709/pe
opened
Tag names must be alphanumeric not mentioned in the UG
type.DocumentationBug severity.Low
When executing `add n/Alex Yeoh p/87438807 t/frie?nds fb/alex.yeoh ig/alex.yeoh tele/alyeoh tiktok/alex.yeoh date/birthday:2000-01-01:yearly`, the error message is as such: ![1.png](https://raw.githubusercontent.com/junghon3709/pe/main/files/871d7202-f1af-443f-8f49-165914fdec56.png) Yet, I could not find any mention of this in the UG. <!--session: 1636703819295-91af9c79-ba2d-4b37-9d65-3d859492c654--> <!--Version: Web v3.4.1-->
1.0
Tag names must be alphanumeric not mentioned in the UG - When executing `add n/Alex Yeoh p/87438807 t/frie?nds fb/alex.yeoh ig/alex.yeoh tele/alyeoh tiktok/alex.yeoh date/birthday:2000-01-01:yearly`, the error message is as such: ![1.png](https://raw.githubusercontent.com/junghon3709/pe/main/files/871d7202-f1af-443f-8f49-165914fdec56.png) Yet, I could not find any mention of this in the UG. <!--session: 1636703819295-91af9c79-ba2d-4b37-9d65-3d859492c654--> <!--Version: Web v3.4.1-->
non_defect
tag names must be alphanumeric not mentioned in the ug when executing add n alex yeoh p t frie nds fb alex yeoh ig alex yeoh tele alyeoh tiktok alex yeoh date birthday yearly the error message is as such yet i could not find any mention of this in the ug
0
16,944
23,324,496,293
IssuesEvent
2022-08-08 19:42:39
BartoszCichecki/LenovoLegionToolkit
https://api.github.com/repos/BartoszCichecki/LenovoLegionToolkit
closed
Lenovo Thinkbook 14p G3 ARH (21EJ)
compatibility
**First and foremost** Did you read the whole README? Yes **Environment (please complete the following information):** - OS: Windows 11 22H2 build 22621.169 - Laptop model: Thinkbook 14p G3 ARH (21EJ) - .NET version: 4.8.09032 - Do you have Vantage installed? Yes **List of features that are working as expected** Everything, except below: **List of features that seem to not work** **List of features that crash the app** Power plans (Invalid class) **Additional context** - App Version: 2.3.1
True
Lenovo Thinkbook 14p G3 ARH (21EJ) - **First and foremost** Did you read the whole README? Yes **Environment (please complete the following information):** - OS: Windows 11 22H2 build 22621.169 - Laptop model: Thinkbook 14p G3 ARH (21EJ) - .NET version: 4.8.09032 - Do you have Vantage installed? Yes **List of features that are working as expected** Everything, except below: **List of features that seem to not work** **List of features that crash the app** Power plans (Invalid class) **Additional context** - App Version: 2.3.1
non_defect
lenovo thinkbook arh first and foremost did you read the whole readme yes environment please complete the following information os windows build laptop model thinkbook arh net version do you have vantage installed yes list of features that are working as expected everything except below list of features that seem to not work list of features that crash the app power plans invalid class additional context app version
0
23,532
6,437,958,156
IssuesEvent
2017-08-11 01:33:52
CUAHSI/HydroDesktop
https://api.github.com/repos/CUAHSI/HydroDesktop
opened
DotSpatial Tools, IDW error
CodePlex
<b>twhitvine[CodePlex]</b> <br />Clicked OK to run IDW tool from DotSpatial Tools and got this error. System.InvalidOperationException: Cross thread operation detected. To suppress this exception, set DevExpress.Data.CurrencyDataController.DisableThreadingProblemsDetection = true at DevExpress.Data.CurrencyDataController.ThrowCrossThreadException() at System.Windows.Forms.Control.InvokeMarshaledCallbackHelper(Object obj) at System.Threading.ExecutionContext.runTryCode(Object userData) at System.Runtime.CompilerServices.RuntimeHelpers.ExecuteCodeWithGuaranteedCleanup(TryCode code, CleanupCode backoutCode, Object userData) at System.Threading.ExecutionContext.Run(ExecutionContext executionContext, ContextCallback callback, Object state, Boolean ignoreSyncCtx) at System.Threading.ExecutionContext.Run(ExecutionContext executionContext, ContextCallback callback, Object state) at System.Windows.Forms.Control.InvokeMarshaledCallback(ThreadMethodEntry tme) at System.Windows.Forms.Control.InvokeMarshaledCallbacks() Strangely enough, tool progress says it completed. 1/16/2013 3:27:12 PM: ================== 1/16/2013 3:27:12 PM: Executing Tool: IDW 1/16/2013 3:27:12 PM: ================== 1/16/2013 3:27:12 PM: Cell: 434 of 55335 1/16/2013 3:27:12 PM: Cell: 868 of 55335 1/16/2013 3:27:12 PM: Cell: 1519 of 55335 1/16/2013 3:27:12 PM: Cell: 1953 of 55335 1/16/2013 3:27:12 PM: Cell: 2604 of 55335 1/16/2013 3:27:12 PM: Cell: 3255 of 55335 1/16/2013 3:27:12 PM: Cell: 3689 of 55335 1/16/2013 3:27:12 PM: Cell: 4340 of 55335 1/16/2013 3:27:12 PM: Cell: 4774 of 55335 1/16/2013 3:27:12 PM: Cell: 5425 of 55335 1/16/2013 3:27:12 PM: Cell: 5859 of 55335 1/16/2013 3:27:12 PM: Cell: 6510 of 55335 1/16/2013 3:27:12 PM: Cell: 6944 of 55335 1/16/2013 3:27:12 PM: Cell: 7595 of 55335 1/16/2013 3:27:12 PM: Cell: 8029 of 55335 1/16/2013 3:27:12 PM: Cell: 8680 of 55335 1/16/2013 3:27:12 PM: Cell: 9331 of 55335 1/16/2013 3:27:12 PM: Cell: 9765 of 55335 1/16/2013 3:27:12 PM: Cell: 10416 of 55335 1/16/2013 3:27:12 PM: Cell: 10850 of 55335 1/16/2013 3:27:12 PM: Cell: 11501 of 55335 1/16/2013 3:27:12 PM: Cell: 11935 of 55335 1/16/2013 3:27:12 PM: Cell: 12586 of 55335 1/16/2013 3:27:12 PM: Cell: 13020 of 55335 1/16/2013 3:27:12 PM: Cell: 13671 of 55335 1/16/2013 3:27:12 PM: Cell: 14322 of 55335 1/16/2013 3:27:12 PM: Cell: 14756 of 55335 1/16/2013 3:27:12 PM: Cell: 15407 of 55335 1/16/2013 3:27:12 PM: Cell: 15841 of 55335 1/16/2013 3:27:12 PM: Cell: 16492 of 55335 1/16/2013 3:27:12 PM: Cell: 16926 of 55335 1/16/2013 3:27:12 PM: Cell: 17577 of 55335 1/16/2013 3:27:12 PM: Cell: 18011 of 55335 1/16/2013 3:27:12 PM: Cell: 18662 of 55335 1/16/2013 3:27:12 PM: Cell: 19096 of 55335 1/16/2013 3:27:12 PM: Cell: 19747 of 55335 1/16/2013 3:27:12 PM: Cell: 20398 of 55335 1/16/2013 3:27:12 PM: Cell: 20832 of 55335 1/16/2013 3:27:12 PM: Cell: 21483 of 55335 1/16/2013 3:27:12 PM: Cell: 21917 of 55335 1/16/2013 3:27:12 PM: Cell: 22568 of 55335 1/16/2013 3:27:12 PM: Cell: 23002 of 55335 1/16/2013 3:27:12 PM: Cell: 23653 of 55335 1/16/2013 3:27:12 PM: Cell: 24087 of 55335 1/16/2013 3:27:12 PM: Cell: 24738 of 55335 1/16/2013 3:27:12 PM: Cell: 25389 of 55335 1/16/2013 3:27:12 PM: Cell: 25823 of 55335 1/16/2013 3:27:12 PM: Cell: 26474 of 55335 1/16/2013 3:27:12 PM: Cell: 26908 of 55335 1/16/2013 3:27:12 PM: Cell: 27559 of 55335 1/16/2013 3:27:12 PM: Cell: 27993 of 55335 1/16/2013 3:27:12 PM: Cell: 28644 of 55335 1/16/2013 3:27:12 PM: Cell: 29078 of 55335 1/16/2013 3:27:12 PM: Cell: 29729 of 55335 1/16/2013 3:27:12 PM: Cell: 30163 of 55335 1/16/2013 3:27:12 PM: Cell: 30814 of 55335 1/16/2013 3:27:12 PM: Cell: 31465 of 55335 1/16/2013 3:27:12 PM: Cell: 31899 of 55335 1/16/2013 3:27:12 PM: Cell: 32550 of 55335 1/16/2013 3:27:12 PM: Cell: 32984 of 55335 1/16/2013 3:27:12 PM: Cell: 33635 of 55335 1/16/2013 3:27:12 PM: Cell: 34069 of 55335 1/16/2013 3:27:12 PM: Cell: 34720 of 55335 1/16/2013 3:27:12 PM: Cell: 35154 of 55335 1/16/2013 3:27:12 PM: Cell: 35805 of 55335 1/16/2013 3:27:12 PM: Cell: 36456 of 55335 1/16/2013 3:27:12 PM: Cell: 36890 of 55335 1/16/2013 3:27:12 PM: Cell: 37541 of 55335 1/16/2013 3:27:12 PM: Cell: 37975 of 55335 1/16/2013 3:27:12 PM: Cell: 38626 of 55335 1/16/2013 3:27:12 PM: Cell: 39060 of 55335 1/16/2013 3:27:13 PM: Cell: 39711 of 55335 1/16/2013 3:27:13 PM: Cell: 40145 of 55335 1/16/2013 3:27:13 PM: Cell: 40796 of 55335 1/16/2013 3:27:13 PM: Cell: 41230 of 55335 1/16/2013 3:27:13 PM: Cell: 41881 of 55335 1/16/2013 3:27:13 PM: Cell: 42532 of 55335 1/16/2013 3:27:13 PM: Cell: 42966 of 55335 1/16/2013 3:27:13 PM: Cell: 43617 of 55335 1/16/2013 3:27:13 PM: Cell: 44051 of 55335 1/16/2013 3:27:13 PM: Cell: 44702 of 55335 1/16/2013 3:27:13 PM: Cell: 45136 of 55335 1/16/2013 3:27:13 PM: Cell: 45787 of 55335 1/16/2013 3:27:13 PM: Cell: 46221 of 55335 1/16/2013 3:27:13 PM: Cell: 46872 of 55335 1/16/2013 3:27:13 PM: Cell: 47523 of 55335 1/16/2013 3:27:13 PM: Cell: 47957 of 55335 1/16/2013 3:27:13 PM: Cell: 48608 of 55335 1/16/2013 3:27:13 PM: Cell: 49042 of 55335 1/16/2013 3:27:13 PM: Cell: 49693 of 55335 1/16/2013 3:27:13 PM: Cell: 50127 of 55335 1/16/2013 3:27:13 PM: Cell: 50778 of 55335 1/16/2013 3:27:13 PM: Cell: 51212 of 55335 1/16/2013 3:27:13 PM: Cell: 51863 of 55335 1/16/2013 3:27:13 PM: Cell: 52297 of 55335 1/16/2013 3:27:13 PM: Cell: 52948 of 55335 1/16/2013 3:27:13 PM: Cell: 53599 of 55335 1/16/2013 3:27:13 PM: Cell: 54033 of 55335 1/16/2013 3:27:13 PM: Cell: 54684 of 55335 1/16/2013 3:27:13 PM: Cell: 55118 of 55335 1/16/2013 3:27:13 PM: ================== 1/16/2013 3:27:13 PM: Done Executing Tool: IDW 1/16/2013 3:27:13 PM: ================== Nothing is added to the map when the tool finishes, but the file is created and I can add it manually. Zip file of the HD project and data are attached, minus the HUCs.
1.0
DotSpatial Tools, IDW error - <b>twhitvine[CodePlex]</b> <br />Clicked OK to run IDW tool from DotSpatial Tools and got this error. System.InvalidOperationException: Cross thread operation detected. To suppress this exception, set DevExpress.Data.CurrencyDataController.DisableThreadingProblemsDetection = true at DevExpress.Data.CurrencyDataController.ThrowCrossThreadException() at System.Windows.Forms.Control.InvokeMarshaledCallbackHelper(Object obj) at System.Threading.ExecutionContext.runTryCode(Object userData) at System.Runtime.CompilerServices.RuntimeHelpers.ExecuteCodeWithGuaranteedCleanup(TryCode code, CleanupCode backoutCode, Object userData) at System.Threading.ExecutionContext.Run(ExecutionContext executionContext, ContextCallback callback, Object state, Boolean ignoreSyncCtx) at System.Threading.ExecutionContext.Run(ExecutionContext executionContext, ContextCallback callback, Object state) at System.Windows.Forms.Control.InvokeMarshaledCallback(ThreadMethodEntry tme) at System.Windows.Forms.Control.InvokeMarshaledCallbacks() Strangely enough, tool progress says it completed. 1/16/2013 3:27:12 PM: ================== 1/16/2013 3:27:12 PM: Executing Tool: IDW 1/16/2013 3:27:12 PM: ================== 1/16/2013 3:27:12 PM: Cell: 434 of 55335 1/16/2013 3:27:12 PM: Cell: 868 of 55335 1/16/2013 3:27:12 PM: Cell: 1519 of 55335 1/16/2013 3:27:12 PM: Cell: 1953 of 55335 1/16/2013 3:27:12 PM: Cell: 2604 of 55335 1/16/2013 3:27:12 PM: Cell: 3255 of 55335 1/16/2013 3:27:12 PM: Cell: 3689 of 55335 1/16/2013 3:27:12 PM: Cell: 4340 of 55335 1/16/2013 3:27:12 PM: Cell: 4774 of 55335 1/16/2013 3:27:12 PM: Cell: 5425 of 55335 1/16/2013 3:27:12 PM: Cell: 5859 of 55335 1/16/2013 3:27:12 PM: Cell: 6510 of 55335 1/16/2013 3:27:12 PM: Cell: 6944 of 55335 1/16/2013 3:27:12 PM: Cell: 7595 of 55335 1/16/2013 3:27:12 PM: Cell: 8029 of 55335 1/16/2013 3:27:12 PM: Cell: 8680 of 55335 1/16/2013 3:27:12 PM: Cell: 9331 of 55335 1/16/2013 3:27:12 PM: Cell: 9765 of 55335 1/16/2013 3:27:12 PM: Cell: 10416 of 55335 1/16/2013 3:27:12 PM: Cell: 10850 of 55335 1/16/2013 3:27:12 PM: Cell: 11501 of 55335 1/16/2013 3:27:12 PM: Cell: 11935 of 55335 1/16/2013 3:27:12 PM: Cell: 12586 of 55335 1/16/2013 3:27:12 PM: Cell: 13020 of 55335 1/16/2013 3:27:12 PM: Cell: 13671 of 55335 1/16/2013 3:27:12 PM: Cell: 14322 of 55335 1/16/2013 3:27:12 PM: Cell: 14756 of 55335 1/16/2013 3:27:12 PM: Cell: 15407 of 55335 1/16/2013 3:27:12 PM: Cell: 15841 of 55335 1/16/2013 3:27:12 PM: Cell: 16492 of 55335 1/16/2013 3:27:12 PM: Cell: 16926 of 55335 1/16/2013 3:27:12 PM: Cell: 17577 of 55335 1/16/2013 3:27:12 PM: Cell: 18011 of 55335 1/16/2013 3:27:12 PM: Cell: 18662 of 55335 1/16/2013 3:27:12 PM: Cell: 19096 of 55335 1/16/2013 3:27:12 PM: Cell: 19747 of 55335 1/16/2013 3:27:12 PM: Cell: 20398 of 55335 1/16/2013 3:27:12 PM: Cell: 20832 of 55335 1/16/2013 3:27:12 PM: Cell: 21483 of 55335 1/16/2013 3:27:12 PM: Cell: 21917 of 55335 1/16/2013 3:27:12 PM: Cell: 22568 of 55335 1/16/2013 3:27:12 PM: Cell: 23002 of 55335 1/16/2013 3:27:12 PM: Cell: 23653 of 55335 1/16/2013 3:27:12 PM: Cell: 24087 of 55335 1/16/2013 3:27:12 PM: Cell: 24738 of 55335 1/16/2013 3:27:12 PM: Cell: 25389 of 55335 1/16/2013 3:27:12 PM: Cell: 25823 of 55335 1/16/2013 3:27:12 PM: Cell: 26474 of 55335 1/16/2013 3:27:12 PM: Cell: 26908 of 55335 1/16/2013 3:27:12 PM: Cell: 27559 of 55335 1/16/2013 3:27:12 PM: Cell: 27993 of 55335 1/16/2013 3:27:12 PM: Cell: 28644 of 55335 1/16/2013 3:27:12 PM: Cell: 29078 of 55335 1/16/2013 3:27:12 PM: Cell: 29729 of 55335 1/16/2013 3:27:12 PM: Cell: 30163 of 55335 1/16/2013 3:27:12 PM: Cell: 30814 of 55335 1/16/2013 3:27:12 PM: Cell: 31465 of 55335 1/16/2013 3:27:12 PM: Cell: 31899 of 55335 1/16/2013 3:27:12 PM: Cell: 32550 of 55335 1/16/2013 3:27:12 PM: Cell: 32984 of 55335 1/16/2013 3:27:12 PM: Cell: 33635 of 55335 1/16/2013 3:27:12 PM: Cell: 34069 of 55335 1/16/2013 3:27:12 PM: Cell: 34720 of 55335 1/16/2013 3:27:12 PM: Cell: 35154 of 55335 1/16/2013 3:27:12 PM: Cell: 35805 of 55335 1/16/2013 3:27:12 PM: Cell: 36456 of 55335 1/16/2013 3:27:12 PM: Cell: 36890 of 55335 1/16/2013 3:27:12 PM: Cell: 37541 of 55335 1/16/2013 3:27:12 PM: Cell: 37975 of 55335 1/16/2013 3:27:12 PM: Cell: 38626 of 55335 1/16/2013 3:27:12 PM: Cell: 39060 of 55335 1/16/2013 3:27:13 PM: Cell: 39711 of 55335 1/16/2013 3:27:13 PM: Cell: 40145 of 55335 1/16/2013 3:27:13 PM: Cell: 40796 of 55335 1/16/2013 3:27:13 PM: Cell: 41230 of 55335 1/16/2013 3:27:13 PM: Cell: 41881 of 55335 1/16/2013 3:27:13 PM: Cell: 42532 of 55335 1/16/2013 3:27:13 PM: Cell: 42966 of 55335 1/16/2013 3:27:13 PM: Cell: 43617 of 55335 1/16/2013 3:27:13 PM: Cell: 44051 of 55335 1/16/2013 3:27:13 PM: Cell: 44702 of 55335 1/16/2013 3:27:13 PM: Cell: 45136 of 55335 1/16/2013 3:27:13 PM: Cell: 45787 of 55335 1/16/2013 3:27:13 PM: Cell: 46221 of 55335 1/16/2013 3:27:13 PM: Cell: 46872 of 55335 1/16/2013 3:27:13 PM: Cell: 47523 of 55335 1/16/2013 3:27:13 PM: Cell: 47957 of 55335 1/16/2013 3:27:13 PM: Cell: 48608 of 55335 1/16/2013 3:27:13 PM: Cell: 49042 of 55335 1/16/2013 3:27:13 PM: Cell: 49693 of 55335 1/16/2013 3:27:13 PM: Cell: 50127 of 55335 1/16/2013 3:27:13 PM: Cell: 50778 of 55335 1/16/2013 3:27:13 PM: Cell: 51212 of 55335 1/16/2013 3:27:13 PM: Cell: 51863 of 55335 1/16/2013 3:27:13 PM: Cell: 52297 of 55335 1/16/2013 3:27:13 PM: Cell: 52948 of 55335 1/16/2013 3:27:13 PM: Cell: 53599 of 55335 1/16/2013 3:27:13 PM: Cell: 54033 of 55335 1/16/2013 3:27:13 PM: Cell: 54684 of 55335 1/16/2013 3:27:13 PM: Cell: 55118 of 55335 1/16/2013 3:27:13 PM: ================== 1/16/2013 3:27:13 PM: Done Executing Tool: IDW 1/16/2013 3:27:13 PM: ================== Nothing is added to the map when the tool finishes, but the file is created and I can add it manually. Zip file of the HD project and data are attached, minus the HUCs.
non_defect
dotspatial tools idw error twhitvine clicked ok to run idw tool from dotspatial tools and got this error system invalidoperationexception cross thread operation detected to suppress this exception set devexpress data currencydatacontroller disablethreadingproblemsdetection true at devexpress data currencydatacontroller throwcrossthreadexception at system windows forms control invokemarshaledcallbackhelper object obj at system threading executioncontext runtrycode object userdata at system runtime compilerservices runtimehelpers executecodewithguaranteedcleanup trycode code cleanupcode backoutcode object userdata at system threading executioncontext run executioncontext executioncontext contextcallback callback object state boolean ignoresyncctx at system threading executioncontext run executioncontext executioncontext contextcallback callback object state at system windows forms control invokemarshaledcallback threadmethodentry tme at system windows forms control invokemarshaledcallbacks strangely enough tool progress says it completed pm pm executing tool idw pm pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm cell of pm pm done executing tool idw pm nothing is added to the map when the tool finishes but the file is created and i can add it manually zip file of the hd project and data are attached minus the hucs
0
27,170
4,286,282,006
IssuesEvent
2016-07-16 01:34:47
brave/browser-laptop
https://api.github.com/repos/brave/browser-laptop
opened
Manual test for for macOS 0.11.1 Beta1
macOS-only tests
## Installer 1. [ ] Check that installer is close to the size of last release. 2. [ ] Check signature: If OS Run `spctl --assess --verbose /Applications/Brave.app/` and make sure it returns `accepted`. If Windows right click on the installer exe and go to Properies, go to the Digital Signatures tab and double click on the signature. Make sure it says "The digital signature is OK" in the popup window. 3. [ ] Check Brave, electron, and libchromiumcontent version in About and make sure it is EXACTLY as expected. ## About pages 1. [ ] Test that about:bookmarks loads bookmarks 2. [ ] Test that about:downloads loads downloads 3. [ ] Test that about:preferences changing a preference takes effect right away 4. [ ] Test that about:preferences language change takes effect on re-start 5. [ ] Test that about:passwords loads ## Context menus 1. [ ] Make sure context menu items in the URL bar work 2. [ ] Make sure context menu items on content work with no selected text. 3. [ ] Make sure context menu items on content work with selected text. 4. [ ] Make sure context menu items on content work inside an editable control (input, textarea, or contenteditable). ## Find on page 1. [ ] Ensure search box is shown with shortcut 2. [ ] Test successful find 3. [ ] Test forward and backward find navigation 4. [ ] Test failed find shows 0 results 5. [ ] Test match case find ## Site hacks 1. [ ] Test twitch.tv sub-page loads a video and you can play it ## Downloads 1. [ ] Test downloading a file works and that all actions on the download item works. ## Fullscreen 1. [ ] Test that entering full screen window works View -> Toggle Full Screen. And exit back (Not Esc). 2. [ ] Test that entering HTML5 full screen works. And Esc to go back. (youtube.com) ## Tabs and Pinning 1. [ ] Test that tabs are pinnable 2. [ ] Test that tabs are unpinnable 3. [ ] Test that tabs are draggable to same tabset 4. [ ] Test that tabs are draggable to alternate tabset ## Zoom 1. [ ] Test zoom in / out shortcut works 2. [ ] Test hamburger menu zooms. 3. [ ] Test zoom saved when you close the browser and restore on a single site. 4. [ ] Test zoom saved when you navigate within a single origin site. 5. [ ] Test that navigating to a different origin resets the zoom ## Bookmarks 1. [ ] Test that creating a bookmark on the bookmarks toolbar works 2. [ ] Test that creating a bookmark folder on the bookmarks toolbar works 3. [ ] Test that moving a bookmark into a folder by drag and drop on the bookmarks folder works 4. [ ] Test that clicking a bookmark in the toolbar loads the bookmark. 5. [ ] Test that clicking a bookmark in a bookmark toolbar folder loads the bookmark. ## Bravery settings 1. [ ] Check that HTTPS Everywhere works by loading http://www.apple.com 2. [ ] Turning HTTPS Everywhere off and shields off both disable the redirect to apple.com 3. [ ] Check that ad replacement works on http://slashdot.org 4. [ ] Check that toggling to blocking and allow ads works as expected. 5. [ ] Test that clicking through a cert error in badssl.com works. 6. [ ] Test that Safe Browsing works (excellentmovies.net) 7. [ ] Turning Safe Browsing off and shields off both disable safe browsing for excellentmovies.net. 8. [ ] Visit brianbondy.com and then turn on script blocking, nothing should load. Allow it from the script blocking UI in the URL bar and it should work. 9. [ ] Test that about:preferences default Bravery settings take effect on pages with no site settings. 10. [ ] Test that turning on fingerprinting protection in about:preferences shows 3 fingerprints blocked at https://jsfiddle.net/bkf50r8v/11/. Test that turning it off in the Bravery menu shows 0 fingerprints blocked. 11. [ ] Test that 3rd party storage results are blank at https://jsfiddle.net/7ke9r14a/7/ when 3rd party cookies are blocked. 12. [ ] Test that audio fingerprint is blocked at https://audiofingerprint.openwpm.com/ when fingerprinting protection is on. ## Content tests 1. [ ] Load twitter and click on a tweet so the popup div shows. Click to dismiss and repeat with another div. Make sure it shows. 2. [ ] Go to brianbondy.com and click on the twitter icon on the top right. Test that context menus work in the new twitter tab. 3. [ ] Go to http://www.bennish.net/web-notifications.html and test that clicking on 'Show' pops up a notification asking for permission. Make sure that clicking 'Deny' leads to no notifications being shown. 4. [ ] Go to https://trac.torproject.org/projects/tor/login and make sure that the password can be saved. Make sure the saved password shows up in `about:passwords`. 5. [ ] Open a github issue and type some misspellings, make sure they are underlined. 6. [ ] Make sure that right clicking on a word with suggestions gives a suggestion and that clicking on the suggestion replaces the text. 7. [ ] Make sure that Command + Click (Control + Click on Windows, Control + Click on Ubuntu) on a link opens a new tab but does NOT switch to it. Click on it and make sure it is already loaded. 8. [ ] Make sure that clicking links from gmail or inbox.google.com works. 9. [ ] Test that PDF is loaded at http://www.orimi.com/pdf-test.pdf 10. [ ] Go to http://samy.pl/evercookie/ and set an evercookie. Check that going to prefs, clearing site data and cache, and going back to the Evercookie site does not remember the old evercookie value. 11. [ ] Make a backup of your profile, turn on all clearing in preferences and shut down. Make sure when you bring the browser back up everything is gone that is specified. # Flash tests 1. [ ] Turn on Flash in about:preferences#security. Test that clicking on 'Install Flash' banner on myspace.com shows a notification to allow Flash and that the banner disappears when 'Allow' is clicked. 2. [ ] Test that flash placeholder appears on http://www.y8.com/games/superfighters ## Per release specialty tests - [ ] Added built-in PDF reader with PDF.js. Can be disabled in preferences. ([#1084](https://github.com/brave/browser-laptop/issues/1084)) - [ ] Added more data clearing options, including on shutdown. ([#2472](https://github.com/brave/browser-laptop/issues/2472)) - [ ] Added support for navigator.registerProtocolHandler (Mostly used for gmail `mailto:` and `bitcoin:` handling). ([#1583](https://github.com/brave/browser-laptop/issues/1583)) - [ ] Added Copy Image to clipboard option through the context menu. ([#1174](https://github.com/brave/browser-laptop/issues/1174)) - [ ] Added a customized Windows 10 Start Menu tile. ([#2372](https://github.com/brave/browser-laptop/issues/2372)) - [ ] Added edit bookmark ability when staring a site. ([#2439](https://github.com/brave/browser-laptop/issues/2439)) - [ ] Added Lastpass preferences. ([#2411](https://github.com/brave/browser-laptop/pull/2411)) - [ ] Added `Command + Shift + Click` support for various UI elements to open and focus a new tab. ([#2436](https://github.com/brave/browser-laptop/issues/2436)) - [ ] Fixed Vimeo player not playing due to referrer blocking. ([#2474](https://github.com/brave/browser-laptop/issues/2474)) - [ ] Fixed crashes with notifications. ([#1931](https://github.com/brave/browser-laptop/issues/1931)) - [ ] Fixed new-tab ordering from pinned tabs. ([#2453](Opening another tab from pinned tab does not order correctly #2453)) - [ ] Fixed exiting full screen when closing a full screen tab. ([#2404](https://github.com/brave/browser-laptop/issues/2404)) - [ ] Fixed spell check happening in URL bar. ([#2434](https://github.com/brave/browser-laptop/issues/2434)) - [ ] Fixed webRTC fingerprinting blocking. ([#2412](https://github.com/brave/browser-laptop/issues/2412)) - [ ] Fixed find in page highlighting not clearing when find bar is closed. ([#2476](https://github.com/brave/browser-laptop/issues/2476)) - [ ] Upgrade to Electron 1.2.7. ([#2470](https://github.com/brave/browser-laptop/issues/2470)) ## Session storage 1. [ ] Temporarily move away your `~/Library/Application\ Support/Brave/session-store-1` and test that clean session storage works. (`%appdata%\Brave in Windows`, `./config/brave` in Ubuntu) 2. [ ] Make sure that data from the last version appears in the new version OK. 3. [ ] Test that windows and tabs restore when closed, including active tab. 4. [ ] Test that the previous version's cookies are preserved in the next version. 5. [ ] Move away your entire `~/Library/Application\ Support/Brave` folder (`%appdata%\Brave in Windows`, `./config/brave` in Ubuntu) ## Update tests 1. [ ] Test that updating using `BRAVE_UPDATE_VERSION=0.8.3` env variable works correctly.
1.0
Manual test for for macOS 0.11.1 Beta1 - ## Installer 1. [ ] Check that installer is close to the size of last release. 2. [ ] Check signature: If OS Run `spctl --assess --verbose /Applications/Brave.app/` and make sure it returns `accepted`. If Windows right click on the installer exe and go to Properies, go to the Digital Signatures tab and double click on the signature. Make sure it says "The digital signature is OK" in the popup window. 3. [ ] Check Brave, electron, and libchromiumcontent version in About and make sure it is EXACTLY as expected. ## About pages 1. [ ] Test that about:bookmarks loads bookmarks 2. [ ] Test that about:downloads loads downloads 3. [ ] Test that about:preferences changing a preference takes effect right away 4. [ ] Test that about:preferences language change takes effect on re-start 5. [ ] Test that about:passwords loads ## Context menus 1. [ ] Make sure context menu items in the URL bar work 2. [ ] Make sure context menu items on content work with no selected text. 3. [ ] Make sure context menu items on content work with selected text. 4. [ ] Make sure context menu items on content work inside an editable control (input, textarea, or contenteditable). ## Find on page 1. [ ] Ensure search box is shown with shortcut 2. [ ] Test successful find 3. [ ] Test forward and backward find navigation 4. [ ] Test failed find shows 0 results 5. [ ] Test match case find ## Site hacks 1. [ ] Test twitch.tv sub-page loads a video and you can play it ## Downloads 1. [ ] Test downloading a file works and that all actions on the download item works. ## Fullscreen 1. [ ] Test that entering full screen window works View -> Toggle Full Screen. And exit back (Not Esc). 2. [ ] Test that entering HTML5 full screen works. And Esc to go back. (youtube.com) ## Tabs and Pinning 1. [ ] Test that tabs are pinnable 2. [ ] Test that tabs are unpinnable 3. [ ] Test that tabs are draggable to same tabset 4. [ ] Test that tabs are draggable to alternate tabset ## Zoom 1. [ ] Test zoom in / out shortcut works 2. [ ] Test hamburger menu zooms. 3. [ ] Test zoom saved when you close the browser and restore on a single site. 4. [ ] Test zoom saved when you navigate within a single origin site. 5. [ ] Test that navigating to a different origin resets the zoom ## Bookmarks 1. [ ] Test that creating a bookmark on the bookmarks toolbar works 2. [ ] Test that creating a bookmark folder on the bookmarks toolbar works 3. [ ] Test that moving a bookmark into a folder by drag and drop on the bookmarks folder works 4. [ ] Test that clicking a bookmark in the toolbar loads the bookmark. 5. [ ] Test that clicking a bookmark in a bookmark toolbar folder loads the bookmark. ## Bravery settings 1. [ ] Check that HTTPS Everywhere works by loading http://www.apple.com 2. [ ] Turning HTTPS Everywhere off and shields off both disable the redirect to apple.com 3. [ ] Check that ad replacement works on http://slashdot.org 4. [ ] Check that toggling to blocking and allow ads works as expected. 5. [ ] Test that clicking through a cert error in badssl.com works. 6. [ ] Test that Safe Browsing works (excellentmovies.net) 7. [ ] Turning Safe Browsing off and shields off both disable safe browsing for excellentmovies.net. 8. [ ] Visit brianbondy.com and then turn on script blocking, nothing should load. Allow it from the script blocking UI in the URL bar and it should work. 9. [ ] Test that about:preferences default Bravery settings take effect on pages with no site settings. 10. [ ] Test that turning on fingerprinting protection in about:preferences shows 3 fingerprints blocked at https://jsfiddle.net/bkf50r8v/11/. Test that turning it off in the Bravery menu shows 0 fingerprints blocked. 11. [ ] Test that 3rd party storage results are blank at https://jsfiddle.net/7ke9r14a/7/ when 3rd party cookies are blocked. 12. [ ] Test that audio fingerprint is blocked at https://audiofingerprint.openwpm.com/ when fingerprinting protection is on. ## Content tests 1. [ ] Load twitter and click on a tweet so the popup div shows. Click to dismiss and repeat with another div. Make sure it shows. 2. [ ] Go to brianbondy.com and click on the twitter icon on the top right. Test that context menus work in the new twitter tab. 3. [ ] Go to http://www.bennish.net/web-notifications.html and test that clicking on 'Show' pops up a notification asking for permission. Make sure that clicking 'Deny' leads to no notifications being shown. 4. [ ] Go to https://trac.torproject.org/projects/tor/login and make sure that the password can be saved. Make sure the saved password shows up in `about:passwords`. 5. [ ] Open a github issue and type some misspellings, make sure they are underlined. 6. [ ] Make sure that right clicking on a word with suggestions gives a suggestion and that clicking on the suggestion replaces the text. 7. [ ] Make sure that Command + Click (Control + Click on Windows, Control + Click on Ubuntu) on a link opens a new tab but does NOT switch to it. Click on it and make sure it is already loaded. 8. [ ] Make sure that clicking links from gmail or inbox.google.com works. 9. [ ] Test that PDF is loaded at http://www.orimi.com/pdf-test.pdf 10. [ ] Go to http://samy.pl/evercookie/ and set an evercookie. Check that going to prefs, clearing site data and cache, and going back to the Evercookie site does not remember the old evercookie value. 11. [ ] Make a backup of your profile, turn on all clearing in preferences and shut down. Make sure when you bring the browser back up everything is gone that is specified. # Flash tests 1. [ ] Turn on Flash in about:preferences#security. Test that clicking on 'Install Flash' banner on myspace.com shows a notification to allow Flash and that the banner disappears when 'Allow' is clicked. 2. [ ] Test that flash placeholder appears on http://www.y8.com/games/superfighters ## Per release specialty tests - [ ] Added built-in PDF reader with PDF.js. Can be disabled in preferences. ([#1084](https://github.com/brave/browser-laptop/issues/1084)) - [ ] Added more data clearing options, including on shutdown. ([#2472](https://github.com/brave/browser-laptop/issues/2472)) - [ ] Added support for navigator.registerProtocolHandler (Mostly used for gmail `mailto:` and `bitcoin:` handling). ([#1583](https://github.com/brave/browser-laptop/issues/1583)) - [ ] Added Copy Image to clipboard option through the context menu. ([#1174](https://github.com/brave/browser-laptop/issues/1174)) - [ ] Added a customized Windows 10 Start Menu tile. ([#2372](https://github.com/brave/browser-laptop/issues/2372)) - [ ] Added edit bookmark ability when staring a site. ([#2439](https://github.com/brave/browser-laptop/issues/2439)) - [ ] Added Lastpass preferences. ([#2411](https://github.com/brave/browser-laptop/pull/2411)) - [ ] Added `Command + Shift + Click` support for various UI elements to open and focus a new tab. ([#2436](https://github.com/brave/browser-laptop/issues/2436)) - [ ] Fixed Vimeo player not playing due to referrer blocking. ([#2474](https://github.com/brave/browser-laptop/issues/2474)) - [ ] Fixed crashes with notifications. ([#1931](https://github.com/brave/browser-laptop/issues/1931)) - [ ] Fixed new-tab ordering from pinned tabs. ([#2453](Opening another tab from pinned tab does not order correctly #2453)) - [ ] Fixed exiting full screen when closing a full screen tab. ([#2404](https://github.com/brave/browser-laptop/issues/2404)) - [ ] Fixed spell check happening in URL bar. ([#2434](https://github.com/brave/browser-laptop/issues/2434)) - [ ] Fixed webRTC fingerprinting blocking. ([#2412](https://github.com/brave/browser-laptop/issues/2412)) - [ ] Fixed find in page highlighting not clearing when find bar is closed. ([#2476](https://github.com/brave/browser-laptop/issues/2476)) - [ ] Upgrade to Electron 1.2.7. ([#2470](https://github.com/brave/browser-laptop/issues/2470)) ## Session storage 1. [ ] Temporarily move away your `~/Library/Application\ Support/Brave/session-store-1` and test that clean session storage works. (`%appdata%\Brave in Windows`, `./config/brave` in Ubuntu) 2. [ ] Make sure that data from the last version appears in the new version OK. 3. [ ] Test that windows and tabs restore when closed, including active tab. 4. [ ] Test that the previous version's cookies are preserved in the next version. 5. [ ] Move away your entire `~/Library/Application\ Support/Brave` folder (`%appdata%\Brave in Windows`, `./config/brave` in Ubuntu) ## Update tests 1. [ ] Test that updating using `BRAVE_UPDATE_VERSION=0.8.3` env variable works correctly.
non_defect
manual test for for macos installer check that installer is close to the size of last release check signature if os run spctl assess verbose applications brave app and make sure it returns accepted if windows right click on the installer exe and go to properies go to the digital signatures tab and double click on the signature make sure it says the digital signature is ok in the popup window check brave electron and libchromiumcontent version in about and make sure it is exactly as expected about pages test that about bookmarks loads bookmarks test that about downloads loads downloads test that about preferences changing a preference takes effect right away test that about preferences language change takes effect on re start test that about passwords loads context menus make sure context menu items in the url bar work make sure context menu items on content work with no selected text make sure context menu items on content work with selected text make sure context menu items on content work inside an editable control input textarea or contenteditable find on page ensure search box is shown with shortcut test successful find test forward and backward find navigation test failed find shows results test match case find site hacks test twitch tv sub page loads a video and you can play it downloads test downloading a file works and that all actions on the download item works fullscreen test that entering full screen window works view toggle full screen and exit back not esc test that entering full screen works and esc to go back youtube com tabs and pinning test that tabs are pinnable test that tabs are unpinnable test that tabs are draggable to same tabset test that tabs are draggable to alternate tabset zoom test zoom in out shortcut works test hamburger menu zooms test zoom saved when you close the browser and restore on a single site test zoom saved when you navigate within a single origin site test that navigating to a different origin resets the zoom bookmarks test that creating a bookmark on the bookmarks toolbar works test that creating a bookmark folder on the bookmarks toolbar works test that moving a bookmark into a folder by drag and drop on the bookmarks folder works test that clicking a bookmark in the toolbar loads the bookmark test that clicking a bookmark in a bookmark toolbar folder loads the bookmark bravery settings check that https everywhere works by loading turning https everywhere off and shields off both disable the redirect to apple com check that ad replacement works on check that toggling to blocking and allow ads works as expected test that clicking through a cert error in badssl com works test that safe browsing works excellentmovies net turning safe browsing off and shields off both disable safe browsing for excellentmovies net visit brianbondy com and then turn on script blocking nothing should load allow it from the script blocking ui in the url bar and it should work test that about preferences default bravery settings take effect on pages with no site settings test that turning on fingerprinting protection in about preferences shows fingerprints blocked at test that turning it off in the bravery menu shows fingerprints blocked test that party storage results are blank at when party cookies are blocked test that audio fingerprint is blocked at when fingerprinting protection is on content tests load twitter and click on a tweet so the popup div shows click to dismiss and repeat with another div make sure it shows go to brianbondy com and click on the twitter icon on the top right test that context menus work in the new twitter tab go to and test that clicking on show pops up a notification asking for permission make sure that clicking deny leads to no notifications being shown go to and make sure that the password can be saved make sure the saved password shows up in about passwords open a github issue and type some misspellings make sure they are underlined make sure that right clicking on a word with suggestions gives a suggestion and that clicking on the suggestion replaces the text make sure that command click control click on windows control click on ubuntu on a link opens a new tab but does not switch to it click on it and make sure it is already loaded make sure that clicking links from gmail or inbox google com works test that pdf is loaded at go to and set an evercookie check that going to prefs clearing site data and cache and going back to the evercookie site does not remember the old evercookie value make a backup of your profile turn on all clearing in preferences and shut down make sure when you bring the browser back up everything is gone that is specified flash tests turn on flash in about preferences security test that clicking on install flash banner on myspace com shows a notification to allow flash and that the banner disappears when allow is clicked test that flash placeholder appears on per release specialty tests added built in pdf reader with pdf js can be disabled in preferences added more data clearing options including on shutdown added support for navigator registerprotocolhandler mostly used for gmail mailto and bitcoin handling added copy image to clipboard option through the context menu added a customized windows start menu tile added edit bookmark ability when staring a site added lastpass preferences added command shift click support for various ui elements to open and focus a new tab fixed vimeo player not playing due to referrer blocking fixed crashes with notifications fixed new tab ordering from pinned tabs opening another tab from pinned tab does not order correctly fixed exiting full screen when closing a full screen tab fixed spell check happening in url bar fixed webrtc fingerprinting blocking fixed find in page highlighting not clearing when find bar is closed upgrade to electron session storage temporarily move away your library application support brave session store and test that clean session storage works appdata brave in windows config brave in ubuntu make sure that data from the last version appears in the new version ok test that windows and tabs restore when closed including active tab test that the previous version s cookies are preserved in the next version move away your entire library application support brave folder appdata brave in windows config brave in ubuntu update tests test that updating using brave update version env variable works correctly
0
108,268
9,299,464,934
IssuesEvent
2019-03-23 03:36:07
poikilos/EnlivenMinetest
https://api.github.com/repos/poikilos/EnlivenMinetest
opened
compassgps: Crashes Server Upon Use, for Some Players Only
2016-2018 unconfirmed on minetest.org Bucket_Game bug
see [yelby](https://github.com/poikilos/EnlivenMinetest/blob/master/etc/debugging/yelby) in etc/debugging - apparent fix: wrap sorting in "if player~=nil then...end" in mods/compassgps/init.lua to avoid (see below) ```Lua function compassgps.sort_by_distance(table,a,b,player) --print("sort_by_distance a="..compassgps.pos_to_string(table[a]).." b="..pos_to_string(table[b])) if player ~= nil then local playerpos = player:getpos() local name=player:get_player_name() --return compassgps.distance3d(playerpos,table[a]) < compassgps.distance3d(playerpos,table[b]) if distance_function[name] then return distance_function[name](playerpos,table[a]) < distance_function[name](playerpos,table[b]) else return false --this should NEVER happen end end end --sort_by_distance ```
1.0
compassgps: Crashes Server Upon Use, for Some Players Only - see [yelby](https://github.com/poikilos/EnlivenMinetest/blob/master/etc/debugging/yelby) in etc/debugging - apparent fix: wrap sorting in "if player~=nil then...end" in mods/compassgps/init.lua to avoid (see below) ```Lua function compassgps.sort_by_distance(table,a,b,player) --print("sort_by_distance a="..compassgps.pos_to_string(table[a]).." b="..pos_to_string(table[b])) if player ~= nil then local playerpos = player:getpos() local name=player:get_player_name() --return compassgps.distance3d(playerpos,table[a]) < compassgps.distance3d(playerpos,table[b]) if distance_function[name] then return distance_function[name](playerpos,table[a]) < distance_function[name](playerpos,table[b]) else return false --this should NEVER happen end end end --sort_by_distance ```
non_defect
compassgps crashes server upon use for some players only see in etc debugging apparent fix wrap sorting in if player nil then end in mods compassgps init lua to avoid see below lua function compassgps sort by distance table a b player print sort by distance a compassgps pos to string table b pos to string table if player nil then local playerpos player getpos local name player get player name return compassgps playerpos table compassgps playerpos table if distance function then return distance function playerpos table distance function playerpos table else return false this should never happen end end end sort by distance
0
175,122
13,535,721,959
IssuesEvent
2020-09-16 08:00:57
WordPress/gutenberg
https://api.github.com/repos/WordPress/gutenberg
closed
Table content disappeared after reopening saved post draft
Needs Testing [Block] HTML [Feature] Saving
**Describe the bug** Tables with formatted text in HTML block had all their text disappeared when reopening saved post draft **To Reproduce** Steps to reproduce the behavior: 1. Create an HTML block. 2. Insert a table as follows (which Gutenberg accepts): <table class="wp-block-table"><tbody><tr><td><span style="font-size: 11pt;"> </span></td></tr></tbody></table> 3. Add HTML formatted text between the <span> and </span> tags, eg.: <!-- wp:paragraph --> <p><br>Maan korkeimman neuvoston päätöslauselma</p> <!-- /wp:paragraph --> <!-- wp:paragraph --> etc. 4. Preview, save, preview... ascertaining that all seems to be OK. 5. Save the post draft and exit. 6. Reopen the draft for editing. **Expected behavior** The text should exist in the tables as it was when previewed and saved. **Observed behavior** The content in all the tables in the post draft had cleared. Only the HTML tags, shown above, marking the tables remained. **Screenshots** ![image](https://user-images.githubusercontent.com/46203937/50496871-e69e6800-0a3b-11e9-8de3-5426a02b50e1.png) **Desktop (please complete the following information):** - OS: Windows 7 - Browser: Opera - Version: 57.0.3098.106 **Additional context** - Please add the version of Gutenberg you are using in the description. - Didn't find a way to check Gutenberg version
1.0
Table content disappeared after reopening saved post draft - **Describe the bug** Tables with formatted text in HTML block had all their text disappeared when reopening saved post draft **To Reproduce** Steps to reproduce the behavior: 1. Create an HTML block. 2. Insert a table as follows (which Gutenberg accepts): <table class="wp-block-table"><tbody><tr><td><span style="font-size: 11pt;"> </span></td></tr></tbody></table> 3. Add HTML formatted text between the <span> and </span> tags, eg.: <!-- wp:paragraph --> <p><br>Maan korkeimman neuvoston päätöslauselma</p> <!-- /wp:paragraph --> <!-- wp:paragraph --> etc. 4. Preview, save, preview... ascertaining that all seems to be OK. 5. Save the post draft and exit. 6. Reopen the draft for editing. **Expected behavior** The text should exist in the tables as it was when previewed and saved. **Observed behavior** The content in all the tables in the post draft had cleared. Only the HTML tags, shown above, marking the tables remained. **Screenshots** ![image](https://user-images.githubusercontent.com/46203937/50496871-e69e6800-0a3b-11e9-8de3-5426a02b50e1.png) **Desktop (please complete the following information):** - OS: Windows 7 - Browser: Opera - Version: 57.0.3098.106 **Additional context** - Please add the version of Gutenberg you are using in the description. - Didn't find a way to check Gutenberg version
non_defect
table content disappeared after reopening saved post draft describe the bug tables with formatted text in html block had all their text disappeared when reopening saved post draft to reproduce steps to reproduce the behavior create an html block insert a table as follows which gutenberg accepts add html formatted text between the and tags eg maan korkeimman neuvoston päätöslauselma etc preview save preview ascertaining that all seems to be ok save the post draft and exit reopen the draft for editing expected behavior the text should exist in the tables as it was when previewed and saved observed behavior the content in all the tables in the post draft had cleared only the html tags shown above marking the tables remained screenshots desktop please complete the following information os windows browser opera version additional context please add the version of gutenberg you are using in the description didn t find a way to check gutenberg version
0
235,258
25,920,543,726
IssuesEvent
2022-12-15 21:29:52
Uquinix/uqc
https://api.github.com/repos/Uquinix/uqc
closed
ncursesncurses-6.3: 1 vulnerabilities (highest severity is: 6.5)
security vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>ncursesncurses-6.3</b></p></summary> <p> <p>Gnu Distributions</p> <p>Library home page: <a href=https://ftp.gnu.org/gnu/ncurses?wsslib=ncurses>https://ftp.gnu.org/gnu/ncurses?wsslib=ncurses</a></p> <p>Found in HEAD commit: <a href="https://github.com/Uquinix/uqc/commit/4c29977d868c2ae85b8e5648abb53407affde69b">4c29977d868c2ae85b8e5648abb53407affde69b</a></p> </p> </p></p> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/contrib/ncurses/ncurses/tinfo/name_match.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/contrib/ncurses/ncurses/tinfo/name_match.c</b> </p> <p></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (ncursesncurses version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2018-19217](https://www.mend.io/vulnerability-database/CVE-2018-19217) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.5 | ncursesncurses-6.3 | Direct | ncurses - 6.3 | &#10060; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2018-19217</summary> ### Vulnerable Library - <b>ncursesncurses-6.3</b></p> <p> <p>Gnu Distributions</p> <p>Library home page: <a href=https://ftp.gnu.org/gnu/ncurses?wsslib=ncurses>https://ftp.gnu.org/gnu/ncurses?wsslib=ncurses</a></p> <p>Found in HEAD commit: <a href="https://github.com/Uquinix/uqc/commit/4c29977d868c2ae85b8e5648abb53407affde69b">4c29977d868c2ae85b8e5648abb53407affde69b</a></p> <p>Found in base branch: <b>main</b></p></p> </p></p> ### Vulnerable Source Files (2) <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/contrib/ncurses/ncurses/tinfo/name_match.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/contrib/ncurses/ncurses/tinfo/name_match.c</b> </p> <p></p> </p> <p></p> ### Vulnerability Details <p> ** DISPUTED ** In ncurses, possibly a 6.x version, there is a NULL pointer dereference at the function _nc_name_match that will lead to a denial of service attack. NOTE: the original report stated version 6.1, but the issue did not reproduce for that version according to the maintainer or a reliable third-party. <p>Publish Date: 2018-11-12 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2018-19217>CVE-2018-19217</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: 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> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2018-19217">https://nvd.nist.gov/vuln/detail/CVE-2018-19217</a></p> <p>Release Date: 2018-11-12</p> <p>Fix Resolution: ncurses - 6.3</p> </p> <p></p> Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) </details>
True
ncursesncurses-6.3: 1 vulnerabilities (highest severity is: 6.5) - <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>ncursesncurses-6.3</b></p></summary> <p> <p>Gnu Distributions</p> <p>Library home page: <a href=https://ftp.gnu.org/gnu/ncurses?wsslib=ncurses>https://ftp.gnu.org/gnu/ncurses?wsslib=ncurses</a></p> <p>Found in HEAD commit: <a href="https://github.com/Uquinix/uqc/commit/4c29977d868c2ae85b8e5648abb53407affde69b">4c29977d868c2ae85b8e5648abb53407affde69b</a></p> </p> </p></p> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (2)</summary> <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/contrib/ncurses/ncurses/tinfo/name_match.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/contrib/ncurses/ncurses/tinfo/name_match.c</b> </p> <p></p></details> ## Vulnerabilities | CVE | Severity | <img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS | Dependency | Type | Fixed in (ncursesncurses version) | Remediation Available | | ------------- | ------------- | ----- | ----- | ----- | ------------- | --- | | [CVE-2018-19217](https://www.mend.io/vulnerability-database/CVE-2018-19217) | <img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Medium | 6.5 | ncursesncurses-6.3 | Direct | ncurses - 6.3 | &#10060; | ## Details <details> <summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> CVE-2018-19217</summary> ### Vulnerable Library - <b>ncursesncurses-6.3</b></p> <p> <p>Gnu Distributions</p> <p>Library home page: <a href=https://ftp.gnu.org/gnu/ncurses?wsslib=ncurses>https://ftp.gnu.org/gnu/ncurses?wsslib=ncurses</a></p> <p>Found in HEAD commit: <a href="https://github.com/Uquinix/uqc/commit/4c29977d868c2ae85b8e5648abb53407affde69b">4c29977d868c2ae85b8e5648abb53407affde69b</a></p> <p>Found in base branch: <b>main</b></p></p> </p></p> ### Vulnerable Source Files (2) <p></p> <p> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/contrib/ncurses/ncurses/tinfo/name_match.c</b> <img src='https://s3.amazonaws.com/wss-public/bitbucketImages/xRedImage.png' width=19 height=20> <b>/contrib/ncurses/ncurses/tinfo/name_match.c</b> </p> <p></p> </p> <p></p> ### Vulnerability Details <p> ** DISPUTED ** In ncurses, possibly a 6.x version, there is a NULL pointer dereference at the function _nc_name_match that will lead to a denial of service attack. NOTE: the original report stated version 6.1, but the issue did not reproduce for that version according to the maintainer or a reliable third-party. <p>Publish Date: 2018-11-12 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2018-19217>CVE-2018-19217</a></p> </p> <p></p> ### CVSS 3 Score Details (<b>6.5</b>) <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Network - Attack Complexity: Low - Privileges Required: 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> <p></p> ### Suggested Fix <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2018-19217">https://nvd.nist.gov/vuln/detail/CVE-2018-19217</a></p> <p>Release Date: 2018-11-12</p> <p>Fix Resolution: ncurses - 6.3</p> </p> <p></p> Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github) </details>
non_defect
ncursesncurses vulnerabilities highest severity is vulnerable library ncursesncurses gnu distributions library home page a href found in head commit a href vulnerable source files contrib ncurses ncurses tinfo name match c contrib ncurses ncurses tinfo name match c vulnerabilities cve severity cvss dependency type fixed in ncursesncurses version remediation available medium ncursesncurses direct ncurses details cve vulnerable library ncursesncurses gnu distributions library home page a href found in head commit a href found in base branch main vulnerable source files contrib ncurses ncurses tinfo name match c contrib ncurses ncurses tinfo name match c vulnerability details disputed in ncurses possibly a x version there is a null pointer dereference at the function nc name match that will lead to a denial of service attack note the original report stated version but the issue did not reproduce for that version according to the maintainer or a reliable third party publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution ncurses step up your open source security game with mend
0
11,968
2,672,590,349
IssuesEvent
2015-03-24 14:59:08
rocky/go-gnureadline
https://api.github.com/repos/rocky/go-gnureadline
closed
doesn't build with go1.4
auto-migrated Priority-Medium Type-Defect
``` What steps will reproduce the problem? 1. go build code.google.com/p/go-gnureadline 2. 3. What is the expected output? expect a clean build What do you see instead? # code.google.com/p/go-gnureadline ../../../code.google.com/p/go-gnureadline/readline.go:45:29: expected ')', found 'IDENT' add_history ../../../code.google.com/p/go-gnureadline/readline.go:47:2: expected declaration, found 'defer' What version of the product are you using? 2206b12 Add RemoveHistory and test ClearHistory and AddHistory some. On what operating system? linux Please provide any additional information below. readline.go:Readline() is missing a comma and builds correctly with this patch: diff --git a/readline.go b/readline.go index 6895af7..3a483eb 100644 --- a/readline.go +++ b/readline.go @@ -42,7 +42,7 @@ line. By default, the line editing commands are similar to those of emacs. A vi-style line editing interface is also available. */ -func Readline(prompt string add_history ... bool) (string, error) { +func Readline(prompt string, add_history ... bool) (string, error) { c_prompt := C.CString(prompt) defer C.free(unsafe.Pointer(c_prompt)) c_line := C.readline(c_prompt) ``` Original issue reported on code.google.com by `tmgren...@gmail.com` on 15 Dec 2014 at 9:37
1.0
doesn't build with go1.4 - ``` What steps will reproduce the problem? 1. go build code.google.com/p/go-gnureadline 2. 3. What is the expected output? expect a clean build What do you see instead? # code.google.com/p/go-gnureadline ../../../code.google.com/p/go-gnureadline/readline.go:45:29: expected ')', found 'IDENT' add_history ../../../code.google.com/p/go-gnureadline/readline.go:47:2: expected declaration, found 'defer' What version of the product are you using? 2206b12 Add RemoveHistory and test ClearHistory and AddHistory some. On what operating system? linux Please provide any additional information below. readline.go:Readline() is missing a comma and builds correctly with this patch: diff --git a/readline.go b/readline.go index 6895af7..3a483eb 100644 --- a/readline.go +++ b/readline.go @@ -42,7 +42,7 @@ line. By default, the line editing commands are similar to those of emacs. A vi-style line editing interface is also available. */ -func Readline(prompt string add_history ... bool) (string, error) { +func Readline(prompt string, add_history ... bool) (string, error) { c_prompt := C.CString(prompt) defer C.free(unsafe.Pointer(c_prompt)) c_line := C.readline(c_prompt) ``` Original issue reported on code.google.com by `tmgren...@gmail.com` on 15 Dec 2014 at 9:37
defect
doesn t build with what steps will reproduce the problem go build code google com p go gnureadline what is the expected output expect a clean build what do you see instead code google com p go gnureadline code google com p go gnureadline readline go expected found ident add history code google com p go gnureadline readline go expected declaration found defer what version of the product are you using add removehistory and test clearhistory and addhistory some on what operating system linux please provide any additional information below readline go readline is missing a comma and builds correctly with this patch diff git a readline go b readline go index a readline go b readline go line by default the line editing commands are similar to those of emacs a vi style line editing interface is also available func readline prompt string add history bool string error func readline prompt string add history bool string error c prompt c cstring prompt defer c free unsafe pointer c prompt c line c readline c prompt original issue reported on code google com by tmgren gmail com on dec at
1
29,759
5,873,103,484
IssuesEvent
2017-05-15 13:18:27
primefaces/primefaces
https://api.github.com/repos/primefaces/primefaces
closed
ColumnToggler doesn't work if parent is invisible
defect invalid
p:columnToggler inside p:accordionPanel, p:tabView or p:wizard doesn't work The list component works properly only with the first visible tab.
1.0
ColumnToggler doesn't work if parent is invisible - p:columnToggler inside p:accordionPanel, p:tabView or p:wizard doesn't work The list component works properly only with the first visible tab.
defect
columntoggler doesn t work if parent is invisible p columntoggler inside p accordionpanel p tabview or p wizard doesn t work the list component works properly only with the first visible tab
1
175,210
13,539,869,189
IssuesEvent
2020-09-16 13:59:33
quarkusio/quarkus
https://api.github.com/repos/quarkusio/quarkus
closed
quarkus.http[s].test-port system properties are lost on app restart triggered by @TestProfile
area/testing area/vertx kind/bug
**Describe the bug** If you set e.g. `<quarkus.http.test-port>0</quarkus.http.test-port>` in `systemPropertyVariables` of `maven-surefire-plugin` and you have at least one `@QuarkusTest` *without* `@TestProfile` and one `@QuarkusTest` *with* `@TestProfile` then the port is not picked up by that second test (if run after the test without `@TestProfile`). The reason for this lies in [VertxHttpRecorder](https://github.com/quarkusio/quarkus/blob/1.7.2.Final/extensions/vertx-http/runtime/src/main/java/io/quarkus/vertx/http/runtime/VertxHttpRecorder.java): It is (re-?)setting the port properties here: https://github.com/quarkusio/quarkus/blob/1.7.2.Final/extensions/vertx-http/runtime/src/main/java/io/quarkus/vertx/http/runtime/VertxHttpRecorder.java#L898-L902 and it is *clearing* the port properties here: https://github.com/quarkusio/quarkus/blob/1.7.2.Final/extensions/vertx-http/runtime/src/main/java/io/quarkus/vertx/http/runtime/VertxHttpRecorder.java#L916-L930 (I saw in the debugger that the recorder is setting the actual effective port, e.g. 62138) That clearing occurs on shutdown which is triggered by the test extension because it finds a `@TestProfile`. The app instance that is then booted up after that cannot (obviously) see the original port properties anymore, falling back to the default (or I guess to yaml/properties in case port properties are set there). **Expected behavior** Port system properties must survive restarts triggered by `@TestProfile`. **Actual behavior** Port system properties are lost on first restart by a `@TestProfile`. **To Reproduce** Steps to reproduce the behavior: 1. clone https://github.com/famod/quarkus-quickstarts 2. switch to issue-12087-port-sysprop-lost diff: https://github.com/quarkusio/quarkus-quickstarts/compare/master..famod:issue-12087-port-sysprop-lost 3. cd getting-started-testing 4. mvn clean test will show that random port is only used for the first test (second one uses profile): ``` [INFO] Running org.acme.getting.started.testing.GreetingResourceTest 2020-09-14 22:30:53,552 INFO [io.quarkus] (main) Quarkus 1.7.3.Final on JVM started in 1.743s. Listening on: http://0.0.0.0:51063 2020-09-14 22:30:53,555 INFO [io.quarkus] (main) Profile test activated. 2020-09-14 22:30:53,555 INFO [io.quarkus] (main) Installed features: [cdi, resteasy] [INFO] Tests run: 2, Failures: 0, Errors: 0, Skipped: 0, Time elapsed: 5.031 s - in org.acme.getting.started.testing.GreetingResourceTest [INFO] Running org.acme.getting.started.testing.GreetingServiceTest 2020-09-14 22:30:54,585 INFO [io.quarkus] (main) Quarkus stopped in 0.021s 2020-09-14 22:30:56,357 INFO [io.quarkus] (main) Quarkus 1.7.3.Final on JVM started in 1.585s. Listening on: http://0.0.0.0:8081 2020-09-14 22:30:56,357 INFO [io.quarkus] (main) Profile test activated. 2020-09-14 22:30:56,357 INFO [io.quarkus] (main) Installed features: [cdi, resteasy] [INFO] Tests run: 1, Failures: 0, Errors: 0, Skipped: 0, Time elapsed: 2.017 s - in org.acme.getting.started.testing.GreetingServiceTest [INFO] Running org.acme.getting.started.testing.StaticContentTest 2020-09-14 22:30:56,599 INFO [io.quarkus] (main) Quarkus stopped in 0.015s 2020-09-14 22:30:58,120 INFO [io.quarkus] (main) Quarkus 1.7.3.Final on JVM started in 1.389s. Listening on: http://0.0.0.0:8081 2020-09-14 22:30:58,120 INFO [io.quarkus] (main) Profile test activated. 2020-09-14 22:30:58,120 INFO [io.quarkus] (main) Installed features: [cdi, resteasy] ``` **Configuration** n/a **Environment (please complete the following information):** - Output of `uname -a` or `ver`: `MINGW64_NT-10.0-18363 XXX 3.0.7-338.x86_64 2019-11-21 23:07 UTC x86_64 Msys` - Output of `java -version`: `OpenJDK 64-Bit Server VM AdoptOpenJDK (build 11.0.7+10, mixed mode)` - GraalVM version (if different from Java): n/a - Quarkus version or git rev: `1.7.2.Final` - Build tool (ie. output of `mvnw --version` or `gradlew --version`): `Apache Maven 3.6.3` **Additional context** (Add any other context about the problem here.)
1.0
quarkus.http[s].test-port system properties are lost on app restart triggered by @TestProfile - **Describe the bug** If you set e.g. `<quarkus.http.test-port>0</quarkus.http.test-port>` in `systemPropertyVariables` of `maven-surefire-plugin` and you have at least one `@QuarkusTest` *without* `@TestProfile` and one `@QuarkusTest` *with* `@TestProfile` then the port is not picked up by that second test (if run after the test without `@TestProfile`). The reason for this lies in [VertxHttpRecorder](https://github.com/quarkusio/quarkus/blob/1.7.2.Final/extensions/vertx-http/runtime/src/main/java/io/quarkus/vertx/http/runtime/VertxHttpRecorder.java): It is (re-?)setting the port properties here: https://github.com/quarkusio/quarkus/blob/1.7.2.Final/extensions/vertx-http/runtime/src/main/java/io/quarkus/vertx/http/runtime/VertxHttpRecorder.java#L898-L902 and it is *clearing* the port properties here: https://github.com/quarkusio/quarkus/blob/1.7.2.Final/extensions/vertx-http/runtime/src/main/java/io/quarkus/vertx/http/runtime/VertxHttpRecorder.java#L916-L930 (I saw in the debugger that the recorder is setting the actual effective port, e.g. 62138) That clearing occurs on shutdown which is triggered by the test extension because it finds a `@TestProfile`. The app instance that is then booted up after that cannot (obviously) see the original port properties anymore, falling back to the default (or I guess to yaml/properties in case port properties are set there). **Expected behavior** Port system properties must survive restarts triggered by `@TestProfile`. **Actual behavior** Port system properties are lost on first restart by a `@TestProfile`. **To Reproduce** Steps to reproduce the behavior: 1. clone https://github.com/famod/quarkus-quickstarts 2. switch to issue-12087-port-sysprop-lost diff: https://github.com/quarkusio/quarkus-quickstarts/compare/master..famod:issue-12087-port-sysprop-lost 3. cd getting-started-testing 4. mvn clean test will show that random port is only used for the first test (second one uses profile): ``` [INFO] Running org.acme.getting.started.testing.GreetingResourceTest 2020-09-14 22:30:53,552 INFO [io.quarkus] (main) Quarkus 1.7.3.Final on JVM started in 1.743s. Listening on: http://0.0.0.0:51063 2020-09-14 22:30:53,555 INFO [io.quarkus] (main) Profile test activated. 2020-09-14 22:30:53,555 INFO [io.quarkus] (main) Installed features: [cdi, resteasy] [INFO] Tests run: 2, Failures: 0, Errors: 0, Skipped: 0, Time elapsed: 5.031 s - in org.acme.getting.started.testing.GreetingResourceTest [INFO] Running org.acme.getting.started.testing.GreetingServiceTest 2020-09-14 22:30:54,585 INFO [io.quarkus] (main) Quarkus stopped in 0.021s 2020-09-14 22:30:56,357 INFO [io.quarkus] (main) Quarkus 1.7.3.Final on JVM started in 1.585s. Listening on: http://0.0.0.0:8081 2020-09-14 22:30:56,357 INFO [io.quarkus] (main) Profile test activated. 2020-09-14 22:30:56,357 INFO [io.quarkus] (main) Installed features: [cdi, resteasy] [INFO] Tests run: 1, Failures: 0, Errors: 0, Skipped: 0, Time elapsed: 2.017 s - in org.acme.getting.started.testing.GreetingServiceTest [INFO] Running org.acme.getting.started.testing.StaticContentTest 2020-09-14 22:30:56,599 INFO [io.quarkus] (main) Quarkus stopped in 0.015s 2020-09-14 22:30:58,120 INFO [io.quarkus] (main) Quarkus 1.7.3.Final on JVM started in 1.389s. Listening on: http://0.0.0.0:8081 2020-09-14 22:30:58,120 INFO [io.quarkus] (main) Profile test activated. 2020-09-14 22:30:58,120 INFO [io.quarkus] (main) Installed features: [cdi, resteasy] ``` **Configuration** n/a **Environment (please complete the following information):** - Output of `uname -a` or `ver`: `MINGW64_NT-10.0-18363 XXX 3.0.7-338.x86_64 2019-11-21 23:07 UTC x86_64 Msys` - Output of `java -version`: `OpenJDK 64-Bit Server VM AdoptOpenJDK (build 11.0.7+10, mixed mode)` - GraalVM version (if different from Java): n/a - Quarkus version or git rev: `1.7.2.Final` - Build tool (ie. output of `mvnw --version` or `gradlew --version`): `Apache Maven 3.6.3` **Additional context** (Add any other context about the problem here.)
non_defect
quarkus http test port system properties are lost on app restart triggered by testprofile describe the bug if you set e g in systempropertyvariables of maven surefire plugin and you have at least one quarkustest without testprofile and one quarkustest with testprofile then the port is not picked up by that second test if run after the test without testprofile the reason for this lies in it is re setting the port properties here and it is clearing the port properties here i saw in the debugger that the recorder is setting the actual effective port e g that clearing occurs on shutdown which is triggered by the test extension because it finds a testprofile the app instance that is then booted up after that cannot obviously see the original port properties anymore falling back to the default or i guess to yaml properties in case port properties are set there expected behavior port system properties must survive restarts triggered by testprofile actual behavior port system properties are lost on first restart by a testprofile to reproduce steps to reproduce the behavior clone switch to issue port sysprop lost diff cd getting started testing mvn clean test will show that random port is only used for the first test second one uses profile running org acme getting started testing greetingresourcetest info main quarkus final on jvm started in listening on info main profile test activated info main installed features tests run failures errors skipped time elapsed s in org acme getting started testing greetingresourcetest running org acme getting started testing greetingservicetest info main quarkus stopped in info main quarkus final on jvm started in listening on info main profile test activated info main installed features tests run failures errors skipped time elapsed s in org acme getting started testing greetingservicetest running org acme getting started testing staticcontenttest info main quarkus stopped in info main quarkus final on jvm started in listening on info main profile test activated info main installed features configuration n a environment please complete the following information output of uname a or ver nt xxx utc msys output of java version openjdk bit server vm adoptopenjdk build mixed mode graalvm version if different from java n a quarkus version or git rev final build tool ie output of mvnw version or gradlew version apache maven additional context add any other context about the problem here
0
311,859
9,539,752,930
IssuesEvent
2019-04-30 17:44:57
Criptext/Criptext-Email-React-Client
https://api.github.com/repos/Criptext/Criptext-Email-React-Client
closed
Push Notifications working only for the first Account
bug priority
- When swapping between accounts, push notifications are not reset to work for the new active account
1.0
Push Notifications working only for the first Account - - When swapping between accounts, push notifications are not reset to work for the new active account
non_defect
push notifications working only for the first account when swapping between accounts push notifications are not reset to work for the new active account
0
44,958
12,492,906,812
IssuesEvent
2020-06-01 08:13:36
hazelcast/hazelcast-jet
https://api.github.com/repos/hazelcast/hazelcast-jet
opened
Improve CDC wording
defect docs
The document here states: https://jet-start.sh/docs/next/tutorials/cdc >>>As we've seen in the CDC section of our Sources and Sinks guide of our, change data capture is especially important to Jet, because it allows for the integration with legacy systems. CDC doesn't necessarily mean integration with legacy systems. Relational DB doesn't mean legacy. Also the sentence doesn't seem grammatically correct. The tutorial should also be self-contained offering a brief into to what CDC is. Further the link provided is broken. The legacy system wording is then repeated on the sources and sinks section and it should also be removed from there.
1.0
Improve CDC wording - The document here states: https://jet-start.sh/docs/next/tutorials/cdc >>>As we've seen in the CDC section of our Sources and Sinks guide of our, change data capture is especially important to Jet, because it allows for the integration with legacy systems. CDC doesn't necessarily mean integration with legacy systems. Relational DB doesn't mean legacy. Also the sentence doesn't seem grammatically correct. The tutorial should also be self-contained offering a brief into to what CDC is. Further the link provided is broken. The legacy system wording is then repeated on the sources and sinks section and it should also be removed from there.
defect
improve cdc wording the document here states as we ve seen in the cdc section of our sources and sinks guide of our change data capture is especially important to jet because it allows for the integration with legacy systems cdc doesn t necessarily mean integration with legacy systems relational db doesn t mean legacy also the sentence doesn t seem grammatically correct the tutorial should also be self contained offering a brief into to what cdc is further the link provided is broken the legacy system wording is then repeated on the sources and sinks section and it should also be removed from there
1
2,726
2,607,937,600
IssuesEvent
2015-02-26 00:29:29
chrsmithdemos/minify
https://api.github.com/repos/chrsmithdemos/minify
closed
multi-line strings cause problems in debug mode
auto-migrated Priority-Medium Release-2.1.5 Type-Defect
``` Minify commit/version: 2.1.5 PHP version: 5.4.7 What steps will reproduce the problem? 1. Create JS with a long multi-line string. Can happen anytime, depending on placement. Can consistently reproduce with any multi-line string spanning over 50 lines. 2. Add file to minify bundle. 3. Attempt to load in debug mode. Expected output: valid JS (focusing around line 50): ... where\ the\ problem\ happens:\ See?'; Actual output: invalid JS: ... where\ the\ problem\ happens:\ /* multi-line-string.js */ See?'; The problem is the '/* <file name */' insertion in the middle of the multi-line literal string creates invalid JavaScript. ``` ----- Original issue reported on code.google.com by `zaner...@gmail.com` on 2 Dec 2012 at 11:41 * Merged into: #295 Attachments: * [multi-line-string.js](https://storage.googleapis.com/google-code-attachments/minify/issue-279/comment-0/multi-line-string.js)
1.0
multi-line strings cause problems in debug mode - ``` Minify commit/version: 2.1.5 PHP version: 5.4.7 What steps will reproduce the problem? 1. Create JS with a long multi-line string. Can happen anytime, depending on placement. Can consistently reproduce with any multi-line string spanning over 50 lines. 2. Add file to minify bundle. 3. Attempt to load in debug mode. Expected output: valid JS (focusing around line 50): ... where\ the\ problem\ happens:\ See?'; Actual output: invalid JS: ... where\ the\ problem\ happens:\ /* multi-line-string.js */ See?'; The problem is the '/* <file name */' insertion in the middle of the multi-line literal string creates invalid JavaScript. ``` ----- Original issue reported on code.google.com by `zaner...@gmail.com` on 2 Dec 2012 at 11:41 * Merged into: #295 Attachments: * [multi-line-string.js](https://storage.googleapis.com/google-code-attachments/minify/issue-279/comment-0/multi-line-string.js)
defect
multi line strings cause problems in debug mode minify commit version php version what steps will reproduce the problem create js with a long multi line string can happen anytime depending on placement can consistently reproduce with any multi line string spanning over lines add file to minify bundle attempt to load in debug mode expected output valid js focusing around line where the problem happens see actual output invalid js where the problem happens multi line string js see the problem is the file name insertion in the middle of the multi line literal string creates invalid javascript original issue reported on code google com by zaner gmail com on dec at merged into attachments
1
61,272
17,023,654,060
IssuesEvent
2021-07-03 03:07:33
tomhughes/trac-tickets
https://api.github.com/repos/tomhughes/trac-tickets
closed
NullPointerException in read-xml on DB connection error
Component: osmosis Priority: minor Resolution: fixed Type: defect
**[Submitted to the original trac issue database at 11.17pm, Sunday, 21st November 2010]** When using osmosis to read from an xml file into a DB and the DB connection fails for some reason, there is a NullPointerException in the error handling code of both, the --read-xml and and the --fast-read-xml tasks. This inconveniently hides the true error. Here the exception trace for the case where the supplied password for the DB was wrong using the latest osmosis version from svn: ``` me@here:osm$ osmosis --fast-read-xml planet-101117.osm.bz2 --wp database=osm user=osm Nov 21, 2010 11:29:22 PM org.openstreetmap.osmosis.core.Osmosis run INFO: Osmosis Version SNAPSHOT-r24324 Nov 21, 2010 11:29:23 PM org.openstreetmap.osmosis.core.Osmosis run INFO: Preparing pipeline. Nov 21, 2010 11:29:23 PM org.openstreetmap.osmosis.core.Osmosis run INFO: Launching pipeline execution. Nov 21, 2010 11:29:23 PM org.openstreetmap.osmosis.core.Osmosis run INFO: Pipeline executing, waiting for completion. Nov 21, 2010 11:29:23 PM org.openstreetmap.osmosis.core.pipeline.common.ActiveTaskManager waitForCompletion SEVERE: Thread for task 1-fast-read-xml failed java.lang.NullPointerException at org.openstreetmap.osmosis.pgsnapshot.v0_6.PostgreSqlCopyWriter.release(PostgreSqlCopyWriter.java:118) at org.openstreetmap.osmosis.xml.v0_6.FastXmlReader.run(FastXmlReader.java:101) at java.lang.Thread.run(Thread.java:636) Nov 21, 2010 11:29:23 PM org.openstreetmap.osmosis.core.Osmosis main SEVERE: Execution aborted. org.openstreetmap.osmosis.core.OsmosisRuntimeException: One or more tasks failed. at org.openstreetmap.osmosis.core.pipeline.common.Pipeline.waitForCompletion(Pipeline.java: 146) at org.openstreetmap.osmosis.core.Osmosis.run(Osmosis.java:92) at org.openstreetmap.osmosis.core.Osmosis.main(Osmosis.java:37) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:57) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:616) at org.codehaus.plexus.classworlds.launcher.Launcher.launchStandard(Launcher.java:329) at org.codehaus.plexus.classworlds.launcher.Launcher.launch(Launcher.java:239) at org.codehaus.plexus.classworlds.launcher.Launcher.mainWithExitCode(Launcher.java:409) at org.codehaus.plexus.classworlds.launcher.Launcher.main(Launcher.java:352) at org.codehaus.classworlds.Launcher.main(Launcher.java:31) ```
1.0
NullPointerException in read-xml on DB connection error - **[Submitted to the original trac issue database at 11.17pm, Sunday, 21st November 2010]** When using osmosis to read from an xml file into a DB and the DB connection fails for some reason, there is a NullPointerException in the error handling code of both, the --read-xml and and the --fast-read-xml tasks. This inconveniently hides the true error. Here the exception trace for the case where the supplied password for the DB was wrong using the latest osmosis version from svn: ``` me@here:osm$ osmosis --fast-read-xml planet-101117.osm.bz2 --wp database=osm user=osm Nov 21, 2010 11:29:22 PM org.openstreetmap.osmosis.core.Osmosis run INFO: Osmosis Version SNAPSHOT-r24324 Nov 21, 2010 11:29:23 PM org.openstreetmap.osmosis.core.Osmosis run INFO: Preparing pipeline. Nov 21, 2010 11:29:23 PM org.openstreetmap.osmosis.core.Osmosis run INFO: Launching pipeline execution. Nov 21, 2010 11:29:23 PM org.openstreetmap.osmosis.core.Osmosis run INFO: Pipeline executing, waiting for completion. Nov 21, 2010 11:29:23 PM org.openstreetmap.osmosis.core.pipeline.common.ActiveTaskManager waitForCompletion SEVERE: Thread for task 1-fast-read-xml failed java.lang.NullPointerException at org.openstreetmap.osmosis.pgsnapshot.v0_6.PostgreSqlCopyWriter.release(PostgreSqlCopyWriter.java:118) at org.openstreetmap.osmosis.xml.v0_6.FastXmlReader.run(FastXmlReader.java:101) at java.lang.Thread.run(Thread.java:636) Nov 21, 2010 11:29:23 PM org.openstreetmap.osmosis.core.Osmosis main SEVERE: Execution aborted. org.openstreetmap.osmosis.core.OsmosisRuntimeException: One or more tasks failed. at org.openstreetmap.osmosis.core.pipeline.common.Pipeline.waitForCompletion(Pipeline.java: 146) at org.openstreetmap.osmosis.core.Osmosis.run(Osmosis.java:92) at org.openstreetmap.osmosis.core.Osmosis.main(Osmosis.java:37) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:57) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at java.lang.reflect.Method.invoke(Method.java:616) at org.codehaus.plexus.classworlds.launcher.Launcher.launchStandard(Launcher.java:329) at org.codehaus.plexus.classworlds.launcher.Launcher.launch(Launcher.java:239) at org.codehaus.plexus.classworlds.launcher.Launcher.mainWithExitCode(Launcher.java:409) at org.codehaus.plexus.classworlds.launcher.Launcher.main(Launcher.java:352) at org.codehaus.classworlds.Launcher.main(Launcher.java:31) ```
defect
nullpointerexception in read xml on db connection error when using osmosis to read from an xml file into a db and the db connection fails for some reason there is a nullpointerexception in the error handling code of both the read xml and and the fast read xml tasks this inconveniently hides the true error here the exception trace for the case where the supplied password for the db was wrong using the latest osmosis version from svn me here osm osmosis fast read xml planet osm wp database osm user osm nov pm org openstreetmap osmosis core osmosis run info osmosis version snapshot nov pm org openstreetmap osmosis core osmosis run info preparing pipeline nov pm org openstreetmap osmosis core osmosis run info launching pipeline execution nov pm org openstreetmap osmosis core osmosis run info pipeline executing waiting for completion nov pm org openstreetmap osmosis core pipeline common activetaskmanager waitforcompletion severe thread for task fast read xml failed java lang nullpointerexception at org openstreetmap osmosis pgsnapshot postgresqlcopywriter release postgresqlcopywriter java at org openstreetmap osmosis xml fastxmlreader run fastxmlreader java at java lang thread run thread java nov pm org openstreetmap osmosis core osmosis main severe execution aborted org openstreetmap osmosis core osmosisruntimeexception one or more tasks failed at org openstreetmap osmosis core pipeline common pipeline waitforcompletion pipeline java at org openstreetmap osmosis core osmosis run osmosis java at org openstreetmap osmosis core osmosis main osmosis 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 codehaus plexus classworlds launcher launcher launchstandard launcher java at org codehaus plexus classworlds launcher launcher launch launcher java at org codehaus plexus classworlds launcher launcher mainwithexitcode launcher java at org codehaus plexus classworlds launcher launcher main launcher java at org codehaus classworlds launcher main launcher java
1
269,888
28,960,329,337
IssuesEvent
2023-05-10 01:33:09
Satheesh575555/linux-4.1.15
https://api.github.com/repos/Satheesh575555/linux-4.1.15
reopened
CVE-2020-11884 (High) detected in linux-stable-rtv4.1.33
Mend: dependency security vulnerability
## CVE-2020-11884 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linux-stable-rtv4.1.33</b></p></summary> <p> <p>Julia Cartwright's fork of linux-stable-rt.git</p> <p>Library home page: <a href=https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git>https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git</a></p> <p>Found in HEAD commit: <a href="https://github.com/Satheesh575555/linux-4.1.15/commit/951a6fe29b85bb7a6493c21ded9c3151b6a6c8f1">951a6fe29b85bb7a6493c21ded9c3151b6a6c8f1</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (1)</summary> <p></p> <p> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png?' width=19 height=20> Vulnerability Details</summary> <p> In the Linux kernel 4.19 through 5.6.7 on the s390 platform, code execution may occur because of a race condition, as demonstrated by code in enable_sacf_uaccess in arch/s390/lib/uaccess.c that fails to protect against a concurrent page table upgrade, aka CID-3f777e19d171. A crash could also occur. <p>Publish Date: 2020-04-29 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2020-11884>CVE-2020-11884</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.0</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: High - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2020-11884">https://nvd.nist.gov/vuln/detail/CVE-2020-11884</a></p> <p>Release Date: 2020-04-29</p> <p>Fix Resolution: bpftool - 4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2;kernel-tools-libs - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2;perf-debuginfo - 4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2;kernel-cross-headers - 4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-debug-debuginfo - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2;kernel-debug - 4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-devel - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2;kernel - 4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2;bpftool-debuginfo - 4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2;kernel-zfcpdump-core - 4.18.0-147.13.2,4.18.0-193.1.2;kernel-debug-core - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-80.23.2;kernel-modules-extra - 4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-core - 4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2;python3-perf - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2;kernel-tools - 4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2;kernel-debug-modules - 4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2;kernel-modules - 4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-tools-debuginfo - 4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-headers - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2;kernel-debuginfo-common-x86_64 - 4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2;kernel-zfcpdump - 4.18.0-193.1.2,4.18.0-147.13.2;python3-perf-debuginfo - 4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2;kernel-doc - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2;kernel-abi-whitelists - 4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2;kernel-zfcpdump-modules - 4.18.0-193.1.2,4.18.0-147.13.2;kernel-debug-modules-extra - 4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-zfcpdump-devel - 4.18.0-193.1.2,4.18.0-147.13.2;perf - 4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-zfcpdump-modules-extra - 4.18.0-193.1.2,4.18.0-147.13.2;kernel-debuginfo - 4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2;kernel-debug-devel - 4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2</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-2020-11884 (High) detected in linux-stable-rtv4.1.33 - ## CVE-2020-11884 - High Severity Vulnerability <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>linux-stable-rtv4.1.33</b></p></summary> <p> <p>Julia Cartwright's fork of linux-stable-rt.git</p> <p>Library home page: <a href=https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git>https://git.kernel.org/pub/scm/linux/kernel/git/julia/linux-stable-rt.git</a></p> <p>Found in HEAD commit: <a href="https://github.com/Satheesh575555/linux-4.1.15/commit/951a6fe29b85bb7a6493c21ded9c3151b6a6c8f1">951a6fe29b85bb7a6493c21ded9c3151b6a6c8f1</a></p> <p>Found in base branch: <b>master</b></p></p> </details> </p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Source Files (1)</summary> <p></p> <p> </p> </details> <p></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png?' width=19 height=20> Vulnerability Details</summary> <p> In the Linux kernel 4.19 through 5.6.7 on the s390 platform, code execution may occur because of a race condition, as demonstrated by code in enable_sacf_uaccess in arch/s390/lib/uaccess.c that fails to protect against a concurrent page table upgrade, aka CID-3f777e19d171. A crash could also occur. <p>Publish Date: 2020-04-29 <p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2020-11884>CVE-2020-11884</a></p> </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.0</b>)</summary> <p> Base Score Metrics: - Exploitability Metrics: - Attack Vector: Local - Attack Complexity: High - Privileges Required: Low - User Interaction: None - Scope: Unchanged - Impact Metrics: - Confidentiality Impact: High - Integrity Impact: High - Availability Impact: High </p> For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>. </p> </details> <p></p> <details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary> <p> <p>Type: Upgrade version</p> <p>Origin: <a href="https://nvd.nist.gov/vuln/detail/CVE-2020-11884">https://nvd.nist.gov/vuln/detail/CVE-2020-11884</a></p> <p>Release Date: 2020-04-29</p> <p>Fix Resolution: bpftool - 4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2;kernel-tools-libs - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2;perf-debuginfo - 4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2;kernel-cross-headers - 4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-debug-debuginfo - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2;kernel-debug - 4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-devel - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2;kernel - 4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2;bpftool-debuginfo - 4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2;kernel-zfcpdump-core - 4.18.0-147.13.2,4.18.0-193.1.2;kernel-debug-core - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-80.23.2;kernel-modules-extra - 4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-core - 4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2;python3-perf - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2;kernel-tools - 4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2;kernel-debug-modules - 4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2;kernel-modules - 4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-tools-debuginfo - 4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-headers - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2;kernel-debuginfo-common-x86_64 - 4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2;kernel-zfcpdump - 4.18.0-193.1.2,4.18.0-147.13.2;python3-perf-debuginfo - 4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2;kernel-doc - 4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2;kernel-abi-whitelists - 4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2;kernel-zfcpdump-modules - 4.18.0-193.1.2,4.18.0-147.13.2;kernel-debug-modules-extra - 4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-zfcpdump-devel - 4.18.0-193.1.2,4.18.0-147.13.2;perf - 4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2;kernel-zfcpdump-modules-extra - 4.18.0-193.1.2,4.18.0-147.13.2;kernel-debuginfo - 4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-147.13.2;kernel-debug-devel - 4.18.0-147.13.2,4.18.0-80.23.2,4.18.0-147.13.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-193.1.2,4.18.0-80.23.2,4.18.0-193.1.2,4.18.0-147.13.2,4.18.0-147.13.2</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 high detected in linux stable cve high severity vulnerability vulnerable library linux stable julia cartwright s fork of linux stable rt git library home page a href found in head commit a href found in base branch master vulnerable source files vulnerability details in the linux kernel through on the platform code execution may occur because of a race condition as demonstrated by code in enable sacf uaccess in arch lib uaccess c that fails to protect against a concurrent page table upgrade aka cid a crash could also occur publish date url a href cvss score details base score metrics exploitability metrics attack vector local attack complexity high privileges required low user interaction none scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution bpftool kernel tools libs perf debuginfo kernel cross headers kernel debug debuginfo kernel debug kernel devel kernel bpftool debuginfo kernel zfcpdump core kernel debug core kernel modules extra kernel core perf kernel tools kernel debug modules kernel modules kernel tools debuginfo kernel headers kernel debuginfo common kernel zfcpdump perf debuginfo kernel doc kernel abi whitelists kernel zfcpdump modules kernel debug modules extra kernel zfcpdump devel perf kernel zfcpdump modules extra kernel debuginfo kernel debug devel step up your open source security game with mend
0
273,334
20,782,094,502
IssuesEvent
2022-03-16 15:34:25
UnBArqDsw2021-2/2021.2_G2_Ki-Limpinho
https://api.github.com/repos/UnBArqDsw2021-2/2021.2_G2_Ki-Limpinho
closed
Controller (GRASP)
documentation Padrões de Projeto Grasps
### Descrição - [Feature] criação do documento Controller (GRASP) em padrões de projeto. ### Tarefas - [ ] `Feature` criação do documento Controller (GRASP) . ### Critérios de aceitação. A pessoa responsável pela review deve verificar se o documento segue o padrão determinado pela equipe.
1.0
Controller (GRASP) - ### Descrição - [Feature] criação do documento Controller (GRASP) em padrões de projeto. ### Tarefas - [ ] `Feature` criação do documento Controller (GRASP) . ### Critérios de aceitação. A pessoa responsável pela review deve verificar se o documento segue o padrão determinado pela equipe.
non_defect
controller grasp descrição criação do documento controller grasp em padrões de projeto tarefas feature criação do documento controller grasp critérios de aceitação a pessoa responsável pela review deve verificar se o documento segue o padrão determinado pela equipe
0
113,176
14,383,277,417
IssuesEvent
2020-12-02 08:54:01
elastic/kibana
https://api.github.com/repos/elastic/kibana
opened
[APM] Provide header icons for the new service header
Team:apm needs design v7.11.0
# Summary The agent name icons are already in place with the existing icons available in Service Maps. We need to determine the most common entities for container orchestration and cloud providers. ### Container orchestration - [ ] Kubernetes - [ ] Azure Container Services - [ ] Amazon ECS - [ ] Docker Swarm - [ ] CoreOS Fleet - [ ] OpenShift ### Cloud providers - [ ] Google Cloud Platform - [ ] AWS - [ ] Azure - [ ] IBM Cloud - [ ] VMware cc @alex-fedotyev can you provide some guidance on the above mentioned entities and whether we're missing some from the most common scenarios. I wonder if we have some data (Cloud?) that might be able to tell us the most common combinations and entities.
1.0
[APM] Provide header icons for the new service header - # Summary The agent name icons are already in place with the existing icons available in Service Maps. We need to determine the most common entities for container orchestration and cloud providers. ### Container orchestration - [ ] Kubernetes - [ ] Azure Container Services - [ ] Amazon ECS - [ ] Docker Swarm - [ ] CoreOS Fleet - [ ] OpenShift ### Cloud providers - [ ] Google Cloud Platform - [ ] AWS - [ ] Azure - [ ] IBM Cloud - [ ] VMware cc @alex-fedotyev can you provide some guidance on the above mentioned entities and whether we're missing some from the most common scenarios. I wonder if we have some data (Cloud?) that might be able to tell us the most common combinations and entities.
non_defect
provide header icons for the new service header summary the agent name icons are already in place with the existing icons available in service maps we need to determine the most common entities for container orchestration and cloud providers container orchestration kubernetes azure container services amazon ecs docker swarm coreos fleet openshift cloud providers google cloud platform aws azure ibm cloud vmware cc alex fedotyev can you provide some guidance on the above mentioned entities and whether we re missing some from the most common scenarios i wonder if we have some data cloud that might be able to tell us the most common combinations and entities
0
372,150
11,009,755,173
IssuesEvent
2019-12-04 13:20:04
codecampleipzig/communic
https://api.github.com/repos/codecampleipzig/communic
closed
Project Service Axios
@frontend page: project point: 5 priority: high type: feature
Remove Mockdata from Project Service and make axios calls to the backend.
1.0
Project Service Axios - Remove Mockdata from Project Service and make axios calls to the backend.
non_defect
project service axios remove mockdata from project service and make axios calls to the backend
0
821,087
30,804,118,371
IssuesEvent
2023-08-01 05:30:25
ansible-collections/azure
https://api.github.com/repos/ansible-collections/azure
closed
azure_rm_backupazurevm module does not honor the subscription variable
enhancement high_priority
##### SUMMARY This is a quote from a bug report submitted to Red Hat: > I'm using the azure.azcollection.azure_rm_backupazurevm module to enable protection for a VM and I'm providing all the parameters including the subscription. The module uses my service principal's default subscription for the context and fails to locate the vault's resource group instead of using the subscription I provide to it. My service principal has access to the target subscription. Like other modules, the subscription provided in the parameters should be used but that is not the case here. > > More detailed description of the issue: > > We have a multi-subscription Azure tenant and we use a single service principal (SP) to run Ansible plays against it. > > Azure service principals (much like Azure AD accounts) have a default subscription associated with them > > When authenticating with Azure, the default SP subscription is used as the context for operations following authentication unless the context is explicitly changed to another subscription > > Most Azure modules I've used thus far allow specifying the context subscription and the operation (like creating a VM) just works fine and that is how it should be > > The azure_rm_backupazurevm however, does not respect the context subscription parameter passed to it like the other modules and ends up reporting an error stating it could not find the resources in question, since it uses the SP's default subscription. ##### ISSUE TYPE - Bug Report ##### COMPONENT NAME `azure_rm_backupazurevm` ##### ANSIBLE VERSION ```paste below ansible [core 2.15.0] config file = /etc/ansible/ansible.cfg configured module search path = ['/home/runner/.ansible/plugins/modules', '/usr/share/ansible/plugins/modules'] ansible python module location = /usr/lib/python3.9/site-packages/ansible ansible collection location = /home/runner/.ansible/collections:/usr/share/ansible/collections executable location = /usr/bin/ansible python version = 3.9.16 (main, May 31 2023, 12:21:58) [GCC 8.5.0 20210514 (Red Hat 8.5.0-18)] (/usr/bin/python3.9) jinja version = 3.1.2 libyaml = True ``` ##### COLLECTION VERSION ```paste below Collection Version ------------------ ------- azure.azcollection 1.13.0 ``` We have also explored the issue against v1.16.0 to see if the modern collection version corrected the issue. There were no changes between those two versions that would appear to impact this function. ##### CONFIGURATION ```paste below ANSIBLE_NOCOWS($HOME/.ansible.cfg) = True CONFIG_FILE() = $HOME/.ansible.cfg GALAXY_SERVER_LIST($HOME/.ansible.cfg) = ['automation_hub', 'galaxy'] INVENTORY_ENABLED($HOME/.ansible.cfg) = ['host_list', 'script', 'auto', 'yaml', 'ini', 'toml'] ``` ##### OS / ENVIRONMENT Ansible Automation Platform on Microsoft Azure (Red Hat's managed application offering) ##### STEPS TO REPRODUCE > I'm using the azure.azcollection.azure_rm_backupazurevm module to enable protection for a VM and I'm providing all the parameters including the subscription. The module uses my service principal's default subscription for the context and fails to locate the vault's resource group instead of using the subscription I provide to it. My service principal has access to the target subscription. ```yaml name: "Apply backup policy {{ backup_policy }} to VM {{ vm_name }} in Vault {{ vault_name }}" azure.azcollection.azure_rm_backupazurevm: backup_policy_id: "{{ backup_policy_info.id }}" resource_group: "{{ vault_rg }}" recovery_vault_name: "{{ vault_name }}" resource_id: "{{ vm_info.vms[0].id }}" subscription_id: "{{ subscription_id }}" ``` We have confirmed via screenshot that the resource group does belong to the subscription provided via the `subscription_id` parameter in a screenshot. ##### EXPECTED RESULTS Like other modules, the subscription provided in the `subscription_id` variable should be used but that is not the case with this `azure_rm_backupazurevm`. ##### ACTUAL RESULTS Removed subscription IDs and resource group names for security. ```paste below { "msg": "Error in creating/updating protection for Azure VM Azure Error: ResourceGroupNotFound\nMessage: Resource group '<resource-group>' could not be found.", "exception": " File \"/tmp/ansible_azure.azcollection.azure_rm_backupazurevm_payload_tnnhgil7/ansible_azure.azcollection.azure_rm_backupazurevm_payload.zip/ansible_collections/azure/azcollection/plugins/modules/azure_rm_backupazurevm.py\", line 282, in enable_update_protection_for_azure_vm\n File \"/tmp/ansible_azure.azcollection.azure_rm_backupazurevm_payload_tnnhgil7/ansible_azure.azcollection.azure_rm_backupazurevm_payload.zip/ansible_collections/azure/azcollection/plugins/module_utils/azure_rm_common_rest.py\", line 87, in query\n raise exp\n", "invocation": { "module_args": { "backup_policy_id": "/subscriptions/<subscription>/resourceGroups/<resource-group>/providers/Microsoft.RecoveryServices/vaults/<vault>-RecoveryServicesVaultShared-01/backupPolicies/DefaultPolicy", "resource_group": "<resource-group>", "recovery_vault_name": "<vault>-RecoveryServicesVaultShared-01", "resource_id": "/subscriptions/<subscription>/resourceGroups/<resource_group>/providers/Microsoft.Compute/virtualMachines/ansibletest7", "subscription_id": "<subscription>", "auth_source": "auto", "cloud_environment": "AzureCloud", "api_profile": "latest", "append_tags": true, "state": "create", "profile": null, "client_id": null, "secret": null, "tenant": null, "ad_user": null, "password": null, "cert_validation_mode": null, "adfs_authority_url": null, "log_mode": null, "log_path": null, "x509_certificate_path": null, "thumbprint": null, "tags": null, "recovery_point_expiry_time": null } }, "warnings": [ "Azure API profile latest does not define an entry for GenericRestClient" ], "_ansible_no_log": null, "changed": false } ```
1.0
azure_rm_backupazurevm module does not honor the subscription variable - ##### SUMMARY This is a quote from a bug report submitted to Red Hat: > I'm using the azure.azcollection.azure_rm_backupazurevm module to enable protection for a VM and I'm providing all the parameters including the subscription. The module uses my service principal's default subscription for the context and fails to locate the vault's resource group instead of using the subscription I provide to it. My service principal has access to the target subscription. Like other modules, the subscription provided in the parameters should be used but that is not the case here. > > More detailed description of the issue: > > We have a multi-subscription Azure tenant and we use a single service principal (SP) to run Ansible plays against it. > > Azure service principals (much like Azure AD accounts) have a default subscription associated with them > > When authenticating with Azure, the default SP subscription is used as the context for operations following authentication unless the context is explicitly changed to another subscription > > Most Azure modules I've used thus far allow specifying the context subscription and the operation (like creating a VM) just works fine and that is how it should be > > The azure_rm_backupazurevm however, does not respect the context subscription parameter passed to it like the other modules and ends up reporting an error stating it could not find the resources in question, since it uses the SP's default subscription. ##### ISSUE TYPE - Bug Report ##### COMPONENT NAME `azure_rm_backupazurevm` ##### ANSIBLE VERSION ```paste below ansible [core 2.15.0] config file = /etc/ansible/ansible.cfg configured module search path = ['/home/runner/.ansible/plugins/modules', '/usr/share/ansible/plugins/modules'] ansible python module location = /usr/lib/python3.9/site-packages/ansible ansible collection location = /home/runner/.ansible/collections:/usr/share/ansible/collections executable location = /usr/bin/ansible python version = 3.9.16 (main, May 31 2023, 12:21:58) [GCC 8.5.0 20210514 (Red Hat 8.5.0-18)] (/usr/bin/python3.9) jinja version = 3.1.2 libyaml = True ``` ##### COLLECTION VERSION ```paste below Collection Version ------------------ ------- azure.azcollection 1.13.0 ``` We have also explored the issue against v1.16.0 to see if the modern collection version corrected the issue. There were no changes between those two versions that would appear to impact this function. ##### CONFIGURATION ```paste below ANSIBLE_NOCOWS($HOME/.ansible.cfg) = True CONFIG_FILE() = $HOME/.ansible.cfg GALAXY_SERVER_LIST($HOME/.ansible.cfg) = ['automation_hub', 'galaxy'] INVENTORY_ENABLED($HOME/.ansible.cfg) = ['host_list', 'script', 'auto', 'yaml', 'ini', 'toml'] ``` ##### OS / ENVIRONMENT Ansible Automation Platform on Microsoft Azure (Red Hat's managed application offering) ##### STEPS TO REPRODUCE > I'm using the azure.azcollection.azure_rm_backupazurevm module to enable protection for a VM and I'm providing all the parameters including the subscription. The module uses my service principal's default subscription for the context and fails to locate the vault's resource group instead of using the subscription I provide to it. My service principal has access to the target subscription. ```yaml name: "Apply backup policy {{ backup_policy }} to VM {{ vm_name }} in Vault {{ vault_name }}" azure.azcollection.azure_rm_backupazurevm: backup_policy_id: "{{ backup_policy_info.id }}" resource_group: "{{ vault_rg }}" recovery_vault_name: "{{ vault_name }}" resource_id: "{{ vm_info.vms[0].id }}" subscription_id: "{{ subscription_id }}" ``` We have confirmed via screenshot that the resource group does belong to the subscription provided via the `subscription_id` parameter in a screenshot. ##### EXPECTED RESULTS Like other modules, the subscription provided in the `subscription_id` variable should be used but that is not the case with this `azure_rm_backupazurevm`. ##### ACTUAL RESULTS Removed subscription IDs and resource group names for security. ```paste below { "msg": "Error in creating/updating protection for Azure VM Azure Error: ResourceGroupNotFound\nMessage: Resource group '<resource-group>' could not be found.", "exception": " File \"/tmp/ansible_azure.azcollection.azure_rm_backupazurevm_payload_tnnhgil7/ansible_azure.azcollection.azure_rm_backupazurevm_payload.zip/ansible_collections/azure/azcollection/plugins/modules/azure_rm_backupazurevm.py\", line 282, in enable_update_protection_for_azure_vm\n File \"/tmp/ansible_azure.azcollection.azure_rm_backupazurevm_payload_tnnhgil7/ansible_azure.azcollection.azure_rm_backupazurevm_payload.zip/ansible_collections/azure/azcollection/plugins/module_utils/azure_rm_common_rest.py\", line 87, in query\n raise exp\n", "invocation": { "module_args": { "backup_policy_id": "/subscriptions/<subscription>/resourceGroups/<resource-group>/providers/Microsoft.RecoveryServices/vaults/<vault>-RecoveryServicesVaultShared-01/backupPolicies/DefaultPolicy", "resource_group": "<resource-group>", "recovery_vault_name": "<vault>-RecoveryServicesVaultShared-01", "resource_id": "/subscriptions/<subscription>/resourceGroups/<resource_group>/providers/Microsoft.Compute/virtualMachines/ansibletest7", "subscription_id": "<subscription>", "auth_source": "auto", "cloud_environment": "AzureCloud", "api_profile": "latest", "append_tags": true, "state": "create", "profile": null, "client_id": null, "secret": null, "tenant": null, "ad_user": null, "password": null, "cert_validation_mode": null, "adfs_authority_url": null, "log_mode": null, "log_path": null, "x509_certificate_path": null, "thumbprint": null, "tags": null, "recovery_point_expiry_time": null } }, "warnings": [ "Azure API profile latest does not define an entry for GenericRestClient" ], "_ansible_no_log": null, "changed": false } ```
non_defect
azure rm backupazurevm module does not honor the subscription variable summary this is a quote from a bug report submitted to red hat i m using the azure azcollection azure rm backupazurevm module to enable protection for a vm and i m providing all the parameters including the subscription the module uses my service principal s default subscription for the context and fails to locate the vault s resource group instead of using the subscription i provide to it my service principal has access to the target subscription like other modules the subscription provided in the parameters should be used but that is not the case here more detailed description of the issue we have a multi subscription azure tenant and we use a single service principal sp to run ansible plays against it azure service principals much like azure ad accounts have a default subscription associated with them when authenticating with azure the default sp subscription is used as the context for operations following authentication unless the context is explicitly changed to another subscription most azure modules i ve used thus far allow specifying the context subscription and the operation like creating a vm just works fine and that is how it should be the azure rm backupazurevm however does not respect the context subscription parameter passed to it like the other modules and ends up reporting an error stating it could not find the resources in question since it uses the sp s default subscription issue type bug report component name azure rm backupazurevm ansible version paste below ansible config file etc ansible ansible cfg configured module search path ansible python module location usr lib site packages ansible ansible collection location home runner ansible collections usr share ansible collections executable location usr bin ansible python version main may usr bin jinja version libyaml true collection version paste below collection version azure azcollection we have also explored the issue against to see if the modern collection version corrected the issue there were no changes between those two versions that would appear to impact this function configuration paste below ansible nocows home ansible cfg true config file home ansible cfg galaxy server list home ansible cfg inventory enabled home ansible cfg os environment ansible automation platform on microsoft azure red hat s managed application offering steps to reproduce i m using the azure azcollection azure rm backupazurevm module to enable protection for a vm and i m providing all the parameters including the subscription the module uses my service principal s default subscription for the context and fails to locate the vault s resource group instead of using the subscription i provide to it my service principal has access to the target subscription yaml name apply backup policy backup policy to vm vm name in vault vault name azure azcollection azure rm backupazurevm backup policy id backup policy info id resource group vault rg recovery vault name vault name resource id vm info vms id subscription id subscription id we have confirmed via screenshot that the resource group does belong to the subscription provided via the subscription id parameter in a screenshot expected results like other modules the subscription provided in the subscription id variable should be used but that is not the case with this azure rm backupazurevm actual results removed subscription ids and resource group names for security paste below msg error in creating updating protection for azure vm azure error resourcegroupnotfound nmessage resource group could not be found exception file tmp ansible azure azcollection azure rm backupazurevm payload ansible azure azcollection azure rm backupazurevm payload zip ansible collections azure azcollection plugins modules azure rm backupazurevm py line in enable update protection for azure vm n file tmp ansible azure azcollection azure rm backupazurevm payload ansible azure azcollection azure rm backupazurevm payload zip ansible collections azure azcollection plugins module utils azure rm common rest py line in query n raise exp n invocation module args backup policy id subscriptions resourcegroups providers microsoft recoveryservices vaults recoveryservicesvaultshared backuppolicies defaultpolicy resource group recovery vault name recoveryservicesvaultshared resource id subscriptions resourcegroups providers microsoft compute virtualmachines subscription id auth source auto cloud environment azurecloud api profile latest append tags true state create profile null client id null secret null tenant null ad user null password null cert validation mode null adfs authority url null log mode null log path null certificate path null thumbprint null tags null recovery point expiry time null warnings azure api profile latest does not define an entry for genericrestclient ansible no log null changed false
0
762,408
26,717,717,161
IssuesEvent
2023-01-28 18:43:30
FRCTeam3255/Robot2023
https://api.github.com/repos/FRCTeam3255/Robot2023
opened
Intake Cube Command
Intake Arm High Priority Collector
- Deploy collector - Move intake to collector - Spin intake - Spin collector - Stop collector and intake via switch (back up to proximity sensor) - Detect object via color sensor - Move arm mid shelf - Retract collector - Set LEDs
1.0
Intake Cube Command - - Deploy collector - Move intake to collector - Spin intake - Spin collector - Stop collector and intake via switch (back up to proximity sensor) - Detect object via color sensor - Move arm mid shelf - Retract collector - Set LEDs
non_defect
intake cube command deploy collector move intake to collector spin intake spin collector stop collector and intake via switch back up to proximity sensor detect object via color sensor move arm mid shelf retract collector set leds
0