Fortran compiler

2024-09-16 Thread graziano genuini
Dear Programmer,
   I would like to use The GNU Fortran Compiler.
What do I have to do?
Looking forward to hearing from You please accept my best regards.
Graziano Genuini.


[QGIS-it-user] funzione go2streetview

2024-07-03 Thread Graziano Lucia via QGIS-it-user
Buongiorno, non riesco più a far funzionare il plugin go2streetview,  qualcuno 
mi può aiutare per farlo funzionare di nuovo.
Grazie
Lucia



www.gruppoiren.it

[cid:image001.jpg@01DACDEB.1457D4C0]
  [cid:image002.jpg@01DACDEB.1457D4C0] 
   
[cid:image003.jpg@01DACDEB.1457D4C0]   
 [cid:image004.jpg@01DACDEB.1457D4C0] 
   
[cid:image005.jpg@01DACDEB.1457D4C0] 





Per essere informati sulle novità del Gruppo Iren, vi invitiamo a registrarvi 
alla nostra mailing list, all'indirizzo 
"http://www.gruppoiren.it/"; .

È possibile, inoltre, avanzare nuove idee e progetti per il territorio e 
seguire quelli già attivi nei Comitati Territoriali del Gruppo Iren, 
consultando "http://www.Irencollabora.it";

You can also suggest new ideas and initiatives for the territory and view those 
already active in the Iren Group Territorial Committees 
"http://www.Irencollabora.it";

Le informazioni contenute nella presente comunicazione e i relativi allegati 
possono essere riservate e sono, comunque, destinate esclusivamente alle 
persone o alla Società sopraindicati. La diffusione, distribuzione e/o 
copiatura del documento trasmesso da parte di qualsiasi soggetto diverso dal 
destinatario è proibita, sia ai sensi dell'art. 616 c.p. , che ai sensi del 
D.Lgs. n. 196/2003. Se avete ricevuto questo messaggio per errore, vi preghiamo 
di distruggerlo e di informare immediatamente il mittente.



Le informazioni contenute nella presente comunicazione e i relativi allegati 
possono essere riservate e sono, comunque, destinate esclusivamente alle 
persone o alla Società sopraindicati. La diffusione, distribuzione e/o 
copiatura del documento trasmesso da parte di qualsiasi soggetto diverso dal 
destinatario è proibita, sia ai sensi dell'art. 616 c.p. , che ai sensi del 
D.Lgs. n. 196/2003. Se avete ricevuto questo messaggio per errore, vi preghiamo 
di distruggerlo e di informare immediatamente il mittente.

The information in this e-mail (which includes any files transmitted with it) 
is confidential and may also be legally privileged. It is intended for the 
addressee only. Access to this e-mail by anyone else is unauthorised. It is not 
to be relied upon by any person other than the addressee, except with our prior 
written approval. If no such approval is given, we will not accept any 
liability (in negligence or otherwise) arising from any third party acting. 
Unauthorised recipients are required to maintain confidentiality. If you have 
received this e-mail in error please notify us immediately, destroy any copies 
and delete it from your computer system. Any use, dissemination, forwarding, 
printing or copying of this e-mail is prohibited.

___
This mailing list is been moved to OSGeo's discourse.
To register, please follow this instructions:
https://discourse.osgeo.org/t/welcome-to-osgeo/
To be able to post new topics, join the group:
https://discourse.osgeo.org/g/QGIS-it-user
The category for posting topics is:
https://discourse.osgeo.org/c/qgis/qgis-it-user/

QGIS-it-user mailing list
QGIS-it-user@lists.osgeo.org
https://lists.osgeo.org/mailman/listinfo/qgis-it-user


Re: [sqlalchemy] Issuing Raw SQL and Returning a List of Objects

2023-11-02 Thread Mike Graziano
Hi there,

This is great.  Thanks for adding to the discussion.

Rgds

mjg

On Thursday, November 2, 2023 at 11:13:07 AM UTC-4 mkmo...@gmail.com wrote:

> Hi Mike,
>
> If I understand correctly, you want to work with raw sql and don't want 
> any ORM getting in your way. I'm the same way, and it is trivial to use 
> SQLAlchemy Core for this purpose.
>
> results = conn.execute(text('select foo, bar from 
> baz')).mappings().fetchall()  # mappings().fetchall() returns a list of 
> dict like objects
> for row in results:
> print(row['foo'], row['bar'])
>
> result = conn.execute(text('select foo, bar from baz')).fetchall()  # 
> fetchall() without mappings() returns a list of named tuple like objects
> for row in results:
> print(row.foo, row.bar)
> print(row[0], row[1])
>
> On Thursday, August 24, 2023 at 5:06:11 AM UTC-7 Mike Graziano wrote:
>
>> Hi Simon,
>>
>>  Thanks for responding to my post.  It turns out that MyBatis can do 
>> exactly what you are saying which essentially sounds like a bulk ETL 
>> process.  Again, the key difference is that MyBatis doesn’t require that 
>> the mapping be done with all the DB-specific definitions which I frankly 
>> prefer.  There is a tool, the MyBatis generator, that does exactly this and 
>> I have used it when I didn’t want to write my own mapping files since the 
>> tables had hundreds of fields. 
>>
>> In many cases, you are correct in that I was only loading data.  The data 
>> was retrieved by raw SQL and could involve joins with other tables much as 
>> in a view.  I just needed a data transfer mechanism to translate the SQL 
>> results to a POJO.  Your experience differed in that you did need to create 
>> the tables with your Python code.  I agree that SQLAlchemy is perfect for 
>> that.  I created the tables ahead of time usually with command-line psql 
>> or, as you said, the tables already existed.  In fact, I’d sometimes create 
>> temp tables with the schema of existing tables and I also did that with 
>> command-line psql in a Bash script. 
>>
>> Thanks for your insights.
>>
>>  Rgds
>>
>>  mjg
>>
>> On Wednesday, August 23, 2023 at 12:49:23 PM UTC-4 Simon King wrote:
>>
>>> My perspective: the SQLAlchemy ORM really comes into its own when you 
>>> are making use of its Unit of Work system to load a batch of objects from 
>>> the database, manipulate those objects, and then flush your changes back to 
>>> the database. If you are only *loading* data then you don't need a lot of 
>>> the functionality of the ORM, and you might consider using SQLAlchemy Core 
>>> instead.
>>>
>>> Using SQLAlchemy Core to execute SQL strings is very simple:
>>>
>>> https://docs.sqlalchemy.org/en/20/core/connections.html#basic-usage
>>>
>>> You can use the objects that come back from those calls directly (they 
>>> have attributes named after the columns from the query), or you could 
>>> trivially convert them into instances of some class that you've defined.
>>>
>>> It sounds like the sort of work you do involves writing code to access 
>>> pre-existing databases, in which case writing SQL directly makes a lot of 
>>> sense, and you have no need for the schema-definition parts of SQLAlchemy. 
>>> But there are other classes of application for which the schema-definition 
>>> tools are very useful. I have written many applications for which the 
>>> database didn't already exist, so allowing SQLAlchemy to create the tables 
>>> was the obvious way to go (with Alembic for migrations as the schema 
>>> changed over time). SQLAlchemy also gives a certain amount of independence 
>>> from the underlying database, meaning that I can run most of my tests using 
>>> SQLite despite using Postgres or MySQL in production.
>>>
>>> In summary: use the right tool for the job :-)
>>>
>>> Simon
>>>
>>>
>>> On Mon, Aug 21, 2023 at 6:48 PM Mike Graziano  wrote:
>>>
>>>> Hi Mike,
>>>>
>>>>  
>>>>
>>>> Thanks for that info.  It was just what I needed. I also want to thank 
>>>> you for your YouTube tutorials on SQLAlchemy. They are fantastic.
>>>>
>>>>  
>>>>
>>>> I don’t want to make this a huge post, but I have a real pet peeve 
>>>> concerning ORMs.  I come from a Java background where I used MyBatis as my 
>>>> ORM.  What I love about MyBatis was 
>

Re: [sqlalchemy] Issuing Raw SQL and Returning a List of Objects

2023-08-24 Thread Mike Graziano


Hi Simon,

 Thanks for responding to my post.  It turns out that MyBatis can do 
exactly what you are saying which essentially sounds like a bulk ETL 
process.  Again, the key difference is that MyBatis doesn’t require that 
the mapping be done with all the DB-specific definitions which I frankly 
prefer.  There is a tool, the MyBatis generator, that does exactly this and 
I have used it when I didn’t want to write my own mapping files since the 
tables had hundreds of fields. 

In many cases, you are correct in that I was only loading data.  The data 
was retrieved by raw SQL and could involve joins with other tables much as 
in a view.  I just needed a data transfer mechanism to translate the SQL 
results to a POJO.  Your experience differed in that you did need to create 
the tables with your Python code.  I agree that SQLAlchemy is perfect for 
that.  I created the tables ahead of time usually with command-line psql 
or, as you said, the tables already existed.  In fact, I’d sometimes create 
temp tables with the schema of existing tables and I also did that with 
command-line psql in a Bash script. 

Thanks for your insights.

 Rgds

 mjg

On Wednesday, August 23, 2023 at 12:49:23 PM UTC-4 Simon King wrote:

> My perspective: the SQLAlchemy ORM really comes into its own when you are 
> making use of its Unit of Work system to load a batch of objects from the 
> database, manipulate those objects, and then flush your changes back to the 
> database. If you are only *loading* data then you don't need a lot of the 
> functionality of the ORM, and you might consider using SQLAlchemy Core 
> instead.
>
> Using SQLAlchemy Core to execute SQL strings is very simple:
>
> https://docs.sqlalchemy.org/en/20/core/connections.html#basic-usage
>
> You can use the objects that come back from those calls directly (they 
> have attributes named after the columns from the query), or you could 
> trivially convert them into instances of some class that you've defined.
>
> It sounds like the sort of work you do involves writing code to access 
> pre-existing databases, in which case writing SQL directly makes a lot of 
> sense, and you have no need for the schema-definition parts of SQLAlchemy. 
> But there are other classes of application for which the schema-definition 
> tools are very useful. I have written many applications for which the 
> database didn't already exist, so allowing SQLAlchemy to create the tables 
> was the obvious way to go (with Alembic for migrations as the schema 
> changed over time). SQLAlchemy also gives a certain amount of independence 
> from the underlying database, meaning that I can run most of my tests using 
> SQLite despite using Postgres or MySQL in production.
>
> In summary: use the right tool for the job :-)
>
> Simon
>
>
> On Mon, Aug 21, 2023 at 6:48 PM Mike Graziano  wrote:
>
>> Hi Mike,
>>
>>  
>>
>> Thanks for that info.  It was just what I needed. I also want to thank 
>> you for your YouTube tutorials on SQLAlchemy. They are fantastic.
>>
>>  
>>
>> I don’t want to make this a huge post, but I have a real pet peeve 
>> concerning ORMs.  I come from a Java background where I used MyBatis as my 
>> ORM.  What I love about MyBatis was 
>>
>>  
>>
>> -   I could use raw SQL which I personally feel is superior.  My 
>> argument here is simple: Why learn another “language” for issuing SQL 
>> statements when we have already spent a fair amount of time learning SQL.  
>> Also, raw SQL is easily testable with either command line or GUI tools?
>>
>> -   The ORM should just use the mapped models in order to execute SQL 
>> using mapping that in and of themselves doesn’t/shouldn’t care about the 
>> tables.  Unless you are creating a table with the ORM which I have found to 
>> be rare, the ORM shouldn’t care about the table structure other than field 
>> names with the possibility of aliases and data types.  Why define more than 
>> what we need in order to populate a plain old object (POO – language 
>> agnostic).  Why include characteristics like primary key, nullability, 
>> etc?  Some Pydantic-like validation is handy, but can be table agnostic.  
>> Let’s extract the data via SQL and return POOs.  In that regard, I liken 
>> the ORM to a Data Transfer Object (DTO).
>>
>> -   As I have already mentioned, how often do you really use an 
>> application to create tables.  Often, they already exist.  Furthermore, it 
>> is just more natural to use command‑line SQL or a GUI to create the 
>> tables.  In fact, it is not uncommon to use a GUI like PgAdmin or DBeaver 
>> to create the database elements that you need and then use that tool to 
>> derive

Re: [sqlalchemy] Issuing Raw SQL and Returning a List of Objects

2023-08-21 Thread Mike Graziano


Hi Mike,

 

Thanks for that info.  It was just what I needed. I also want to thank you 
for your YouTube tutorials on SQLAlchemy. They are fantastic.

 

I don’t want to make this a huge post, but I have a real pet peeve 
concerning ORMs.  I come from a Java background where I used MyBatis as my 
ORM.  What I love about MyBatis was 

 

-   I could use raw SQL which I personally feel is superior.  My argument 
here is simple: Why learn another “language” for issuing SQL statements 
when we have already spent a fair amount of time learning SQL.  Also, raw 
SQL is easily testable with either command line or GUI tools?

-   The ORM should just use the mapped models in order to execute SQL using 
mapping that in and of themselves doesn’t/shouldn’t care about the tables.  
Unless you are creating a table with the ORM which I have found to be rare, 
the ORM shouldn’t care about the table structure other than field names 
with the possibility of aliases and data types.  Why define more than what 
we need in order to populate a plain old object (POO – language agnostic).  
Why include characteristics like primary key, nullability, etc?  Some 
Pydantic-like validation is handy, but can be table agnostic.  Let’s 
extract the data via SQL and return POOs.  In that regard, I liken the ORM 
to a Data Transfer Object (DTO).

-   As I have already mentioned, how often do you really use an application 
to create tables.  Often, they already exist.  Furthermore, it is just more 
natural to use command‑line SQL or a GUI to create the tables.  In fact, it 
is not uncommon to use a GUI like PgAdmin or DBeaver to create the database 
elements that you need and then use that tool to derive all sorts of 
scripts to perform common activities such as backup, restore, etc. that can 
be scheduled.

 

There is a very handy Java framework call BeanIO ( http://beanio.org/) that 
I feel exemplifies the points I am trying to make.  With BeanIO, it is 
possible to extract data from a variety of file formats and populate 
POJOs.  BeanIO is only interested in the layout of the data. It is a 
convenience framework that allows for OOP design of an application.  I feel 
that MyBatis does this also.  It has substantial DB integration, but 
strives to connect the POJO to the database without enforcing design.  
Using so-called Entity’s enforces a design that ORMs should not be forced 
to obey if all you are looking for is a translation from SQL to a POO.

 

Once again, thanks for you help and sorry for my ranting, but as I’ve said 
I have a pet peeve with ORMs that are enforcing more than I think is 
necessary to translate SQL to a POO.

On Thursday, August 17, 2023 at 8:04:58 PM UTC-4 Mike Bayer wrote:

> the raw SQL to ORM mapping pattern has a lot of limitations but it is 
> documented at 
> https://docs.sqlalchemy.org/en/20/orm/queryguide/select.html#getting-orm-results-from-textual-statements
>  
> .
>
>
>
> On Thu, Aug 17, 2023, at 4:26 PM, Mike Graziano wrote:
>
> To all,
>
> I am new to Python and SQLAlchemy.  I was a Java developer who used the 
> MyBatis ORM.  I was using PONY ORM for a while, but was concerned that 
> SQLAlchemy is the gold standard for ORMs and Python, but there is something 
> about MyBatis that I can't seem to find in SQLAlchemy, but maybe I have not 
> googled enough.
>
> In short, I don't want to use SQLAlchemy's select.  I want to issue raw 
> SQL and have SQLAlchemy's ORM capability populate a collection of objects. 
>  That may not be pythonic, but I'd like to know how to do it with 
> declarative mapping.  Is it possible and, if so, I'd love to see an 
> example.  
>
> Thx & rgds
>
> mjg
>
>
> -- 
> SQLAlchemy - 
> The Python SQL Toolkit and Object Relational Mapper
>  
> http://www.sqlalchemy.org/
>  
> To post example code, please provide an MCVE: Minimal, Complete, and 
> Verifiable Example. See http://stackoverflow.com/help/mcve for a full 
> description.
> --- 
> You received this message because you are subscribed to the Google Groups 
> "sqlalchemy" group.
> To unsubscribe from this group and stop receiving emails from it, send an 
> email to sqlalchemy+...@googlegroups.com.
> To view this discussion on the web visit 
> https://groups.google.com/d/msgid/sqlalchemy/17383085-4a83-49d0-bf0a-1653552b7d59n%40googlegroups.com
>  
> <https://groups.google.com/d/msgid/sqlalchemy/17383085-4a83-49d0-bf0a-1653552b7d59n%40googlegroups.com?utm_medium=email&utm_source=footer>
> .
>
>
>

-- 
SQLAlchemy - 
The Python SQL Toolkit and Object Relational Mapper

http://www.sqlalchemy.org/

To post example code, please provide an MCVE: Minimal, Complete, and Verifiable 
Example.  See  http://stackoverflow.com/help/mcve for a full description.
--- 
You received this message because you are subscribed to the 

[sqlalchemy] Issuing Raw SQL and Returning a List of Objects

2023-08-17 Thread Mike Graziano
To all,

I am new to Python and SQLAlchemy.  I was a Java developer who used the 
MyBatis ORM.  I was using PONY ORM for a while, but was concerned that 
SQLAlchemy is the gold standard for ORMs and Python, but there is something 
about MyBatis that I can't seem to find in SQLAlchemy, but maybe I have not 
googled enough.

In short, I don't want to use SQLAlchemy's select.  I want to issue raw SQL 
and have SQLAlchemy's ORM capability populate a collection of objects. 
 That may not be pythonic, but I'd like to know how to do it with 
declarative mapping.  Is it possible and, if so, I'd love to see an 
example.  

Thx & rgds

mjg

-- 
SQLAlchemy - 
The Python SQL Toolkit and Object Relational Mapper

http://www.sqlalchemy.org/

To post example code, please provide an MCVE: Minimal, Complete, and Verifiable 
Example.  See  http://stackoverflow.com/help/mcve for a full description.
--- 
You received this message because you are subscribed to the Google Groups 
"sqlalchemy" group.
To unsubscribe from this group and stop receiving emails from it, send an email 
to sqlalchemy+unsubscr...@googlegroups.com.
To view this discussion on the web visit 
https://groups.google.com/d/msgid/sqlalchemy/17383085-4a83-49d0-bf0a-1653552b7d59n%40googlegroups.com.


[Assp-test] ASSP and chatgpt

2023-03-06 Thread Graziano via Assp-test

Hi

using a chatGPT API Perl module ( 
https://dev.to/davorg/writing-a-cpan-module-that-talks-to-chatgpt-gb5 ) with 
ASSP
to check every single email (chatgpt plus account should be required) could be 
an idea ?

Graziano
___
Assp-test mailing list
Assp-test@lists.sourceforge.net
https://lists.sourceforge.net/lists/listinfo/assp-test


Re: [Assp-test] Unable to create UDP Socket errors

2022-11-23 Thread Graziano via Assp-test

Hi

I have this issue too , using

Centos 7.9 , Perl 5.36.0 , ASSP b22293

however apparently all is working ok in ASSP (all DNS checks are working)

Hi all,

I'm running ASSP on CENTOS 7, with Perl 5.30.1. I recently upgraded from b22137 
to b22318.

Shortly afterwards, I'm seeing a new error from ASSP every few minutes:

[Worker_1] Error: DNS - unable to create any UDP socket to nameservers 
(1.1.1.10 111.111.111.22)

* Not my actual DNS servers (I tested with Google public DNS and get the same 
result)

As far as I can tell, mail is still working ok, and all ASSP features seem 
fine, even my DNSBL and URIBL are apparently still working.

This has been rather difficult to troubleshoot, but `ss -tulpn` doesn't show 
anything excessive or unexpected as far as UDP usage.

I did note that the CENTOS bind packages did see an update installed around 
this time as well. There was also a new kernel package installed. Perhaps there 
was a change in the behavior of that software that ASSP is having trouble 
dealing with?

I'm looking for ideas for continuing to troubleshoot this, and also wondering 
if anyone else is seeing anything similar.

-C



___
Assp-test mailing list
Assp-test@lists.sourceforge.net
https://lists.sourceforge.net/lists/listinfo/assp-test


___
Assp-test mailing list
Assp-test@lists.sourceforge.net
https://lists.sourceforge.net/lists/listinfo/assp-test


[ccp4bb] Postdoctoral position at CIBIO - Italy

2022-10-20 Thread Graziano Lolli

A postdoctoral position is available in the Laboratory of Protein 
Crystallography - CIBIO - University of Trento, Italy. The project aims to 
generate new classes of tool compounds for cancer drug discovery. Candidates 
should have a PhD in a relevant subject area and experience in protein 
expression and purification. Experience in one or more of the following is an 
advantage:

- Protein crystallization / X-ray crystallography

- Structural/functional analyses using biochemical/biophysical techniques

- Mammalian cell culture and high-throughput/high content screening

- Molecular docking


If interested, please email your CV, a description of past research 
experiences, and 2 references to graziano.lo...@unitn.it 
<mailto:graziano.lo...@unitn.it>

Additional information on the lab can be found at: 
http://www.cibio.unitn.it/504/protein-crystallography-and-structure-based-drug-design
 
<http://www.cibio.unitn.it/504/protein-crystallography-and-structure-based-drug-design>


Additional information on CIBIO can be found at: http://www.cibio.unitn.it/ 
<http://www.cibio.unitn.it/>



Best regards,
Graziano


To unsubscribe from the CCP4BB list, click the following link:
https://www.jiscmail.ac.uk/cgi-bin/WA-JISC.exe?SUBED1=CCP4BB&A=1

This message was issued to members of www.jiscmail.ac.uk/CCP4BB, a mailing list 
hosted by www.jiscmail.ac.uk, terms & conditions are available at 
https://www.jiscmail.ac.uk/policyandsecurity/


[QGIS-it-user] richiesta informazioni su come aggiornare un campo

2022-06-10 Thread Graziano Lucia
Buonasera a tutti.

Mi piacerebbe  aggiornare un campo mentre ne scrivo un altro si può fare?  E se 
si può fare, qualcuno mi  spiega come fare

GRAZIE mille  Lucia


vorrei  che mentre io aggiorno  il campo giorno in automatico mi aggiorni anche 
il giorno edit


Tabella
giorno
giorno edit


4
null


3
null


2
null


1
null



per cui se al posto del 4  inserisco 6  vorrei che all'interno del giorno edit 
mi metta  il valore nuovo  che io sto dando al  campo giorno
giorno
giorno edit
6
6
in automatico mentre vado a scrivere su giorno  mi  aggiorna anche giorno edit
3
null
2
null
1
null







-Messaggio originale-
Da: QGIS-it-user  Per conto di 
qgis-it-user-requ...@lists.osgeo.org
Inviato: lunedì 6 giugno 2022 21:00
A: qgis-it-user@lists.osgeo.org



Per essere informati sulle novità del Gruppo Iren, vi invitiamo a registrarvi 
alla nostra mailing list, all'indirizzo 
"http://www.gruppoiren.it/"; .

È possibile, inoltre, avanzare nuove idee e progetti per il territorio e 
seguire quelli già attivi nei Comitati Territoriali del Gruppo Iren, 
consultando "http://www.Irencollabora.it";

You can also suggest new ideas and initiatives for the territory and view those 
already active in the Iren Group Territorial Committees 
"http://www.Irencollabora.it";

Le informazioni contenute nella presente comunicazione e i relativi allegati 
possono essere riservate e sono, comunque, destinate esclusivamente alle 
persone o alla Società sopraindicati. La diffusione, distribuzione e/o 
copiatura del documento trasmesso da parte di qualsiasi soggetto diverso dal 
destinatario è proibita, sia ai sensi dell'art. 616 c.p. , che ai sensi del 
D.Lgs. n. 196/2003. Se avete ricevuto questo messaggio per errore, vi preghiamo 
di distruggerlo e di informare immediatamente il mittente.



Le informazioni contenute nella presente comunicazione e i relativi allegati 
possono essere riservate e sono, comunque, destinate esclusivamente alle 
persone o alla Società sopraindicati. La diffusione, distribuzione e/o 
copiatura del documento trasmesso da parte di qualsiasi soggetto diverso dal 
destinatario è proibita, sia ai sensi dell'art. 616 c.p. , che ai sensi del 
D.Lgs. n. 196/2003. Se avete ricevuto questo messaggio per errore, vi preghiamo 
di distruggerlo e di informare immediatamente il mittente.

The information in this e-mail (which includes any files transmitted with it) 
is confidential and may also be legally privileged. It is intended for the 
addressee only. Access to this e-mail by anyone else is unauthorised. It is not 
to be relied upon by any person other than the addressee, except with our prior 
written approval. If no such approval is given, we will not accept any 
liability (in negligence or otherwise) arising from any third party acting. 
Unauthorised recipients are required to maintain confidentiality. If you have 
received this e-mail in error please notify us immediately, destroy any copies 
and delete it from your computer system. Any use, dissemination, forwarding, 
printing or copying of this e-mail is prohibited.

___
QGIS-it-user mailing list
QGIS-it-user@lists.osgeo.org
https://lists.osgeo.org/mailman/listinfo/qgis-it-user


Re: [NetBehaviour] Yuk! Cancer...

2022-02-10 Thread Graziano Milano via NetBehaviour
Dear Marc,

Hopefully the three months curable process will be successful and you will
fully recover.

Scientific studies examined how it is possible to act through diet and
lifestyle in order to prevent many non-communicable diseases like cancer.
Here are some recommendations developed by Professor Valter Longo thanks to
thirty years of research:
https://www.fondazionevalterlongo.org/en/longevity_articles/cancer-prevention-diet-and-lifestyle-the-longevity-diet-to-prevent-cancer/

Dr. Valter Longo is a Gerontology and Biological Sciences Professor and the
Director of the Longevity Institute at the University of Southern
California–Leonard Davis School of Gerontology in Los Angeles, one of the
leading centers for research on aging and age-related disease. Dr. Longo is
also the Director of the Longevity and Cancer Program at the Institute of
Molecular Oncology (IFOM) in Milan, Italy.

All the best,
Graziano

On Thu, 10 Feb 2022 at 01:55, abram stern via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> briefly unlurking for a rare moment. take care & best wishes, Marc.
>
> all the best,
> abram (aphid)
>
> On Wed, Feb 9, 2022 at 2:43 AM marc garrett via NetBehaviour <
> netbehaviour@lists.netbehaviour.org> wrote:
>
>> Dear friends and associates on Netbehaviour,
>>
>> Last Wednesday I was diagnosed with stage 2 cancer in the form of lesions
>> around the neck, ear and throat - on the right side of my head. The
>> hospital crew dealing with my cancer say it's curable but they need to
>> begin the process immediately. It will involve an intense three months.
>> They will use radiotherapy and chemotherapy on me. It's going to be really
>> rough, already horrible things have happened. It will take about three
>> weeks to set it all up, and then visiting the hospital every day for six
>> weeks with radiotherapy and chemotherapy, ugh!
>>
>> I am officially on sick leave for the next three months regarding
>> Furtherfield matters, but I will pop up (hopefully) every now and then with
>> certain projects that are underway - especially the new book which is out
>> very soon, called 'Frankenstein Reanimated: Art & Life in the 21st Century.
>> Edited by Marc Garrett and Yiannis Colakides', to be published on Torque.
>>
>> Rather than telling everyone individually, it felt easier to mention it
>> here. A warm thanks for the love already that people have expressed in my
>> direction.
>>
>> Apologies if I do not respond to questions - I'm sure you'll appreciate
>> that I'll likely be too unwell to interact.
>>
>> Wishing you well.
>>
>> Marc
>> ---
>>
>> DR Marc Garrett - https://marcgarrett.org/
>> Furtherfield - http://www.furtherfield.org
>> DECAL - http://decal.is/
>> Bio - https://marcgarrett.org/bio/
>> CV - https://marcgarrett.org/cv/
>> ___
>> NetBehaviour mailing list
>> NetBehaviour@lists.netbehaviour.org
>> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>>
>
>
> --
> Abram Stern (aphid)
> *he/him/his *or *they/them/theirs*
> PhD Candidate, Film and Digital Media
> University of California, Santa Cruz
> located on the unceded territory of the Awaswas-speaking Uypi Tribe.
>
> ap...@ucsc.edu // a...@aphid.org ⚛ // (831) 224-0334 <2883129202240334>
> (mobile/signal)
> ___
> NetBehaviour mailing list
> NetBehaviour@lists.netbehaviour.org
> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


[frameworks-kirigami] [Bug 429027] System Settings segmentation faulted in KCModuleProxyPrivate::loadModule()

2022-01-09 Thread Frank Graziano
https://bugs.kde.org/show_bug.cgi?id=429027

--- Comment #51 from Frank Graziano  ---
Created attachment 145263
  --> https://bugs.kde.org/attachment.cgi?id=145263&action=edit
New crash information added by DrKonqi

systemsettings5 (5.23.4) using Qt 5.15.2

- What I was doing when the application crashed:
It crashes when I try to open any settings applet.

-- Backtrace (Reduced):
#6  0x7f2fe7e97bea in QPixmapStyle::scrollBarSubControlRect
(this=, option=0x55d5170c7f60, sc=QStyle::SC_ScrollBarGroove) at
styles/qpixmapstyle.cpp:1139
#7  0x7f2f9ad10f31 in KQuickStyleItem::subControlRect
(subcontrolString=..., this=0x55d5170c4480) at
/usr/src/debug/qqc2-desktop-style-5.89.0-1.2.x86_64/plugin/kquickstyleitem.cpp:1494
#8  KQuickStyleItem::qt_static_metacall (_o=0x55d5170c4480, _c=,
_id=, _a=0x7fff6cdc2e20) at
/usr/src/debug/qqc2-desktop-style-5.89.0-1.2.x86_64/build/plugin/qqc2desktopstyleplugin_autogen/include/moc_kquickstyleitem_p.cpp:400
#9  0x7f2f9ad13a0b in KQuickStyleItem::qt_metacall (this=0x55d5170c4480,
_c=QMetaObject::InvokeMetaMethod, _id=39, _a=0x7fff6cdc2e20) at
/usr/src/debug/qqc2-desktop-style-5.89.0-1.2.x86_64/build/plugin/qqc2desktopstyleplugin_autogen/include/moc_kquickstyleitem_p.cpp:776
#10 0x7f2fe5f5fead in QQmlObjectOrGadget::metacall
(this=this@entry=0x7fff6cdc30b0, type=type@entry=QMetaObject::InvokeMetaMethod,
index=, index@entry=86, argv=) at
/usr/src/debug/libqt5-qtdeclarative-5.15.2+kde36-1.3.x86_64/src/qml/qml/qqmlobjectorgadget.cpp:51

-- 
You are receiving this mail because:
You are watching all bug changes.

[frameworks-kirigami] [Bug 429027] System Settings segmentation faulted in KCModuleProxyPrivate::loadModule()

2022-01-09 Thread Frank Graziano
https://bugs.kde.org/show_bug.cgi?id=429027

Frank Graziano  changed:

   What|Removed |Added

 CC||frankg...@gmail.com

-- 
You are receiving this mail because:
You are watching all bug changes.

Re: [NetBehaviour] Your Vote is Important to the People's Park Plinth! ✨🗳

2021-08-31 Thread Graziano Milano via NetBehaviour
Hi Ruth,

I’ve been trying to vote this afternoon using both my Smartphone and iMac a
few times. But after clicking the “begin voting” tab it showed “Something
went wrong” so it was not possible to vote. My favorite digital artwork of
the People’s Park Plinth is “Based on a Tree Story”.

Graziano


On Mon, 30 Aug 2021 at 13:18, Ruth Catlow via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> Thanks sooo much Helen!
> 🌟
>
> On Mon, Aug 30, 2021 at 12:00 PM Helen Varley Jamieson <
> he...@creative-catalyst.com> wrote:
>
>> done :)
>> On 30.08.21 20:47, Ruth Catlow via NetBehaviour wrote:
>>
>> Thanks for letting me know Helen!
>> Take a look now.
>>
>> Because we are still in Beta... there are still a few wrinkles to iron
>> out : /
>> Very happy to help anyone else that gets stuck - we want your votes
>> x
>>
>> On Mon, Aug 30, 2021 at 12:21 AM Helen Varley Jamieson <
>> he...@creative-catalyst.com> wrote:
>>
>>> hmm, i guess i must have deleted it; i registered the other day but
>>> never saw a token. i'm unable to keep up with my lists for a while so have
>>> been randomly deleting stuff ... :/
>>> On 30.08.21 03:05, Ruth Catlow via NetBehaviour wrote:
>>>
>>> Lovely writing and very appreciative of your ongoing attention Max.
>>>
>>> If any others here haven't yet voted...you can look at the work and
>>> register here https://peoplesparkplinth.org/ until Tuesday 31st.
>>> Registration closes at 8.30pm and then the vote closes at 12 midnight.
>>> BST
>>>
>>> We are discovering a few wrinkles 
>>> If you already registered or are a subscriber to Furtherfield then your
>>> token has already been delivered to you by email with the subject header
>>> “It’s Time to Vote for the People’s Park Plinth at Furtherfield Gallery”.
>>> Please check in your inbox (and spam folders).
>>>
>>> Warmly
>>> Ruth
>>>
>>>
>>>
>>>
>>>
>>>
>>>
>>> On Thu, Aug 26, 2021 at 5:51 PM Max Herman 
>>> wrote:
>>>
>>>>
>>>> Hi Ruth,
>>>>
>>>> I just finished voting and think this is a fantastic concept and
>>>> framework.  The participatory nature of it is so important for sustainable
>>>> and resilient art community.  Mammoth frameworks of big-data algorithms and
>>>> high-dollar collector transactions simply don't do certain things that are
>>>> well worth doing.  Perhaps these omitted processes may be even more than
>>>> just worth doing, but simply necessary for that which we call aesthetic
>>>> culture to thrive.
>>>>
>>>> It's so easy to forget that the big-name objects collecting mega-price
>>>> transactions started off as people hanging out in coffee shops speculating
>>>> about art and life and literature and participating actively,
>>>> experimenting, with little or no audience and on a shoestring.  It's
>>>> equally easy to forget that we are all writing and revising our own inner
>>>> algorithms so to speak, our choices and plans and modes of experience, all
>>>> day every day whether we do so consciously or not.
>>>>
>>>> One aspect of Leonardo which I have found so surprising is his genuine
>>>> sense of his own transience.  He very much wanted for his work to be
>>>> preserved over time -- given the hostility to all art and science that our
>>>> daily crises can foster by default -- but he understood perhaps even better
>>>> than we do the limits of fame, immortality, and adulation.  He wrote, "Once
>>>> daylight appears, we can put out the lamp we lit to see in the dark."  It's
>>>> a metaphor of course -- he wasn't trying to help us with our literal home
>>>> lighting decisions -- and one that makes the most sense to me in a context
>>>> of knowledge-sharing, the metamorphic nature of art, and the transient
>>>> cyclical nature of aesthetic value.  Trying to freeze such transience he
>>>> knew would merely lead to oversized edifices of diminishing function and,
>>>> paradoxically, increasing instability as the massive structures lose
>>>> proportionality to place, time, people, nature, and so on.
>>>>
>>>> Thanks again for sharing this great work on list.  The in-person event
>>>> sounds like it was even more excellent!
>>>>
>>>&

Re: [Elecraft] Drift on 6 meters

2021-07-27 Thread Graziano Roccon (IW2NOY)

Dunno why
but is the P3 figure that is drifting, not the radio.
Stay there and you will see the figure going left and at last stabilize, 
but the signal (audio and frequency) and the radio will remain exactly 
there.
Happen only one time with a switch on from cold, after will never 
happen.


A big mistery.

Graziano iw2noy


Il 27/07/2021 16:20 Pete Smith N4ZR ha scritto:

I've just started experimenting with WSJT-X on 6M, and notice that on
the waterfall signals seem to drift slightly over the first 3-4
minutes.  It's a matter of just a few Hz, and seems to stop after that
- I'm just wondering if this is normal or reason for any concern.

--
73, Pete N4ZR
Check out the new Reverse Beacon Network
web server at <http://beta.reversebeacon.net>.
For spots, please use your favorite
"retail" DX cluster.

__
Elecraft mailing list
Home: http://mailman.qth.net/mailman/listinfo/elecraft
Help: http://mailman.qth.net/mmfaq.htm
Post: mailto:Elecraft@mailman.qth.net

This list hosted by: http://www.qsl.net
Please help support this email list: http://www.qsl.net/donate.html
Message delivered to grazi...@roccon.com

__
Elecraft mailing list
Home: http://mailman.qth.net/mailman/listinfo/elecraft
Help: http://mailman.qth.net/mmfaq.htm
Post: mailto:Elecraft@mailman.qth.net

This list hosted by: http://www.qsl.net
Please help support this email list: http://www.qsl.net/donate.html
Message delivered to arch...@mail-archive.com 

Re: [NetBehaviour] DHSI TALK 2016 RIVERRUN THEORY DHSI

2021-07-25 Thread Graziano Milano via NetBehaviour
Hi Max,

The Digital Dante <https://digitaldante.columbia.edu> website by Columbia
University (New York) offers original research and ideas on Dante: on his
thought and work and on various aspects of his reception.

The Text section features original research of a text-focused nature and it
also houses a select library of Dante’s works in their original Italian, as
well as English translations.
https://digitaldante.columbia.edu/text/

The Bookshelf section houses Dante’s *Convivio* and *Vita Nuova* in their
original Italian, as well as English translations by Richard Lansing and
Andrew Frisardi.
https://digitaldante.columbia.edu/text/library/

*The Divine Comedy* section features the Petrocchi edition of the Italian
text, the Longfellow and Mandelbaum English translations, historical
images, audio recording and the Commento Baroliniano.
https://digitaldante.columbia.edu/dante/divine-comedy/

Graziano

On Sun, 25 Jul 2021 at 18:51, Max Herman via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

>
> Thank you for saying so Alan!  If only I did more of it.  🙂
>
> Finding interesting material about Joyce's self-definition as a "poetic
> engineer," making machine-like poems to engage the "machine age," etc.,
> germane to several topics of late so I should probably lapse into study
> mode awhile and would love to hear from any actual experts on the list!
>
> --
> *From:* NetBehaviour  on
> behalf of Alan Sondheim via NetBehaviour <
> netbehaviour@lists.netbehaviour.org>
> *Sent:* Sunday, July 25, 2021 12:28 PM
> *To:* NetBehaviour for networked distributed creativity <
> netbehaviour@lists.netbehaviour.org>
> *Cc:* Alan Sondheim 
> *Subject:* Re: [NetBehaviour] DHSI TALK 2016 RIVERRUN THEORY DHSI
>
> Honest to God, I have Noh Idea!
>
> You should tell us, you do amazing close reading!
>
> Best, Alan
>
> On Sun, Jul 25, 2021 at 1:18 PM Max Herman via NetBehaviour <
> netbehaviour@lists.netbehaviour.org> wrote:
>
>
> Hi Alan,
>
> I am curious about the Four Thunders.  Might they compare at all to the
> following "modes of reading" which Dante expounds in *Convivio *II, in
> order to explain Ode 1?  (I am very unused to Dante's curious habit in *La
> Vita Nuova* and *Il Convivio* of writing a poem, then explaining what it
> means in prose, then another poem, another explanation, etc., not unlike a
> workshop or curricular method ironically!  Therefore I cast about trying to
> decipher Ode 1 without even reading the following page that explains it.)
>
> *Convivio *II.i states:
>
> "I say that, as was told in the first chapter, this exposition must be
> both literal and allegorical; and that this may be understood it should be
> known that writings may be taken and should be expounded chiefly in four
> senses.  The first is called the literal, and it is the one that extends no
> further than the letter as it stands; the second is called the allegorical,
> and it is the one that hides itself under the mantle of these tales, and is
> a truth hidden under beauteous fiction.  As when Ovid says that Orpheus
> with his lyre made wild beasts tame and made trees and rocks reproach him;
> which would say that the wise person with the instrument of their voice
> maketh cruel hearts tender and humble; and moveth to their will such as
> have not the life of science and of art; for they that have not the
> rational life are as good as stones.  And why this way of hiding was
> devised by the sages will be shown in the last treatise but one.  It is
> true that the theologians take this sense otherwise than the poets do, but
> since it is my purpose here to follow the method of the poets I shall take
> the allegorical sense after the use of the poets.  The third sense is
> called moral, and this is the one that lecturers should go intently noting
> throughout the scriptures for their own behoof and that of their
> disciples.  Thus we may note in the Gospel, when Christ ascended the
> mountain for the transfiguration, that of the twelve apostles he took but
> three; wherein the moral may be understood that in the most secret things
> we should have but few companions.  The fourth sense is called the
> 'anagogical,' that is to say 'above the sense'; and this is when a
> scripture is spiritually expounded which even in the literal sense, by the
> very things it signifies, signifies again some portion of the supernal
> things"
>
> My apologies for citing this passage given that it mentions so many
> hot-button topics, nor do I wish in any way to condone the atrocities of
> medieval patriarchy which continue in strong force today, but to some
> degree in order to understand the Renai

Re: [NetBehaviour] analogy and AI poetry

2021-07-23 Thread Graziano Milano via NetBehaviour
Dear All,

Alan Sonfist’s *Time Landscape* was his first historical sculpture to
introduce a key environmentalist idea of bringing nature back into the
urban environment as part of Environmental Art. Another amazing artwork by
Alan Sonfist is *Circle of Time* (1986-89) based in Florence, probably
close to where Leonardo Da Vinci was born and grew up.

*Environmental Art* is a range of artistic practices encompassing both
historical approaches to nature in art and more ecological and politically
motivated types of works. More info about Environmental Art and artists
involved in it is here: https://en.wikipedia.org/wiki/Environmental_art

The V&A Museum has in its collections five of Leonardo da Vinci's
notebooks. On its website page – Leonardo da Vinci: Experience, Experiment,
Design
<http://www.vam.ac.uk/content/articles/l/leonardo-da-vinci-experience-experiment-design/>
– the V&A says that:

“For Leonardo, sight was the noblest and most certain sense. It provided
access to 'experience', which shows us how nature works according to
mathematical rules. Any knowledge that could not be certified by the eye
was unreliable. He investigated the relationship of the eye to the brain.
He proposed a system in which visual information was transmitted to the
intellect via the receptor of impressions and the 'common sense', an area
where all sensory inputs were coordinated.”

That's how our Naturalist Intelligence works and develops our creativity.
Here our 9 Essential Skills of Naturalist Intelligence (And How They Help
Us):

*1.* Observation
*2.* Pattern Recognition
*3.* Sensory Awareness
*4.* Empathy
*5.* Mental Clarity
*6.* Critical Thinking
*7.* Curiosity & Investigative Ability
*8.* Appreciation & Respect For Nature
*9.* Care-taking & Stewardship

More detailed info about these 9 Essential Skills of Naturalist
Intelligence: https://nature-mentor.com/naturalist-intelligence-skills/

But our natural environment is now under threat as temperatures rise and
pollution increases, wildfires, floods and extreme winds have battered many
parts of the world in the last six months. You can see 50 photos of recent
extreme weather around the world here:
https://www.theguardian.com/world/gallery/2021/jul/19/climate-crisis-weather-around-world-in-pictures-wildfires-floods-winds

That's really terrible as many people died and our natural environment is
under threat.

Regards,
Graziano

On Tue, 20 Jul 2021 at 05:26, Alan Sondheim via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> I think you could find a lot of info on Sonfist's work. I don't think
> 'rewilding' was used at the time. It was a landscape reflecting earlier
> times when there was a different ecology. It's still there and quite
> beautiful, fenced off near NYU. You don't enter it.
>
> Watching a lot of narrow boat and urban archeologists treading the English
> landscape, all those narrow corridors between, among fields, that seem
> intensely wild and elsewhere, amazing. And amazing, not trashed, unlike
> places, say in RI, where plastic and other garbage is often found, even
> parts of cars. There are still shorelines that look pristine but the
> ecology's deeply stressed.
>
> I never thought of Sonfist as a research artist per se, but as someone,
> like another alan, Alan Saret, creating a kind of grace... even a
> possibility of becoming
>
> - Alan
>
> On Mon, Jul 19, 2021 at 4:21 PM Johannes Birringer via NetBehaviour <
> netbehaviour@lists.netbehaviour.org> wrote:
>
>>
>> dear all,
>> after the floods i am catching up with this very interesting discussion
>> on AI and other imaginary intelligences and Esperienza, but am trying to
>> find a connection to Finsbury Park since Alan asked about it:
>>
>> before leaving London to travel to southwest Germany and my valley
>> studio, I spend an evening jogging with a friend on the Parkland Walk
>> (south), starting at Finsbury Park, onto the footpath that leads through an
>> amazing local nature reserve towards Highgate, and one can discover
>> luscious plants, wildlife, birds, all sorts of insects ad critters, and
>> interesting features like old railway platforms and bridges.. i was
>> surprised as I imagined being in the middle of London but i was apparently
>> in a kind of narrow forest area, not an urwald, but charming, leafy and
>> obviously very popular (that June night there were innumerable joggers,
>> flâneurs, lovers, dog walkers, bicyclists). Finsbury Park itself looked
>> more orderly, louder, there were courts where young people were playing
>> ball games to vibrant reggae music
>>
>> I don't know 'Time Landscape' and what Alan Sonfist  created in the
>> Greenwich Village P

Re: [NetBehaviour] analogy and AI poetry

2021-07-16 Thread Graziano Milano via NetBehaviour
Hi Eryk & all,

Here is the other video by the The Centre4NI:
The secret to innovation is NI (why biology will save us)
<https://vimeo.com/501683043>

The Centre4NI <https://www.centre4ni.com> says on its website that:
“Natural Intelligence is the intelligence that is as old as time. It knows
what works, what lasts and what contributes to the future of life on Earth.
It is the driver behind 3.8 billion years of continuous innovation,
adaptation and, ultimately, regeneration. It is what enables nature to
survive and thrive – despite limited resources and endless change and
disruption. Tapping into NI is how we shift from tragedy to prosperity and
build businesses, organisations and institutions that foster a healthier,
wealthier and more viable future.”

They could add that "Natural Intelligence has also built and will carry on
building our artistic human creativity because as Da Vinci said *Nature is
the source of all true knowledge.*"

Graziano


On Fri, 16 Jul 2021 at 14:20, Eryk Salvaggio via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:
>
> Max, Paul & all;
>
> Thanks for all the thought-provoking links, everyone.
>
> Sometimes there are shades of panic in the way I see AI art. It’s like
the machine is getting deep into my psyche, colonizing the culture as data
and spitting something out that barely resembles art or beauty or play. I
think that reflects the weaponized ideology of broader data practices
today: this is exactly what machine learning is doing, often to
catastrophic results. And much of that comes from how we imagine the links
between our imaginations and the machine’s “imagination.”
>
> The machine’s "imagination" (whatever happens in "latent space," which
seems to be the term we're using) is reaching to find patterns and
relationships, even when such patterns and relationships may not exist. We
hope that the way we take art into our minds is something different. But I
don’t know for sure.
>
> At the moment, I can only respond to this machine “imagination” in the
same way that we find meaning within a human-produced painting, or poem, or
film, or television advertisement. We imagine ourselves within those
worlds. We do this within our private mental spaces, but we hand over some
internal control to the artists, poets, or marketing agencies. When we do,
our story and their stories become temporarily intertwined with something
external. Whether we are being manipulated by poets or design houses, we
know it was human, and trying to meet us.
>
> With few exceptions, even the most alienating and experimental of these
communication forms are shaped by that desire for human comprehension.
Machines, in simulating art, do so without any desire to connect or
reassure us. The machine is not concerned with being understood, because it
doesn’t, and cannot, understand. It’s the cold indifference of a machine.
In the distance between us and it, we project all that we fear from the
Other: infallible, all-knowing, all-aware — and so we imagine the very
things that make them so frightening. I am used to the sense that the
screen is always there to take something from me, package it up, and offer
it back through the recommendation of some distant system. So, I am also
bringing that to my interactions with the system, in how I interpret
(imagine) what it is doing. Generative art systems don't "do this," I do it
to them.
>
> The uncanniness — that close-but-not-quite-human quality of machine
generated text and images — is a different way of intermingling
imaginations because we imagine it to be different. The image quality is
not so clear, and so the limits of the machine imagination intertwines with
a human desire to be immersed. I can see my own imagination reaching, and
how sometimes imagination fails, and unmasking that lie can be terrifying.
(The Lacanian "Real," etc.)
>
>
> -e.
>
>
>
>
> On Wed, Jul 14, 2021 at 3:38 PM Paul Hertz via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:
>>
>> There's an essay, "Intelligence Without Representation" that Brooks
wrote in 1987, http://people.csail.mit.edu/brooks/papers/representation.pdf,
that offered what was then a new point of view on how to consider AI.
>>
>> // Paul
>>
>>
>>
>> On Wed, Jul 14, 2021 at 2:10 PM Paul Hertz  wrote:
>>>
>>> Hi Max,
>>>
>>> The robotics researcher Rodney Brooks back in the late 1980s argued the
AI based on the construction of a "knowledge base" was bound to fail. He
made the case that a robot adapting to an environment was far more likely
to achieve intelligence of the sort that humans demonstrate precisely
because it was embodied. Some of his ideas are presented in the movie Fast,
Cheap, and Out of Control, directed ISTR by Errol Morris. If you

Re: [NetBehaviour] analogy and AI poetry

2021-07-14 Thread Graziano Milano via NetBehaviour
Hi Max,

Leen Gorissen, PhD in biology, has written the book* "Building The Future
Of Innovation On Millions Of Years Of Natural Intelligence" * where she makes
a solid case for why NI, not AI, should be at the forefront of business
innovation.

Here is the video linked to her book "What is Natural Intelligence?":
https://vimeo.com/562670741

and the website about this book: https://www.naturalintelligence.info

Graziano

On Wed, 14 Jul 2021 at 21:02, Graziano Milano 
wrote:

> Hi Max,
>
> Here is one of Leonardo Da Vinci’s famous quotes:
> *“Nature is the source of all true knowledge. She has her own logic, her
> own laws, she has no effect without cause nor invention without necessity.”*
>
> Therefore our Natural Intelligence is and will always be much more
> creative and artistic than Artificial Intelligence.
>
> Graziano
>
> On Wed, 14 Jul 2021 at 20:57, Stephanie Strickland <
> stephanie.strickl...@gm.slc.edu> wrote:
>
>> *https://www.quantamagazine.org/same-or-different-ai-cant-tell-20210623/
>> <https://www.quantamagazine.org/same-or-different-ai-cant-tell-20210623/>*
>> Stephanie
>>
>> Stephanie Strickland
>>
>> My new books are
>>
>> *Ringing the Changes <http://www.stephaniestrickland.com/ringing>*  & *
>> How the Universe Is Made <http://www.stephaniestrickland.com/how>*
>>
>>
>> On Wed, Jul 14, 2021 at 3:38 PM Paul Hertz via NetBehaviour <
>> netbehaviour@lists.netbehaviour.org> wrote:
>>
>>> There's an essay, "Intelligence Without Representation" that Brooks
>>> wrote in 1987,
>>> http://people.csail.mit.edu/brooks/papers/representation.pdf, that
>>> offered what was then a new point of view on how to consider AI.
>>>
>>> // Paul
>>>
>>>
>>>
>>> On Wed, Jul 14, 2021 at 2:10 PM Paul Hertz  wrote:
>>>
>>>> Hi Max,
>>>>
>>>> The robotics researcher Rodney Brooks back in the late 1980s argued the
>>>> AI based on the construction of a "knowledge base" was bound to fail. He
>>>> made the case that a robot adapting to an environment was far more likely
>>>> to achieve intelligence of the sort that humans demonstrate precisely
>>>> because it was embodied. Some of his ideas are presented in the movie Fast,
>>>> Cheap, and Out of Control, directed ISTR by Errol Morris. If you haven't
>>>> seen it yet, I can recommend it.
>>>>
>>>> -- Paul
>>>>
>>>> On Wed, Jul 14, 2021, 1:38 PM Max Herman via NetBehaviour <
>>>> netbehaviour@lists.netbehaviour.org> wrote:
>>>>
>>>>>
>>>>> Hi all,
>>>>>
>>>>> I know virtually nothing about AI, beyond what the letters stand for,
>>>>> but noticed this new article in Quanta Magazine.  Does it pertain at all?
>>>>> Interestingly it concludes that in order for AI to be human-like it will
>>>>> need to understand analogy, the basis of abstraction, which may require it
>>>>> to have a body!  🙂
>>>>>
>>>>>
>>>>> https://www.quantamagazine.org/melanie-mitchell-trains-ai-to-think-with-analogies-20210714/?mc_cid=362710ae88&mc_eid=df8a5187d9
>>>>>
>>>>> I have been interested in the book *GEB *by Hofstadter for some time,
>>>>> and have been researching how it was referenced (specifically its Chapter
>>>>> IV "Consistency, Completeness, and Geometry" and its Introduction) by 
>>>>> Italo
>>>>> Calvino in *Six Memos for the Next Millennium*, so Mitchell's
>>>>> connection to Hofstadter and *GEB *is interesting on a general
>>>>> level.
>>>>>
>>>>> Coincidentally I contacted her a year ago to ask about the Calvino
>>>>> connection but she replied she hadn't read any Calvino or the *Six
>>>>> Memos*.  However, his titles for the six memos -- Lightness,
>>>>> Quickness, Exactitude, Visibility, Multiplicity, and Consistency -- might
>>>>> be exactly the kinds of "bodily" senses AI will need to have!
>>>>>
>>>>> All best,
>>>>>
>>>>> Max
>>>>>
>>>>> https://www.etymonline.com/word/analogy
>>>>> https://www.etymonline.com/word/analogue
>>>>>
>>>>>
>>>>> ___
>>>>> NetBehaviour mailing list
>>>>> NetBehaviour@lists.netbehaviour.org
>>>>> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>>>>>
>>>>
>>>
>>> --
>>> -   |(*,+,#,=)(#,=,*,+)(=,#,+,*)(+,*,=,#)|   ---
>>> http://paulhertz.net/
>>> ___
>>> NetBehaviour mailing list
>>> NetBehaviour@lists.netbehaviour.org
>>> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>>>
>> ___
>> NetBehaviour mailing list
>> NetBehaviour@lists.netbehaviour.org
>> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>>
>
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


Re: [NetBehaviour] analogy and AI poetry

2021-07-14 Thread Graziano Milano via NetBehaviour
Hi Max,

Here is one of Leonardo Da Vinci’s famous quotes:
*“Nature is the source of all true knowledge. She has her own logic, her
own laws, she has no effect without cause nor invention without necessity.”*

Therefore our Natural Intelligence is and will always be much more creative
and artistic than Artificial Intelligence.

Graziano

On Wed, 14 Jul 2021 at 20:57, Stephanie Strickland <
stephanie.strickl...@gm.slc.edu> wrote:

> *https://www.quantamagazine.org/same-or-different-ai-cant-tell-20210623/
> <https://www.quantamagazine.org/same-or-different-ai-cant-tell-20210623/>*
> Stephanie
>
> Stephanie Strickland
>
> My new books are
>
> *Ringing the Changes <http://www.stephaniestrickland.com/ringing>*  & *
> How the Universe Is Made <http://www.stephaniestrickland.com/how>*
>
>
> On Wed, Jul 14, 2021 at 3:38 PM Paul Hertz via NetBehaviour <
> netbehaviour@lists.netbehaviour.org> wrote:
>
>> There's an essay, "Intelligence Without Representation" that Brooks wrote
>> in 1987, http://people.csail.mit.edu/brooks/papers/representation.pdf,
>> that offered what was then a new point of view on how to consider AI.
>>
>> // Paul
>>
>>
>>
>> On Wed, Jul 14, 2021 at 2:10 PM Paul Hertz  wrote:
>>
>>> Hi Max,
>>>
>>> The robotics researcher Rodney Brooks back in the late 1980s argued the
>>> AI based on the construction of a "knowledge base" was bound to fail. He
>>> made the case that a robot adapting to an environment was far more likely
>>> to achieve intelligence of the sort that humans demonstrate precisely
>>> because it was embodied. Some of his ideas are presented in the movie Fast,
>>> Cheap, and Out of Control, directed ISTR by Errol Morris. If you haven't
>>> seen it yet, I can recommend it.
>>>
>>> -- Paul
>>>
>>> On Wed, Jul 14, 2021, 1:38 PM Max Herman via NetBehaviour <
>>> netbehaviour@lists.netbehaviour.org> wrote:
>>>
>>>>
>>>> Hi all,
>>>>
>>>> I know virtually nothing about AI, beyond what the letters stand for,
>>>> but noticed this new article in Quanta Magazine.  Does it pertain at all?
>>>> Interestingly it concludes that in order for AI to be human-like it will
>>>> need to understand analogy, the basis of abstraction, which may require it
>>>> to have a body!  🙂
>>>>
>>>>
>>>> https://www.quantamagazine.org/melanie-mitchell-trains-ai-to-think-with-analogies-20210714/?mc_cid=362710ae88&mc_eid=df8a5187d9
>>>>
>>>> I have been interested in the book *GEB *by Hofstadter for some time,
>>>> and have been researching how it was referenced (specifically its Chapter
>>>> IV "Consistency, Completeness, and Geometry" and its Introduction) by Italo
>>>> Calvino in *Six Memos for the Next Millennium*, so Mitchell's
>>>> connection to Hofstadter and *GEB *is interesting on a general level.
>>>>
>>>> Coincidentally I contacted her a year ago to ask about the Calvino
>>>> connection but she replied she hadn't read any Calvino or the *Six
>>>> Memos*.  However, his titles for the six memos -- Lightness,
>>>> Quickness, Exactitude, Visibility, Multiplicity, and Consistency -- might
>>>> be exactly the kinds of "bodily" senses AI will need to have!
>>>>
>>>> All best,
>>>>
>>>> Max
>>>>
>>>> https://www.etymonline.com/word/analogy
>>>> https://www.etymonline.com/word/analogue
>>>>
>>>>
>>>> ___
>>>> NetBehaviour mailing list
>>>> NetBehaviour@lists.netbehaviour.org
>>>> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>>>>
>>>
>>
>> --
>> -   |(*,+,#,=)(#,=,*,+)(=,#,+,*)(+,*,=,#)|   ---
>> http://paulhertz.net/
>> ___
>> NetBehaviour mailing list
>> NetBehaviour@lists.netbehaviour.org
>> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>>
> ___
> NetBehaviour mailing list
> NetBehaviour@lists.netbehaviour.org
> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


Re: [Elecraft] Command inputs for Wilderness/Norcal KC1?

2021-03-04 Thread Graziano Roccon (IW2NOY)


Hello Scott,

i am a Norcal & Elecraft collector, i have some materials collected 
during the years.

In advance i can send you an image of a quick guide for KC1.
Unfortunately i found only a german guide and nothing in english.
Hope can help.

73's de Graziano IW2NOY

Il 04/03/2021 07:11 Scott Rice ha scritto:

Hi Wayne,

Would you be able to also send me the KC1 documentation? This 
4-year-old
thread is the only discussion of the documentation that I'm finding 
with

google.

Thanks,
Scott Rice
KB8VWM



wayne burdick wrote

Hi John,

I wrote the manual (and the firmware), so I have all the original
documentation. I'll send you a .pdf of the manual.

73,
Wayne
N6KR






--
Sent from: http://elecraft.365791.n2.nabble.com/
__
Elecraft mailing list
Home: http://mailman.qth.net/mailman/listinfo/elecraft
Help: http://mailman.qth.net/mmfaq.htm
Post: mailto:Elecraft@mailman.qth.net

This list hosted by: http://www.qsl.net
Please help support this email list: http://www.qsl.net/donate.html
Message delivered to grazi...@roccon.com
__
Elecraft mailing list
Home: http://mailman.qth.net/mailman/listinfo/elecraft
Help: http://mailman.qth.net/mmfaq.htm
Post: mailto:Elecraft@mailman.qth.net

This list hosted by: http://www.qsl.net
Please help support this email list: http://www.qsl.net/donate.html
Message delivered to arch...@mail-archive.com 

Re: [NetBehaviour] Dante and Leonardo

2021-03-02 Thread Graziano Milano via NetBehaviour
Hi Max,

The most famous artist who portrayed Dante was his fellow citizen and
friend Giotto.

Giotto depicted Dante, dressed in red, at the center of a fresco
representing the Paradise in the Podestà Chapel at the Bargello Palace
Museum in Florence.

[image: Dante-Alighieri portrait by Giotto.jpg]

Giotto was born in 1267 in or around Florence. His early years were spent
as an apprentice to Cimabue, another great Florentine painter. He was
recognised, in his own lifetime, as being a revolutionary who evolved the
earlier, flat, decorative Byzantine-style into three-dimensional realism.
Giotto is the master of masters - the father of modern art as his approach
provided inspiration for the Florentine Renaissance and, more widely,
Renaissance Art throughout Europe.

Giotto met Dante in Padova while he was painting the Scrovegni Chapel’s
Frescoes which were completed around 1305. The fresco cycle depicts the
Life of the Virgin and the Life of Christ with marvellously explicit
medieval gestures, peasant bodies, ordinary yet monumental faces. It is
regarded as one of the supreme masterpieces of the Early Renaissance.
https://www.italian-renaissance-art.com/Scrovegni-Chapel.html

Giotto's greatness was not only renowned among artist circles during his
lifetime. He was also immortalized by Dante in The Divine Comedy when a
painter in Purgatorio (XI, 94-96) said:* “Cimabue believed that he held the
field in painting, and now Giotto has the cry, so the fame of the former is
obscure.”*

And Leonardo da Vinci regarded Giotto as his greatest predecessor by
saying: *“He was born in the mountains, where only goats and beasts of that
kind live.” *

Leonardo said this was because he did not learn from masters, but drew
directly from nature. It was because Giotto was an unspoiled rustic,
sketching as he tended his flocks, that he became great, thought Leonardo –
because nature is the true teacher.

All the best,
Graziano



On Mon, 1 Mar 2021 at 20:52, Max Herman via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

>
> Hi Paolo,
>
> Your points are excellent -- I was quoting there the Ciardi translation,
> which has some advantages over say the Longfellow translation, but
> absolutely he made lots of judgement calls and unhelpful interpretation.  I
> have tried to view the Italian original (shown side-by-side in a
> user-friendly format at
> https://digitaldante.columbia.edu/dante/divine-comedy/) especially for
> key references to the word "esperienza" or garment, but absolutely my not
> knowing the original is a huge deficiency.
>
> I find the section to be very interesting though in part because of the
> oddness you describe.  Of course it is Virgil speaking, an ancient Roman,
> so it isn't clear if he is speaking only for ancient Roman myth or somehow
> reflects what Dante believed.  Medieval thought did have a major role for
> Fortune, which kind of goes against the idea of being rewarded for virtue
> and punished for vice.  Then again, the transience of all worldly things is
> part of most traditions so it is easy to see why Fortune can be
> incorporated into the *Comedia*.  Yet to portray Fortune as a good and
> just entity, beatific even, is different from say the Carmina Burana.
>
> By checking other translations and discussing with friends I did
> understand that "worldly goods" was perhaps the best translation, sadly
> accepting that there is no clear mention of garments (and so far I haven't
> found any metaphoric use of garments or bridges in Dante).  Leonardo did
> write about Fortune in several cases, so it prompted me to wonder if his
> understanding of the idea may have had any relationship to Dante's.  Work
> in progress.  🙂
>
> All best,
>
> Max
>
>
> --
> *From:* Paolo Ruffino 
> *Sent:* Monday, March 1, 2021 1:10 PM
> *To:* NetBehaviour for networked distributed creativity <
> netbehaviour@lists.netbehaviour.org>
> *Cc:* Max Herman 
> *Subject:* Re: [NetBehaviour] Dante and Leonardo
>
> The original text is quite different. I'm afraid a certain degree of
> freedom has been taken when translating the poem in English, perhaps
> inevitably. Fortuna administers human's luck, following God's
> inscrutable plan, moving wealth across people and places, and it's
> impossible for human beings to know the rationale behind the
> distribution, how and when it might change. Fortuna's plan is hidden
> like a snake in the grass.
>
> I think the 'gears' is translating 'permutasse a tempo li ben vani',
> meaning Fortuna is governing and distributing the mundane goods of
> Earth on behalf of God. No references to 'garments' in the text,
> though. The image evoked is that of the wheel of luck, somethin

Re: [NetBehaviour] Dante and Leonardo

2021-03-01 Thread Graziano Milano via NetBehaviour
Hi Max,

*The Divine Comedy* was originally simply titled *Comedìa* and the first
printed edition was published in 1472. The word *Comedìa* was later
adjusted to the modern Italian *Commedia*. The adjective *Divina* was added
by Giovanni Boccaccio, an Italian writer and poet (1313-1375), due to its
subject matter and lofty style, and the first edition to name the poem *Divina
Comedìa* in the title was that of the Venetian humanist Lodovico Dolce
(1508/10-1568), a man of letters and theorist of painting, published in
1555 by Gabriele Gioliti de’ Ferrari (1508-1578), a 16th-century Italian
printer active in Venice.

Dante was born in Florence most probably around May-June 1265, although his
date of birth is not exactly known. Dante was exiled in 1293 because he
sided with the *White Guelphs* who were trying to defend the independence
of the city of Florence by opposing the hegemonic tendencies of Pope
Bonifacio VIII. He died in Ravenna, the night between 13th and 14th
September 1321, where he had been invited to stay in that city in 1318 by
its prince, Guido II da Polenta.

He began writing *The Divine Comedy (Inferno, Purgatorio, Paradiso)*, a
long Italian narrative poem, in 1304 and completed it in 1320, a year
before his death. The amazing artistic mosaics in the historic Ravenna’s
churches inspired his writing of the Paradiso:
https://www.ravennamosaici.it/en/

Dante Alighieri is the father of the Italian language. Because of that, in
Italy, children start reading and studying *The Divine Comedy *at their
primary schools. At the age of 9 I did that and I was really impressed by
the artistic mosaics, drawings, paintings and print artworks linked to it.

*The Divine Comedy* has been a source of inspiration for countless artists
for almost seven centuries. There are many references to Dante's work in
literature. In music, Franz Liszt was one of many composers to write work
based on the Divine Comedy. In sculpture, the work of Auguste Rodin
includes themes from Dante, and many visual artists (Gustave Dore’, Philipp
Veit, Sandro Botticelli, Antonio Manetti, Federico Zuccari, etc…)
illustrated Dante's work.

Rarely seen drawings, paintings and sculptures of *Dante’s The Divine
Comedy* have been recently put on virtual display at the Uffizi Gallery in
Florence as Italy has begun a year-long calendar of events to mark the
700th anniversary of the poet’s death:
https://www.uffizi.it/en/online-exhibitions-series/to-rebehold-the-stars

All the best,
Graziano


On Sat, 27 Feb 2021 at 19:26, Max Herman via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

>
> Hi all,
>
> Yesterday I found out that Dante (1265-1321) passed away five centuries to
> the year before Keats, making 2021 the 700th anniversary.
>
> Even though I did graduate study in English I never read Dante until this
> year.  I knew fragments of course, the general outline, some commentary,
> and even had a paperback translation of *Inferno*.  However it was only
> after reading Calvino's *Six Memos for the Next Millennium -- *a book
> that discusses the writing of both Dante and Leonardo -- in January 2018 that
> I got motivated to study Italian literature and painting more in depth.
>
> Leonardo is not generally thought to have been much influenced by Dante,
> although he is known to have been an expert on Dante's work.  As research
> for a book on the *Mona Lisa* I studied a very interesting drawing dated
> 1517-18, one of Leonardo's last major works before his passing in 1519,
> known as *Woman Standing in a Landscape:*
>
> https://www.rct.uk/collection/912581/a-woman-in-a-landscape
>
> This wonderful image seems somehow allegorical and is often compared to
> Botticelli's 1485 illustration of Matilda, Dante, and the river Lethe in 
> *Purgatorio
> *XXVIII:
>
>
> https://commons.wikimedia.org/wiki/Category:Sandro_Botticelli%27s_illustrations_to_the_Divine_Comedy#/media/File:Botticelli,_Purgatorio_28.jpg
>
> Leonardo did not title his drawing or explain anywhere in text what its
> subject might be.  Therefore as the Royal Collection Trust page above
> states, "The context and function of the drawing thus remain unknown."
>
> Comparing the two drawings makes clear one major difference: Leonardo's
> image includes a bridge, but Botticelli's does not.  Furthermore, in
> Leonardo's image the woman is pointing downstream, toward the bridge,
> whereas Botticelli's Matilda is pointing upward.
>
> Infrared scans of the *Mona Lisa* show that the bridge was added very
> late, as possibly the last element of the work:
>
>
> https://commons.wikimedia.org/wiki/File:Infrared_reflectograms_of_Mona_Lisa.jpg
>
> Why would Leonardo have added a bridge at such a late stage of the
> composition?  Nothing whatsoever is mentioned in his notebooks, and no
> L

[NetBehaviour] Ruffle – the Flash Player emulator

2021-01-30 Thread Graziano Milano via NetBehaviour
Dear all,

Last week I found out by reading the Independent's article by Andrew
Griffin, that the Internet Archive announced two months ago that *“it would
be cataloguing famous Flash content so that they could be preserved even
after the technology is discontinued. Users will be able to use a Flash
emulator to play animations and games.”*

The Internet Archive, which has already saved over thousands playable DOS
games, books and a copy of the entire internet, said that it would be using
a Flash emulator called Ruffle to let animations play in the browser.

Viewers do not need to have a Flash plugin themselves installed, and the
system works on Firefox, Chrome, Edge, and Safari. Here are more info about
that published at the Internet Archive’s blog:

– Flash Animations Live Forever at the Internet Archive:
http://blog.archive.org/2020/11/19/flash-animations-live-forever-at-the-internet-archive/

– Flash Back! Further Thoughts on Flash at the Internet Archive:
http://blog.archive.org/2020/11/22/flash-back-further-thoughts-on-flash-at-the-internet-archive/

And here is *Ruffle* – https://ruffle.rs – the Flash Player emulator built
in the Rust programming language that can be installed on a website we own,
as a browser extension and using it as a desktop application.

Graziano
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


Re: [NetBehaviour] The Unreasonable Ecological Cost of #CryptoArt

2021-01-24 Thread Graziano Milano via NetBehaviour
Well if a better detailed research and tools can understand and then show
the ecological impact of some or all online Crypto-Art platforms, then the
196 nations who signed the 2016 Paris Agreement within the United Nations
Framework Convention on Climate Change (UNFCCC) may be able to legally
force Google, Apple and Amazon to block those online platforms and apps.

On Sun, 24 Jan 2021 at 11:24, Ruth Catlow  wrote:

> Hi Graz,
> Our emails crossed in the ether..
>
> The question is what kind of ecological impact each digital artwork
>> uploaded and sold at Async Art and/or at any other similar online platforms
>> as CryptoArt will have in the short and long term as a result of
>> blockchain-based transactions. Probably the vast majority of artists
>> selling their digital artwork on those online platforms are not aware of
>> that. A detailed scientific study of the ecological impact of selling
>> their digital artwork on any of those platforms as CryptoArt must be
>> provided to all digital artists so they can make an informed decision if
>> they wish to use any of those platforms or not.
>>
>> If a detailed scientific study can prove and highlight the ecological
>> impact of those online Crypto-Art platforms, then Google, Apple and Amazon
>> must block those apps as they recently have blocked the far-right "free
>> speech" app Parler.
>>
> And yes we agree - we need better research and tools to understand the
> ecological impact of technologies and better ways to hold companies to
> account. Though how this is achieved is up for discussion - are we now
> saying that Google, Apple and Amazon become de-facto global law makers?
>
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


Re: [NetBehaviour] The Unreasonable Ecological Cost of #CryptoArt

2021-01-24 Thread Graziano Milano via NetBehaviour
Hi Ruth,

Yesterday I did research on what Async Art is and how it works as I never
heard of it. I found out that Async Art is a new online platform for
artists to create and sell rare, programmable digital art:
https://www.youtube.com/watch?v=DZbUJeYzgsc

Async Canvas is an all-in-one uploader tool. It allows the artists to
create, preview, and mint their programmable digital art from within their
personalized dashboard. Here is an introduction video which walks the
artists through the basics of how Async Canvas works:
https://www.youtube.com/watch?v=XRR7k0uXiPk&feature=emb_logo

Apparently they will be adding more and more templates to Async Canvas as
their tool grows.

The question is what kind of ecological impact each digital artwork
uploaded and sold at Async Art and/or at any other similar online platforms
as CryptoArt will have in the short and long term as a result of
blockchain-based transactions. Probably the vast majority of artists
selling their digital artwork on those online platforms are not aware of
that. A detailed scientific study of the ecological impact of selling their
digital artwork on any of those platforms as CryptoArt must be provided to
all digital artists so they can make an informed decision if they wish to
use any of those platforms or not.

If a detailed scientific study can prove and highlight the ecological
impact of those online Crypto-Art platforms, then Google, Apple and Amazon
must block those apps as they recently have blocked the far-right "free
speech" app Parler.

Graziano

On Sat, 23 Jan 2021 at 15:05, Alan Sondheim via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> Hi Ruth, Just a few points in response, mind you I do plead ignorance.
> (Which I admit is no excuse.)
> I don't think that climate catastrophe is just the result of states and
> corporations; it's also the result of a heavily overpopulated planet that
> is reaching its carrying-capacity; the resulting coming famine leads to
> ecological disaster, and while the world builds, as you know, the biosphere
> is becoming rapidly denuded.
> I also think that blockchain is at this point, corporate in its heart;
> even the metaphor of 'mining' resonates with that. The problem though is
> deeper than that.
> I tend not to believe in utopias and worry about utopian horizons; as I
> mentioned a while, maybe ten years ago, I participated in a 'high-level'
> colloquium at Brown University on blockchain - and the discussion was
> literally taken over by an IBM executive talking about the kind of
> bankvault metaphor that was useful to the corporation (he was in charge of
> blockchain development there) on one hand, and its use for dissemination of
> advertising on the other - "you'll be walking down the street and different
> objects will trigger advertisements in vr; you click on an object, and you
> purchase" and some such.
> I don't believe that " Blockchain is a future technology. It is built for
> use in a world of clean, limitless, renewable energy." - because I don't
> think that world will exist. The machines, as I wanted to point out, that
> generate such energy need maintenance; things like windfarms already create
> eco-diverse catastrophes in the Mid-West here, and require constant
> maintenance - there are problems in this country of disposal of windfarm
> blades which are enormous and not biodegradable, and so forth. Nuclear
> fusion is enormously expensive/corporate to produce as you know and will be
> both top-down governmental and corporate (is there a difference?) and the
> target of terrorisms. And so forth.
> God, I hope you are right about blockchain...
> I've been thinking about my relation to art and finance this morning and
> realize, I tend to give my art away. I've shown in alternative spaces,
> commercial galleries, etc., and as with my part of the Furtherfield show, I
> tend to give my art away. I've done this from the beginning, even with my
> first show at an "important" gallery back then, I gave everything away
> afterwards. I've wanted to be supported for what I do, and, very very
> occasionally, have received stipends for my productions, and if someone
> offers me money for something I've given them, I'll take it, but it's not
> my impulse. (I'm stupid that way, we can't even afford a decent video
> camera at this point! :-) )
> I think part of this is coming up through the Soho period of art in the
> 60s and 70s and a bit later, when for example the Guerrilla Girls were
> starting (I may know one of them or may not), and so much postering was
> going on - this sort of grassroots had effect (I think of the A.I.R.
> feminist gallery) of course and was there, in your face. There were also
> prot

Re: [NetBehaviour] The Unreasonable Ecological Cost of #CryptoArt

2021-01-22 Thread Graziano Milano via NetBehaviour
In 2020 the crypto artist "Beeple" (Mike Winkelmann), that is mentioned in
“The Unreasonable Ecological Cost of #CryptoArt (Part 1)”, has broken
records on Gemini’s Nifty Gateway platform by selling a collection of 20
artworks for a sum of $3.5 million:
https://fullycrypto.com/digital-artist-beeple-sells-nft-collection-for-3-5-million

By the end of this century the value of these 20 Beeple’s artworks may
increase or completely collapse as it may happen to Bitcoins and other
crypto currencies.

On Fri, 22 Jan 2021 at 10:50, Ruth Catlow via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> re: http://cryptoart.wtf
> I mean... It's a great troll but it's not good enough!
>
> The meme of blockchain's outrageous energy use is a barrier to more
> diverse people entering the development space.
>
> Blockchain technologies are important because species collapse and climate
> emergency is an effect of the global political economy. Blockchains tech
> like cryptocurrencies, tokens, and smart contracts are the only tools we
> have (as yet) to organise directly p-2-p at a planetary scale.They are
> still new but they offer a way to imagine and realise both money and
> governance at a global scale, independent of states and corporations.
>
> The debate about blockchain's environmental impact usually focuses around
> its high energy use.
>
> [EXPLAINER: Blockchains' level of energy use are due to the consensus
> mechanisms (CMs) they use to verify transactions, and to "mine" currency.
> The amount of electricity used varies according to the CM. The two dominant
> CMs are Proof of Work (PoW) and Proof of Stake (PoS)
> Bitcoin uses PoW and infamously consumes the same amount of electricity as
> 159 countries. Ethereum (the platform for programmable money - and
> therefore the focus of a lot of work on new forms of governance) is moving
> to Eth2 a PoS system which uses far less energy. But this is still 2 years
> off.]
>
> Questions about the environmental impact of blockchain are important and
> difficult to answer.  It's right that we assess the impact of Blockchains
> but we need better ways to compare all emerging digital infrastructure
> ecosystems - including other financial techs, IoT, ML AI, 5G.
>
> A focus on reducing energy use is not enough. As @alsodanlowe put it  "It
> would be crazy to ban or dissuade colleagues from participating in an
> effort to decentralize money away from the forces that create the priority
> for fossil fuels (much of it built on debt) just because those forces
> exist. PoW is agnostic. Banks and existing oligarchy is not."
> https://twitter.com/alsodanlowe/status/1317444999361957891
>
> Blockchain is a future technology. It is built for use in a world of
> clean, limitless, renewable energy.
>
> Efforts need to focus here...and on the political economies and the
> cultural adoption patterns that they can support and grow beyond
> accumulative self-interest and extractive capitalism if we are avoid
> accelerating climate collapse.
>
> This morning I retweeted this from Sarah Friend "If I hadn't spent the
> past five years working in crypto, I'd probably be moralizing about it too,
> and this is perhaps part of why I am so profoundly annoyed by its
> superficial detractors - my shadow selves, who know so much less than me
> and are so much more sure they're right"
> https://twitter.com/isthisanart_/status/1352288565850492928
>
> There's so much more to  say about all of this. Especially about the role
> that art has to play.
>
> Soon
>
>
>
> On Fri, Jan 22, 2021 at 9:35 AM Annie Abrahams via NetBehaviour <
> netbehaviour@lists.netbehaviour.org> wrote:
>
>> The website http://cryptoart.wtf pulls in random blockchain-based
>> CryptoArt from the web, and estimates the ecological impact of each work
>> in terms of energy consumption (kWh), and greenhouse gases released
>> (KgCO2) as a result of blockchain-based transactions relating to the work.
>>
>>
>> https://memoakten.medium.com/the-unreasonable-ecological-cost-of-cryptoart-2221d3eb2053
>> ___
>> NetBehaviour mailing list
>> NetBehaviour@lists.netbehaviour.org
>> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>>
>
>
> --
> Co-founder & Artistic director of Furtherfield & DECAL Decentralised Arts
> Lab
> +44 (0) 77370 02879
>
> *I will only agree to speak at events that are racially and gender
> balanced.
>
> **sending thanks
> 
>  in
> advance
>
> *Furtherfield *disrupts and democratises art and technology through 
> exhibitions,
> labs & debate, for deep exploration, open tools & free thinking.
> furtherfield.org 
>
> *DECAL* Decentralised Arts Lab is an arts, blockchain & web 3.0
> technologies research hub
>
> 

[Kernel-packages] [Bug 1906817] Re: kernel crash with ath10k_pci

2020-12-04 Thread Graziano
[   11.338807] ath10k_pci :3a:00.0: firmware ver
WLAN.RM.4.4.1-00140-QCARMSWPZ-1 api 6 features wowlan,ignore-otp,mfp
crc32 29eb8ca1

[   11.023603] ath10k_pci :3a:00.0: firmware ver
WLAN.RM.4.4.1-00157-QCARMSWPZ-1 api 6 features wowlan,ignore-otp,mfp
crc32 90eebefb


I have upgraded the firmware to test if the problem is there. Will report if 
the system crash again.

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Bug 1906817] Re: kernel crash with ath10k_pci

2020-12-04 Thread Graziano
[   11.338807] ath10k_pci :3a:00.0: firmware ver
WLAN.RM.4.4.1-00140-QCARMSWPZ-1 api 6 features wowlan,ignore-otp,mfp
crc32 29eb8ca1

[   11.023603] ath10k_pci :3a:00.0: firmware ver
WLAN.RM.4.4.1-00157-QCARMSWPZ-1 api 6 features wowlan,ignore-otp,mfp
crc32 90eebefb


I have upgraded the firmware to test if the problem is there. Will report if 
the system crash again.

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Kernel-packages] [Bug 1906817] WifiSyslog.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "WifiSyslog.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440951/+files/WifiSyslog.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] ProcInterrupts.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "ProcInterrupts.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440947/+files/ProcInterrupts.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] ProcCpuinfo.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "ProcCpuinfo.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440944/+files/ProcCpuinfo.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] RfKill.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "RfKill.txt"
   https://bugs.launchpad.net/bugs/1906817/+attachment/5440949/+files/RfKill.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] ProcModules.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "ProcModules.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440948/+files/ProcModules.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] ProcEnviron.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "ProcEnviron.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440946/+files/ProcEnviron.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] ProcCpuinfoMinimal.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "ProcCpuinfoMinimal.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440945/+files/ProcCpuinfoMinimal.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] UdevDb.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "UdevDb.txt"
   https://bugs.launchpad.net/bugs/1906817/+attachment/5440950/+files/UdevDb.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] acpidump.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "acpidump.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440952/+files/acpidump.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Bug 1906817] acpidump.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "acpidump.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440952/+files/acpidump.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] WifiSyslog.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "WifiSyslog.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440951/+files/WifiSyslog.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] UdevDb.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "UdevDb.txt"
   https://bugs.launchpad.net/bugs/1906817/+attachment/5440950/+files/UdevDb.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] RfKill.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "RfKill.txt"
   https://bugs.launchpad.net/bugs/1906817/+attachment/5440949/+files/RfKill.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] ProcModules.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "ProcModules.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440948/+files/ProcModules.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] ProcInterrupts.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "ProcInterrupts.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440947/+files/ProcInterrupts.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] ProcEnviron.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "ProcEnviron.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440946/+files/ProcEnviron.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] ProcCpuinfoMinimal.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "ProcCpuinfoMinimal.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440945/+files/ProcCpuinfoMinimal.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] ProcCpuinfo.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "ProcCpuinfo.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440944/+files/ProcCpuinfo.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Kernel-packages] [Bug 1906817] Lsusb-v.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "Lsusb-v.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440943/+files/Lsusb-v.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Bug 1906817] Lsusb-v.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "Lsusb-v.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440943/+files/Lsusb-v.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Kernel-packages] [Bug 1906817] AudioDevicesInUse.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "AudioDevicesInUse.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440935/+files/AudioDevicesInUse.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] Lspci.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "Lspci.txt"
   https://bugs.launchpad.net/bugs/1906817/+attachment/5440939/+files/Lspci.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] Lspci-vt.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "Lspci-vt.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440940/+files/Lspci-vt.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] Lsusb-t.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "Lsusb-t.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440942/+files/Lsusb-t.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] CRDA.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "CRDA.txt"
   https://bugs.launchpad.net/bugs/1906817/+attachment/5440936/+files/CRDA.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] CurrentDmesg.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "CurrentDmesg.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440937/+files/CurrentDmesg.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] Lsusb.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "Lsusb.txt"
   https://bugs.launchpad.net/bugs/1906817/+attachment/5440941/+files/Lsusb.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] IwConfig.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "IwConfig.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440938/+files/IwConfig.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not installed)
  ProcFB: 0 i915drmfb
  ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
  ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
  PulseList:
   Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
   No PulseAudio daemon running, or not running as session daemon.
  RelatedPackageVersions:
   linux-restricted-modules-5.4.0-56-generic N/A
   linux-backports-modules-5.4.0-56-generic  N/A
   linux-firmware1.187.4
  Tags:  focal
  Uname: Linux 5.4.0-56-generic x86_64
  UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
  UserGroups: N/A
  _MarkForUpload: True
  dmi.bios.date: 07/13/2020
  dmi.bios.vendor: Dell Inc.
  dmi.bios.version: 2.14.2
  dmi.board.name: 05JK94
  dmi.board.vendor: Dell Inc.
  dmi.board.version: A00
  dmi.chassis.type: 9
  dmi.chassis.vendor: Dell Inc.
  dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
  dmi.product.family: XPS
  dmi.product.name: XPS 13 9360
  dmi.product.sku: 075B
  dmi.sys.vendor: Dell Inc.

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] Re: kernel crash with ath10k_pci

2020-12-04 Thread Graziano
apport information

** Tags added: apport-collected

** Description changed:

  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the network
  stops working. When I try from Network Manager to set wireless off, the
  system starts to go nuts. Trying to reboot leads to a deadlock with the
  message:
  
  Virtual device wlp58s0 asks to queue packet!
  
  going on and on and the only way out is through the power button cycle.
  At the reboot, the wireless network is turned off. The kernel reports a
  WARNING, and I am attaching it.
  
  OS is
  
  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
+ --- 
+ ProblemType: Bug
+ ApportVersion: 2.20.11-0ubuntu27.13
+ Architecture: amd64
+ CasperMD5CheckResult: skip
+ CurrentDesktop: ubuntu:GNOME
+ DistributionChannelDescriptor:
+  # This is a distribution channel descriptor
+  # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
+  canonical-oem-somerville-xenial-amd64-20160624-2
+ DistroRelease: Ubuntu 20.04
+ HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
+ InstallationDate: Installed on 2016-10-29 (1496 days ago)
+ InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
+ MachineType: Dell Inc. XPS 13 9360
+ Package: linux (not installed)
+ ProcFB: 0 i915drmfb
+ ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
+ ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
+ PulseList:
+  Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
+  No PulseAudio daemon running, or not running as session daemon.
+ RelatedPackageVersions:
+  linux-restricted-modules-5.4.0-56-generic N/A
+  linux-backports-modules-5.4.0-56-generic  N/A
+  linux-firmware1.187.4
+ Tags:  focal
+ Uname: Linux 5.4.0-56-generic x86_64
+ UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
+ UserGroups: N/A
+ _MarkForUpload: True
+ dmi.bios.date: 07/13/2020
+ dmi.bios.vendor: Dell Inc.
+ dmi.bios.version: 2.14.2
+ dmi.board.name: 05JK94
+ dmi.board.vendor: Dell Inc.
+ dmi.board.version: A00
+ dmi.chassis.type: 9
+ dmi.chassis.vendor: Dell Inc.
+ dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
+ dmi.product.family: XPS
+ dmi.product.name: XPS 13 9360
+ dmi.product.sku: 075B
+ dmi.sys.vendor: Dell Inc.

** Attachment added: "AlsaInfo.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440934/+files/AlsaInfo.txt

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  Incomplete

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
  --- 
  ProblemType: Bug
  ApportVersion: 2.20.11-0ubuntu27.13
  Architecture: amd64
  CasperMD5CheckResult: skip
  CurrentDesktop: ubuntu:GNOME
  DistributionChannelDescriptor:
   # This is a distribution channel descriptor
   # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
   canonical-oem-somerville-xenial-amd64-20160624-2
  DistroRelease: Ubuntu 20.04
  HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
  InstallationDate: Installed on 2016-10-29 (1496 days ago)
  InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
  MachineType: Dell Inc. XPS 13 9360
  Package: linux (not i

[Bug 1906817] Lsusb-t.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "Lsusb-t.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440942/+files/Lsusb-t.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] Lsusb.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "Lsusb.txt"
   https://bugs.launchpad.net/bugs/1906817/+attachment/5440941/+files/Lsusb.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] Lspci-vt.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "Lspci-vt.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440940/+files/Lspci-vt.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] Lspci.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "Lspci.txt"
   https://bugs.launchpad.net/bugs/1906817/+attachment/5440939/+files/Lspci.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] IwConfig.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "IwConfig.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440938/+files/IwConfig.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] CurrentDmesg.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "CurrentDmesg.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440937/+files/CurrentDmesg.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] CRDA.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "CRDA.txt"
   https://bugs.launchpad.net/bugs/1906817/+attachment/5440936/+files/CRDA.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] AudioDevicesInUse.txt

2020-12-04 Thread Graziano
apport information

** Attachment added: "AudioDevicesInUse.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440935/+files/AudioDevicesInUse.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] Re: kernel crash with ath10k_pci

2020-12-04 Thread Graziano
apport information

** Tags added: apport-collected

** Description changed:

  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the network
  stops working. When I try from Network Manager to set wireless off, the
  system starts to go nuts. Trying to reboot leads to a deadlock with the
  message:
  
  Virtual device wlp58s0 asks to queue packet!
  
  going on and on and the only way out is through the power button cycle.
  At the reboot, the wireless network is turned off. The kernel reports a
  WARNING, and I am attaching it.
  
  OS is
  
  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal
+ --- 
+ ProblemType: Bug
+ ApportVersion: 2.20.11-0ubuntu27.13
+ Architecture: amd64
+ CasperMD5CheckResult: skip
+ CurrentDesktop: ubuntu:GNOME
+ DistributionChannelDescriptor:
+  # This is a distribution channel descriptor
+  # For more information see 
http://wiki.ubuntu.com/DistributionChannelDescriptor
+  canonical-oem-somerville-xenial-amd64-20160624-2
+ DistroRelease: Ubuntu 20.04
+ HibernationDevice: RESUME=UUID=78036de6-f421-45db-96fa-2cb1f579cfd5
+ InstallationDate: Installed on 2016-10-29 (1496 days ago)
+ InstallationMedia: Ubuntu 16.04 "Xenial" - Build amd64 LIVE Binary 
20160624-10:47
+ MachineType: Dell Inc. XPS 13 9360
+ Package: linux (not installed)
+ ProcFB: 0 i915drmfb
+ ProcKernelCmdLine: BOOT_IMAGE=/boot/vmlinuz-5.4.0-56-generic 
root=UUID=45391f5c-b192-4a4e-95b1-68cc8390ca8b ro pci=noaer quiet splash 
vt.handoff=7
+ ProcVersionSignature: Ubuntu 5.4.0-56.62-generic 5.4.73
+ PulseList:
+  Error: command ['pacmd', 'list'] failed with exit code 1: XDG_RUNTIME_DIR 
(/run/user/1001) is not owned by us (uid 0), but by uid 1001! (This could e.g. 
happen if you try to connect to a non-root PulseAudio as a root user, over the 
native protocol. Don't do that.)
+  No PulseAudio daemon running, or not running as session daemon.
+ RelatedPackageVersions:
+  linux-restricted-modules-5.4.0-56-generic N/A
+  linux-backports-modules-5.4.0-56-generic  N/A
+  linux-firmware1.187.4
+ Tags:  focal
+ Uname: Linux 5.4.0-56-generic x86_64
+ UpgradeStatus: Upgraded to focal on 2020-05-11 (206 days ago)
+ UserGroups: N/A
+ _MarkForUpload: True
+ dmi.bios.date: 07/13/2020
+ dmi.bios.vendor: Dell Inc.
+ dmi.bios.version: 2.14.2
+ dmi.board.name: 05JK94
+ dmi.board.vendor: Dell Inc.
+ dmi.board.version: A00
+ dmi.chassis.type: 9
+ dmi.chassis.vendor: Dell Inc.
+ dmi.modalias: 
dmi:bvnDellInc.:bvr2.14.2:bd07/13/2020:svnDellInc.:pnXPS139360:pvr:rvnDellInc.:rn05JK94:rvrA00:cvnDellInc.:ct9:cvr:
+ dmi.product.family: XPS
+ dmi.product.name: XPS 13 9360
+ dmi.product.sku: 075B
+ dmi.sys.vendor: Dell Inc.

** Attachment added: "AlsaInfo.txt"
   
https://bugs.launchpad.net/bugs/1906817/+attachment/5440934/+files/AlsaInfo.txt

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Kernel-packages] [Bug 1906817] Re: kernel crash with ath10k_pci

2020-12-04 Thread Graziano
** Attachment added: "version.log"
   
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+attachment/5440926/+files/version.log

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  New

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] Re: kernel crash with ath10k_pci

2020-12-04 Thread Graziano
** Attachment added: "crash.log"
   
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+attachment/5440928/+files/crash.log

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  New

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Kernel-packages] [Bug 1906817] Re: kernel crash with ath10k_pci

2020-12-04 Thread Graziano
** Attachment added: "lspci-vnvn.log"
   
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+attachment/5440927/+files/lspci-vnvn.log

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  New

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Bug 1906817] Re: kernel crash with ath10k_pci

2020-12-04 Thread Graziano
** Attachment added: "crash.log"
   
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+attachment/5440928/+files/crash.log

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] Re: kernel crash with ath10k_pci

2020-12-04 Thread Graziano
** Attachment added: "lspci-vnvn.log"
   
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+attachment/5440927/+files/lspci-vnvn.log

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Bug 1906817] Re: kernel crash with ath10k_pci

2020-12-04 Thread Graziano
** Attachment added: "version.log"
   
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+attachment/5440926/+files/version.log

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

[Kernel-packages] [Bug 1906817] [NEW] kernel crash with ath10k_pci

2020-12-04 Thread Graziano
Public bug reported:

My Dell XPS 13 9360 has experienced in the past week three kernel
crashes related to ath10k_pci. I was using my laptop and no particular
network activity was taking place: ssh connections in one case, web
browsing in another, email sync in the third. The symptom is the network
stops working. When I try from Network Manager to set wireless off, the
system starts to go nuts. Trying to reboot leads to a deadlock with the
message:

Virtual device wlp58s0 asks to queue packet!

going on and on and the only way out is through the power button cycle.
At the reboot, the wireless network is turned off. The kernel reports a
WARNING, and I am attaching it.

OS is

LSB Version:
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
Distributor ID: Ubuntu
Description:Ubuntu 20.04.1 LTS
Release:20.04
Codename:   focal

** Affects: linux (Ubuntu)
 Importance: Undecided
 Status: New

-- 
You received this bug notification because you are a member of Kernel
Packages, which is subscribed to linux in Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

Status in linux package in Ubuntu:
  New

Bug description:
  My Dell XPS 13 9360 has experienced in the past week three kernel
  crashes related to ath10k_pci. I was using my laptop and no particular
  network activity was taking place: ssh connections in one case, web
  browsing in another, email sync in the third. The symptom is the
  network stops working. When I try from Network Manager to set wireless
  off, the system starts to go nuts. Trying to reboot leads to a
  deadlock with the message:

  Virtual device wlp58s0 asks to queue packet!

  going on and on and the only way out is through the power button
  cycle. At the reboot, the wireless network is turned off. The kernel
  reports a WARNING, and I am attaching it.

  OS is

  LSB Version:  
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
  Distributor ID:   Ubuntu
  Description:  Ubuntu 20.04.1 LTS
  Release:  20.04
  Codename: focal

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
Mailing list: https://launchpad.net/~kernel-packages
Post to : kernel-packages@lists.launchpad.net
Unsubscribe : https://launchpad.net/~kernel-packages
More help   : https://help.launchpad.net/ListHelp


[Bug 1906817] [NEW] kernel crash with ath10k_pci

2020-12-04 Thread Graziano
Public bug reported:

My Dell XPS 13 9360 has experienced in the past week three kernel
crashes related to ath10k_pci. I was using my laptop and no particular
network activity was taking place: ssh connections in one case, web
browsing in another, email sync in the third. The symptom is the network
stops working. When I try from Network Manager to set wireless off, the
system starts to go nuts. Trying to reboot leads to a deadlock with the
message:

Virtual device wlp58s0 asks to queue packet!

going on and on and the only way out is through the power button cycle.
At the reboot, the wireless network is turned off. The kernel reports a
WARNING, and I am attaching it.

OS is

LSB Version:
core-11.1.0ubuntu2-noarch:printing-11.1.0ubuntu2-noarch:security-11.1.0ubuntu2-noarch
Distributor ID: Ubuntu
Description:Ubuntu 20.04.1 LTS
Release:20.04
Codename:   focal

** Affects: linux (Ubuntu)
 Importance: Undecided
 Status: New

-- 
You received this bug notification because you are a member of Ubuntu
Bugs, which is subscribed to Ubuntu.
https://bugs.launchpad.net/bugs/1906817

Title:
  kernel crash with ath10k_pci

To manage notifications about this bug go to:
https://bugs.launchpad.net/ubuntu/+source/linux/+bug/1906817/+subscriptions

-- 
ubuntu-bugs mailing list
ubuntu-bugs@lists.ubuntu.com
https://lists.ubuntu.com/mailman/listinfo/ubuntu-bugs

A simple question about Circular Graph

2020-11-01 Thread Graziano Mario Valenti
Hello,
I'm trying to use this circular graph, 
https://echarts.apache.org/examples/en/editor.html?c=graph-circular-layout


but it doesn't clear to me, what  I have to set to have a distribution of
the circles, that holds in count the dimension of every circle (as is in
your example).

All my nodes result equidistant over the circumference (see image).

 

Thanks in advance for your answer.

Graziano





 



[Elecraft] CW Tune Led for Elecraft K2/K1

2020-10-15 Thread Graziano Roccon (IW2NOY)

Hello,

someone out there still have the kit for CE Tune Led modification for 
the Elecraft K2 (or K1) ?

Or any information where is possible to find it ?

Thanks a lot, Graziano IW2NOY / W2NOY
__
Elecraft mailing list
Home: http://mailman.qth.net/mailman/listinfo/elecraft
Help: http://mailman.qth.net/mmfaq.htm
Post: mailto:Elecraft@mailman.qth.net

This list hosted by: http://www.qsl.net
Please help support this email list: http://www.qsl.net/donate.html
Message delivered to arch...@mail-archive.com 


Re: [Astlinux-users] Setting DHCP Ranges

2020-09-11 Thread Graziano Brioschi

Hi Michael

try to use an entry similar to the following one in dnsmasq.static:

dhcp-range=set:lan,,,24h

if you wanto to add some specific dhcp-option to a specifically range, 
you have to add an entry like this


dhcp-option=tag:lan,option:router,

Pay attention to the "tag:" entry

regards

Graziano

Il 11/09/2020 01:44, Michael Knill ha scritto:


Hi Group

I thought that I could do this using the following in dnsmasq.static:

dhcp-range=lan,,,24h

But it didn't work.

DHCPRANGE="150:199" in user.conf works but what if I want to have 
different ranges for different networks?


I'm obviously missing something here!

Regards

Michael Knill



___
Astlinux-users mailing list
Astlinux-users@lists.sourceforge.net
https://lists.sourceforge.net/lists/listinfo/astlinux-users

Donations to support AstLinux are graciously accepted via PayPal to 
pay...@krisk.org.


--

Graziano Brioschi

Outland s.a.s.
sede operativa:
Via A. Don Rocca, 13
20030, Senago (MI)
tel: 02 9948 6014
mobile: 328 8382622
email: graziano.brios...@outland.it
--> U4E <--

___
Astlinux-users mailing list
Astlinux-users@lists.sourceforge.net
https://lists.sourceforge.net/lists/listinfo/astlinux-users

Donations to support AstLinux are graciously accepted via PayPal to 
pay...@krisk.org.

Re: [NetBehaviour] Penguin Memories (Michael Szpakowski)

2020-08-28 Thread Graziano Milano via NetBehaviour
Hi Helen.

I did try to download my artwork Flash files from VS when we were alerted
last year, but it was not possible to do so. If they could have been
downloaded as Flash files then I would have converted them to HTML5 files
using Adobe Animate so they could have been shown online again on any
modern browser.

If we can get access again online to our VS artwork Flash files then we can
see if we can convert them as MP4 files using CloudCovert. However we need
to try this asap as in December 2020, Adobe will no longer support the
flash player plug-in. Google and Microsoft have also announced that they
will disable the plug-in by default in their browsers by the end of 2020 as
well. More info here:
https://turbofuture.com/computers/The-End-of-Flash-in-2020-Converting-From-Flash-to-HTML5

Just found out that the Visitors Studio enter webpage is also archived:
https://web.archive.org/web/20071126071534/http://www.visitorsstudio.org/?diff=0

Mark and Ruth can also contact Internet Archive and ask if they can
technically and financially helped Furthefield to download, convert and
archived all VS online artwork files as HTML5.

Graziano




On Sat, 22 Aug 2020 at 19:27, Helen Varley Jamieson <
he...@creative-catalyst.com> wrote:

> thanks for this graziano - very useful!
>
> & yes - it would be great if  it's possible to get the visitors studio
> files  - altho i fear they must be already gone ... ?? i never managed to
> get round to downloading things when we were last alerted to do so :/
> On 18.08.20 12:12, Graziano Milano via NetBehaviour wrote:
>
> Hello everyone,
>
> Here are more ways how to convert FLV files to MP4 on Windows, Macs and
> Online:
> https://www.digitaltrends.com/computing/how-to-convert-flv-to-mp4/
>
> The CloudCovert is an online file converter by selecting FLV files from
> our computers, Google Drive, Dropbox, OneDrive and by URL:
> https://cloudconvert.com
>
> I used the Flash based Furthefield’s VisitorsStudio platform as a VJ
> artist for live events (UpStage with Ethernet Orchestra, Radio You Can
> Watch with Roger and Neil at Bristol FM, young people live VS workshops and
> events with Michael, Roger and Neil in New York, Bristol and London) and
> producing my own Flash based A/V Mixes which are archived here:
> https://web.archive.org/web/20180216121633/http://blog.visitorsstudio.org:80/?q=node/53
>
> However when you click any of them, the Flash files don't work, as they
> never did, on smartphones. They used to work till last year on my iMac as I
> installed the Flash player, but they don’t work any longer probably because
> the Visitors Studio Flash files mixes are no longer available online due
> the costs to keep them online by Furtherfiled.
>
> Hi Ruth and Mark, if it’s possible to make the Visitors Studio Flash files
> available again online so we can see if we can convert them as MP4 files by
> using the online file converter CloudCovert and then we can show and
> archive them on the Furtherfiled’s website. I tried to download my VJ Flash
> files artwork from VisitorsStudio last year but it was not possible to do
> so plus I didn't know about CloudConvert at that time either.
>
> Graziano
>
> On Mon, 17 Aug 2020 at 14:47, Mateus Domingos via NetBehaviour <
> netbehaviour@lists.netbehaviour.org> wrote:
>
>> Hi Michael,
>>
>> Apologies if this has been circulated here before,
>>
>> BlueMaxima Flashpoint is a project that seeks to preserve and archive
>> Flash-based works (along with a bunch of other web plugins and standards).
>> I believe you can add projects to the database, which then become
>> accessible through the standalone launcher.
>>
>> I've only used it a couple of times, but found it to work quite nicely.
>>
>> Might be an option for preserving and making your work accessible!
>>
>> https://bluemaxima.org/flashpoint/
>>
>> Best,
>> Mateus
>>
>> --
>> *From:* NetBehaviour  on
>> behalf of netbehaviour-requ...@lists.netbehaviour.org <
>> netbehaviour-requ...@lists.netbehaviour.org>
>> *Sent:* Monday, 17 August 2020 11:00 AM
>> *To:* netbehaviour@lists.netbehaviour.org <
>> netbehaviour@lists.netbehaviour.org>
>> *Subject:* NetBehaviour Digest, Vol 993, Issue 1
>>
>> Send NetBehaviour mailing list submissions to
>> netbehaviour@lists.netbehaviour.org
>>
>> To subscribe or unsubscribe via the World Wide Web, visit
>> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>> or, via email, send a message with subject or body 'help' to
>> netbehaviour-requ...@lists.netbehaviour.org
>>
>> Y

Re: [NetBehaviour] Penguin Memories (Michael Szpakowski)

2020-08-18 Thread Graziano Milano via NetBehaviour
Hello everyone,

Here are more ways how to convert FLV files to MP4 on Windows, Macs and
Online:
https://www.digitaltrends.com/computing/how-to-convert-flv-to-mp4/

The CloudCovert is an online file converter by selecting FLV files from our
computers, Google Drive, Dropbox, OneDrive and by URL:
https://cloudconvert.com

I used the Flash based Furthefield’s VisitorsStudio platform as a VJ artist
for live events (UpStage with Ethernet Orchestra, Radio You Can Watch with
Roger and Neil at Bristol FM, young people live VS workshops and events
with Michael, Roger and Neil in New York, Bristol and London) and producing
my own Flash based A/V Mixes which are archived here:
https://web.archive.org/web/20180216121633/http://blog.visitorsstudio.org:80/?q=node/53

However when you click any of them, the Flash files don't work, as they
never did, on smartphones. They used to work till last year on my iMac as I
installed the Flash player, but they don’t work any longer probably because
the Visitors Studio Flash files mixes are no longer available online due
the costs to keep them online by Furtherfiled.

Hi Ruth and Mark, if it’s possible to make the Visitors Studio Flash files
available again online so we can see if we can convert them as MP4 files by
using the online file converter CloudCovert and then we can show and
archive them on the Furtherfiled’s website. I tried to download my VJ Flash
files artwork from VisitorsStudio last year but it was not possible to do
so plus I didn't know about CloudConvert at that time either.

Graziano

On Mon, 17 Aug 2020 at 14:47, Mateus Domingos via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> Hi Michael,
>
> Apologies if this has been circulated here before,
>
> BlueMaxima Flashpoint is a project that seeks to preserve and archive
> Flash-based works (along with a bunch of other web plugins and standards).
> I believe you can add projects to the database, which then become
> accessible through the standalone launcher.
>
> I've only used it a couple of times, but found it to work quite nicely.
>
> Might be an option for preserving and making your work accessible!
>
> https://bluemaxima.org/flashpoint/
>
> Best,
> Mateus
>
> --
> *From:* NetBehaviour  on
> behalf of netbehaviour-requ...@lists.netbehaviour.org <
> netbehaviour-requ...@lists.netbehaviour.org>
> *Sent:* Monday, 17 August 2020 11:00 AM
> *To:* netbehaviour@lists.netbehaviour.org <
> netbehaviour@lists.netbehaviour.org>
> *Subject:* NetBehaviour Digest, Vol 993, Issue 1
>
> Send NetBehaviour mailing list submissions to
> netbehaviour@lists.netbehaviour.org
>
> To subscribe or unsubscribe via the World Wide Web, visit
> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
> or, via email, send a message with subject or body 'help' to
> netbehaviour-requ...@lists.netbehaviour.org
>
> You can reach the person managing the list at
> netbehaviour-ow...@lists.netbehaviour.org
>
> When replying, please edit your Subject line so it is more specific
> than "Re: Contents of NetBehaviour digest..."
>
>
> Today's Topics:
>
>1. Penguin Memories (Edward Picot)
>2. Re: Penguin Memories (Michael Szpakowski)
>3. city symphony, sounds of providence (Alan Sondheim)
>
>
> --
>
> Message: 1
> Date: Sun, 16 Aug 2020 18:27:02 +0100
> From: Edward Picot 
> To: NetBehaviour for networked distributed creativity
> 
> Subject: [NetBehaviour] Penguin Memories
> Message-ID: 
> Content-Type: text/plain; charset="utf-8"; Format="flowed"
>
> I've just started transferring some of my Flash work from about 15-20
> years ago onto video. 'Penguin Memories' is the dramatic and tragic tale
> of a penguin who steals a sardine sandwich from the penguin queen.
> https://youtu.be/LKQH_rGOVP4 <https://t.co/5WUyzvi2Mf?amp=1>
>
> Edward
> -- next part --
> An HTML attachment was scrubbed...
> URL: <
> https://lists.netbehaviour.org/pipermail/netbehaviour/attachments/20200816/cdacc354/attachment-0001.htm
> >
>
> --
>
> Message: 2
> Date: Sun, 16 Aug 2020 17:34:29 + (UTC)
> From: Michael Szpakowski 
> To: NetBehaviour for networked distributed creativity
> 
> Cc: Edward Picot 
> Subject: Re: [NetBehaviour] Penguin Memories
> Message-ID: <84868958.2788334.1597599269...@mail.yahoo.com>
> Content-Type: text/plain; charset="utf-8"
>
> I am glad you are doing this Edward. I can?t rescue most of the shockwave
> work because it was generative or interactive. A mass

Re: [NetBehaviour] 60 years ago today - music transmission across 4 generations of Catlows

2020-06-24 Thread Graziano Milano via NetBehaviour
Hi Ruth,

Thanks for sharing your dado's photo. Partita is an Italian word, its
translation is "Game"

My creative/skill inheritance comes from my home village, Cassano Allo
Ionio, in Southern Italy close to Sybaris, an important city of Magna
Grecia, founded in 720 BC by Achaean and Troezenian settlers:
https://en.wikipedia.org/wiki/Sybaris

In a 2016 BBC four-part series “The Renaissance Unchained”
<https://vimeo.com/ondemand/therenaissanceunchained>, the art critic
Waldemar Januszczak challenges the traditional view of the art’s most
important epoch – the Renaissance. On episode 2 – *“Whips, Deaths and
Madonnas” *– he takes a look at the importance of religious narrative in
Italian art by filming the Good Friday Procession of my Calabrian home
village where I was born and grew up. That traditional audio-visual
narrative is probably where most of my creativity comes from. You can watch
it here:
https://vimeo.com/ondemand/therenaissanceunchained/375897300?autoplay=1

Plus my dad, as a teenager, trained as a tailor and, as a prisoner of war
in Somerset and London from 1943 to 1946, he sketched and tailor made the
uniforms of some British military officers. Last year I found a copybook
with all the uniforms sketches he did during those years. Plus my mum was
an amazing embroider by decorating all sorts of fabric items we were using
at home.

Graziano

On Wed, 24 Jun 2020 at 00:10, Helen Varley Jamieson <
he...@creative-catalyst.com> wrote:

> beautiful synchronicity ruth :)
>
> knitting is something i have learned/inherited from my mother that she had
> from her mother. & piano playing also from my mother & grandfather. but
> it's so long now since i played regularly that the few times i've made a
> feeble attempt it's been quite embarrassing. i do actually own a piano, in
> nz, so perhaps when i'm back here permanently i'll get back into it ...
> gardening is another skill i have from my mother, & we had a conversation
> about it recently, as i was curious where she had got the passion from. her
> parents weren't active gardeners - they had a great garden at their house
> in sydney, but they also had a gardener - so mum just learned herself. i've
> also inherited from her a love of jigsaw puzzles & the ability to select
> the perfect-sized container for putting the leftovers into - does that
> count as a skill? ;)
>
> h : )
> On 24.06.20 03:21, Alan Sondheim via NetBehaviour wrote:
>
> Hi Ruth,
> I love these and the history itself, it's wondrous and life-enhancing,
> life-giving.
> I have no creative inheritance by the way, I took sundry piano lessons my
> parents forced on me. My teacher gave up on me; I couldn't play "When the
> Caissons go Rolling Along" and I didn't know what a caisson was or why it
> was rolling! :-) In any case, I didn't play an instrument really until I
> was 19 and making a mess of my life, that was after hearing very early
> Texas and Delta blues... By the way the typography of your Partita is
> lovely as well.
> love to everyone, Alan, be healthy, be safe
>
> On Tue, Jun 23, 2020 at 5:31 AM Gretta Louw via NetBehaviour <
> netbehaviour@lists.netbehaviour.org> wrote:
>
>> How beautiful, Ruth! Thanks for sharing!
>>
>> My creative inheritance is definitely needlework. I did a fair bit of it
>> as a kid at my mum’s side then stopped for decades. When I picked it back
>> up a few years ago I found that, to my astonishment, I had picked up so
>> much more than I’d realised purely (seemingly) by osmosis watching all the
>> matriarchs in my life sew, crochet, knit, stitch, and embroider. Fabrics
>> felt immediately natural. Working with them makes me feel wonderfully
>> connected to a powerful lineage of women (both related and unrelated to me).
>>
>> Gretta
>>
>>
>>
>> On 23. Jun 2020, at 11:16, Ruth Catlow via NetBehaviour <
>> netbehaviour@lists.netbehaviour.org> wrote:
>>
>> Thanks Renee and Mark,
>> I too would like to hear of other's creative/skill inheritances. Nice
>> idea Mark... go for it.
>> <3
>>
>> On Tue, Jun 23, 2020 at 10:13 AM Mark Hancock 
>> wrote:
>>
>>> I second Renée's thoughts. I love that idea that playing is bringing the
>>> past back in such an active and evocative way.
>>>
>>> I'd be interested in the creative skills and tools of the trade that
>>> other people on the list have inherited, if I may be so bold as to
>>> high-jack your email thread, Ruth?
>>>
>>> Mark
>>>
>>> On Tue, 23 Jun 2020 at 09:59, Renee Turner  wrote:
>>>
>>>> That’s beautifully moving Ruth <

Re: [NetBehaviour] shameful behaviour at Goldsmiths

2020-06-17 Thread Graziano Milano via NetBehaviour
I live close to Goldsmiths University and last year campaigners said the
university failed to respond adequately to racist abuse of student
elections candidate. Students occupied Goldsmiths campus in protest at
institutional racism:
https://www.theguardian.com/education/2019/mar/20/students-occupy-goldsmiths-in-protest-at-institutional-racism

And then the students started an anti-racism protest to mark 100th day with
a rally
https://www.theguardian.com/education/2019/jun/19/goldsmiths-anti-racism-protest-marks-100th-day-with-rally

After that, the University made a Goldsmiths Anti-Racist Action (GARA) as
a comprehensive action plan to help address the BME degree attainment gap
and wider racial justice issues highlighted by a the student protest at
Goldsmiths: https://www.gold.ac.uk/students/dth-protest-college-response/

Well, it looks like Goldsmiths completely failed to implement its GARA

This is really terrible considering that on 13th August 2017 Goldsmiths
organised various activities in marking the 40th anniversary of the Battle
of Lewisham when the racist National Front suffered a massive defeat thanks
to a vast crowds of counter-protesters that had massed on New Cross Road
(close to Goldsmiths University) to prevent the 500 supporters of the
National Front from marching.
https://www.gold.ac.uk/history/research/battle-of-lewisham/40th-anniversary-events/

Just a week before the 40th anniversary there was the emergence of a
long-lost footage, thought to have been destroyed, that offered a fresh
understanding of that protest. I went to watch it that week at Goldsmiths
and it’s on Vimeo as part of the London Community Video Archive:
https://vimeo.com/228977261

It's a 40+ minutes long footage that really shows the amazing protest by
the local multi-racial community against the National Front fascists.

Graziano

On Wed, 17 Jun 2020 at 10:41, Ruth Catlow via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> Yes
> I've been watching this unfold.
> And I agree with your statement
> Goldsmiths has long had a very problematic relationship with both the
> artworld and with racism.
>
> There have been (and continue to be) some such excellent people there
> working at take-downs in both domains:
> Suhail Malik
> Zach Blas
> Ramon Amaro
> Helen Pritchard
> Sarah Ahmed
> Kristen Krieder
>  to name a few (and ignoring all the excellent work going on at the
> intersection of social justice, art and environment)
>
> But still the dreadful stories keep coming from all departments on the
> brutal and utterly unprincipled treatment of students and staff alike that
> would appear to stem from the status of the university as a business
> rather than a place of learning.
>
> URGH!
>
>
> On Tue, Jun 16, 2020 at 12:08 PM Michael Szpakowski <
> m...@michaelszpakowski.org> wrote:
>
>> Have people seen this?
>>
>> https://twitter.com/evan_ife/status/1272456549215211521
>>
>> It is utterly shameful.
>> If you're on Twitter I urge you to like and reweet Evan's message.
>> If I hear of any other solidarity steps people can take I will post them
>> here
>>
>> Michael
>> ___
>> NetBehaviour mailing list
>> NetBehaviour@lists.netbehaviour.org
>> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>>
>
>
> --
> Co-founder & Artistic director of Furtherfield & DECAL Decentralised Arts
> Lab
> +44 (0) 77370 02879
>
> *sending thanks
> <https://www.ovoenergy.com/ovo-newsroom/press-releases/2019/november/think-before-you-thank-if-every-brit-sent-one-less-thank-you-email-a-day-we-would-save-16433-tonnes-of-carbon-a-year-the-same-as-81152-flights-to-madrid.html>
>  in
> advance
>
> *Furtherfield *disrupts and democratises art and technology through 
> exhibitions,
> labs & debate, for deep exploration, open tools & free thinking.
> furtherfield.org <http://www.furtherfield.org/>
>
> *DECAL* Decentralised Arts Lab is an arts, blockchain & web 3.0
> technologies research hub
>
> for fairer, more dynamic & connected cultural ecologies & economies now.
>
> decal.is <http://www.decal.is>
>
> Furtherfield is a Not-for-Profit Company Limited by Guarantee
>
> Registered in England and Wales under the Company No.7005205.
>
> Registered business address: Carbon Accountancy, 80-83 Long Lane, London,
> EC1A 9ET.
>
>
>
> ___
> NetBehaviour mailing list
> NetBehaviour@lists.netbehaviour.org
> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


Re: [NetBehaviour] More Cummings ( and soon, hopefully) Goings

2020-05-25 Thread Graziano Milano via NetBehaviour
That’s right Ed,

Below are the reason I used the colours red, yellow and blue:

– For Satanists, the colour red (fire) can represent sexual desire,
revenge, and aggressive magic. It is also useful as a focus of the will and
to remove obstacles.
– For Satanists, the colour yellow (air) can add to the energy of spell
work and it can also influence the mind and intelligence (that's what
Dominic does).
– For Satanists the colour blue (water) can represent the focus on a
spiritual goal or endeavour, or to bring luck to a situation. The blue is
also linked to the Tories.

I’ve been thinking to set up Instagram account so I can upload the image as
a square one without any text.

Graziano Milano

On Mon, 25 May 2020 at 13:26, Edward Picot via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> That's a brilliant image! Actually it would do very nicely as an image of
> Satan, because it's got the look of a Renaissance saint, but encrusted with
> corruption. I think it would probably be even more powerful with less text.
>
> Edward Picot
>
>
> On 25/05/2020 12:43, Graziano Milano via NetBehaviour wrote:
>
> Just published on Twitter a self-privileged infected hypocrite Dominic
> Cummings billboard poster I've designed today under the name of *Opera
> Smooth*: https://twitter.com/OperaSmooth/status/1264877698805125120
>
> On Sun, 24 May 2020 at 11:48, Michael Szpakowski 
> wrote:
>
>>
>>
>> Another petition which seems to be putting on weight very fast - Brits
>> please sign and share this too :)
>>
>> https://www.change.org/p/uk-parliament-dominic-cummings-must-be-sacked
>>
>>
>>
>>
>>
>> ___
>> NetBehaviour mailing list
>> NetBehaviour@lists.netbehaviour.org
>> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>>
>
> ___
> NetBehaviour mailing 
> listNetBehaviour@lists.netbehaviour.orghttps://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>
>
> ___
> NetBehaviour mailing list
> NetBehaviour@lists.netbehaviour.org
> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


Re: [NetBehaviour] More Cummings ( and soon, hopefully) Goings

2020-05-25 Thread Graziano Milano via NetBehaviour
Just published on Twitter a self-privileged infected hypocrite Dominic
Cummings billboard poster I've designed today under the name of *Opera
Smooth*: https://twitter.com/OperaSmooth/status/1264877698805125120

On Sun, 24 May 2020 at 11:48, Michael Szpakowski 
wrote:

>
>
> Another petition which seems to be putting on weight very fast - Brits
> please sign and share this too :)
>
> https://www.change.org/p/uk-parliament-dominic-cummings-must-be-sacked
>
>
>
>
>
> ___
> NetBehaviour mailing list
> NetBehaviour@lists.netbehaviour.org
> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


Re: [NetBehaviour] How is everyone?

2020-04-14 Thread Graziano Milano via NetBehaviour
Hi Marc and Ruth,

Just realised that I missed your podcast invitation about *“News From Where
We Are”*

At Telegraph Hill, South East London, we set up a Covid-19 Aid group to
ensure that every household in our community has access to the food they
need during the coronavirus outbreak. Our aim has been to provide boxes of
nourishing food to those hit hardest by this crisis.

We’ve been able to do so thanks to hundreds of local volunteers and £15k+
donations via Just Giving:
https://www.justgiving.com/campaign/feedthehill?fbclid=IwAR0mmzAr0xqp7OLjyn4ylT2_6raqaNT3FT0A1B8xx0h0c_fLiMM0er-r544

Last week the Independent newspaper published an article where our
Telegraph Hill group was mentioned through an interview as an example of
more than 4,000 UK “mutual Aid” group:
https://www.independent.co.uk/news/uk/home-news/coronavirus-help-the-hungry-campaign-food-covid-19-mutual-aid-uk-a9453216.html

A Goldsmiths University lecturer, Tom Trevatt, has made a short film of our
project to promote the good work being done by mutual aid groups in UK:
https://www.youtube.com/watch?v=YSQEsxAcwUM.

Graziano

On Tue, 14 Apr 2020 at 19:04, Paul Hertz via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> Hello everyone,
>
> My wife and I have now spent over a month in social isolation in our house
> in Chicago. We're fortunate to have a building with an apartment upstairs
> and a storefront studio and small apartment downstairs. I work on new work
> or print old work and archive it in the back apartment. We have a forest
> preserve and tree-lined streets to walk in, and the grocery store offers
> curbside pickup. My wife retired from nursing a few years ago, and I have
> retired from teaching. In some ways we are quite cozy and secure, though we
> miss seeing our granddaughters, who used to spend after school afternoons
> with us. Now I read to them over video chat.
>
> Chicago is a hotspot for Covid-19 and yet we have been somewhat more
> fortunate than other cities in the U.S., perhaps because the governor of
> Illinois and the mayor of Chicago took prompt action. The mayor has become
> a meme—images of her looking stern show up on Instagram
> <https://www.instagram.com/explore/tags/whereslightfoot/>, superimposed
> on public parks, restaurants, and porches. Inveterate news junkies, we are
> daily aware of how desperate the situation is for some people. I am happy
> to report that the city is making emergency funds available to undocumented
> immigrants and the homeless, far more than the federal government has been
> willing to do. The plight of prisoners in the county jail and stat prisons
> however is very concerning, in this nation where incarceration is nearly as
> popular as guns.
>
> I have been slow to engage with all the flurry of online art, though I did
> attend parts of the Ann Arbor Film Festival, some of the Quarantine
> Concerts <https://ess.org/the-quarantine-concerts> of the local
> experimental music venues, and the Goodman Theater's production of School
> Girls; or, the African Mean Girls Play
> <https://www.goodmantheatre.org/streamschoolgirls>. Domenico Dom Barra
> kindly asked my participation for his White Page Gallery
> <http://www.dombarra.art/whitepagegallery>, a project he has been
> nurturing for some time.
>
> I said some time ago to a friend online that I was more concerned with the
> slow accumulation of sorrow than with the immediate pangs of social
> distancing. Anticipated grief erupts sometimes in unguarded moments when
> emotion overwhelms me and just as quickly subsides, swift and ingenuous as
> a child. I wonder if Boccaccio's young men and women celebrated their
> freedom at the same time they held grief at bay. Did they confront a mix of
> privilege and guilt, or were they just grateful for a respited from the
> dire motion of the world around them, however brief? In the meantime, they
> told stories. And so we do. And just as surely, the world is going to
> return to us and we to it.
>
> Here in the U.S, we also confront a government led by an incompetent, who
> boasted once that he could commit murder and the crowd would still love
> him. People are dying because of his ignorance and narcissism. It remains
> to be seen whether he and the party that supports him will be held to
> account. This much is clear: a system of government that does not seek the
> trust of all of its citizens, but plays at power games and propaganda to
> divide them, is ill-prepared for crises on the order that humanity now
> faces. The hierarchy of slow-moving disasters we locate under the rubric of
> "climate change" are going to be much more massive than this pandemic. We
> are all ill-prepared, but countries mired in convenient mythologies that
> conceal brutal histories

Re: [NetBehaviour] Ethernet Orchestra Distant Presences VJ mix

2020-04-14 Thread Graziano Milano via NetBehaviour
Thanks Roger for the Distance Presences video.

I really miss the VisitorsStudio audio-visual platform that we used so much
back then for various art projects:
– Distance Presences
– Radio You Can Watch
– Ocean Between Sounds
– Bristol, Bronx, Bruce Grove Youth A/V Workshops and Performance

It would be great we would be able to set up a similar audio-visual online
platform by using Java Script, HTML 5 and/or any other software coding.

Graziano

On Tue, 14 Apr 2020 at 15:51, marc garrett via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> Hi Roger,
>
> Lovely to hear & see this again. Big shame we could not keep VS going,
> way ahead of its time.
>
> I also feel a bit angry towards the elites of the net art community at
> that time, such as Ars Electronica idiots, only supporting their
> institutional/academic pals, and not supporting and giving it the
> credit it really deserved.
>
> On Tue, 14 Apr 2020 at 13:06, Roger Mills  wrote:
> >
> > In 2018, Ruth and Marc opened up VisitorStudio for anyone to record
> their mixes before it was finally mothballed. I was at the tail end of a
> writing project and managed to record only a few performances, which i am
> now slowly dubbing sound to picture.
> >
> > This video, Distant Presences (2007), was an audio-visual radio
> performance by Ethernet Orchestra, featuring Neil Jenkins, Graziano Milano
> and Helen Varley-Jamieson mixing in Visitors Studio to our live
> tele-improvisation.
> >
> > The program host, Brooke Olsen, took listeners through how they could
> access VisitorsStudio and watch the VJ mix, while listening to our
> performance on terrestrial radio, as well as the net broadcast. In turn,
> the musicians we were able to view the performance and respond to changes
> in the visual stream.
> >
> > We had been pursuing the concept of radio you can watch with
> Furthernoise radio in Bristol, but expanded it here to live networked
> improvisation rather than a playlist.
> >
> > It also reminded me of the innovative performances many of us here were
> doing, e.g., Dissension Convention, Month of Sundays. Particularly for a
> time in which low latency multi-directional networked audio was only just
> becoming possible.
> >
> > VisitorsStudio was so innovative for its time.
> >
> > There’s a couple more mixes to dub sound on, and I will post them as I
> have time.
> >
> > View and listen to Distant Presences https://youtu.be/n9zAcc_Uz7w
> >
> > Enjoy!
> >
> > —
> > Roger Mills
> >
> > http://www.eartrumpet.org
> > http://ethernetorchestra.net
> > http://telesound.net
> >
> > Oceans between Sound, an album of online improvisation by Ethernet
> Orchestra, Pueblo Nuevo 2020
> > <https://pueblonuevo.cl/catalogo/oceans-between-sound/>
> >
> > Author of Tele-Improvisation: Intercultural Interaction in the Online
> Global Music Jam Session. London: Springer 2019 <
> https://www.springer.com/gp/book/9783319710389>
> >
> > New chapter - Mills, R. (2020). Rhythm, Presence, and Agency: Defining
> Tele-Collaborative Space as a Site for Net Music Pedagogy. In Busch, T.,
> Moormann, P. & Zielinski, W. (Eds.): Musical practices and virtual spaces,
> Munich: Kopaed (in process).
> >
> > Lead researcher on Net Diaporas: Developing Cultural Practices through
> Internet Music Performance.  Iranian House of Music, Sydney.
> >
> > ___
> > NetBehaviour mailing list
> > NetBehaviour@lists.netbehaviour.org
> > https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>
>
>
> --
> Wishing you well.
>
> Marc
>
> ---
>
> Marc Garrett
>
> Co-founder & Artistic director of Furtherfield & DECAL Decentralised Arts
> Lab
>
> Furtherfield disrupts & democratises art and technology through
> exhibitions, labs & debate, for deep exploration, open tools & free
> thinking. http://www.furtherfield.org
>
> DECAL Decentralised Arts Lab is an arts, blockchain & web 3.0
> technologies research hub for fairer, more dynamic & connected
> cultural ecologies & economies now. http://decal.is/
>
> Recent publications:
>
> State Machines: Reflections & Actions at the Edge of Digital
> Citizenship, Finance, & Art. Edited by Yiannis Colakides, Marc
> Garrett, Inte Gloerich. Institute of Network Cultures, Amsterdam 2019
> http://bit.do/eQgg3
>
> Artists Re:thinking the Blockchain. Eds, Ruth Catlow, Marc Garrett,
> Nathan Jones, & Sam Skinner. Liverpool Press - http://bit.ly/2x8XlMK
> ___
> NetBehaviour mailing list
> NetBehaviour@lists.netbehaviour.org
> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


Re: [NetBehaviour] Invitation to join in dialogue, COVID Net Art discussion

2020-04-06 Thread Graziano Milano via NetBehaviour
*‘Zoombombing’* info are now on wikipedia:
https://en.wikipedia.org/wiki/Zoombombing

On Fri, 3 Apr 2020 at 16:31, Max Herman via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

>
> Hi Danielle,
>
> These sound fun, I will try to check one out!
>
> I think the relevance of Leonardo da Vinci and his fabulous integration of
> art and science, indeed of all the arts and all the sciences, couldn't be
> more essential for the crisis of Covid-19 (a virus appearing during the
> year of Leonardo's 500th anniversary celebrations which I was fortunately
> able to visit in Florence last June).
>
> How we build on and continue Leonardo's legacy may be crucial to how well
> the planet will cope with the pandemic.
>
> Last July I got the strange idea, after reading a lot of Calvino's *Six
> Memos*, Giunti's "Decoding Leonardo" edition of the Codex Leicester
> (bought in Florence at the Galileo Museum's Leonardo exhibit), and a book
> on Leonardo's library, that the Mona Lisa is itself best understood as a
> work of network art, specifically, as a mindfulness network map of human
> and planetary history.
>
> How did this viewing arise?  It occurred to me on the airplane while
> returning from a vacation in California, and was perhaps prompted by
> Calvino's mention in *Six Memos for the Next Millennium*, in Exactitude
> pp. 77-80, of Leonardo's highly poetic and visual description of a
> sea-going dinosaur in the Codex Atlanticus, which Calvino felt Leonardo
> used as "a symbol of the solemn force of nature."
>
> For whatever reason, either the Calvino, or my recent visit to Florence,
> or my inability (on the same trip!) to visit the actual Mona Lisa at the
> Louvre because we visited on the day of the 1-day strike to protest the
> excessive number of tourists, I was really trying to engage with the Mona
> Lisa on that flight home from California.  I had realized that I thought
> about the ML more than I actually looked at it, and should look at it some
> more (if only out of respect for the artist on his 500th anniversary year).
>
> What I saw in my mind's eye, looking at the ML in reproduction, was an
> interactive temporal and cognitive map.  This was partly prompted by my
> attempt to "meet the gaze" of the painting, not a quick glance but a
> sustained engagement.  To do this, I used a bit of mindfulness meditation
> while viewing it.  I tried to just look, without analyzing, for a sustained
> time, say five minutes or so.  I appreciated and felt how the ML's facial
> expression changed along with my internal mental state or attitude,
> "responding" in a kindly, admonishing, or neutral depending on my inner
> sense of my own viewing agency.  I saw this as a kind of mute dialogue, the
> image being designed by Leonardo so that an intelligence or knowledge of
> his own could greet and engage with something similar in myself.  This I
> felt to be a cycle, like breathing, not a one-and-done; what in yoga
> sometimes is called the namaste or mutual recognition.
>
> This way of viewing the painting felt very rich and real to me, in an
> almost shocking way.  It seemed like a true step forward.  So, I looked to
> the background of the painting for clues.  I saw the bleak and empty
> landscape on the left background, showing the tectonic erosion as mentioned
> in the Giunti Codex Leicester pp. 58-59, and a river flow as on p. 14
> (detail of the ML) and pp. 32-34.  This of course also elicited images of
> vortices of water, described in the Giunti thus:  "The spiral is one of the
> shapes of water that most attracts Leonardo (fig. 10), in his eyes it
> represents one of the greatest manifestations of the power of water,
> because the vortices can dig the bottom of the rivers like augers" (p.19).
>
> I'd known for a while that the horizon line in the ML background is
> disjunct on the left and the right, but why?  It appeared to me that the
> main difference was that the right side was a bit more complex, but most
> strikingly, it had a human-built structure: a bridge.  This had to be a
> major factor -- it was practically the only object in the whole background,
> other than mists, flowing water, and primordial rocks.  Then the visual
> "shock" or rupture hit me, that the bridge flowed seamlessly into a vortex,
> a twisting braid of the sitter's shawl, bringing me back instantly from the
> mists of geologic time to the sitter's garment, then body, then face.
>
> This struck me as consequential.  The sitter's garment is dignified, but
> far from gaudy or splendid.  It serves mainly to accent the hands (for me
> the most lush and gorgeous part of the picture apart from the eyes), the
> heart (simple and meditative), and the face.  I couldn't have imagined a
> more shocking and indeed blasting return to the gaze from an
> almost-infinite distance in time and space.  I cannot but confess this
> changed my life forever.  I scribbled on a piece of paper so I wouldn't
> forget, and showed it to my wife who was watchin

[Elecraft] (Too much..) RF back and through the RX ANT OUT for external receiver

2020-04-04 Thread Graziano Roccon (IW2NOY)

Hello,

i ordered a Colibrì Nano USB SDR.
and i am thinkg to connect the Colibrì antenna through the RX ANT OT of 
the K3s tu use the colibrì and his software like a panadapter for the 
K3s.
The colibrì can't accept "IF OUT", so i will use RX ANT OUT from XV3B to 
give antenna signal to the Colibrì.


But it seems, from some test i did with friends, that RX OUT is NOT well 
or totally disconnected weh K3s goes in TX and some RF goes (or come 
back) through the RX OUT.
I would like to know if someone knows how many "dbm" or watt could goes 
through the RX OUT when the K3s is in TX with maximum power.

Too much RF can kill the the SDR receiver.

Anyone knows the answer ?

Maybe Wayne or Eric ? ;-)

Any help would be appreciated.

Thanks a lot, Graziano IW2NOY
__
Elecraft mailing list
Home: http://mailman.qth.net/mailman/listinfo/elecraft
Help: http://mailman.qth.net/mmfaq.htm
Post: mailto:Elecraft@mailman.qth.net

This list hosted by: http://www.qsl.net
Please help support this email list: http://www.qsl.net/donate.html
Message delivered to arch...@mail-archive.com 

Re: [NetBehaviour] Invitation to join in dialogue, COVID Net Art discussion

2020-04-03 Thread Graziano Milano via NetBehaviour
Hi Danielle,

Probably it’s better not to use *Zoom* for virtual online gatherings as
I’ve just read an article in The Guardian about Zoom where security
researchers say the app is a *‘privacy disaster’*. You can read the full
article here:
‘Zoom is malware’: why experts worry about the video conferencing platform
<https://www.theguardian.com/technology/2020/apr/02/zoom-technology-security-coronavirus-video-conferencing>

Best,
Graziano

On Fri, 3 Apr 2020 at 09:04, Danielle Siembieda via NetBehaviour <
netbehaviour@lists.netbehaviour.org> wrote:

> Hi there, I wanted to share a couple of important things Leonardo is doing
> in the next week. I thought you'd like to join us.
>
> *Coffee and Cocktails - A Social Connecting Space in your timezone.*
>
>
> They are on Mondays and Thursdays.* Here is a link with details about
> times, <https://www.leonardo.info/civicrm/event/info?reset=1&id=489>* when
> you register it will email you the private Zoom room information. Our next
> one is Thursday morning at 9:00 AM San Francisco time hosted by Leonardo's
> Managing Editor Erica Hruby.
>
>
> I also wanted to make sure you know about and are able to attend a special
> panel discussion for a net art exhibition sponsored by the Chronos Art
> Center and Rhizome at the New Museum in response to COVID-19. We=Link:
> Ten Easy Pieces press release and ten partner organizations can be found
> here <https://www.leonardo.info/welink-ten-easy-pieces>. The artworks are
> currently on the Chronus site here  <http://we-link.chronusartcenter.org/>and
> will soon be on the Leonardo site archived.
>
>
> We hope you will join us for an interactive panel on Monday, April 6 at
> 5:00 San Francisco time. *Details are and RSVP here
> <https://www.leonardo.info/civicrm/event/info?reset=1&id=490>. We will also
> share this live on Facebook
> <https://www.facebook.com/events/643544219757375/>.*
>
>
> One last thing, we are in the midst of collaborating with our LASER Hosts
> around the world for a global LASER Event. We will announce more soon.
>
>
> Best,
>
> Danielle Siembieda
> Managing Director
> Leonardo/ISAST
>
>
> ___
> NetBehaviour mailing list
> NetBehaviour@lists.netbehaviour.org
> https://lists.netbehaviour.org/mailman/listinfo/netbehaviour
>
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


[Elecraft] Elecraft K3s - RX OU ANT and Colibrì nano sdr

2020-04-02 Thread Graziano Roccon (IW2NOY)

Hello,

i ordered a Colibrì Nano 
(https://eesdr.com/en/products-en/receivers-en/colibrinano-en)
and i am thinkg to connect the Colibrì antenna through the RX ANT OT of 
the K3s tu use the colibrì and his software like a panadapter for the 
K3s.
The colibrì can't accept "IF OUT", so i will use RX ANT OUT from XV3B to 
give antenna signal to the Colibrì.
The Colibrì is one the best SDR (usb) out there with a sample rate of 
max 3mhz at 16 bit and 768 khz at 24 bit, the dedicated software 
ExpertSDR2 is fantastic anche can used with SDC to have cw skimmer spots 
and DX cluster spots on the panadapter.



I want to use the Colibrì only like a panadapter and use the K3s to 
transmit, syncing the two radio frequncies.


I would like to know if there are know problem to use this 
configuration, especially when i will go in TX with the K3s.

Maybe somebody did it this before me.
There is a protection system that disconnect RX ANT OUT when the K3s go 
in TX ?

There is something to configure in the menu ?
Simply, there is a risk for the safeness of the Colibrì connect to the 
antenna RX OUT ANT ?

I wouldn't burn the Colibrì with RF or RFI coming from the radio.

Any help would be appreciated.


Thanks a lot, Graziano IW2NOY
__
Elecraft mailing list
Home: http://mailman.qth.net/mailman/listinfo/elecraft
Help: http://mailman.qth.net/mmfaq.htm
Post: mailto:Elecraft@mailman.qth.net

This list hosted by: http://www.qsl.net
Please help support this email list: http://www.qsl.net/donate.html
Message delivered to arch...@mail-archive.com 

[sumo-user] krauss model

2020-03-16 Thread Graziano Manduzio
Hi everyone,

I solved a problem related to departed delay by reducing a parameter of the
model krauss: the Tau that I think is the human reaction time.
This documentation explain which are the krauss model parameters:

https://sumo.dlr.de/docs/Definition_of_Vehicles,_Vehicle_Types,_and_Routes.html#car-following_models


but the problem is that I don't understand the exactly way by means the
Krauss model is implemented. I don't found much in literature about that
and for example looking at this article

https://www.researchgate.net/publication/282987750_Research_on_car-following_model_based_on_SUMO


  and the way how is calculated the distance between two consecuitive
vehicle, they don't match the calculations in my scenario.
So ,if is possible, I'd like to undesrtand exactly the way the distance
between two vehicle is calculated in sumo and the way how it depens on the
parameters explained in the first documentation I attacked.

Thanks in advance,
Graziano

<https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
Mail
priva di virus. www.avast.com
<https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
<#DAB4FAD8-2DD7-40BB-A1B8-4E2AA1F9FDF2>
___
sumo-user mailing list
sumo-user@eclipse.org
To unsubscribe from this list, visit 
https://www.eclipse.org/mailman/listinfo/sumo-user


[sumo-user] Krauss model

2020-03-16 Thread Graziano Manduzio
Hi everyone,

how the Krauss model works between two consecutive car going at the same
speed?
In general I'm looking for a documentation where is explained how the
krauss model is exactly implemented in the last releases of sumo.

Thanks in advance,
Graziano

<https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
Mail
priva di virus. www.avast.com
<https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
<#DAB4FAD8-2DD7-40BB-A1B8-4E2AA1F9FDF2>
___
sumo-user mailing list
sumo-user@eclipse.org
To unsubscribe from this list, visit 
https://www.eclipse.org/mailman/listinfo/sumo-user


Re: [sumo-user] Sumo implementation of Krauss car-following model in sumo 1.3.1

2020-03-15 Thread Graziano Manduzio
Ok, thanks Jacob!

Graziano

Il Dom 15 Mar 2020, 11:39 Jakob Erdmann  ha scritto:

> I think the issue you are encountering comes from step-length effects:
> https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html#effect_of_simulation_step-length
> try departPos="last".
>
> Am So., 15. März 2020 um 03:48 Uhr schrieb Graziano Manduzio <
> graziano.mandu...@gmail.com>:
>
>> Hi everyone,
>>
>> I'm dealing with a problem related to the entry vehicles in the scenario
>> and in particular to the departure delays. In a previous mail you suggested
>> me to add some options like this:
>>
>>
>> https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html#investigating_insertion_delay
>>
>>
>>  however my scenario is still being affected by such delays. Anyway I
>> noticed that the faster the entry vehicle, the shorter its delay.
>> Therefore looking at the following list (the entry #Insertion (departure)
>> )
>>
>> https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html
>>
>> and taking in account the vehicle speed in several experiments, I can say
>> that the first point of the list i.e. mingap + vehiclelength is not all. So
>> I think the behavior also depends on the Krauss car-following model, but my
>> vehicles goes all at the same speed and there is no deceleration of the
>> leading vehicle. So I need more specific informations about the Krauss
>> model implementation in sumo 1.3.1. release.
>>
>> Thanks in advance,
>> Graziano
>>
>>
>>
>> ___
>> sumo-user mailing list
>> sumo-user@eclipse.org
>> To unsubscribe from this list, visit
>> https://www.eclipse.org/mailman/listinfo/sumo-user
>>
> ___
> sumo-user mailing list
> sumo-user@eclipse.org
> To unsubscribe from this list, visit
> https://www.eclipse.org/mailman/listinfo/sumo-user
>
___
sumo-user mailing list
sumo-user@eclipse.org
To unsubscribe from this list, visit 
https://www.eclipse.org/mailman/listinfo/sumo-user


[sumo-user] Sumo implementation of Krauss car-following model in sumo 1.3.1

2020-03-14 Thread Graziano Manduzio
Hi everyone,

I'm dealing with a problem related to the entry vehicles in the scenario
and in particular to the departure delays. In a previous mail you suggested
me to add some options like this:

https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html#investigating_insertion_delay


 however my scenario is still being affected by such delays. Anyway I
noticed that the faster the entry vehicle, the shorter its delay.
Therefore looking at the following list (the entry #Insertion (departure) )

https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html

and taking in account the vehicle speed in several experiments, I can say
that the first point of the list i.e. mingap + vehiclelength is not all. So
I think the behavior also depends on the Krauss car-following model, but my
vehicles goes all at the same speed and there is no deceleration of the
leading vehicle. So I need more specific informations about the Krauss
model implementation in sumo 1.3.1. release.

Thanks in advance,
Graziano
___
sumo-user mailing list
sumo-user@eclipse.org
To unsubscribe from this list, visit 
https://www.eclipse.org/mailman/listinfo/sumo-user


Re: [sumo-user] vehicle entry policy

2020-03-12 Thread Graziano Manduzio
Ok, thanks Jacob,

Graziano

Il Gio 12 Mar 2020, 08:03 Jakob Erdmann  ha scritto:

> You can but this option into the sumocfg file that is loaded by traas or
> you can use conn.addOption to set this:
>
> https://github.com/eclipse/sumo/blob/3628291cb73dfa9ad9912ca61d5533349308f6d5/tests/complex/traas/simple/data/Main.java#L44
>
> Am Mi., 11. März 2020 um 21:37 Uhr schrieb Graziano Manduzio <
> graziano.mandu...@gmail.com>:
>
>> Hi Jacob,
>>
>> just an other question, please. Since I'm using the java API traas to run
>> Traci, can I set for instance, for avoiding departure delays, the options
>> like "--ignore-route-errors" right there in the java methods or it's not
>> allowed in traas?
>>
>> Thanks,
>> Graziano
>>
>>
>>
>> Il giorno mer 11 mar 2020 alle ore 20:54 Jakob Erdmann <
>> namdre.s...@gmail.com> ha scritto:
>>
>>> Insertion policy is described at
>>> https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html
>>> Your scenario might be affected by delayed insertions:
>>> https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html#investigating_insertion_delay
>>>
>>> regards,
>>> Jakob
>>>
>>> Am Mi., 11. März 2020 um 20:18 Uhr schrieb Graziano Manduzio <
>>> graziano.mandu...@gmail.com>:
>>>
>>>> Hi everyone,
>>>>
>>>> we're dealing with a problem when we enter our vehicles using an
>>>> exponential distribution in the network. Or better, is exponential the
>>>> trend of the arrival times within the network. However, detecting the
>>>> actual arrival times by means of a loop located at the entrance of the
>>>> road, they are not the same compared to the original ones. So there is a
>>>> sort of discrepancy between the data. I don't think it's related to the
>>>> car-following model 'cause in our scenario the following vehicles are not
>>>> decelerating and so there is no kind of safety speed that is activated, and
>>>> maybe it's not related to the simulation time resolution as well. So anyone
>>>> knows about SUMO vehicle entry policy?
>>>>
>>>> Thanks in advance,
>>>> Graziano
>>>>
>>>>
>>>>
>>>>
>>>> <https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
>>>>  Mail
>>>> priva di virus. www.avast.com
>>>> <https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
>>>> <#m_6338669371293344590_m_-7803106613667097277_m_-5718792357968766303_m_2797401648489430059_DAB4FAD8-2DD7-40BB-A1B8-4E2AA1F9FDF2>
>>>> ___
>>>> sumo-user mailing list
>>>> sumo-user@eclipse.org
>>>> To unsubscribe from this list, visit
>>>> https://www.eclipse.org/mailman/listinfo/sumo-user
>>>>
>>> ___
>>> sumo-user mailing list
>>> sumo-user@eclipse.org
>>> To unsubscribe from this list, visit
>>> https://www.eclipse.org/mailman/listinfo/sumo-user
>>>
>> ___
>> sumo-user mailing list
>> sumo-user@eclipse.org
>> To unsubscribe from this list, visit
>> https://www.eclipse.org/mailman/listinfo/sumo-user
>>
> ___
> sumo-user mailing list
> sumo-user@eclipse.org
> To unsubscribe from this list, visit
> https://www.eclipse.org/mailman/listinfo/sumo-user
>
___
sumo-user mailing list
sumo-user@eclipse.org
To unsubscribe from this list, visit 
https://www.eclipse.org/mailman/listinfo/sumo-user


Re: [sumo-user] vehicle entry policy

2020-03-11 Thread Graziano Manduzio
Hi Jacob,

just an other question, please. Since I'm using the java API traas to run
Traci, can I set for instance, for avoiding departure delays, the options
like "--ignore-route-errors" right there in the java methods or it's not
allowed in traas?

Thanks,
Graziano



Il giorno mer 11 mar 2020 alle ore 20:54 Jakob Erdmann <
namdre.s...@gmail.com> ha scritto:

> Insertion policy is described at
> https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html
> Your scenario might be affected by delayed insertions:
> https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html#investigating_insertion_delay
>
> regards,
> Jakob
>
> Am Mi., 11. März 2020 um 20:18 Uhr schrieb Graziano Manduzio <
> graziano.mandu...@gmail.com>:
>
>> Hi everyone,
>>
>> we're dealing with a problem when we enter our vehicles using an
>> exponential distribution in the network. Or better, is exponential the
>> trend of the arrival times within the network. However, detecting the
>> actual arrival times by means of a loop located at the entrance of the
>> road, they are not the same compared to the original ones. So there is a
>> sort of discrepancy between the data. I don't think it's related to the
>> car-following model 'cause in our scenario the following vehicles are not
>> decelerating and so there is no kind of safety speed that is activated, and
>> maybe it's not related to the simulation time resolution as well. So anyone
>> knows about SUMO vehicle entry policy?
>>
>> Thanks in advance,
>> Graziano
>>
>>
>>
>>
>> <https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
>>  Mail
>> priva di virus. www.avast.com
>> <https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
>> <#m_-5718792357968766303_m_2797401648489430059_DAB4FAD8-2DD7-40BB-A1B8-4E2AA1F9FDF2>
>> ___
>> sumo-user mailing list
>> sumo-user@eclipse.org
>> To unsubscribe from this list, visit
>> https://www.eclipse.org/mailman/listinfo/sumo-user
>>
> ___
> sumo-user mailing list
> sumo-user@eclipse.org
> To unsubscribe from this list, visit
> https://www.eclipse.org/mailman/listinfo/sumo-user
>
___
sumo-user mailing list
sumo-user@eclipse.org
To unsubscribe from this list, visit 
https://www.eclipse.org/mailman/listinfo/sumo-user


Re: [sumo-user] vehicle entry policy

2020-03-11 Thread Graziano Manduzio
Thank you very much Jacob,
you have been very helpful for me!

Graziano

Il giorno mer 11 mar 2020 alle ore 20:54 Jakob Erdmann <
namdre.s...@gmail.com> ha scritto:

> Insertion policy is described at
> https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html
> Your scenario might be affected by delayed insertions:
> https://sumo.dlr.de/docs/Simulation/VehicleInsertion.html#investigating_insertion_delay
>
> regards,
> Jakob
>
> Am Mi., 11. März 2020 um 20:18 Uhr schrieb Graziano Manduzio <
> graziano.mandu...@gmail.com>:
>
>> Hi everyone,
>>
>> we're dealing with a problem when we enter our vehicles using an
>> exponential distribution in the network. Or better, is exponential the
>> trend of the arrival times within the network. However, detecting the
>> actual arrival times by means of a loop located at the entrance of the
>> road, they are not the same compared to the original ones. So there is a
>> sort of discrepancy between the data. I don't think it's related to the
>> car-following model 'cause in our scenario the following vehicles are not
>> decelerating and so there is no kind of safety speed that is activated, and
>> maybe it's not related to the simulation time resolution as well. So anyone
>> knows about SUMO vehicle entry policy?
>>
>> Thanks in advance,
>> Graziano
>>
>>
>>
>>
>> <https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
>>  Mail
>> priva di virus. www.avast.com
>> <https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
>> <#m_-5718792357968766303_m_2797401648489430059_DAB4FAD8-2DD7-40BB-A1B8-4E2AA1F9FDF2>
>> ___
>> sumo-user mailing list
>> sumo-user@eclipse.org
>> To unsubscribe from this list, visit
>> https://www.eclipse.org/mailman/listinfo/sumo-user
>>
> ___
> sumo-user mailing list
> sumo-user@eclipse.org
> To unsubscribe from this list, visit
> https://www.eclipse.org/mailman/listinfo/sumo-user
>
___
sumo-user mailing list
sumo-user@eclipse.org
To unsubscribe from this list, visit 
https://www.eclipse.org/mailman/listinfo/sumo-user


[sumo-user] vehicle entry policy

2020-03-11 Thread Graziano Manduzio
Hi everyone,

we're dealing with a problem when we enter our vehicles using an
exponential distribution in the network. Or better, is exponential the
trend of the arrival times within the network. However, detecting the
actual arrival times by means of a loop located at the entrance of the
road, they are not the same compared to the original ones. So there is a
sort of discrepancy between the data. I don't think it's related to the
car-following model 'cause in our scenario the following vehicles are not
decelerating and so there is no kind of safety speed that is activated, and
maybe it's not related to the simulation time resolution as well. So anyone
knows about SUMO vehicle entry policy?

Thanks in advance,
Graziano



<https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
Mail
priva di virus. www.avast.com
<https://www.avast.com/sig-email?utm_medium=email&utm_source=link&utm_campaign=sig-email&utm_content=webmail>
<#DAB4FAD8-2DD7-40BB-A1B8-4E2AA1F9FDF2>
___
sumo-user mailing list
sumo-user@eclipse.org
To unsubscribe from this list, visit 
https://www.eclipse.org/mailman/listinfo/sumo-user


This is the email address I Believe I should email for support.

2019-12-18 Thread Anthony Graziano
   When I try to uninstall python 3.8.0 to reinstall, it says that the
   program is currsntly running.

    

   Please help

    

   Sent from [1]Mail for Windows 10

    

References

   Visible links
   1. https://go.microsoft.com/fwlink/?LinkId=550986
-- 
https://mail.python.org/mailman/listinfo/python-list


[NetBehaviour] Alternative UK general election posters

2019-12-12 Thread Graziano Milano via NetBehaviour
Hello,

The Guardian has just published
*'A new hope': your alternative general election posters
<https://www.theguardian.com/politics/gallery/2019/dec/12/a-new-hope-your-alternative-general-election-posters>*From
locusts to the descent of man, they share some of their readers’
alternative election posters.

The poster *"Get rid of this arty-party lunacy party"* has been designed by
a friend of mine using the name "Opera Smooth" to avoid being targeted it
by far right right extremists.

You can share the above links on Facebook, Twitter and Pinterest

Opera Smooth is also on Twitter: https://twitter.com/operasmooth

Graziano
___
NetBehaviour mailing list
NetBehaviour@lists.netbehaviour.org
https://lists.netbehaviour.org/mailman/listinfo/netbehaviour


  1   2   3   4   5   6   7   8   9   10   >